1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
|
{
"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",
"LabelGithub": "Github",
"Option1Player": "1+",
"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",
"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:",
"HeaderPaths": "Paths",
"LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
"ButtonAddPathSubstitution": "Add Substitution",
"TitleNotifications": "Notifications",
"OptionSpecialEpisode": "Specials",
"OptionMissingEpisode": "Missing Episodes",
"ButtonDonateWithPayPal": "Donate with PayPal",
"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",
"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",
"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.",
"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",
"HeaderPersonTypes": "Person Types:",
"TabSongs": "Songs",
"TabAlbums": "Albums",
"TabArtists": "Artists",
"TabAlbumArtists": "Album Artists",
"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",
"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",
"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",
"OptionTimeline": "Timeline",
"OptionCriticRating": "Critic Rating",
"OptionVideoBitrate": "Video Bitrate",
"OptionResumable": "Resumable",
"ScheduledTasksHelp": "Click a task to adjust its schedule.",
"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",
"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 <b>Finish<\/b> to view the <b>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.",
"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!",
"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",
"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",
"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",
"PismoMessage": "Utilizing Pismo File Mount through a donated license.",
"TabChannels": "Channels",
"ButtonResetPassword": "Reset Password",
"LabelSeasonNumber": "Season number:",
"TabLog": "Log",
"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",
"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.",
"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 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.",
"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.",
"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",
"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",
"CategoryUser": "User",
"CategorySystem": "System",
"LabelComponentsUpdated": "The following components have been installed or updated:",
"LabelMessageTitle": "Message title:",
"ButtonNext": "Next",
"MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
"LabelAvailableTokens": "Available tokens:",
"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.",
"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",
"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",
"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:",
"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",
"HeaderDownloadChaptersFor": "Download chapter names for:",
"ViewTypeMusicArtists": "Artists",
"OptionEquals": "Equals",
"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",
"ViewTypeTvGenres": "Genres",
"LabelTranscodingVideoProfile": "Video profile:",
"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.",
"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",
"LabelAllLanguages": "All languages",
"HeaderBrowseOnlineImages": "Browse Online Images",
"LabelSource": "Source:",
"OptionAll": "All",
"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",
"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",
"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",
"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}",
"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:",
"ButtonResetEasyPassword": "Reset easy pin code",
"OptionContextStatic": "Sync",
"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",
"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:",
"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:",
"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",
"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",
"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",
"HeaderDonationType": "Donation type:",
"OptionMakeOneTimeDonation": "Make a separate donation",
"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",
"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",
"LabelSubtitleFormatHelp": "Example: srt",
"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",
"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:",
"LabelConnectGuestUserNameHelp": "This is the username that your friend uses to sign in to the Emby website, or their email address.",
"ButtonForgotPassword": "Forgot password",
"LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.",
"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:",
"HeaderExport": "Export",
"LabelDvdEpisodeNumber": "Dvd episode number:",
"LabelAbsoluteEpisodeNumber": "Absolute episode number:",
"LabelAirsBeforeSeason": "Airs before season:",
"HeaderColumns": "Columns",
"LabelAirsAfterSeason": "Airs after season:"
}
|