Actualizar videojs, preparar la playlist para la guitarra

This commit is contained in:
Ales (Shagi) Zabala Alava 2020-01-25 17:44:53 +01:00
parent 6326ac1738
commit 78a8eb0219
105 changed files with 89456 additions and 77622 deletions

View File

@ -7,3 +7,22 @@
pointer-events: none; pointer-events: none;
} }
.vjs-default-skin .vjs-ass-button {
cursor: pointer;
}
.vjs-default-skin .vjs-ass-button:before {
font-family: VideoJS;
content: '\f10c';
}
.vjs-default-skin .vjs-ass-button.inactive {
color: grey;
}
/* Backport from libjass v0.11 */
.libjass-subs, .libjass-subs * {
-webkit-animation-fill-mode: both;
animation-fill-mode: both;
}

View File

@ -6,112 +6,69 @@
'use strict'; 'use strict';
var vjs_ass = function (options) { var vjs_ass = function (options) {
var cur_id = 0, var overlay = document.createElement('div'),
id_count = 0, clock = null,
overlay = document.createElement('div'),
clocks = [],
clockRate = options.rate || 1, clockRate = options.rate || 1,
delay = options.delay || 0, delay = options.delay || 0,
player = this, player = this,
renderers = [], renderer = null,
rendererSettings = null, AssButton = null,
OverlayComponent = null, AssButtonInstance = null,
assTrackIdMap = {}, VjsButton = null;
tracks = player.textTracks(),
isTrackSwitching = false;
if (!options.src) { if (!options.src) {
return; return;
} }
overlay.className = 'vjs-ass'; overlay.className = 'vjs-ass';
player.el().insertBefore(overlay, player.el().firstChild.nextSibling);
OverlayComponent = {
name: function () {
return 'AssOverlay';
},
el: function () {
return overlay;
}
}
player.addChild(OverlayComponent, {}, 3);
function getCurrentTime() { function getCurrentTime() {
return player.currentTime() - delay; return player.currentTime() - delay;
} }
clocks[cur_id] = new libjass.renderers.AutoClock(getCurrentTime, 500); clock = new libjass.renderers.AutoClock(getCurrentTime, 500);
player.on('play', function () { player.on('play', function () {
clocks[cur_id].play(); clock.play();
}); });
player.on('pause', function () { player.on('pause', function () {
clocks[cur_id].pause(); clock.pause();
}); });
player.on('seeking', function () { player.on('seeking', function () {
clocks[cur_id].seeking(); clock.seeking();
}); });
function updateClockRate() { function updateClockRate() {
clocks[cur_id].setRate(player.playbackRate() * clockRate); clock.setRate(player.playbackRate() * clockRate);
} }
updateClockRate(); updateClockRate();
player.on('ratechange', updateClockRate); player.on('ratechange', updateClockRate);
function updateDisplayArea() { function updateDisplayArea() {
setTimeout(function () { setTimeout(function () {
// player might not have information on video dimensions when using external providers renderer.resize(player.el().offsetWidth, player.el().offsetHeight);
var videoWidth = options.videoWidth || player.videoWidth() || player.el().offsetWidth,
videoHeight = options.videoHeight || player.videoHeight() || player.el().offsetHeight,
videoOffsetWidth = player.el().offsetWidth,
videoOffsetHeight = player.el().offsetHeight,
ratio = Math.min(videoOffsetWidth / videoWidth, videoOffsetHeight / videoHeight),
subsWrapperWidth = videoWidth * ratio,
subsWrapperHeight = videoHeight * ratio,
subsWrapperLeft = (videoOffsetWidth - subsWrapperWidth) / 2,
subsWrapperTop = (videoOffsetHeight - subsWrapperHeight) / 2;
renderers[cur_id].resize(subsWrapperWidth, subsWrapperHeight, subsWrapperLeft, subsWrapperTop);
}, 100); }, 100);
} }
if (player.fluid()) {
window.addEventListener('resize', updateDisplayArea);
}
window.addEventListener('resize', updateDisplayArea);
player.on('loadedmetadata', updateDisplayArea); player.on('loadedmetadata', updateDisplayArea);
player.on('resize', updateDisplayArea); player.on('resize', updateDisplayArea);
player.on('fullscreenchange', updateDisplayArea); player.on('fullscreenchange', updateDisplayArea);
player.on('dispose', function () { player.on('dispose', function () {
for (var i = 0; i < clocks.length; i++) { clock.disable();
clocks[i].disable();
}
window.removeEventListener('resize', updateDisplayArea);
}); });
tracks.on('change', function () {
if (isTrackSwitching) {
return;
}
var activeTrack = this.tracks_.find(function (track) {
return track.mode === 'showing';
});
if (activeTrack) {
overlay.style.display = '';
switchTrackTo(assTrackIdMap[activeTrack.language + activeTrack.label]);
} else {
overlay.style.display = 'none';
}
})
rendererSettings = new libjass.renderers.RendererSettings();
libjass.ASS.fromUrl(options.src, libjass.Format.ASS).then( libjass.ASS.fromUrl(options.src, libjass.Format.ASS).then(
function (ass) { function (ass) {
var rendererSettings = new libjass.renderers.RendererSettings();
if (options.hasOwnProperty('enableSvg')) { if (options.hasOwnProperty('enableSvg')) {
rendererSettings.enableSvg = options.enableSvg; rendererSettings.enableSvg = options.enableSvg;
} }
@ -122,101 +79,43 @@
.makeFontMapFromStyleElement(document.getElementById(options.fontMapById)); .makeFontMapFromStyleElement(document.getElementById(options.fontMapById));
} }
addTrack(options.src, { label: options.label, srclang: options.srclang, switchImmediately: true }); renderer = new libjass.renderers.WebRenderer(ass, clock, overlay, rendererSettings);
renderers[cur_id] = new libjass.renderers.WebRenderer(ass, clocks[cur_id], overlay, rendererSettings); console.debug(renderer);
} }
); );
function addTrack(url, opts) { // Visibility Toggle Button
var newTrack = player.addRemoteTextTrack({ if (!options.hasOwnProperty('button') || options.button) {
src: "", VjsButton = videojs.getComponent('Button');
kind: 'subtitles', AssButton = videojs.extend(VjsButton, {
label: opts.label || 'ASS #' + cur_id, constructor: function (player, options) {
srclang: opts.srclang || 'vjs-ass-' + cur_id, options.name = options.name || 'assToggleButton';
default: opts.switchImmediately VjsButton.call(this, player, options);
this.addClass('vjs-ass-button');
this.on('click', this.onClick);
},
onClick: function () {
if (!this.hasClass('inactive')) {
this.addClass('inactive');
overlay.style.display = "none";
} else {
this.removeClass('inactive');
overlay.style.display = "";
}
}
}); });
assTrackIdMap[newTrack.srclang + newTrack.label] = cur_id; player.ready(function () {
AssButtonInstance = new AssButton(player, options);
if(!opts.switchImmediately) { player.controlBar.addChild(AssButtonInstance);
// fix multiple track selected highlight issue player.controlBar.el().insertBefore(
for (var t = 0; t < tracks.length; t++) { AssButtonInstance.el(),
if (tracks[t].mode === "showing") { player.controlBar.getChild('customControlSpacer').el().nextSibling
tracks[t].mode = "showing"; );
} });
}
return;
}
isTrackSwitching = true;
for (var t = 0; t < tracks.length; t++) {
if (tracks[t].label == newTrack.label && tracks[t].language == newTrack.srclang) {
if (tracks[t].mode !== "showing") {
tracks[t].mode = "showing";
}
} else {
if (tracks[t].mode === "showing") {
tracks[t].mode = "disabled";
}
}
}
isTrackSwitching = false;
} }
function switchTrackTo(selected_track_id) {
renderers[cur_id]._removeAllSubs();
renderers[cur_id]._preRenderedSubs.clear();
renderers[cur_id].clock.disable();
cur_id = selected_track_id;
if (cur_id == undefined) {
// case when we switche to regular non ASS closed captioning
return;
}
renderers[cur_id].clock.enable();
updateDisplayArea();
clocks[cur_id].play();
}
/*
Experimental API use at your own risk!!
*/
function loadNewSubtitle(url, label, srclang, switchImmediately) {
var old_id = cur_id;
if (switchImmediately) {
renderers[cur_id]._removeAllSubs();
renderers[cur_id]._preRenderedSubs.clear();
renderers[cur_id].clock.disable();
}
libjass.ASS.fromUrl(url, libjass.Format.ASS).then(
function (ass) {
cur_id = ++id_count;
clocks[cur_id] = new libjass.renderers.AutoClock(getCurrentTime, 500);
renderers[cur_id] = new libjass.renderers.WebRenderer(ass, clocks[cur_id], overlay, rendererSettings);
updateDisplayArea();
if (switchImmediately) {
clocks[cur_id].play();
} else {
renderers[cur_id]._removeAllSubs();
renderers[cur_id]._preRenderedSubs.clear();
renderers[cur_id].clock.disable();
}
addTrack(options.src, { label: label, srclang: srclang, switchImmediately: switchImmediately });
if (!switchImmediately) {
cur_id = old_id;
}
}
);
};
return {
loadNewSubtitle: loadNewSubtitle
};
}; };
videojs.plugin('ass', vjs_ass); videojs.plugin('ass', vjs_ass);

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because it is too large Load Diff

File diff suppressed because one or more lines are too long

File diff suppressed because it is too large Load Diff

File diff suppressed because one or more lines are too long

File diff suppressed because it is too large Load Diff

File diff suppressed because one or more lines are too long

View File

@ -16,7 +16,7 @@
don't currently support 'description' text tracks in any don't currently support 'description' text tracks in any
useful way! Currently this means that iOS will not display useful way! Currently this means that iOS will not display
ANY text tracks --> ANY text tracks -->
<video id="example_video_1" class="video-js vjs-default-skin" controls preload="none" width="640" height="360" <video id="example_video_1" class="video-js" controls preload="none" width="640" height="360"
data-setup='{ "html5" : { "nativeTextTracks" : false } }' data-setup='{ "html5" : { "nativeTextTracks" : false } }'
poster="http://d2zihajmogu5jn.cloudfront.net/elephantsdream/poster.png"> poster="http://d2zihajmogu5jn.cloudfront.net/elephantsdream/poster.png">
@ -33,7 +33,7 @@
<track kind="chapters" src="chapters.en.vtt" srclang="en" label="English"> <track kind="chapters" src="chapters.en.vtt" srclang="en" label="English">
<p class="vjs-no-js">To view this video please enable JavaScript, and consider upgrading to a web browser that <a href="http://videojs.com/html5-video-support/" target="_blank">supports HTML5 video</a></p> <p class="vjs-no-js">To view this video please enable JavaScript, and consider upgrading to a web browser that <a href="https://videojs.com/html5-video-support/" target="_blank">supports HTML5 video</a></p>
</video> </video>
</body> </body>

View File

@ -9,13 +9,13 @@
</head> </head>
<body> <body>
<video id="example_video_1" class="video-js vjs-default-skin" controls preload="none" width="640" height="264" poster="http://vjs.zencdn.net/v/oceans.png" data-setup="{}"> <video id="example_video_1" class="video-js" controls preload="none" width="640" height="264" poster="http://vjs.zencdn.net/v/oceans.png" data-setup="{}">
<source src="http://vjs.zencdn.net/v/oceans.mp4" type="video/mp4"> <source src="http://vjs.zencdn.net/v/oceans.mp4" type="video/mp4">
<source src="http://vjs.zencdn.net/v/oceans.webm" type="video/webm"> <source src="http://vjs.zencdn.net/v/oceans.webm" type="video/webm">
<source src="http://vjs.zencdn.net/v/oceans.ogv" type="video/ogg"> <source src="http://vjs.zencdn.net/v/oceans.ogv" type="video/ogg">
<track kind="captions" src="../shared/example-captions.vtt" srclang="en" label="English"> <track kind="captions" src="../shared/example-captions.vtt" srclang="en" label="English">
<track kind="subtitles" src="../shared/example-captions.vtt" srclang="en" label="English"> <track kind="subtitles" src="../shared/example-captions.vtt" srclang="en" label="English">
<p class="vjs-no-js">To view this video please enable JavaScript, and consider upgrading to a web browser that <a href="http://videojs.com/html5-video-support/" target="_blank">supports HTML5 video</a></p> <p class="vjs-no-js">To view this video please enable JavaScript, and consider upgrading to a web browser that <a href="https://videojs.com/html5-video-support/" target="_blank">supports HTML5 video</a></p>
</video> </video>
</body> </body>

6
web/negromateweb/static/js/videojs/font/VideoJS.svg Normal file → Executable file
View File

@ -103,6 +103,12 @@
<glyph glyph-name="previous-item" <glyph glyph-name="previous-item"
unicode="&#xF120;" unicode="&#xF120;"
horiz-adv-x="1792" d=" M448 1344H597.3333333333334V448H448zM709.3333333333334 896L1344 448V1344z" /> horiz-adv-x="1792" d=" M448 1344H597.3333333333334V448H448zM709.3333333333334 896L1344 448V1344z" />
<glyph glyph-name="picture-in-picture-enter"
unicode="&#xF121;"
horiz-adv-x="1792" d=" M1418.6666666666667 970.6666666666666H821.3333333333334V523.0399999999997H1418.6666666666667V970.6666666666666zM1717.3333333333335 373.3333333333333V1420.1599999999999C1717.3333333333335 1502.2933333333333 1650.1333333333334 1568 1568 1568H224C141.8666666666667 1568 74.6666666666667 1502.2933333333333 74.6666666666667 1420.1599999999999V373.3333333333333C74.6666666666667 291.1999999999998 141.8666666666667 224 224 224H1568C1650.1333333333334 224 1717.3333333333335 291.1999999999998 1717.3333333333335 373.3333333333333zM1568 371.8399999999999H224V1420.9066666666668H1568V371.8399999999999z" />
<glyph glyph-name="picture-in-picture-exit"
unicode="&#xF122;"
horiz-adv-x="2190.222222222222" d=" M1792 1393.7777777777778H398.2222222222223V398.2222222222222H1792V1393.7777777777778zM2190.222222222222 199.1111111111111V1594.88C2190.222222222222 1704.391111111111 2100.6222222222223 1792 1991.1111111111113 1792H199.1111111111111C89.6 1792 0 1704.391111111111 0 1594.88V199.1111111111111C0 89.5999999999999 89.6 0 199.1111111111111 0H1991.1111111111113C2100.6222222222223 0 2190.222222222222 89.5999999999999 2190.222222222222 199.1111111111111zM1991.1111111111113 197.1200000000001H199.1111111111111V1595.8755555555556H1991.1111111111113V197.1200000000001z" />
</font> </font>
</defs> </defs>
</svg> </svg>

Before

Width:  |  Height:  |  Size: 26 KiB

After

Width:  |  Height:  |  Size: 28 KiB

BIN
web/negromateweb/static/js/videojs/font/VideoJS.ttf Normal file → Executable file

Binary file not shown.

BIN
web/negromateweb/static/js/videojs/font/VideoJS.woff Normal file → Executable file

Binary file not shown.

View File

@ -1,34 +1,34 @@
videojs.addLanguage("ar",{ videojs.addLanguage('ar', {
"Play": "تشغيل", "Play": "تشغيل",
"Pause": "إيقاف", "Pause": "إيقاف",
"Current Time": "الوقت الحالي", "Current Time": "الوقت الحالي",
"Duration": "مدة", "Duration": "مدة",
"Remaining Time": "الوقت المتبقي", "Remaining Time": "الوقت المتبقي",
"Stream Type": "نوع التيار", "Stream Type": "نوع التيار",
"LIVE": "مباشر", "LIVE": "مباشر",
"Loaded": "تم التحميل", "Loaded": "تم التحميل",
"Progress": "التقدم", "Progress": "التقدم",
"Fullscreen": "ملء الشاشة", "Fullscreen": "ملء الشاشة",
"Non-Fullscreen": "تعطيل ملء الشاشة", "Non-Fullscreen": "تعطيل ملء الشاشة",
"Mute": "صامت", "Mute": "صامت",
"Unmute": "غير الصامت", "Unmute": "غير الصامت",
"Playback Rate": "معدل التشغيل", "Playback Rate": "معدل التشغيل",
"Subtitles": "الترجمة", "Subtitles": "الترجمة",
"subtitles off": "إيقاف الترجمة", "subtitles off": "إيقاف الترجمة",
"Captions": "التعليقات", "Captions": "التعليقات",
"captions off": "إيقاف التعليقات", "captions off": "إيقاف التعليقات",
"Chapters": "فصول", "Chapters": "فصول",
"You aborted the media playback": "لقد ألغيت تشغيل الفيديو", "You aborted the media playback": "لقد ألغيت تشغيل الفيديو",
"A network error caused the media download to fail part-way.": "تسبب خطأ في الشبكة بفشل تحميل الفيديو بالكامل.", "A network error caused the media download to fail part-way.": "تسبب خطأ في الشبكة بفشل تحميل الفيديو بالكامل.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "لا يمكن تحميل الفيديو بسبب فشل في الخادوم أو الشبكة ، أو فشل بسبب عدم إمكانية قراءة تنسيق الفيديو.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "لا يمكن تحميل الفيديو بسبب فشل في الخادوم أو الشبكة ، أو فشل بسبب عدم إمكانية قراءة تنسيق الفيديو.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "تم إيقاف تشغيل الفيديو بسبب مشكلة فساد أو لأن الفيديو المستخدم يستخدم ميزات غير مدعومة من متصفحك.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "تم إيقاف تشغيل الفيديو بسبب مشكلة فساد أو لأن الفيديو المستخدم يستخدم ميزات غير مدعومة من متصفحك.",
"No compatible source was found for this media.": "فشل العثور على أي مصدر متوافق مع هذا الفيديو.", "No compatible source was found for this media.": "فشل العثور على أي مصدر متوافق مع هذا الفيديو.",
"Play Video": "تشغيل الفيديو", "Play Video": "تشغيل الفيديو",
"Close": "أغلق", "Close": "أغلق",
"Modal Window": "نافذة مشروطة", "Modal Window": "نافذة مشروطة",
"This is a modal window": "هذه نافذة مشروطة", "This is a modal window": "هذه نافذة مشروطة",
"This modal can be closed by pressing the Escape key or activating the close button.": "يمكن غلق هذه النافذة المشروطة عن طريق الضغط على زر الخروج أو تفعيل زر الإغلاق", "This modal can be closed by pressing the Escape key or activating the close button.": "يمكن غلق هذه النافذة المشروطة عن طريق الضغط على زر الخروج أو تفعيل زر الإغلاق",
", opens captions settings dialog": ", تفتح نافذة خيارات التعليقات", ", opens captions settings dialog": ", تفتح نافذة خيارات التعليقات",
", opens subtitles settings dialog": ", تفتح نافذة خيارات الترجمة", ", opens subtitles settings dialog": ", تفتح نافذة خيارات الترجمة",
", selected": ", مختار" ", selected": ", مختار"
}); });

View File

@ -0,0 +1,34 @@
{
"Play": "تشغيل",
"Pause": "إيقاف",
"Current Time": "الوقت الحالي",
"Duration": "مدة",
"Remaining Time": "الوقت المتبقي",
"Stream Type": "نوع التيار",
"LIVE": "مباشر",
"Loaded": "تم التحميل",
"Progress": "التقدم",
"Fullscreen": "ملء الشاشة",
"Non-Fullscreen": "تعطيل ملء الشاشة",
"Mute": "صامت",
"Unmute": "غير الصامت",
"Playback Rate": "معدل التشغيل",
"Subtitles": "الترجمة",
"subtitles off": "إيقاف الترجمة",
"Captions": "التعليقات",
"captions off": "إيقاف التعليقات",
"Chapters": "فصول",
"You aborted the media playback": "لقد ألغيت تشغيل الفيديو",
"A network error caused the media download to fail part-way.": "تسبب خطأ في الشبكة بفشل تحميل الفيديو بالكامل.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "لا يمكن تحميل الفيديو بسبب فشل في الخادوم أو الشبكة ، أو فشل بسبب عدم إمكانية قراءة تنسيق الفيديو.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "تم إيقاف تشغيل الفيديو بسبب مشكلة فساد أو لأن الفيديو المستخدم يستخدم ميزات غير مدعومة من متصفحك.",
"No compatible source was found for this media.": "فشل العثور على أي مصدر متوافق مع هذا الفيديو.",
"Play Video": "تشغيل الفيديو",
"Close": "أغلق",
"Modal Window": "نافذة مشروطة",
"This is a modal window": "هذه نافذة مشروطة",
"This modal can be closed by pressing the Escape key or activating the close button.": "يمكن غلق هذه النافذة المشروطة عن طريق الضغط على زر الخروج أو تفعيل زر الإغلاق",
", opens captions settings dialog": ", تفتح نافذة خيارات التعليقات",
", opens subtitles settings dialog": ", تفتح نافذة خيارات الترجمة",
", selected": ", مختار"
}

View File

@ -1,26 +1,26 @@
videojs.addLanguage("ba",{ videojs.addLanguage('ba', {
"Play": "Pusti", "Play": "Pusti",
"Pause": "Pauza", "Pause": "Pauza",
"Current Time": "Trenutno vrijeme", "Current Time": "Trenutno vrijeme",
"Duration": "Vrijeme trajanja", "Duration": "Vrijeme trajanja",
"Remaining Time": "Preostalo vrijeme", "Remaining Time": "Preostalo vrijeme",
"Stream Type": "Način strimovanja", "Stream Type": "Način strimovanja",
"LIVE": "UŽIVO", "LIVE": "UŽIVO",
"Loaded": "Učitan", "Loaded": "Učitan",
"Progress": "Progres", "Progress": "Progres",
"Fullscreen": "Puni ekran", "Fullscreen": "Puni ekran",
"Non-Fullscreen": "Mali ekran", "Non-Fullscreen": "Mali ekran",
"Mute": "Prigušen", "Mute": "Prigušen",
"Unmute": "Ne-prigušen", "Unmute": "Ne-prigušen",
"Playback Rate": "Stopa reprodukcije", "Playback Rate": "Stopa reprodukcije",
"Subtitles": "Podnaslov", "Subtitles": "Podnaslov",
"subtitles off": "Podnaslov deaktiviran", "subtitles off": "Podnaslov deaktiviran",
"Captions": "Titlovi", "Captions": "Titlovi",
"captions off": "Titlovi deaktivirani", "captions off": "Titlovi deaktivirani",
"Chapters": "Poglavlja", "Chapters": "Poglavlja",
"You aborted the media playback": "Isključili ste reprodukciju videa.", "You aborted the media playback": "Isključili ste reprodukciju videa.",
"A network error caused the media download to fail part-way.": "Video se prestao preuzimati zbog greške na mreži.", "A network error caused the media download to fail part-way.": "Video se prestao preuzimati zbog greške na mreži.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Video se ne može reproducirati zbog servera, greške u mreži ili je format ne podržan.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "Video se ne može reproducirati zbog servera, greške u mreži ili je format ne podržan.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Reprodukcija videa je zaustavljenja zbog greške u formatu ili zbog verzije vašeg pretraživača.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Reprodukcija videa je zaustavljenja zbog greške u formatu ili zbog verzije vašeg pretraživača.",
"No compatible source was found for this media.": "Nije nađen nijedan kompatibilan izvor ovog videa." "No compatible source was found for this media.": "Nije nađen nijedan kompatibilan izvor ovog videa."
}); });

View File

@ -0,0 +1,26 @@
{
"Play": "Pusti",
"Pause": "Pauza",
"Current Time": "Trenutno vrijeme",
"Duration": "Vrijeme trajanja",
"Remaining Time": "Preostalo vrijeme",
"Stream Type": "Način strimovanja",
"LIVE": "UŽIVO",
"Loaded": "Učitan",
"Progress": "Progres",
"Fullscreen": "Puni ekran",
"Non-Fullscreen": "Mali ekran",
"Mute": "Prigušen",
"Unmute": "Ne-prigušen",
"Playback Rate": "Stopa reprodukcije",
"Subtitles": "Podnaslov",
"subtitles off": "Podnaslov deaktiviran",
"Captions": "Titlovi",
"captions off": "Titlovi deaktivirani",
"Chapters": "Poglavlja",
"You aborted the media playback": "Isključili ste reprodukciju videa.",
"A network error caused the media download to fail part-way.": "Video se prestao preuzimati zbog greške na mreži.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Video se ne može reproducirati zbog servera, greške u mreži ili je format ne podržan.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Reprodukcija videa je zaustavljenja zbog greške u formatu ili zbog verzije vašeg pretraživača.",
"No compatible source was found for this media.": "Nije nađen nijedan kompatibilan izvor ovog videa."
}

View File

@ -1,26 +1,26 @@
videojs.addLanguage("bg",{ videojs.addLanguage('bg', {
"Play": "Възпроизвеждане", "Play": "Възпроизвеждане",
"Pause": "Пауза", "Pause": "Пауза",
"Current Time": "Текущо време", "Current Time": "Текущо време",
"Duration": "Продължителност", "Duration": "Продължителност",
"Remaining Time": "Оставащо време", "Remaining Time": "Оставащо време",
"Stream Type": "Тип на потока", "Stream Type": "Тип на потока",
"LIVE": "НА ЖИВО", "LIVE": "НА ЖИВО",
"Loaded": "Заредено", "Loaded": "Заредено",
"Progress": "Прогрес", "Progress": "Прогрес",
"Fullscreen": "Цял екран", "Fullscreen": "Цял екран",
"Non-Fullscreen": "Спиране на цял екран", "Non-Fullscreen": "Спиране на цял екран",
"Mute": "Без звук", "Mute": "Без звук",
"Unmute": "Със звук", "Unmute": "Със звук",
"Playback Rate": "Скорост на възпроизвеждане", "Playback Rate": "Скорост на възпроизвеждане",
"Subtitles": "Субтитри", "Subtitles": "Субтитри",
"subtitles off": "Спряни субтитри", "subtitles off": "Спряни субтитри",
"Captions": "Аудио надписи", "Captions": "Аудио надписи",
"captions off": "Спряни аудио надписи", "captions off": "Спряни аудио надписи",
"Chapters": "Глави", "Chapters": "Глави",
"You aborted the media playback": "Спряхте възпроизвеждането на видеото", "You aborted the media playback": "Спряхте възпроизвеждането на видеото",
"A network error caused the media download to fail part-way.": "Грешка в мрежата провали изтеглянето на видеото.", "A network error caused the media download to fail part-way.": "Грешка в мрежата провали изтеглянето на видеото.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Видеото не може да бъде заредено заради проблем със сървъра или мрежата или защото този формат не е поддържан.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "Видеото не може да бъде заредено заради проблем със сървъра или мрежата или защото този формат не е поддържан.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Възпроизвеждането на видеото беше прекъснато заради проблем с файла или защото видеото използва опции които браузърът Ви не поддържа.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Възпроизвеждането на видеото беше прекъснато заради проблем с файла или защото видеото използва опции които браузърът Ви не поддържа.",
"No compatible source was found for this media.": "Не беше намерен съвместим източник за това видео." "No compatible source was found for this media.": "Не беше намерен съвместим източник за това видео."
}); });

View File

@ -0,0 +1,26 @@
{
"Play": "Възпроизвеждане",
"Pause": "Пауза",
"Current Time": "Текущо време",
"Duration": "Продължителност",
"Remaining Time": "Оставащо време",
"Stream Type": "Тип на потока",
"LIVE": "НА ЖИВО",
"Loaded": "Заредено",
"Progress": "Прогрес",
"Fullscreen": "Цял екран",
"Non-Fullscreen": "Спиране на цял екран",
"Mute": "Без звук",
"Unmute": "Със звук",
"Playback Rate": "Скорост на възпроизвеждане",
"Subtitles": "Субтитри",
"subtitles off": "Спряни субтитри",
"Captions": "Аудио надписи",
"captions off": "Спряни аудио надписи",
"Chapters": "Глави",
"You aborted the media playback": "Спряхте възпроизвеждането на видеото",
"A network error caused the media download to fail part-way.": "Грешка в мрежата провали изтеглянето на видеото.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Видеото не може да бъде заредено заради проблем със сървъра или мрежата или защото този формат не е поддържан.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Възпроизвеждането на видеото беше прекъснато заради проблем с файла или защото видеото използва опции които браузърът Ви не поддържа.",
"No compatible source was found for this media.": "Не беше намерен съвместим източник за това видео."
}

View File

@ -1,26 +1,26 @@
videojs.addLanguage("ca",{ videojs.addLanguage('ca', {
"Play": "Reproducció", "Play": "Reproducció",
"Pause": "Pausa", "Pause": "Pausa",
"Current Time": "Temps reproduït", "Current Time": "Temps reproduït",
"Duration": "Durada total", "Duration": "Durada total",
"Remaining Time": "Temps restant", "Remaining Time": "Temps restant",
"Stream Type": "Tipus de seqüència", "Stream Type": "Tipus de seqüència",
"LIVE": "EN DIRECTE", "LIVE": "EN DIRECTE",
"Loaded": "Carregat", "Loaded": "Carregat",
"Progress": "Progrés", "Progress": "Progrés",
"Fullscreen": "Pantalla completa", "Fullscreen": "Pantalla completa",
"Non-Fullscreen": "Pantalla no completa", "Non-Fullscreen": "Pantalla no completa",
"Mute": "Silencia", "Mute": "Silencia",
"Unmute": "Amb so", "Unmute": "Amb so",
"Playback Rate": "Velocitat de reproducció", "Playback Rate": "Velocitat de reproducció",
"Subtitles": "Subtítols", "Subtitles": "Subtítols",
"subtitles off": "Subtítols desactivats", "subtitles off": "Subtítols desactivats",
"Captions": "Llegendes", "Captions": "Llegendes",
"captions off": "Llegendes desactivades", "captions off": "Llegendes desactivades",
"Chapters": "Capítols", "Chapters": "Capítols",
"You aborted the media playback": "Heu interromput la reproducció del vídeo.", "You aborted the media playback": "Heu interromput la reproducció del vídeo.",
"A network error caused the media download to fail part-way.": "Un error de la xarxa ha interromput la baixada del vídeo.", "A network error caused the media download to fail part-way.": "Un error de la xarxa ha interromput la baixada del vídeo.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "No s'ha pogut carregar el vídeo perquè el servidor o la xarxa han fallat, o bé perquè el seu format no és compatible.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "No s'ha pogut carregar el vídeo perquè el servidor o la xarxa han fallat, o bé perquè el seu format no és compatible.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "La reproducció de vídeo s'ha interrumput per un problema de corrupció de dades o bé perquè el vídeo demanava funcions que el vostre navegador no ofereix.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "La reproducció de vídeo s'ha interrumput per un problema de corrupció de dades o bé perquè el vídeo demanava funcions que el vostre navegador no ofereix.",
"No compatible source was found for this media.": "No s'ha trobat cap font compatible amb el vídeo." "No compatible source was found for this media.": "No s'ha trobat cap font compatible amb el vídeo."
}); });

View File

@ -0,0 +1,26 @@
{
"Play": "Reproducció",
"Pause": "Pausa",
"Current Time": "Temps reproduït",
"Duration": "Durada total",
"Remaining Time": "Temps restant",
"Stream Type": "Tipus de seqüència",
"LIVE": "EN DIRECTE",
"Loaded": "Carregat",
"Progress": "Progrés",
"Fullscreen": "Pantalla completa",
"Non-Fullscreen": "Pantalla no completa",
"Mute": "Silencia",
"Unmute": "Amb so",
"Playback Rate": "Velocitat de reproducció",
"Subtitles": "Subtítols",
"subtitles off": "Subtítols desactivats",
"Captions": "Llegendes",
"captions off": "Llegendes desactivades",
"Chapters": "Capítols",
"You aborted the media playback": "Heu interromput la reproducció del vídeo.",
"A network error caused the media download to fail part-way.": "Un error de la xarxa ha interromput la baixada del vídeo.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "No s'ha pogut carregar el vídeo perquè el servidor o la xarxa han fallat, o bé perquè el seu format no és compatible.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "La reproducció de vídeo s'ha interrumput per un problema de corrupció de dades o bé perquè el vídeo demanava funcions que el vostre navegador no ofereix.",
"No compatible source was found for this media.": "No s'ha trobat cap font compatible amb el vídeo."
}

View File

@ -1,85 +1,85 @@
videojs.addLanguage("cs",{ videojs.addLanguage('cs', {
"Audio Player": "Audio Přehravač", "Audio Player": "Audio Přehravač",
"Video Player": "Video Přehravač", "Video Player": "Video Přehravač",
"Play": "Přehrát", "Play": "Přehrát",
"Pause": "Pauza", "Pause": "Pauza",
"Replay": "Spustit znovu", "Replay": "Spustit znovu",
"Current Time": "Aktuální čas", "Current Time": "Aktuální čas",
"Duration": "Doba trvání", "Duration": "Doba trvání",
"Remaining Time": "Zbývající čas", "Remaining Time": "Zbývající čas",
"Stream Type": "Typ streamu", "Stream Type": "Typ streamu",
"LIVE": "ŽIVĚ", "LIVE": "ŽIVĚ",
"Loaded": "Načteno", "Loaded": "Načteno",
"Progress": "Stav", "Progress": "Stav",
"Progress Bar": "Postupní pruh", "Progress Bar": "Ukazatel průběhu",
"progress bar timing: currentTime={1} duration={2}": "{1} z {2}", "progress bar timing: currentTime={1} duration={2}": "{1} z {2}",
"Fullscreen": "Celá obrazovka", "Fullscreen": "Celá obrazovka",
"Non-Fullscreen": "Zmenšená obrazovka", "Non-Fullscreen": "Běžné zobrazení",
"Mute": "Ztlumit zvuk", "Mute": "Ztlumit zvuk",
"Unmute": "Přehrát zvuk", "Unmute": "Zapnout zvuk",
"Playback Rate": "Rychlost přehrávání", "Playback Rate": "Rychlost přehrávání",
"Subtitles": "Titulky", "Subtitles": "Titulky",
"subtitles off": "Bez titulků", "subtitles off": "Bez titulků",
"Captions": "Popisky", "Captions": "Popisky",
"captions off": "Popisky vypnuty", "captions off": "Popisky vypnuty",
"Chapters": "Kapitoly", "Chapters": "Kapitoly",
"Descriptions": "Popisky", "Descriptions": "Popisy",
"descriptions off": "Bez popisků", "descriptions off": "Bez popisů",
"Audio Track": "Zvuková stopa", "Audio Track": "Zvuková stopa",
"Volume Level": "Hlasitost", "Volume Level": "Hlasitost",
"You aborted the media playback": "Přehrávání videa je přerušeno.", "You aborted the media playback": "Přehrávání videa bylo přerušeno.",
"A network error caused the media download to fail part-way.": "Video nemohlo být načteno, kvůli chybě v síti.", "A network error caused the media download to fail part-way.": "Video nemohlo být načteno kvůli chybě v síti.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Video nemohlo být načteno, buď kvůli chybě serveru nebo sítě nebo proto, že daný formát není podporován.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "Video nemohlo být načteno, buď kvůli chybě serveru, sítě nebo proto, že daný formát není podporován.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Váš prohlížeč nepodporuje formát videa.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Váš prohlížeč nepodporuje tento formát videa.",
"No compatible source was found for this media.": "Špatně zadaný zdroj videa.", "No compatible source was found for this media.": "Nevalidní zadaný zdroj videa.",
"The media is encrypted and we do not have the keys to decrypt it.": "Chyba při dešifrování videa.", "The media is encrypted and we do not have the keys to decrypt it.": "Chyba při dešifrování videa.",
"Play Video": "Přehrát video", "Play Video": "Přehrát video",
"Close": "Zavřit", "Close": "Zavřit",
"Close Modal Dialog": "Zavřít okno", "Close Modal Dialog": "Zavřít okno",
"Modal Window": "Vyskakovací okno", "Modal Window": "Modální okno",
"This is a modal window": "Toto je vyskakovací okno", "This is a modal window": "Toto je modální okno",
"This modal can be closed by pressing the Escape key or activating the close button.": "Toto okno se dá zavřít křížekm, nebo klávesou Escape.", "This modal can be closed by pressing the Escape key or activating the close button.": "Toto okno se dá zavřít křížkem nebo klávesou Esc.",
", opens captions settings dialog": ", otevře okno na nastavení popisků", ", opens captions settings dialog": ", otevřít okno pro nastavení popisků",
", opens subtitles settings dialog": ", otevře okno na nastavení titulků", ", opens subtitles settings dialog": ", otevřít okno pro nastavení titulků",
", opens descriptions settings dialog": ", otevře okno na nastavení popisků pro nevidomé", ", opens descriptions settings dialog": ", otevře okno pro nastavení popisků pro nevidomé",
", selected": ", vybráno", ", selected": ", vybráno",
"captions settings": "nastavení popisků", "captions settings": "nastavení popisků",
"subtitles settings": "Nastavení titulků", "subtitles settings": "nastavení titulků",
"descriptions settings": "nastavení popisků pro nevidomé", "descriptions settings": "nastavení popisků pro nevidomé",
"Text": "Titulky", "Text": "Titulky",
"White": "Bílé", "White": "Bílé",
"Black": "Černé", "Black": "Černé",
"Red": "Červené", "Red": "Červené",
"Green": "Zelené", "Green": "Zelené",
"Blue": "Modré", "Blue": "Modré",
"Yellow": uté", "Yellow": luté",
"Magenta": "Fialové", "Magenta": "Fialové",
"Cyan": "Azurové", "Cyan": "Azurové",
"Background": "Pozadí titulků", "Background": "Pozadí titulků",
"Window": "Okno", "Window": "Okno",
"Transparent": "Průhledné", "Transparent": "Průhledné",
"Semi-Transparent": "Polo-průhledné", "Semi-Transparent": "Poloprůhledné",
"Opaque": "Neprůhledné", "Opaque": "Neprůhledné",
"Font Size": "Velikost písma", "Font Size": "Velikost písma",
"Text Edge Style": "Okraje písma", "Text Edge Style": "Okraje písma",
"None": "Bez okraje", "None": "Bez okraje",
"Raised": "Zvýšený", "Raised": "Zvýšený",
"Depressed": "Propadlý", "Depressed": "Propadlý",
"Uniform": "Rovnoměrný", "Uniform": "Rovnoměrný",
"Dropshadow": "Stínovaný", "Dropshadow": "Stínovaný",
"Font Family": "Titulky", "Font Family": "Rodina písma",
"Proportional Sans-Serif": "Proporcionální Sans-Serif", "Proportional Sans-Serif": "Proporcionální bezpatkové",
"Monospace Sans-Serif": "Monospace Sans-Serif", "Monospace Sans-Serif": "Monospace bezpatkové",
"Proportional Serif": "Proporcionální Serif", "Proportional Serif": "Proporcionální patkové",
"Monospace Serif": "Monospace Serif", "Monospace Serif": "Monospace patkové",
"Casual": "Hravé", "Casual": "Hravé",
"Script": "Ručně psané", "Script": "Ručně psané",
"Small Caps": "Velkými písmeny", "Small Caps": "Malé kapitálky",
"Reset": "Obnovit", "Reset": "Obnovit",
"restore all settings to the default values": "Vrátit nastavení do výchozího stavu", "restore all settings to the default values": "Vrátit nastavení do výchozího stavu",
"Done": "Hotovo", "Done": "Hotovo",
"Caption Settings Dialog": "Okno s nastevením !caption!", "Caption Settings Dialog": "Okno s nastavením titulků",
"Beginning of dialog window. Escape will cancel and close the window.": "Začátek dialogového okna. Klávesa Escape okno zavře.", "Beginning of dialog window. Escape will cancel and close the window.": "Začátek dialogového okna. Klávesa Esc okno zavře.",
"End of dialog window.": "Konec dialogového okna.", "End of dialog window.": "Konec dialogového okna.",
"{1} is loading.": "{1} se načítá." "{1} is loading.": "{1} se načítá."
}); });

View File

@ -0,0 +1,85 @@
{
"Audio Player": "Audio Přehravač",
"Video Player": "Video Přehravač",
"Play": "Přehrát",
"Pause": "Pauza",
"Replay": "Spustit znovu",
"Current Time": "Aktuální čas",
"Duration": "Doba trvání",
"Remaining Time": "Zbývající čas",
"Stream Type": "Typ streamu",
"LIVE": "ŽIVĚ",
"Loaded": "Načteno",
"Progress": "Stav",
"Progress Bar": "Ukazatel průběhu",
"progress bar timing: currentTime={1} duration={2}": "{1} z {2}",
"Fullscreen": "Celá obrazovka",
"Non-Fullscreen": "Běžné zobrazení",
"Mute": "Ztlumit zvuk",
"Unmute": "Zapnout zvuk",
"Playback Rate": "Rychlost přehrávání",
"Subtitles": "Titulky",
"subtitles off": "Bez titulků",
"Captions": "Popisky",
"captions off": "Popisky vypnuty",
"Chapters": "Kapitoly",
"Descriptions": "Popisy",
"descriptions off": "Bez popisů",
"Audio Track": "Zvuková stopa",
"Volume Level": "Hlasitost",
"You aborted the media playback": "Přehrávání videa bylo přerušeno.",
"A network error caused the media download to fail part-way.": "Video nemohlo být načteno kvůli chybě v síti.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Video nemohlo být načteno, buď kvůli chybě serveru, sítě nebo proto, že daný formát není podporován.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Váš prohlížeč nepodporuje tento formát videa.",
"No compatible source was found for this media.": "Nevalidní zadaný zdroj videa.",
"The media is encrypted and we do not have the keys to decrypt it.": "Chyba při dešifrování videa.",
"Play Video": "Přehrát video",
"Close": "Zavřit",
"Close Modal Dialog": "Zavřít okno",
"Modal Window": "Modální okno",
"This is a modal window": "Toto je modální okno",
"This modal can be closed by pressing the Escape key or activating the close button.": "Toto okno se dá zavřít křížkem nebo klávesou Esc.",
", opens captions settings dialog": ", otevřít okno pro nastavení popisků",
", opens subtitles settings dialog": ", otevřít okno pro nastavení titulků",
", opens descriptions settings dialog": ", otevře okno pro nastavení popisků pro nevidomé",
", selected": ", vybráno",
"captions settings": "nastavení popisků",
"subtitles settings": "nastavení titulků",
"descriptions settings": "nastavení popisků pro nevidomé",
"Text": "Titulky",
"White": "Bílé",
"Black": "Černé",
"Red": "Červené",
"Green": "Zelené",
"Blue": "Modré",
"Yellow": "Žluté",
"Magenta": "Fialové",
"Cyan": "Azurové",
"Background": "Pozadí titulků",
"Window": "Okno",
"Transparent": "Průhledné",
"Semi-Transparent": "Poloprůhledné",
"Opaque": "Neprůhledné",
"Font Size": "Velikost písma",
"Text Edge Style": "Okraje písma",
"None": "Bez okraje",
"Raised": "Zvýšený",
"Depressed": "Propadlý",
"Uniform": "Rovnoměrný",
"Dropshadow": "Stínovaný",
"Font Family": "Rodina písma",
"Proportional Sans-Serif": "Proporcionální bezpatkové",
"Monospace Sans-Serif": "Monospace bezpatkové",
"Proportional Serif": "Proporcionální patkové",
"Monospace Serif": "Monospace patkové",
"Casual": "Hravé",
"Script": "Ručně psané",
"Small Caps": "Malé kapitálky",
"Reset": "Obnovit",
"restore all settings to the default values": "Vrátit nastavení do výchozího stavu",
"Done": "Hotovo",
"Caption Settings Dialog": "Okno s nastavením titulků",
"Beginning of dialog window. Escape will cancel and close the window.": "Začátek dialogového okna. Klávesa Esc okno zavře.",
"End of dialog window.": "Konec dialogového okna.",
"{1} is loading.": "{1} se načítá."
}

View File

@ -0,0 +1,85 @@
videojs.addLanguage('cy', {
"Audio Player": "Chwaraewr sain",
"Video Player": "Chwaraewr fideo",
"Play": "Chwarae",
"Pause": "Oedi",
"Replay": "Ailchwarae",
"Current Time": "Amser Cyfredol",
"Duration": "Parhad",
"Remaining Time": "Amser ar ôl",
"Stream Type": "Math o Ffrwd",
"LIVE": "YN FYW",
"Loaded": "Llwythwyd",
"Progress": "Cynnydd",
"Progress Bar": "Bar Cynnydd",
"progress bar timing: currentTime={1} duration={2}": "{1} o {2}",
"Fullscreen": "Sgrîn Lawn",
"Non-Fullscreen": "Ffenestr",
"Mute": "Pylu",
"Unmute": "Dad-bylu",
"Playback Rate": "Cyfradd Chwarae",
"Subtitles": "Isdeitlau",
"subtitles off": "Isdeitlau i ffwrdd",
"Captions": "Capsiynau",
"captions off": "Capsiynau i ffwrdd",
"Chapters": "Penodau",
"Descriptions": "Disgrifiadau",
"descriptions off": "disgrifiadau i ffwrdd",
"Audio Track": "Trac Sain",
"Volume Level": "Lefel Sain",
"You aborted the media playback": "Atalwyd y fideo gennych",
"A network error caused the media download to fail part-way.": "Mae gwall rhwydwaith wedi achosi methiant lawrlwytho.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Ni lwythodd y fideo, oherwydd methiant gweinydd neu rwydwaith, neu achos nid yw'r system yn cefnogi'r fformat.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Atalwyd y fideo oherwydd problem llygredd data neu oherwydd nid yw'ch porwr yn cefnogi nodweddion penodol o'r fideo.",
"No compatible source was found for this media.": "Nid oedd modd canfod ffynhonnell cytûn am y fideo hwn.",
"The media is encrypted and we do not have the keys to decrypt it.": "Mae'r fideo wedi ei amgryptio ac nid oes allweddion gennym.",
"Play Video": "Chwarae Fideo",
"Close": "Cau",
"Close Modal Dialog": "Cau Blwch Deialog Moddol",
"Modal Window": "Ffenestr Foddol",
"This is a modal window": "Mae hon yn ffenestr foddol",
"This modal can be closed by pressing the Escape key or activating the close button.": "Gallech chi gau'r ffenestr foddol hon trwy wasgu Escape neu glicio'r botwm cau.",
", opens captions settings dialog": ", yn agor gosodiadau capsiynau",
", opens subtitles settings dialog": ", yn agor gosodiadau isdeitlau",
", opens descriptions settings dialog": ", yn agor gosodiadau disgrifiadau",
", selected": ", detholwyd",
"captions settings": "gosodiadau capsiynau",
"subtitles settings": "gosodiadau isdeitlau",
"descriptions settings": "gosodiadau disgrifiadau",
"Text": "Testun",
"White": "Gwyn",
"Black": "Du",
"Red": "Coch",
"Green": "Gwyrdd",
"Blue": "Glas",
"Yellow": "Melyn",
"Magenta": "Piws",
"Cyan": "Cyan",
"Background": "Cefndir",
"Window": "Ffenestr",
"Transparent": "Tryloyw",
"Semi-Transparent": "Hanner-dryloyw",
"Opaque": "Di-draidd",
"Font Size": "Maint y Ffont",
"Text Edge Style": "Arddull Ymylon Testun",
"None": "Dim",
"Raised": "Uwch",
"Depressed": "Is",
"Uniform": "Unffurf",
"Dropshadow": "Cysgod cefn",
"Font Family": "Teulu y Ffont",
"Proportional Sans-Serif": "Heb-Seriff Cyfraneddol",
"Monospace Sans-Serif": "Heb-Seriff Unlled",
"Proportional Serif": "Seriff Gyfraneddol",
"Monospace Serif": "Seriff Unlled",
"Casual": "Llawysgrif",
"Script": "Sgript",
"Small Caps": "Prif Lythyrennau Bychain",
"Reset": "Ailosod",
"restore all settings to the default values": "Adfer yr holl osodiadau diofyn",
"Done": "Gorffenwyd",
"Caption Settings Dialog": "Blwch Gosodiadau Capsiynau",
"Beginning of dialog window. Escape will cancel and close the window.": "Dechrau ffenestr deialog. Bydd Escape yn canslo a chau'r ffenestr.",
"End of dialog window.": "Diwedd ffenestr deialog.",
"{1} is loading.": "{1} yn llwytho."
});

View File

@ -0,0 +1,85 @@
{
"Audio Player":"Chwaraewr sain",
"Video Player":"Chwaraewr fideo",
"Play":"Chwarae",
"Pause":"Oedi",
"Replay":"Ailchwarae",
"Current Time":"Amser Cyfredol",
"Duration":"Parhad",
"Remaining Time":"Amser ar ôl",
"Stream Type":"Math o Ffrwd",
"LIVE":"YN FYW",
"Loaded":"Llwythwyd",
"Progress":"Cynnydd",
"Progress Bar":"Bar Cynnydd",
"progress bar timing: currentTime={1} duration={2}":"{1} o {2}",
"Fullscreen":"Sgrîn Lawn",
"Non-Fullscreen":"Ffenestr",
"Mute":"Pylu",
"Unmute":"Dad-bylu",
"Playback Rate":"Cyfradd Chwarae",
"Subtitles":"Isdeitlau",
"subtitles off":"Isdeitlau i ffwrdd",
"Captions":"Capsiynau",
"captions off":"Capsiynau i ffwrdd",
"Chapters":"Penodau",
"Descriptions":"Disgrifiadau",
"descriptions off":"disgrifiadau i ffwrdd",
"Audio Track":"Trac Sain",
"Volume Level":"Lefel Sain",
"You aborted the media playback":"Atalwyd y fideo gennych",
"A network error caused the media download to fail part-way.":"Mae gwall rhwydwaith wedi achosi methiant lawrlwytho.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.":"Ni lwythodd y fideo, oherwydd methiant gweinydd neu rwydwaith, neu achos nid yw'r system yn cefnogi'r fformat.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.":"Atalwyd y fideo oherwydd problem llygredd data neu oherwydd nid yw'ch porwr yn cefnogi nodweddion penodol o'r fideo.",
"No compatible source was found for this media.":"Nid oedd modd canfod ffynhonnell cytûn am y fideo hwn.",
"The media is encrypted and we do not have the keys to decrypt it.":"Mae'r fideo wedi ei amgryptio ac nid oes allweddion gennym.",
"Play Video":"Chwarae Fideo",
"Close":"Cau",
"Close Modal Dialog":"Cau Blwch Deialog Moddol",
"Modal Window":"Ffenestr Foddol",
"This is a modal window":"Mae hon yn ffenestr foddol",
"This modal can be closed by pressing the Escape key or activating the close button.":"Gallech chi gau'r ffenestr foddol hon trwy wasgu Escape neu glicio'r botwm cau.",
", opens captions settings dialog":", yn agor gosodiadau capsiynau",
", opens subtitles settings dialog":", yn agor gosodiadau isdeitlau",
", opens descriptions settings dialog":", yn agor gosodiadau disgrifiadau",
", selected":", detholwyd",
"captions settings":"gosodiadau capsiynau",
"subtitles settings":"gosodiadau isdeitlau",
"descriptions settings":"gosodiadau disgrifiadau",
"Text":"Testun",
"White":"Gwyn",
"Black":"Du",
"Red":"Coch",
"Green":"Gwyrdd",
"Blue":"Glas",
"Yellow":"Melyn",
"Magenta":"Piws",
"Cyan":"Cyan",
"Background":"Cefndir",
"Window":"Ffenestr",
"Transparent":"Tryloyw",
"Semi-Transparent":"Hanner-dryloyw",
"Opaque":"Di-draidd",
"Font Size":"Maint y Ffont",
"Text Edge Style":"Arddull Ymylon Testun",
"None":"Dim",
"Raised":"Uwch",
"Depressed":"Is",
"Uniform":"Unffurf",
"Dropshadow":"Cysgod cefn",
"Font Family":"Teulu y Ffont",
"Proportional Sans-Serif":"Heb-Seriff Cyfraneddol",
"Monospace Sans-Serif":"Heb-Seriff Unlled",
"Proportional Serif":"Seriff Gyfraneddol",
"Monospace Serif":"Seriff Unlled",
"Casual":"Llawysgrif",
"Script":"Sgript",
"Small Caps":"Prif Lythyrennau Bychain",
"Reset":"Ailosod",
"restore all settings to the default values":"Adfer yr holl osodiadau diofyn",
"Done":"Gorffenwyd",
"Caption Settings Dialog":"Blwch Gosodiadau Capsiynau",
"Beginning of dialog window. Escape will cancel and close the window.":"Dechrau ffenestr deialog. Bydd Escape yn canslo a chau'r ffenestr.",
"End of dialog window.":"Diwedd ffenestr deialog.",
"{1} is loading.": "{1} yn llwytho."
}

View File

@ -1,26 +1,26 @@
videojs.addLanguage("da",{ videojs.addLanguage('da', {
"Play": "Afspil", "Play": "Afspil",
"Pause": "Pause", "Pause": "Pause",
"Current Time": "Aktuel tid", "Current Time": "Aktuel tid",
"Duration": "Varighed", "Duration": "Varighed",
"Remaining Time": "Resterende tid", "Remaining Time": "Resterende tid",
"Stream Type": "Stream-type", "Stream Type": "Stream-type",
"LIVE": "LIVE", "LIVE": "LIVE",
"Loaded": "Indlæst", "Loaded": "Indlæst",
"Progress": "Status", "Progress": "Status",
"Fullscreen": "Fuldskærm", "Fullscreen": "Fuldskærm",
"Non-Fullscreen": "Luk fuldskærm", "Non-Fullscreen": "Luk fuldskærm",
"Mute": "Uden lyd", "Mute": "Uden lyd",
"Unmute": "Med lyd", "Unmute": "Med lyd",
"Playback Rate": "Afspilningsrate", "Playback Rate": "Afspilningsrate",
"Subtitles": "Undertekster", "Subtitles": "Undertekster",
"subtitles off": "Uden undertekster", "subtitles off": "Uden undertekster",
"Captions": "Undertekster for hørehæmmede", "Captions": "Undertekster for hørehæmmede",
"captions off": "Uden undertekster for hørehæmmede", "captions off": "Uden undertekster for hørehæmmede",
"Chapters": "Kapitler", "Chapters": "Kapitler",
"You aborted the media playback": "Du afbrød videoafspilningen.", "You aborted the media playback": "Du afbrød videoafspilningen.",
"A network error caused the media download to fail part-way.": "En netværksfejl fik download af videoen til at fejle.", "A network error caused the media download to fail part-way.": "En netværksfejl fik download af videoen til at fejle.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Videoen kunne ikke indlæses, enten fordi serveren eller netværket fejlede, eller fordi formatet ikke er understøttet.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "Videoen kunne ikke indlæses, enten fordi serveren eller netværket fejlede, eller fordi formatet ikke er understøttet.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Videoafspilningen blev afbrudt på grund af ødelagte data eller fordi videoen benyttede faciliteter som din browser ikke understøtter.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Videoafspilningen blev afbrudt på grund af ødelagte data eller fordi videoen benyttede faciliteter som din browser ikke understøtter.",
"No compatible source was found for this media.": "Fandt ikke en kompatibel kilde for denne media." "No compatible source was found for this media.": "Fandt ikke en kompatibel kilde for denne media."
}); });

View File

@ -0,0 +1,26 @@
{
"Play": "Afspil",
"Pause": "Pause",
"Current Time": "Aktuel tid",
"Duration": "Varighed",
"Remaining Time": "Resterende tid",
"Stream Type": "Stream-type",
"LIVE": "LIVE",
"Loaded": "Indlæst",
"Progress": "Status",
"Fullscreen": "Fuldskærm",
"Non-Fullscreen": "Luk fuldskærm",
"Mute": "Uden lyd",
"Unmute": "Med lyd",
"Playback Rate": "Afspilningsrate",
"Subtitles": "Undertekster",
"subtitles off": "Uden undertekster",
"Captions": "Undertekster for hørehæmmede",
"captions off": "Uden undertekster for hørehæmmede",
"Chapters": "Kapitler",
"You aborted the media playback": "Du afbrød videoafspilningen.",
"A network error caused the media download to fail part-way.": "En netværksfejl fik download af videoen til at fejle.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Videoen kunne ikke indlæses, enten fordi serveren eller netværket fejlede, eller fordi formatet ikke er understøttet.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Videoafspilningen blev afbrudt på grund af ødelagte data eller fordi videoen benyttede faciliteter som din browser ikke understøtter.",
"No compatible source was found for this media.": "Fandt ikke en kompatibel kilde for denne media."
}

View File

@ -1,84 +1,87 @@
videojs.addLanguage("de",{ videojs.addLanguage('de', {
"Play": "Wiedergabe", "Play": "Wiedergabe",
"Pause": "Pause", "Pause": "Pause",
"Replay": "Erneut abspielen", "Replay": "Erneut abspielen",
"Current Time": "Aktueller Zeitpunkt", "Current Time": "Aktueller Zeitpunkt",
"Duration": "Dauer", "Duration": "Dauer",
"Remaining Time": "Verbleibende Zeit", "Remaining Time": "Verbleibende Zeit",
"Stream Type": "Streamtyp", "Stream Type": "Streamtyp",
"LIVE": "LIVE", "LIVE": "LIVE",
"Loaded": "Geladen", "Loaded": "Geladen",
"Progress": "Status", "Progress": "Status",
"Fullscreen": "Vollbild", "Fullscreen": "Vollbild",
"Non-Fullscreen": "Kein Vollbild", "Non-Fullscreen": "Kein Vollbild",
"Mute": "Ton aus", "Mute": "Ton aus",
"Unmute": "Ton ein", "Unmute": "Ton ein",
"Playback Rate": "Wiedergabegeschwindigkeit", "Playback Rate": "Wiedergabegeschwindigkeit",
"Subtitles": "Untertitel", "Subtitles": "Untertitel",
"subtitles off": "Untertitel aus", "subtitles off": "Untertitel aus",
"Captions": "Untertitel", "Captions": "Untertitel",
"captions off": "Untertitel aus", "captions off": "Untertitel aus",
"Chapters": "Kapitel", "Chapters": "Kapitel",
"You aborted the media playback": "Sie haben die Videowiedergabe abgebrochen.", "You aborted the media playback": "Sie haben die Videowiedergabe abgebrochen.",
"A network error caused the media download to fail part-way.": "Der Videodownload ist aufgrund eines Netzwerkfehlers fehlgeschlagen.", "A network error caused the media download to fail part-way.": "Der Videodownload ist aufgrund eines Netzwerkfehlers fehlgeschlagen.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Das Video konnte nicht geladen werden, da entweder ein Server- oder Netzwerkfehler auftrat oder das Format nicht unterstützt wird.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "Das Video konnte nicht geladen werden, da entweder ein Server- oder Netzwerkfehler auftrat oder das Format nicht unterstützt wird.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Die Videowiedergabe wurde entweder wegen eines Problems mit einem beschädigten Video oder wegen verwendeten Funktionen, die vom Browser nicht unterstützt werden, abgebrochen.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Die Videowiedergabe wurde entweder wegen eines Problems mit einem beschädigten Video oder wegen verwendeten Funktionen, die vom Browser nicht unterstützt werden, abgebrochen.",
"No compatible source was found for this media.": "Für dieses Video wurde keine kompatible Quelle gefunden.", "No compatible source was found for this media.": "Für dieses Video wurde keine kompatible Quelle gefunden.",
"Play Video": "Video abspielen", "Play Video": "Video abspielen",
"Close": "Schließen", "Close": "Schließen",
"Modal Window": "Modales Fenster", "Modal Window": "Modales Fenster",
"This is a modal window": "Dies ist ein modales Fenster", "This is a modal window": "Dies ist ein modales Fenster",
"This modal can be closed by pressing the Escape key or activating the close button.": "Durch Drücken der Esc-Taste bzw. Betätigung der Schaltfläche \"Schließen\" wird dieses modale Fenster geschlossen.", "This modal can be closed by pressing the Escape key or activating the close button.": "Durch Drücken der Esc-Taste bzw. Betätigung der Schaltfläche \"Schließen\" wird dieses modale Fenster geschlossen.",
", opens captions settings dialog": ", öffnet Einstellungen für Untertitel", ", opens captions settings dialog": ", öffnet Einstellungen für Untertitel",
", opens subtitles settings dialog": ", öffnet Einstellungen für Untertitel", ", opens subtitles settings dialog": ", öffnet Einstellungen für Untertitel",
", selected": ", ausgewählt", ", selected": ", ausgewählt",
"captions settings": "Untertiteleinstellungen", "captions settings": "Untertiteleinstellungen",
"subtitles settings": "Untertiteleinstellungen", "subtitles settings": "Untertiteleinstellungen",
"descriptions settings": "Einstellungen für Beschreibungen", "descriptions settings": "Einstellungen für Beschreibungen",
"Close Modal Dialog": "Modales Fenster schließen", "Close Modal Dialog": "Modales Fenster schließen",
"Descriptions": "Beschreibungen", "Descriptions": "Beschreibungen",
"descriptions off": "Beschreibungen aus", "descriptions off": "Beschreibungen aus",
"The media is encrypted and we do not have the keys to decrypt it.": "Die Entschlüsselungsschlüssel für den verschlüsselten Medieninhalt sind nicht verfügbar.", "The media is encrypted and we do not have the keys to decrypt it.": "Die Entschlüsselungsschlüssel für den verschlüsselten Medieninhalt sind nicht verfügbar.",
", opens descriptions settings dialog": ", öffnet Einstellungen für Beschreibungen", ", opens descriptions settings dialog": ", öffnet Einstellungen für Beschreibungen",
"Audio Track": "Tonspur", "Audio Track": "Tonspur",
"Text": "Schrift", "Text": "Schrift",
"White": "Weiß", "White": "Weiß",
"Black": "Schwarz", "Black": "Schwarz",
"Red": "Rot", "Red": "Rot",
"Green": "Grün", "Green": "Grün",
"Blue": "Blau", "Blue": "Blau",
"Yellow": "Gelb", "Yellow": "Gelb",
"Magenta": "Magenta", "Magenta": "Magenta",
"Cyan": "Türkis", "Cyan": "Türkis",
"Background": "Hintergrund", "Background": "Hintergrund",
"Window": "Fenster", "Window": "Fenster",
"Transparent": "Durchsichtig", "Transparent": "Durchsichtig",
"Semi-Transparent": "Halbdurchsichtig", "Semi-Transparent": "Halbdurchsichtig",
"Opaque": "Undurchsictig", "Opaque": "Undurchsichtig",
"Font Size": "Schriftgröße", "Font Size": "Schriftgröße",
"Text Edge Style": "Textkantenstil", "Text Edge Style": "Textkantenstil",
"None": "Kein", "None": "Kein",
"Raised": "Erhoben", "Raised": "Erhoben",
"Depressed": "Gedrückt", "Depressed": "Gedrückt",
"Uniform": "Uniform", "Uniform": "Uniform",
"Dropshadow": "Schlagschatten", "Dropshadow": "Schlagschatten",
"Font Family": "Schristfamilie", "Font Family": "Schriftfamilie",
"Proportional Sans-Serif": "Proportionale Sans-Serif", "Proportional Sans-Serif": "Proportionale Sans-Serif",
"Monospace Sans-Serif": "Monospace Sans-Serif", "Monospace Sans-Serif": "Monospace Sans-Serif",
"Proportional Serif": "Proportionale Serif", "Proportional Serif": "Proportionale Serif",
"Monospace Serif": "Monospace Serif", "Monospace Serif": "Monospace Serif",
"Casual": "Zwanglos", "Casual": "Zwanglos",
"Script": "Schreibeschrift", "Script": "Schreibschrift",
"Small Caps": "Small-Caps", "Small Caps": "Small-Caps",
"Reset": "Zurücksetzen", "Reset": "Zurücksetzen",
"restore all settings to the default values": "Alle Einstellungen auf die Standardwerte zurücksetzen", "restore all settings to the default values": "Alle Einstellungen auf die Standardwerte zurücksetzen",
"Done": "Fertig", "Done": "Fertig",
"Caption Settings Dialog": "Einstellungsdialog für Untertitel", "Caption Settings Dialog": "Einstellungsdialog für Untertitel",
"Beginning of dialog window. Escape will cancel and close the window.": "Anfang des Dialogfensters. Esc bricht ab und schließt das Fenster.", "Beginning of dialog window. Escape will cancel and close the window.": "Anfang des Dialogfensters. Esc bricht ab und schließt das Fenster.",
"End of dialog window.": "Ende des Dialogfensters.", "End of dialog window.": "Ende des Dialogfensters.",
"Audio Player": "Audio-Player", "Audio Player": "Audio-Player",
"Video Player": "Video-Player", "Video Player": "Video-Player",
"Progress Bar": "Forschrittsbalken", "Progress Bar": "Forschrittsbalken",
"progress bar timing: currentTime={1} duration={2}": "{1} von {2}", "progress bar timing: currentTime={1} duration={2}": "{1} von {2}",
"Volume Level": "Lautstärkestufe" "Volume Level": "Lautstärke",
"{1} is loading.": "{1} wird geladen.",
"Seek to live, currently behind live": "Zur Live-Übertragung wechseln. Aktuell wird es nicht live abgespielt.",
"Seek to live, currently playing live": "Zur Live-Übertragung wechseln. Es wird aktuell live abgespielt."
}); });

View File

@ -0,0 +1,88 @@
{
"Play": "Wiedergabe",
"Pause": "Pause",
"Replay": "Erneut abspielen",
"Current Time": "Aktueller Zeitpunkt",
"Duration": "Dauer",
"Remaining Time": "Verbleibende Zeit",
"Stream Type": "Streamtyp",
"LIVE": "LIVE",
"Loaded": "Geladen",
"Progress": "Status",
"Fullscreen": "Vollbild",
"Non-Fullscreen": "Kein Vollbild",
"Mute": "Ton aus",
"Unmute": "Ton ein",
"Playback Rate": "Wiedergabegeschwindigkeit",
"Subtitles": "Untertitel",
"subtitles off": "Untertitel aus",
"Captions": "Untertitel",
"captions off": "Untertitel aus",
"Chapters": "Kapitel",
"You aborted the media playback": "Sie haben die Videowiedergabe abgebrochen.",
"A network error caused the media download to fail part-way.": "Der Videodownload ist aufgrund eines Netzwerkfehlers fehlgeschlagen.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Das Video konnte nicht geladen werden, da entweder ein Server- oder Netzwerkfehler auftrat oder das Format nicht unterstützt wird.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Die Videowiedergabe wurde entweder wegen eines Problems mit einem beschädigten Video oder wegen verwendeten Funktionen, die vom Browser nicht unterstützt werden, abgebrochen.",
"No compatible source was found for this media.": "Für dieses Video wurde keine kompatible Quelle gefunden.",
"Play Video": "Video abspielen",
"Close": "Schließen",
"Modal Window": "Modales Fenster",
"This is a modal window": "Dies ist ein modales Fenster",
"This modal can be closed by pressing the Escape key or activating the close button.": "Durch Drücken der Esc-Taste bzw. Betätigung der Schaltfläche \"Schließen\" wird dieses modale Fenster geschlossen.",
", opens captions settings dialog": ", öffnet Einstellungen für Untertitel",
", opens subtitles settings dialog": ", öffnet Einstellungen für Untertitel",
", selected": ", ausgewählt",
"captions settings": "Untertiteleinstellungen",
"subtitles settings": "Untertiteleinstellungen",
"descriptions settings": "Einstellungen für Beschreibungen",
"Close Modal Dialog": "Modales Fenster schließen",
"Descriptions": "Beschreibungen",
"descriptions off": "Beschreibungen aus",
"The media is encrypted and we do not have the keys to decrypt it.": "Die Entschlüsselungsschlüssel für den verschlüsselten Medieninhalt sind nicht verfügbar.",
", opens descriptions settings dialog": ", öffnet Einstellungen für Beschreibungen",
"Audio Track": "Tonspur",
"Text": "Schrift",
"White": "Weiß",
"Black": "Schwarz",
"Red": "Rot",
"Green": "Grün",
"Blue": "Blau",
"Yellow": "Gelb",
"Magenta": "Magenta",
"Cyan": "Türkis",
"Background": "Hintergrund",
"Window": "Fenster",
"Transparent": "Durchsichtig",
"Semi-Transparent": "Halbdurchsichtig",
"Opaque": "Undurchsichtig",
"Font Size": "Schriftgröße",
"Text Edge Style": "Textkantenstil",
"None": "Kein",
"Raised": "Erhoben",
"Depressed": "Gedrückt",
"Uniform": "Uniform",
"Dropshadow": "Schlagschatten",
"Font Family": "Schriftfamilie",
"Proportional Sans-Serif": "Proportionale Sans-Serif",
"Monospace Sans-Serif": "Monospace Sans-Serif",
"Proportional Serif": "Proportionale Serif",
"Monospace Serif": "Monospace Serif",
"Casual": "Zwanglos",
"Script": "Schreibschrift",
"Small Caps": "Small-Caps",
"Reset": "Zurücksetzen",
"restore all settings to the default values": "Alle Einstellungen auf die Standardwerte zurücksetzen",
"Done": "Fertig",
"Caption Settings Dialog": "Einstellungsdialog für Untertitel",
"Beginning of dialog window. Escape will cancel and close the window.": "Anfang des Dialogfensters. Esc bricht ab und schließt das Fenster.",
"End of dialog window.": "Ende des Dialogfensters.",
"Audio Player": "Audio-Player",
"Video Player": "Video-Player",
"Progress Bar": "Forschrittsbalken",
"progress bar timing: currentTime={1} duration={2}": "{1} von {2}",
"Volume Level": "Lautstärke",
"{1} is loading.": "{1} wird geladen.",
"Seek to live, currently behind live": "Zur Live-Übertragung wechseln. Aktuell wird es nicht live abgespielt.",
"Seek to live, currently playing live": "Zur Live-Übertragung wechseln. Es wird aktuell live abgespielt."
}

View File

@ -1,40 +1,40 @@
videojs.addLanguage("el",{ videojs.addLanguage('el', {
"Play": "Aναπαραγωγή", "Play": "Aναπαραγωγή",
"Pause": "Παύση", "Pause": "Παύση",
"Current Time": "Τρέχων χρόνος", "Current Time": "Τρέχων χρόνος",
"Duration": "Συνολικός χρόνος", "Duration": "Συνολικός χρόνος",
"Remaining Time": "Υπολοιπόμενος χρόνος", "Remaining Time": "Υπολοιπόμενος χρόνος",
"Stream Type": "Τύπος ροής", "Stream Type": "Τύπος ροής",
"LIVE": "ΖΩΝΤΑΝΑ", "LIVE": "ΖΩΝΤΑΝΑ",
"Loaded": "Φόρτωση επιτυχής", "Loaded": "Φόρτωση επιτυχής",
"Progress": "Πρόοδος", "Progress": "Πρόοδος",
"Fullscreen": "Πλήρης οθόνη", "Fullscreen": "Πλήρης οθόνη",
"Non-Fullscreen": "Έξοδος από πλήρη οθόνη", "Non-Fullscreen": "Έξοδος από πλήρη οθόνη",
"Mute": "Σίγαση", "Mute": "Σίγαση",
"Unmute": "Kατάργηση σίγασης", "Unmute": "Kατάργηση σίγασης",
"Playback Rate": "Ρυθμός αναπαραγωγής", "Playback Rate": "Ρυθμός αναπαραγωγής",
"Subtitles": "Υπότιτλοι", "Subtitles": "Υπότιτλοι",
"subtitles off": "απόκρυψη υπότιτλων", "subtitles off": "απόκρυψη υπότιτλων",
"Captions": "Λεζάντες", "Captions": "Λεζάντες",
"captions off": "απόκρυψη λεζάντων", "captions off": "απόκρυψη λεζάντων",
"Chapters": "Κεφάλαια", "Chapters": "Κεφάλαια",
"Close Modal Dialog": "Κλείσιμο παραθύρου", "Close Modal Dialog": "Κλείσιμο παραθύρου",
"Descriptions": "Περιγραφές", "Descriptions": "Περιγραφές",
"descriptions off": "απόκρυψη περιγραφών", "descriptions off": "απόκρυψη περιγραφών",
"Audio Track": "Ροή ήχου", "Audio Track": "Ροή ήχου",
"You aborted the media playback": "Ακυρώσατε την αναπαραγωγή", "You aborted the media playback": "Ακυρώσατε την αναπαραγωγή",
"A network error caused the media download to fail part-way.": "Ένα σφάλμα δικτύου προκάλεσε την αποτυχία μεταφόρτωσης του αρχείου προς αναπαραγωγή.", "A network error caused the media download to fail part-way.": "Ένα σφάλμα δικτύου προκάλεσε την αποτυχία μεταφόρτωσης του αρχείου προς αναπαραγωγή.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Το αρχείο προς αναπαραγωγή δεν ήταν δυνατό να φορτωθεί είτε γιατί υπήρξε σφάλμα στον διακομιστή ή το δίκτυο, είτε γιατί ο τύπος του αρχείου δεν υποστηρίζεται.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "Το αρχείο προς αναπαραγωγή δεν ήταν δυνατό να φορτωθεί είτε γιατί υπήρξε σφάλμα στον διακομιστή ή το δίκτυο, είτε γιατί ο τύπος του αρχείου δεν υποστηρίζεται.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Η αναπαραγωγή ακυρώθηκε είτε λόγω κατεστραμμένου αρχείου, είτε γιατί το αρχείο απαιτεί λειτουργίες που δεν υποστηρίζονται από το πρόγραμμα περιήγησης που χρησιμοποιείτε.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Η αναπαραγωγή ακυρώθηκε είτε λόγω κατεστραμμένου αρχείου, είτε γιατί το αρχείο απαιτεί λειτουργίες που δεν υποστηρίζονται από το πρόγραμμα περιήγησης που χρησιμοποιείτε.",
"No compatible source was found for this media.": "Δεν βρέθηκε συμβατή πηγή αναπαραγωγής για το συγκεκριμένο αρχείο.", "No compatible source was found for this media.": "Δεν βρέθηκε συμβατή πηγή αναπαραγωγής για το συγκεκριμένο αρχείο.",
"The media is encrypted and we do not have the keys to decrypt it.": "Το αρχείο προς αναπαραγωγή είναι κρυπτογραφημένo και δεν υπάρχουν τα απαραίτητα κλειδιά αποκρυπτογράφησης.", "The media is encrypted and we do not have the keys to decrypt it.": "Το αρχείο προς αναπαραγωγή είναι κρυπτογραφημένo και δεν υπάρχουν τα απαραίτητα κλειδιά αποκρυπτογράφησης.",
"Play Video": "Αναπαραγωγή βίντεο", "Play Video": "Αναπαραγωγή βίντεο",
"Close": "Κλείσιμο", "Close": "Κλείσιμο",
"Modal Window": "Aναδυόμενο παράθυρο", "Modal Window": "Aναδυόμενο παράθυρο",
"This is a modal window": "Το παρών είναι ένα αναδυόμενο παράθυρο", "This is a modal window": "Το παρών είναι ένα αναδυόμενο παράθυρο",
"This modal can be closed by pressing the Escape key or activating the close button.": "Αυτό το παράθυρο μπορεί να εξαφανιστεί πατώντας το πλήκτρο Escape ή πατώντας το κουμπί κλεισίματος.", "This modal can be closed by pressing the Escape key or activating the close button.": "Αυτό το παράθυρο μπορεί να εξαφανιστεί πατώντας το πλήκτρο Escape ή πατώντας το κουμπί κλεισίματος.",
", opens captions settings dialog": ", εμφανίζει τις ρυθμίσεις για τις λεζάντες", ", opens captions settings dialog": ", εμφανίζει τις ρυθμίσεις για τις λεζάντες",
", opens subtitles settings dialog": ", εμφανίζει τις ρυθμίσεις για τους υπότιτλους", ", opens subtitles settings dialog": ", εμφανίζει τις ρυθμίσεις για τους υπότιτλους",
", opens descriptions settings dialog": ", εμφανίζει τις ρυθμίσεις για τις περιγραφές", ", opens descriptions settings dialog": ", εμφανίζει τις ρυθμίσεις για τις περιγραφές",
", selected": ", επιλεγμένο" ", selected": ", επιλεγμένο"
}); });

View File

@ -0,0 +1,40 @@
{
"Play": "Aναπαραγωγή",
"Pause": "Παύση",
"Current Time": "Τρέχων χρόνος",
"Duration": "Συνολικός χρόνος",
"Remaining Time": "Υπολοιπόμενος χρόνος",
"Stream Type": "Τύπος ροής",
"LIVE": "ΖΩΝΤΑΝΑ",
"Loaded": "Φόρτωση επιτυχής",
"Progress": "Πρόοδος",
"Fullscreen": "Πλήρης οθόνη",
"Non-Fullscreen": "Έξοδος από πλήρη οθόνη",
"Mute": "Σίγαση",
"Unmute": "Kατάργηση σίγασης",
"Playback Rate": "Ρυθμός αναπαραγωγής",
"Subtitles": "Υπότιτλοι",
"subtitles off": "απόκρυψη υπότιτλων",
"Captions": "Λεζάντες",
"captions off": "απόκρυψη λεζάντων",
"Chapters": "Κεφάλαια",
"Close Modal Dialog": "Κλείσιμο παραθύρου",
"Descriptions": "Περιγραφές",
"descriptions off": "απόκρυψη περιγραφών",
"Audio Track": "Ροή ήχου",
"You aborted the media playback": "Ακυρώσατε την αναπαραγωγή",
"A network error caused the media download to fail part-way.": "Ένα σφάλμα δικτύου προκάλεσε την αποτυχία μεταφόρτωσης του αρχείου προς αναπαραγωγή.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Το αρχείο προς αναπαραγωγή δεν ήταν δυνατό να φορτωθεί είτε γιατί υπήρξε σφάλμα στον διακομιστή ή το δίκτυο, είτε γιατί ο τύπος του αρχείου δεν υποστηρίζεται.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Η αναπαραγωγή ακυρώθηκε είτε λόγω κατεστραμμένου αρχείου, είτε γιατί το αρχείο απαιτεί λειτουργίες που δεν υποστηρίζονται από το πρόγραμμα περιήγησης που χρησιμοποιείτε.",
"No compatible source was found for this media.": "Δεν βρέθηκε συμβατή πηγή αναπαραγωγής για το συγκεκριμένο αρχείο.",
"The media is encrypted and we do not have the keys to decrypt it.": "Το αρχείο προς αναπαραγωγή είναι κρυπτογραφημένo και δεν υπάρχουν τα απαραίτητα κλειδιά αποκρυπτογράφησης.",
"Play Video": "Αναπαραγωγή βίντεο",
"Close": "Κλείσιμο",
"Modal Window": "Aναδυόμενο παράθυρο",
"This is a modal window": "Το παρών είναι ένα αναδυόμενο παράθυρο",
"This modal can be closed by pressing the Escape key or activating the close button.": "Αυτό το παράθυρο μπορεί να εξαφανιστεί πατώντας το πλήκτρο Escape ή πατώντας το κουμπί κλεισίματος.",
", opens captions settings dialog": ", εμφανίζει τις ρυθμίσεις για τις λεζάντες",
", opens subtitles settings dialog": ", εμφανίζει τις ρυθμίσεις για τους υπότιτλους",
", opens descriptions settings dialog": ", εμφανίζει τις ρυθμίσεις για τις περιγραφές",
", selected": ", επιλεγμένο"
}

View File

@ -1,85 +1,87 @@
videojs.addLanguage("en",{ videojs.addLanguage('en', {
"Audio Player": "Audio Player", "Audio Player": "Audio Player",
"Video Player": "Video Player", "Video Player": "Video Player",
"Play": "Play", "Play": "Play",
"Pause": "Pause", "Pause": "Pause",
"Replay": "Replay", "Replay": "Replay",
"Current Time": "Current Time", "Current Time": "Current Time",
"Duration": "Duration", "Duration": "Duration",
"Remaining Time": "Remaining Time", "Remaining Time": "Remaining Time",
"Stream Type": "Stream Type", "Stream Type": "Stream Type",
"LIVE": "LIVE", "LIVE": "LIVE",
"Loaded": "Loaded", "Seek to live, currently behind live": "Seek to live, currently behind live",
"Progress": "Progress", "Seek to live, currently playing live": "Seek to live, currently playing live",
"Progress Bar": "Progress Bar", "Loaded": "Loaded",
"progress bar timing: currentTime={1} duration={2}": "{1} of {2}", "Progress": "Progress",
"Fullscreen": "Fullscreen", "Progress Bar": "Progress Bar",
"Non-Fullscreen": "Non-Fullscreen", "progress bar timing: currentTime={1} duration={2}": "{1} of {2}",
"Mute": "Mute", "Fullscreen": "Fullscreen",
"Unmute": "Unmute", "Non-Fullscreen": "Non-Fullscreen",
"Playback Rate": "Playback Rate", "Mute": "Mute",
"Subtitles": "Subtitles", "Unmute": "Unmute",
"subtitles off": "subtitles off", "Playback Rate": "Playback Rate",
"Captions": "Captions", "Subtitles": "Subtitles",
"captions off": "captions off", "subtitles off": "subtitles off",
"Chapters": "Chapters", "Captions": "Captions",
"Descriptions": "Descriptions", "captions off": "captions off",
"descriptions off": "descriptions off", "Chapters": "Chapters",
"Audio Track": "Audio Track", "Descriptions": "Descriptions",
"Volume Level": "Volume Level", "descriptions off": "descriptions off",
"You aborted the media playback": "You aborted the media playback", "Audio Track": "Audio Track",
"A network error caused the media download to fail part-way.": "A network error caused the media download to fail part-way.", "Volume Level": "Volume Level",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "The media could not be loaded, either because the server or network failed or because the format is not supported.", "You aborted the media playback": "You aborted the media playback",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.", "A network error caused the media download to fail part-way.": "A network error caused the media download to fail part-way.",
"No compatible source was found for this media.": "No compatible source was found for this media.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "The media could not be loaded, either because the server or network failed or because the format is not supported.",
"The media is encrypted and we do not have the keys to decrypt it.": "The media is encrypted and we do not have the keys to decrypt it.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.",
"Play Video": "Play Video", "No compatible source was found for this media.": "No compatible source was found for this media.",
"Close": "Close", "The media is encrypted and we do not have the keys to decrypt it.": "The media is encrypted and we do not have the keys to decrypt it.",
"Close Modal Dialog": "Close Modal Dialog", "Play Video": "Play Video",
"Modal Window": "Modal Window", "Close": "Close",
"This is a modal window": "This is a modal window", "Close Modal Dialog": "Close Modal Dialog",
"This modal can be closed by pressing the Escape key or activating the close button.": "This modal can be closed by pressing the Escape key or activating the close button.", "Modal Window": "Modal Window",
", opens captions settings dialog": ", opens captions settings dialog", "This is a modal window": "This is a modal window",
", opens subtitles settings dialog": ", opens subtitles settings dialog", "This modal can be closed by pressing the Escape key or activating the close button.": "This modal can be closed by pressing the Escape key or activating the close button.",
", opens descriptions settings dialog": ", opens descriptions settings dialog", ", opens captions settings dialog": ", opens captions settings dialog",
", selected": ", selected", ", opens subtitles settings dialog": ", opens subtitles settings dialog",
"captions settings": "captions settings", ", opens descriptions settings dialog": ", opens descriptions settings dialog",
"subtitles settings": "subititles settings", ", selected": ", selected",
"descriptions settings": "descriptions settings", "captions settings": "captions settings",
"Text": "Text", "subtitles settings": "subititles settings",
"White": "White", "descriptions settings": "descriptions settings",
"Black": "Black", "Text": "Text",
"Red": "Red", "White": "White",
"Green": "Green", "Black": "Black",
"Blue": "Blue", "Red": "Red",
"Yellow": "Yellow", "Green": "Green",
"Magenta": "Magenta", "Blue": "Blue",
"Cyan": "Cyan", "Yellow": "Yellow",
"Background": "Background", "Magenta": "Magenta",
"Window": "Window", "Cyan": "Cyan",
"Transparent": "Transparent", "Background": "Background",
"Semi-Transparent": "Semi-Transparent", "Window": "Window",
"Opaque": "Opaque", "Transparent": "Transparent",
"Font Size": "Font Size", "Semi-Transparent": "Semi-Transparent",
"Text Edge Style": "Text Edge Style", "Opaque": "Opaque",
"None": "None", "Font Size": "Font Size",
"Raised": "Raised", "Text Edge Style": "Text Edge Style",
"Depressed": "Depressed", "None": "None",
"Uniform": "Uniform", "Raised": "Raised",
"Dropshadow": "Dropshadow", "Depressed": "Depressed",
"Font Family": "Font Family", "Uniform": "Uniform",
"Proportional Sans-Serif": "Proportional Sans-Serif", "Dropshadow": "Dropshadow",
"Monospace Sans-Serif": "Monospace Sans-Serif", "Font Family": "Font Family",
"Proportional Serif": "Proportional Serif", "Proportional Sans-Serif": "Proportional Sans-Serif",
"Monospace Serif": "Monospace Serif", "Monospace Sans-Serif": "Monospace Sans-Serif",
"Casual": "Casual", "Proportional Serif": "Proportional Serif",
"Script": "Script", "Monospace Serif": "Monospace Serif",
"Small Caps": "Small Caps", "Casual": "Casual",
"Reset": "Reset", "Script": "Script",
"restore all settings to the default values": "restore all settings to the default values", "Small Caps": "Small Caps",
"Done": "Done", "Reset": "Reset",
"Caption Settings Dialog": "Caption Settings Dialog", "restore all settings to the default values": "restore all settings to the default values",
"Beginning of dialog window. Escape will cancel and close the window.": "Beginning of dialog window. Escape will cancel and close the window.", "Done": "Done",
"End of dialog window.": "End of dialog window.", "Caption Settings Dialog": "Caption Settings Dialog",
"{1} is loading.": "{1} is loading." "Beginning of dialog window. Escape will cancel and close the window.": "Beginning of dialog window. Escape will cancel and close the window.",
"End of dialog window.": "End of dialog window.",
"{1} is loading.": "{1} is loading."
}); });

View File

@ -0,0 +1,87 @@
{
"Audio Player": "Audio Player",
"Video Player": "Video Player",
"Play": "Play",
"Pause": "Pause",
"Replay": "Replay",
"Current Time": "Current Time",
"Duration": "Duration",
"Remaining Time": "Remaining Time",
"Stream Type": "Stream Type",
"LIVE": "LIVE",
"Seek to live, currently behind live": "Seek to live, currently behind live",
"Seek to live, currently playing live": "Seek to live, currently playing live",
"Loaded": "Loaded",
"Progress": "Progress",
"Progress Bar": "Progress Bar",
"progress bar timing: currentTime={1} duration={2}": "{1} of {2}",
"Fullscreen": "Fullscreen",
"Non-Fullscreen": "Non-Fullscreen",
"Mute": "Mute",
"Unmute": "Unmute",
"Playback Rate": "Playback Rate",
"Subtitles": "Subtitles",
"subtitles off": "subtitles off",
"Captions": "Captions",
"captions off": "captions off",
"Chapters": "Chapters",
"Descriptions": "Descriptions",
"descriptions off": "descriptions off",
"Audio Track": "Audio Track",
"Volume Level": "Volume Level",
"You aborted the media playback": "You aborted the media playback",
"A network error caused the media download to fail part-way.": "A network error caused the media download to fail part-way.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "The media could not be loaded, either because the server or network failed or because the format is not supported.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.",
"No compatible source was found for this media.": "No compatible source was found for this media.",
"The media is encrypted and we do not have the keys to decrypt it.": "The media is encrypted and we do not have the keys to decrypt it.",
"Play Video": "Play Video",
"Close": "Close",
"Close Modal Dialog": "Close Modal Dialog",
"Modal Window": "Modal Window",
"This is a modal window": "This is a modal window",
"This modal can be closed by pressing the Escape key or activating the close button.": "This modal can be closed by pressing the Escape key or activating the close button.",
", opens captions settings dialog": ", opens captions settings dialog",
", opens subtitles settings dialog": ", opens subtitles settings dialog",
", opens descriptions settings dialog": ", opens descriptions settings dialog",
", selected": ", selected",
"captions settings": "captions settings",
"subtitles settings": "subititles settings",
"descriptions settings": "descriptions settings",
"Text": "Text",
"White": "White",
"Black": "Black",
"Red": "Red",
"Green": "Green",
"Blue": "Blue",
"Yellow": "Yellow",
"Magenta": "Magenta",
"Cyan": "Cyan",
"Background": "Background",
"Window": "Window",
"Transparent": "Transparent",
"Semi-Transparent": "Semi-Transparent",
"Opaque": "Opaque",
"Font Size": "Font Size",
"Text Edge Style": "Text Edge Style",
"None": "None",
"Raised": "Raised",
"Depressed": "Depressed",
"Uniform": "Uniform",
"Dropshadow": "Dropshadow",
"Font Family": "Font Family",
"Proportional Sans-Serif": "Proportional Sans-Serif",
"Monospace Sans-Serif": "Monospace Sans-Serif",
"Proportional Serif": "Proportional Serif",
"Monospace Serif": "Monospace Serif",
"Casual": "Casual",
"Script": "Script",
"Small Caps": "Small Caps",
"Reset": "Reset",
"restore all settings to the default values": "restore all settings to the default values",
"Done": "Done",
"Caption Settings Dialog": "Caption Settings Dialog",
"Beginning of dialog window. Escape will cancel and close the window.": "Beginning of dialog window. Escape will cancel and close the window.",
"End of dialog window.": "End of dialog window.",
"{1} is loading.": "{1} is loading."
}

View File

@ -1,27 +1,87 @@
videojs.addLanguage("es",{ videojs.addLanguage('es', {
"Play": "Reproducción", "Play": "Reproducir",
"Play Video": "Reproducción Vídeo", "Play Video": "Reproducir Vídeo",
"Pause": "Pausa", "Pause": "Pausa",
"Current Time": "Tiempo reproducido", "Current Time": "Tiempo reproducido",
"Duration": "Duración total", "Duration": "Duración total",
"Remaining Time": "Tiempo restante", "Remaining Time": "Tiempo restante",
"Stream Type": "Tipo de secuencia", "Stream Type": "Tipo de secuencia",
"LIVE": "DIRECTO", "LIVE": "DIRECTO",
"Loaded": "Cargado", "Loaded": "Cargado",
"Progress": "Progreso", "Progress": "Progreso",
"Fullscreen": "Pantalla completa", "Fullscreen": "Pantalla completa",
"Non-Fullscreen": "Pantalla no completa", "Non-Fullscreen": "Pantalla no completa",
"Mute": "Silenciar", "Mute": "Silenciar",
"Unmute": "No silenciado", "Unmute": "No silenciado",
"Playback Rate": "Velocidad de reproducción", "Playback Rate": "Velocidad de reproducción",
"Subtitles": "Subtítulos", "Subtitles": "Subtítulos",
"subtitles off": "Subtítulos desactivados", "subtitles off": "Subtítulos desactivados",
"Captions": "Subtítulos especiales", "Captions": "Subtítulos especiales",
"captions off": "Subtítulos especiales desactivados", "captions off": "Subtítulos especiales desactivados",
"Chapters": "Capítulos", "Chapters": "Capítulos",
"You aborted the media playback": "Ha interrumpido la reproducción del vídeo.", "You aborted the media playback": "Ha interrumpido la reproducción del vídeo.",
"A network error caused the media download to fail part-way.": "Un error de red ha interrumpido la descarga del vídeo.", "A network error caused the media download to fail part-way.": "Un error de red ha interrumpido la descarga del vídeo.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "No se ha podido cargar el vídeo debido a un fallo de red o del servidor o porque el formato es incompatible.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "No se ha podido cargar el vídeo debido a un fallo de red o del servidor o porque el formato es incompatible.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "La reproducción de vídeo se ha interrumpido por un problema de corrupción de datos o porque el vídeo precisa funciones que su navegador no ofrece.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "La reproducción de vídeo se ha interrumpido por un problema de corrupción de datos o porque el vídeo precisa funciones que su navegador no ofrece.",
"No compatible source was found for this media.": "No se ha encontrado ninguna fuente compatible con este vídeo." "No compatible source was found for this media.": "No se ha encontrado ninguna fuente compatible con este vídeo.",
"Audio Player": "Reproductor de audio",
"Video Player": "Reproductor de video",
"Replay": "Volver a reproducir",
"Seek to live, currently behind live": "Buscar en vivo, actualmente demorado con respecto a la transmisión en vivo",
"Seek to live, currently playing live": "Buscar en vivo, actualmente reproduciendo en vivo",
"Progress Bar": "Barra de progreso",
"progress bar timing: currentTime={1} duration={2}": "{1} de {2}",
"Descriptions": "Descripciones",
"descriptions off": "descripciones desactivadas",
"Audio Track": "Pista de audio",
"Volume Level": "Nivel de volumen",
"The media is encrypted and we do not have the keys to decrypt it.": "El material audiovisual está cifrado y no tenemos las claves para descifrarlo.",
"Close": "Cerrar",
"Modal Window": "Ventana modal",
"This is a modal window": "Esta es una ventana modal",
"This modal can be closed by pressing the Escape key or activating the close button.": "Esta ventana modal puede cerrarse presionando la tecla Escape o activando el botón de cierre.",
", opens captions settings dialog": ", abre el diálogo de configuración de leyendas",
", opens subtitles settings dialog": ", abre el diálogo de configuración de subtítulos",
", selected": ", seleccionado",
"Close Modal Dialog": "Cierra cuadro de diálogo modal",
", opens descriptions settings dialog": ", abre el diálogo de configuración de las descripciones",
"captions settings": "configuración de leyendas",
"subtitles settings": "configuración de subtítulos",
"descriptions settings": "configuración de descripciones",
"Text": "Texto",
"White": "Blanco",
"Black": "Negro",
"Red": "Rojo",
"Green": "Verde",
"Blue": "Azul",
"Yellow": "Amarillo",
"Magenta": "Magenta",
"Cyan": "Cian",
"Background": "Fondo",
"Window": "Ventana",
"Transparent": "Transparente",
"Semi-Transparent": "Semitransparente",
"Opaque": "Opaca",
"Font Size": "Tamaño de fuente",
"Text Edge Style": "Estilo de borde del texto",
"None": "Ninguno",
"Raised": "En relieve",
"Depressed": "Hundido",
"Uniform": "Uniforme",
"Dropshadow": "Sombra paralela",
"Font Family": "Familia de fuente",
"Proportional Sans-Serif": "Sans-Serif proporcional",
"Monospace Sans-Serif": "Sans-Serif monoespacio",
"Proportional Serif": "Serif proporcional",
"Monospace Serif": "Serif monoespacio",
"Casual": "Informal",
"Script": "Cursiva",
"Small Caps": "Minúsculas",
"Reset": "Restablecer",
"restore all settings to the default values": "restablece todas las configuraciones a los valores predeterminados",
"Done": "Listo",
"Caption Settings Dialog": "Diálogo de configuración de leyendas",
"Beginning of dialog window. Escape will cancel and close the window.": "Comienzo de la ventana de diálogo. La tecla Escape cancelará la operación y cerrará la ventana.",
"End of dialog window.": "Final de la ventana de diálogo.",
"{1} is loading.": "{1} se está cargando."
}); });

View File

@ -0,0 +1,87 @@
{
"Play": "Reproducir",
"Play Video": "Reproducir Vídeo",
"Pause": "Pausa",
"Current Time": "Tiempo reproducido",
"Duration": "Duración total",
"Remaining Time": "Tiempo restante",
"Stream Type": "Tipo de secuencia",
"LIVE": "DIRECTO",
"Loaded": "Cargado",
"Progress": "Progreso",
"Fullscreen": "Pantalla completa",
"Non-Fullscreen": "Pantalla no completa",
"Mute": "Silenciar",
"Unmute": "No silenciado",
"Playback Rate": "Velocidad de reproducción",
"Subtitles": "Subtítulos",
"subtitles off": "Subtítulos desactivados",
"Captions": "Subtítulos especiales",
"captions off": "Subtítulos especiales desactivados",
"Chapters": "Capítulos",
"You aborted the media playback": "Ha interrumpido la reproducción del vídeo.",
"A network error caused the media download to fail part-way.": "Un error de red ha interrumpido la descarga del vídeo.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "No se ha podido cargar el vídeo debido a un fallo de red o del servidor o porque el formato es incompatible.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "La reproducción de vídeo se ha interrumpido por un problema de corrupción de datos o porque el vídeo precisa funciones que su navegador no ofrece.",
"No compatible source was found for this media.": "No se ha encontrado ninguna fuente compatible con este vídeo.",
"Audio Player": "Reproductor de audio",
"Video Player": "Reproductor de video",
"Replay": "Volver a reproducir",
"Seek to live, currently behind live": "Buscar en vivo, actualmente demorado con respecto a la transmisión en vivo",
"Seek to live, currently playing live": "Buscar en vivo, actualmente reproduciendo en vivo",
"Progress Bar": "Barra de progreso",
"progress bar timing: currentTime={1} duration={2}": "{1} de {2}",
"Descriptions": "Descripciones",
"descriptions off": "descripciones desactivadas",
"Audio Track": "Pista de audio",
"Volume Level": "Nivel de volumen",
"The media is encrypted and we do not have the keys to decrypt it.": "El material audiovisual está cifrado y no tenemos las claves para descifrarlo.",
"Close": "Cerrar",
"Modal Window": "Ventana modal",
"This is a modal window": "Esta es una ventana modal",
"This modal can be closed by pressing the Escape key or activating the close button.": "Esta ventana modal puede cerrarse presionando la tecla Escape o activando el botón de cierre.",
", opens captions settings dialog": ", abre el diálogo de configuración de leyendas",
", opens subtitles settings dialog": ", abre el diálogo de configuración de subtítulos",
", selected": ", seleccionado",
"Close Modal Dialog": "Cierra cuadro de diálogo modal",
", opens descriptions settings dialog": ", abre el diálogo de configuración de las descripciones",
"captions settings": "configuración de leyendas",
"subtitles settings": "configuración de subtítulos",
"descriptions settings": "configuración de descripciones",
"Text": "Texto",
"White": "Blanco",
"Black": "Negro",
"Red": "Rojo",
"Green": "Verde",
"Blue": "Azul",
"Yellow": "Amarillo",
"Magenta": "Magenta",
"Cyan": "Cian",
"Background": "Fondo",
"Window": "Ventana",
"Transparent": "Transparente",
"Semi-Transparent": "Semitransparente",
"Opaque": "Opaca",
"Font Size": "Tamaño de fuente",
"Text Edge Style": "Estilo de borde del texto",
"None": "Ninguno",
"Raised": "En relieve",
"Depressed": "Hundido",
"Uniform": "Uniforme",
"Dropshadow": "Sombra paralela",
"Font Family": "Familia de fuente",
"Proportional Sans-Serif": "Sans-Serif proporcional",
"Monospace Sans-Serif": "Sans-Serif monoespacio",
"Proportional Serif": "Serif proporcional",
"Monospace Serif": "Serif monoespacio",
"Casual": "Informal",
"Script": "Cursiva",
"Small Caps": "Minúsculas",
"Reset": "Restablecer",
"restore all settings to the default values": "restablece todas las configuraciones a los valores predeterminados",
"Done": "Listo",
"Caption Settings Dialog": "Diálogo de configuración de leyendas",
"Beginning of dialog window. Escape will cancel and close the window.": "Comienzo de la ventana de diálogo. La tecla Escape cancelará la operación y cerrará la ventana.",
"End of dialog window.": "Final de la ventana de diálogo.",
"{1} is loading.": "{1} se está cargando."
}

View File

@ -1,84 +1,84 @@
videojs.addLanguage("fa",{ videojs.addLanguage('fa', {
"Audio Player": "پخش کننده صوتی", "Audio Player": "پخش کننده صوتی",
"Video Player": "پخش کننده ویدیو", "Video Player": "پخش کننده ویدیو",
"Play": "پخش", "Play": "پخش",
"Pause": "مکث", "Pause": "مکث",
"Replay": "بازپخش", "Replay": "بازپخش",
"Current Time": "زمان کنونی", "Current Time": "زمان کنونی",
"Duration": "مدت زمان", "Duration": "مدت زمان",
"Remaining Time": "زمان باقیمانده", "Remaining Time": "زمان باقیمانده",
"Stream Type": "نوع استریم", "Stream Type": "نوع استریم",
"LIVE": "زنده", "LIVE": "زنده",
"Loaded": "بارگیری شده", "Loaded": "بارگیری شده",
"Progress": "پیشرفت", "Progress": "پیشرفت",
"Progress Bar": "نوار پیشرفت", "Progress Bar": "نوار پیشرفت",
"progress bar timing: currentTime={1} duration={2}": "{1} از {2}", "progress bar timing: currentTime={1} duration={2}": "{1} از {2}",
"Fullscreen": "تمام‌صفحه", "Fullscreen": "تمام‌صفحه",
"Non-Fullscreen": "غیر تمام‌صفحه", "Non-Fullscreen": "غیر تمام‌صفحه",
"Mute": "بی صدا", "Mute": "بی صدا",
"Unmute": "صدا دار", "Unmute": "صدا دار",
"Playback Rate": "سرعت پخش", "Playback Rate": "سرعت پخش",
"Subtitles": "زیرنویس", "Subtitles": "زیرنویس",
"subtitles off": "بدون زیرنویس", "subtitles off": "بدون زیرنویس",
"Captions": "زیرتوضیح", "Captions": "زیرتوضیح",
"captions off": "بدون زیرتوضیح", "captions off": "بدون زیرتوضیح",
"Chapters": "قسمت‌ها", "Chapters": "قسمت‌ها",
"Descriptions": "توصیف", "Descriptions": "توصیف",
"descriptions off": "بدون توصیف", "descriptions off": "بدون توصیف",
"Audio Track": "صوت", "Audio Track": "صوت",
"Volume Level": "میزان صدا", "Volume Level": "میزان صدا",
"You aborted the media playback": "شما پخش را قطع کردید.", "You aborted the media playback": "شما پخش را قطع کردید.",
"A network error caused the media download to fail part-way.": "خطای شبکه باعث عدم بارگیری بخشی از رسانه شد.", "A network error caused the media download to fail part-way.": "خطای شبکه باعث عدم بارگیری بخشی از رسانه شد.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": ".رسانه قابل بارگیری نیست. علت آن ممکن است خطا در اتصال یا عدم پشتیبانی از فرمت باشد", "The media could not be loaded, either because the server or network failed or because the format is not supported.": ".رسانه قابل بارگیری نیست. علت آن ممکن است خطا در اتصال یا عدم پشتیبانی از فرمت باشد",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "پخش رسانه به علت اشکال در آن یا عدم پشتیبانی مرورگر شما قطع شد.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "پخش رسانه به علت اشکال در آن یا عدم پشتیبانی مرورگر شما قطع شد.",
"No compatible source was found for this media.": "هیچ منبع سازگاری، برای این رسانه پیدا نشد.", "No compatible source was found for this media.": "هیچ منبع سازگاری، برای این رسانه پیدا نشد.",
"The media is encrypted and we do not have the keys to decrypt it.": "این رسانه رمزنگاری شده است و ما کلید رمزگشایی آن را نداریم.", "The media is encrypted and we do not have the keys to decrypt it.": "این رسانه رمزنگاری شده است و ما کلید رمزگشایی آن را نداریم.",
"Play Video": "پخش ویدیو", "Play Video": "پخش ویدیو",
"Close": "بستن", "Close": "بستن",
"Close Modal Dialog": "بستن پنجره مودال", "Close Modal Dialog": "بستن پنجره مودال",
"Modal Window": "پنجره مودال", "Modal Window": "پنجره مودال",
"This is a modal window": "این پنجره مودال", "This is a modal window": "این پنجره مودال",
"This modal can be closed by pressing the Escape key or activating the close button.": "این پنجره با دکمه اسکیپ با دکمه بستن قابل بسته شدن میباشد.", "This modal can be closed by pressing the Escape key or activating the close button.": "این پنجره با دکمه اسکیپ با دکمه بستن قابل بسته شدن میباشد.",
", opens captions settings dialog": ", تنظیمات زیرتوضیح را باز میکند", ", opens captions settings dialog": ", تنظیمات زیرتوضیح را باز میکند",
", opens subtitles settings dialog": ", تنظیمات زیرنویس را باز میکند", ", opens subtitles settings dialog": ", تنظیمات زیرنویس را باز میکند",
", opens descriptions settings dialog": ", تنظیمات توصیفات را باز میکند", ", opens descriptions settings dialog": ", تنظیمات توصیفات را باز میکند",
", selected": ", انتخاب شده", ", selected": ", انتخاب شده",
"captions settings": "تنظیمات زیرتوضیح", "captions settings": "تنظیمات زیرتوضیح",
"subtitles settings": "تنظیمات زیرنویس", "subtitles settings": "تنظیمات زیرنویس",
"descriptions settings": "تنظیمات توصیفات", "descriptions settings": "تنظیمات توصیفات",
"Text": "متن", "Text": "متن",
"White": "سفید", "White": "سفید",
"Black": "سیاه", "Black": "سیاه",
"Red": "قرمز", "Red": "قرمز",
"Green": "سبز", "Green": "سبز",
"Blue": "آبی", "Blue": "آبی",
"Yellow": "زرد", "Yellow": "زرد",
"Magenta": "ارغوانی", "Magenta": "ارغوانی",
"Cyan": "سبزآبی", "Cyan": "سبزآبی",
"Background": "زمینه", "Background": "زمینه",
"Window": "پنجره", "Window": "پنجره",
"Transparent": "شفاف", "Transparent": "شفاف",
"Semi-Transparent": "نیمه شفاف", "Semi-Transparent": "نیمه شفاف",
"Opaque": "مات", "Opaque": "مات",
"Font Size": "اندازه فونت", "Font Size": "اندازه فونت",
"Text Edge Style": "سبک لبه متن", "Text Edge Style": "سبک لبه متن",
"None": "هیچ", "None": "هیچ",
"Raised": "برآمده", "Raised": "برآمده",
"Depressed": "فرورفته", "Depressed": "فرورفته",
"Uniform": "یکنواخت", "Uniform": "یکنواخت",
"Dropshadow": "سایه دار", "Dropshadow": "سایه دار",
"Font Family": "نوع فونت", "Font Family": "نوع فونت",
"Proportional Sans-Serif": "سنس-سریف متناسب", "Proportional Sans-Serif": "سنس-سریف متناسب",
"Monospace Sans-Serif": "سنس-سریف هم اندازه", "Monospace Sans-Serif": "سنس-سریف هم اندازه",
"Proportional Serif": "سریف متناسب", "Proportional Serif": "سریف متناسب",
"Monospace Serif": "سریف هم اندازه", "Monospace Serif": "سریف هم اندازه",
"Casual": "فانتزی", "Casual": "فانتزی",
"Script": "دست خط", "Script": "دست خط",
"Small Caps": "حروف کوچک به بزرگ", "Small Caps": "حروف کوچک به بزرگ",
"Reset": "باز نشاندن", "Reset": "باز نشاندن",
"restore all settings to the default values": "بازیابی همه تنظیمات به حالت اولیه", "restore all settings to the default values": "بازیابی همه تنظیمات به حالت اولیه",
"Done": "تکمیل", "Done": "تکمیل",
"Caption Settings Dialog": "پنجره تنظیمات عناوین", "Caption Settings Dialog": "پنجره تنظیمات عناوین",
"Beginning of dialog window. Escape will cancel and close the window.": "ابتدای پنجره محاوره‌ای. دکمه اسکیپ پنجره را لغو میکند و میبندد.", "Beginning of dialog window. Escape will cancel and close the window.": "ابتدای پنجره محاوره‌ای. دکمه اسکیپ پنجره را لغو میکند و میبندد.",
"End of dialog window.": "انتهای پنجره محاوره‌ای." "End of dialog window.": "انتهای پنجره محاوره‌ای."
}); });

View File

@ -0,0 +1,84 @@
{
"Audio Player": "پخش کننده صوتی",
"Video Player": "پخش کننده ویدیو",
"Play": "پخش",
"Pause": "مکث",
"Replay": "بازپخش",
"Current Time": "زمان کنونی",
"Duration": "مدت زمان",
"Remaining Time": "زمان باقیمانده",
"Stream Type": "نوع استریم",
"LIVE": "زنده",
"Loaded": "بارگیری شده",
"Progress": "پیشرفت",
"Progress Bar": "نوار پیشرفت",
"progress bar timing: currentTime={1} duration={2}": "{1} از {2}",
"Fullscreen": "تمام‌صفحه",
"Non-Fullscreen": "غیر تمام‌صفحه",
"Mute": "بی صدا",
"Unmute": "صدا دار",
"Playback Rate": "سرعت پخش",
"Subtitles": "زیرنویس",
"subtitles off": "بدون زیرنویس",
"Captions": "زیرتوضیح",
"captions off": "بدون زیرتوضیح",
"Chapters": "قسمت‌ها",
"Descriptions": "توصیف",
"descriptions off": "بدون توصیف",
"Audio Track": "صوت",
"Volume Level": "میزان صدا",
"You aborted the media playback": "شما پخش را قطع کردید.",
"A network error caused the media download to fail part-way.": "خطای شبکه باعث عدم بارگیری بخشی از رسانه شد.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": ".رسانه قابل بارگیری نیست. علت آن ممکن است خطا در اتصال یا عدم پشتیبانی از فرمت باشد",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "پخش رسانه به علت اشکال در آن یا عدم پشتیبانی مرورگر شما قطع شد.",
"No compatible source was found for this media.": "هیچ منبع سازگاری، برای این رسانه پیدا نشد.",
"The media is encrypted and we do not have the keys to decrypt it.": "این رسانه رمزنگاری شده است و ما کلید رمزگشایی آن را نداریم.",
"Play Video": "پخش ویدیو",
"Close": "بستن",
"Close Modal Dialog": "بستن پنجره مودال",
"Modal Window": "پنجره مودال",
"This is a modal window": "این پنجره مودال",
"This modal can be closed by pressing the Escape key or activating the close button.": "این پنجره با دکمه اسکیپ با دکمه بستن قابل بسته شدن میباشد.",
", opens captions settings dialog": ", تنظیمات زیرتوضیح را باز میکند",
", opens subtitles settings dialog": ", تنظیمات زیرنویس را باز میکند",
", opens descriptions settings dialog": ", تنظیمات توصیفات را باز میکند",
", selected": ", انتخاب شده",
"captions settings": "تنظیمات زیرتوضیح",
"subtitles settings": "تنظیمات زیرنویس",
"descriptions settings": "تنظیمات توصیفات",
"Text": "متن",
"White": "سفید",
"Black": "سیاه",
"Red": "قرمز",
"Green": "سبز",
"Blue": "آبی",
"Yellow": "زرد",
"Magenta": "ارغوانی",
"Cyan": "سبزآبی",
"Background": "زمینه",
"Window": "پنجره",
"Transparent": "شفاف",
"Semi-Transparent": "نیمه شفاف",
"Opaque": "مات",
"Font Size": "اندازه فونت",
"Text Edge Style": "سبک لبه متن",
"None": "هیچ",
"Raised": "برآمده",
"Depressed": "فرورفته",
"Uniform": "یکنواخت",
"Dropshadow": "سایه دار",
"Font Family": "نوع فونت",
"Proportional Sans-Serif": "سنس-سریف متناسب",
"Monospace Sans-Serif": "سنس-سریف هم اندازه",
"Proportional Serif": "سریف متناسب",
"Monospace Serif": "سریف هم اندازه",
"Casual": "فانتزی",
"Script": "دست خط",
"Small Caps": "حروف کوچک به بزرگ",
"Reset": "باز نشاندن",
"restore all settings to the default values": "بازیابی همه تنظیمات به حالت اولیه",
"Done": "تکمیل",
"Caption Settings Dialog": "پنجره تنظیمات عناوین",
"Beginning of dialog window. Escape will cancel and close the window.": "ابتدای پنجره محاوره‌ای. دکمه اسکیپ پنجره را لغو میکند و میبندد.",
"End of dialog window.": "انتهای پنجره محاوره‌ای."
}

View File

@ -1,26 +1,26 @@
videojs.addLanguage("fi",{ videojs.addLanguage('fi', {
"Play": "Toisto", "Play": "Toisto",
"Pause": "Tauko", "Pause": "Tauko",
"Current Time": "Tämänhetkinen aika", "Current Time": "Tämänhetkinen aika",
"Duration": "Kokonaisaika", "Duration": "Kokonaisaika",
"Remaining Time": "Jäljellä oleva aika", "Remaining Time": "Jäljellä oleva aika",
"Stream Type": "Lähetystyyppi", "Stream Type": "Lähetystyyppi",
"LIVE": "LIVE", "LIVE": "LIVE",
"Loaded": "Ladattu", "Loaded": "Ladattu",
"Progress": "Edistyminen", "Progress": "Edistyminen",
"Fullscreen": "Koko näyttö", "Fullscreen": "Koko näyttö",
"Non-Fullscreen": "Koko näyttö pois", "Non-Fullscreen": "Koko näyttö pois",
"Mute": "Ääni pois", "Mute": "Ääni pois",
"Unmute": "Ääni päällä", "Unmute": "Ääni päällä",
"Playback Rate": "Toistonopeus", "Playback Rate": "Toistonopeus",
"Subtitles": "Tekstitys", "Subtitles": "Tekstitys",
"subtitles off": "Tekstitys pois", "subtitles off": "Tekstitys pois",
"Captions": "Tekstitys", "Captions": "Tekstitys",
"captions off": "Tekstitys pois", "captions off": "Tekstitys pois",
"Chapters": "Kappaleet", "Chapters": "Kappaleet",
"You aborted the media playback": "Olet keskeyttänyt videotoiston.", "You aborted the media playback": "Olet keskeyttänyt videotoiston.",
"A network error caused the media download to fail part-way.": "Verkkovirhe keskeytti videon latauksen.", "A network error caused the media download to fail part-way.": "Verkkovirhe keskeytti videon latauksen.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Videon lataus ei onnistunut joko palvelin- tai verkkovirheestä tai väärästä formaatista johtuen.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "Videon lataus ei onnistunut joko palvelin- tai verkkovirheestä tai väärästä formaatista johtuen.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Videon toisto keskeytyi, koska media on vaurioitunut tai käyttää käyttää toimintoja, joita selaimesi ei tue.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Videon toisto keskeytyi, koska media on vaurioitunut tai käyttää käyttää toimintoja, joita selaimesi ei tue.",
"No compatible source was found for this media.": "Tälle videolle ei löytynyt yhteensopivaa lähdettä." "No compatible source was found for this media.": "Tälle videolle ei löytynyt yhteensopivaa lähdettä."
}); });

View File

@ -0,0 +1,26 @@
{
"Play": "Toisto",
"Pause": "Tauko",
"Current Time": "Tämänhetkinen aika",
"Duration": "Kokonaisaika",
"Remaining Time": "Jäljellä oleva aika",
"Stream Type": "Lähetystyyppi",
"LIVE": "LIVE",
"Loaded": "Ladattu",
"Progress": "Edistyminen",
"Fullscreen": "Koko näyttö",
"Non-Fullscreen": "Koko näyttö pois",
"Mute": "Ääni pois",
"Unmute": "Ääni päällä",
"Playback Rate": "Toistonopeus",
"Subtitles": "Tekstitys",
"subtitles off": "Tekstitys pois",
"Captions": "Tekstitys",
"captions off": "Tekstitys pois",
"Chapters": "Kappaleet",
"You aborted the media playback": "Olet keskeyttänyt videotoiston.",
"A network error caused the media download to fail part-way.": "Verkkovirhe keskeytti videon latauksen.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Videon lataus ei onnistunut joko palvelin- tai verkkovirheestä tai väärästä formaatista johtuen.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Videon toisto keskeytyi, koska media on vaurioitunut tai käyttää käyttää toimintoja, joita selaimesi ei tue.",
"No compatible source was found for this media.": "Tälle videolle ei löytynyt yhteensopivaa lähdettä."
}

View File

@ -1,84 +1,84 @@
videojs.addLanguage("fr",{ videojs.addLanguage('fr', {
"Audio Player": "Lecteur audio", "Audio Player": "Lecteur audio",
"Video Player": "Lecteur vidéo", "Video Player": "Lecteur vidéo",
"Play": "Lecture", "Play": "Lecture",
"Pause": "Pause", "Pause": "Pause",
"Replay": "Revoir", "Replay": "Revoir",
"Current Time": "Temps actuel", "Current Time": "Temps actuel",
"Duration": "Durée", "Duration": "Durée",
"Remaining Time": "Temps restant", "Remaining Time": "Temps restant",
"Stream Type": "Type de flux", "Stream Type": "Type de flux",
"LIVE": "EN DIRECT", "LIVE": "EN DIRECT",
"Loaded": "Chargé", "Loaded": "Chargé",
"Progress": "Progression", "Progress": "Progression",
"Progress Bar": "Barre de progression", "Progress Bar": "Barre de progression",
"progress bar timing: currentTime={1} duration={2}": "{1} de {2}", "progress bar timing: currentTime={1} duration={2}": "{1} de {2}",
"Fullscreen": "Plein écran", "Fullscreen": "Plein écran",
"Non-Fullscreen": "Fenêtré", "Non-Fullscreen": "Fenêtré",
"Mute": "Sourdine", "Mute": "Sourdine",
"Unmute": "Son activé", "Unmute": "Son activé",
"Playback Rate": "Vitesse de lecture", "Playback Rate": "Vitesse de lecture",
"Subtitles": "Sous-titres", "Subtitles": "Sous-titres",
"subtitles off": "Sous-titres désactivés", "subtitles off": "Sous-titres désactivés",
"Captions": "Sous-titres transcrits", "Captions": "Sous-titres transcrits",
"captions off": "Sous-titres transcrits désactivés", "captions off": "Sous-titres transcrits désactivés",
"Chapters": "Chapitres", "Chapters": "Chapitres",
"Descriptions": "Descriptions", "Descriptions": "Descriptions",
"descriptions off": "descriptions désactivées", "descriptions off": "descriptions désactivées",
"Audio Track": "Piste audio", "Audio Track": "Piste audio",
"Volume Level": "Niveau de volume", "Volume Level": "Niveau de volume",
"You aborted the media playback": "Vous avez interrompu la lecture de la vidéo.", "You aborted the media playback": "Vous avez interrompu la lecture de la vidéo.",
"A network error caused the media download to fail part-way.": "Une erreur de réseau a interrompu le téléchargement de la vidéo.", "A network error caused the media download to fail part-way.": "Une erreur de réseau a interrompu le téléchargement de la vidéo.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Cette vidéo n'a pas pu être chargée, soit parce que le serveur ou le réseau a échoué ou parce que le format n'est pas reconnu.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "Cette vidéo n'a pas pu être chargée, soit parce que le serveur ou le réseau a échoué ou parce que le format n'est pas reconnu.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "La lecture de la vidéo a été interrompue à cause d'un problème de corruption ou parce que la vidéo utilise des fonctionnalités non prises en charge par votre navigateur.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "La lecture de la vidéo a été interrompue à cause d'un problème de corruption ou parce que la vidéo utilise des fonctionnalités non prises en charge par votre navigateur.",
"No compatible source was found for this media.": "Aucune source compatible n'a été trouvée pour cette vidéo.", "No compatible source was found for this media.": "Aucune source compatible n'a été trouvée pour cette vidéo.",
"The media is encrypted and we do not have the keys to decrypt it.": "Le média est chiffré et nous n'avons pas les clés pour le déchiffrer.", "The media is encrypted and we do not have the keys to decrypt it.": "Le média est chiffré et nous n'avons pas les clés pour le déchiffrer.",
"Play Video": "Lire la vidéo", "Play Video": "Lire la vidéo",
"Close": "Fermer", "Close": "Fermer",
"Close Modal Dialog": "Fermer la boîte de dialogue modale", "Close Modal Dialog": "Fermer la boîte de dialogue modale",
"Modal Window": "Fenêtre modale", "Modal Window": "Fenêtre modale",
"This is a modal window": "Ceci est une fenêtre modale", "This is a modal window": "Ceci est une fenêtre modale",
"This modal can be closed by pressing the Escape key or activating the close button.": "Ce modal peut être fermé en appuyant sur la touche Échap ou activer le bouton de fermeture.", "This modal can be closed by pressing the Escape key or activating the close button.": "Ce modal peut être fermé en appuyant sur la touche Échap ou activer le bouton de fermeture.",
", opens captions settings dialog": ", ouvrir les paramètres des sous-titres transcrits", ", opens captions settings dialog": ", ouvrir les paramètres des sous-titres transcrits",
", opens subtitles settings dialog": ", ouvrir les paramètres des sous-titres", ", opens subtitles settings dialog": ", ouvrir les paramètres des sous-titres",
", opens descriptions settings dialog": ", ouvrir les paramètres des descriptions", ", opens descriptions settings dialog": ", ouvrir les paramètres des descriptions",
", selected": ", sélectionné", ", selected": ", sélectionné",
"captions settings": "Paramètres des sous-titres transcrits", "captions settings": "Paramètres des sous-titres transcrits",
"subtitles settings": "Paramètres des sous-titres", "subtitles settings": "Paramètres des sous-titres",
"descriptions settings": "Paramètres des descriptions", "descriptions settings": "Paramètres des descriptions",
"Text": "Texte", "Text": "Texte",
"White": "Blanc", "White": "Blanc",
"Black": "Noir", "Black": "Noir",
"Red": "Rouge", "Red": "Rouge",
"Green": "Vert", "Green": "Vert",
"Blue": "Bleu", "Blue": "Bleu",
"Yellow": "Jaune", "Yellow": "Jaune",
"Magenta": "Magenta", "Magenta": "Magenta",
"Cyan": "Cyan", "Cyan": "Cyan",
"Background": "Arrière-plan", "Background": "Arrière-plan",
"Window": "Fenêtre", "Window": "Fenêtre",
"Transparent": "Transparent", "Transparent": "Transparent",
"Semi-Transparent": "Semi-transparent", "Semi-Transparent": "Semi-transparent",
"Opaque": "Opaque", "Opaque": "Opaque",
"Font Size": "Taille des caractères", "Font Size": "Taille des caractères",
"Text Edge Style": "Style des contours du texte", "Text Edge Style": "Style des contours du texte",
"None": "Aucun", "None": "Aucun",
"Raised": "Élevé", "Raised": "Élevé",
"Depressed": "Enfoncé", "Depressed": "Enfoncé",
"Uniform": "Uniforme", "Uniform": "Uniforme",
"Dropshadow": "Ombre portée", "Dropshadow": "Ombre portée",
"Font Family": "Famille de polices", "Font Family": "Famille de polices",
"Proportional Sans-Serif": "Polices à chasse variable sans empattement (Proportional Sans-Serif)", "Proportional Sans-Serif": "Polices à chasse variable sans empattement (Proportional Sans-Serif)",
"Monospace Sans-Serif": "Polices à chasse fixe sans empattement (Monospace Sans-Serif)", "Monospace Sans-Serif": "Polices à chasse fixe sans empattement (Monospace Sans-Serif)",
"Proportional Serif": "Polices à chasse variable avec empattement (Proportional Serif)", "Proportional Serif": "Polices à chasse variable avec empattement (Proportional Serif)",
"Monospace Serif": "Polices à chasse fixe avec empattement (Monospace Serif)", "Monospace Serif": "Polices à chasse fixe avec empattement (Monospace Serif)",
"Casual": "Manuscrite", "Casual": "Manuscrite",
"Script": "Scripte", "Script": "Scripte",
"Small Caps": "Petites capitales", "Small Caps": "Petites capitales",
"Reset": "Réinitialiser", "Reset": "Réinitialiser",
"restore all settings to the default values": "Restaurer tous les paramètres aux valeurs par défaut", "restore all settings to the default values": "Restaurer tous les paramètres aux valeurs par défaut",
"Done": "Terminé", "Done": "Terminé",
"Caption Settings Dialog": "Boîte de dialogue des paramètres des sous-titres transcrits", "Caption Settings Dialog": "Boîte de dialogue des paramètres des sous-titres transcrits",
"Beginning of dialog window. Escape will cancel and close the window.": "Début de la fenêtre de dialogue. La touche d'échappement annulera et fermera la fenêtre.", "Beginning of dialog window. Escape will cancel and close the window.": "Début de la fenêtre de dialogue. La touche d'échappement annulera et fermera la fenêtre.",
"End of dialog window.": "Fin de la fenêtre de dialogue." "End of dialog window.": "Fin de la fenêtre de dialogue."
}); });

View File

@ -0,0 +1,84 @@
{
"Audio Player": "Lecteur audio",
"Video Player": "Lecteur vidéo",
"Play": "Lecture",
"Pause": "Pause",
"Replay": "Revoir",
"Current Time": "Temps actuel",
"Duration": "Durée",
"Remaining Time": "Temps restant",
"Stream Type": "Type de flux",
"LIVE": "EN DIRECT",
"Loaded": "Chargé",
"Progress": "Progression",
"Progress Bar": "Barre de progression",
"progress bar timing: currentTime={1} duration={2}": "{1} de {2}",
"Fullscreen": "Plein écran",
"Non-Fullscreen": "Fenêtré",
"Mute": "Sourdine",
"Unmute": "Son activé",
"Playback Rate": "Vitesse de lecture",
"Subtitles": "Sous-titres",
"subtitles off": "Sous-titres désactivés",
"Captions": "Sous-titres transcrits",
"captions off": "Sous-titres transcrits désactivés",
"Chapters": "Chapitres",
"Descriptions": "Descriptions",
"descriptions off": "descriptions désactivées",
"Audio Track": "Piste audio",
"Volume Level": "Niveau de volume",
"You aborted the media playback": "Vous avez interrompu la lecture de la vidéo.",
"A network error caused the media download to fail part-way.": "Une erreur de réseau a interrompu le téléchargement de la vidéo.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Cette vidéo n'a pas pu être chargée, soit parce que le serveur ou le réseau a échoué ou parce que le format n'est pas reconnu.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "La lecture de la vidéo a été interrompue à cause d'un problème de corruption ou parce que la vidéo utilise des fonctionnalités non prises en charge par votre navigateur.",
"No compatible source was found for this media.": "Aucune source compatible n'a été trouvée pour cette vidéo.",
"The media is encrypted and we do not have the keys to decrypt it.": "Le média est chiffré et nous n'avons pas les clés pour le déchiffrer.",
"Play Video": "Lire la vidéo",
"Close": "Fermer",
"Close Modal Dialog": "Fermer la boîte de dialogue modale",
"Modal Window": "Fenêtre modale",
"This is a modal window": "Ceci est une fenêtre modale",
"This modal can be closed by pressing the Escape key or activating the close button.": "Ce modal peut être fermé en appuyant sur la touche Échap ou activer le bouton de fermeture.",
", opens captions settings dialog": ", ouvrir les paramètres des sous-titres transcrits",
", opens subtitles settings dialog": ", ouvrir les paramètres des sous-titres",
", opens descriptions settings dialog": ", ouvrir les paramètres des descriptions",
", selected": ", sélectionné",
"captions settings": "Paramètres des sous-titres transcrits",
"subtitles settings": "Paramètres des sous-titres",
"descriptions settings": "Paramètres des descriptions",
"Text": "Texte",
"White": "Blanc",
"Black": "Noir",
"Red": "Rouge",
"Green": "Vert",
"Blue": "Bleu",
"Yellow": "Jaune",
"Magenta": "Magenta",
"Cyan": "Cyan",
"Background": "Arrière-plan",
"Window": "Fenêtre",
"Transparent": "Transparent",
"Semi-Transparent": "Semi-transparent",
"Opaque": "Opaque",
"Font Size": "Taille des caractères",
"Text Edge Style": "Style des contours du texte",
"None": "Aucun",
"Raised": "Élevé",
"Depressed": "Enfoncé",
"Uniform": "Uniforme",
"Dropshadow": "Ombre portée",
"Font Family": "Famille de polices",
"Proportional Sans-Serif": "Polices à chasse variable sans empattement (Proportional Sans-Serif)",
"Monospace Sans-Serif": "Polices à chasse fixe sans empattement (Monospace Sans-Serif)",
"Proportional Serif": "Polices à chasse variable avec empattement (Proportional Serif)",
"Monospace Serif": "Polices à chasse fixe avec empattement (Monospace Serif)",
"Casual": "Manuscrite",
"Script": "Scripte",
"Small Caps": "Petites capitales",
"Reset": "Réinitialiser",
"restore all settings to the default values": "Restaurer tous les paramètres aux valeurs par défaut",
"Done": "Terminé",
"Caption Settings Dialog": "Boîte de dialogue des paramètres des sous-titres transcrits",
"Beginning of dialog window. Escape will cancel and close the window.": "Début de la fenêtre de dialogue. La touche d'échappement annulera et fermera la fenêtre.",
"End of dialog window.": "Fin de la fenêtre de dialogue."
}

View File

@ -0,0 +1,87 @@
videojs.addLanguage('gd', {
"Audio Player": "Cluicheadair fuaime",
"Video Player": "Cluicheadair video",
"Play": "Cluich",
"Pause": "Cuir na stad",
"Replay": "Cluich a-rithist",
"Current Time": "An ùine làithreach",
"Duration": "Faide",
"Remaining Time": "An ùine air fhàgail",
"Stream Type": "Seòrsa an t-sruthaidh",
"LIVE": "BEÒ",
"Seek to live, currently behind live": "A sireadh sruth beò s air dheireadh",
"Seek to live, currently playing live": "A sireadh sruth beò s ga chluich",
"Loaded": "Air a luchdadh",
"Progress": "Adhartas",
"Progress Bar": "Bàr adhartais",
"progress bar timing: currentTime={1} duration={2}": "{1} à {2}",
"Fullscreen": "Làn-sgrìn",
"Non-Fullscreen": "Fàg modh làn-sgrìn",
"Mute": "Mùch",
"Unmute": "Dì-mhùch",
"Playback Rate": "Reat na cluiche",
"Subtitles": "Fo-thiotalan",
"subtitles off": "fo-thiotalan dheth",
"Captions": "Caipseanan",
"captions off": "caipseanan dheth",
"Chapters": "Caibideil",
"Descriptions": "Tuairisgeulan",
"descriptions off": "tuairisgeulan dheth",
"Audio Track": "Traca fuaime",
"Volume Level": "Àirde na fuaime",
"You aborted the media playback": "Sguir thu de chluich a mheadhain",
"A network error caused the media download to fail part-way.": "Cha deach leinn an còrr dhen mheadhan a luchdadh a-nuas ri linn mearachd lìonraidh.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Cha b urrainn dhuinn am meadhan a luchdadh dhfhaoidte gun do dhfhàillig leis an fhrithealaiche no an lìonra no nach cuir sinn taic ris an fhòrmat.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Sguir sinn de chluich a mheadhain dhfhaoidte gu bheil e coirbte no gu bheil gleus aig a mheadhan nach cuir am brabhsair taic ris.",
"No compatible source was found for this media.": "Cha ceach tùs co-chòrdail a lorg airson a mheadhain seo.",
"The media is encrypted and we do not have the keys to decrypt it.": "Tha am meadhan crioptaichte s chan eil iuchair dì-chrioptachaidh againn dha.",
"Play Video": "Cluich video",
"Close": "Dùin",
"Close Modal Dialog": "Dùin an còmhradh",
"Modal Window": "Uinneag mòdach",
"This is a modal window": "Seo uinneag mòdach",
"This modal can be closed by pressing the Escape key or activating the close button.": "S urrainn dhut seo a dhùnadh leis an iuchair Escape no leis a phutan dùnaidh.",
", opens captions settings dialog": ", fosglaidh e còmhradh nan roghainnean",
", opens subtitles settings dialog": ", fosglaidh e còmhradh nam fo-thiotalan",
", opens descriptions settings dialog": ", fosglaidh e còmhradh roghainnean nan tuairisgeulan",
", selected": ", air a thaghadh",
"captions settings": "roghainnean nan caipseanan",
"subtitles settings": "roghainnean nam fo-thiotalan",
"descriptions settings": "roghainnean nan tuairisgeulan",
"Text": "Teacsa",
"White": "Geal",
"Black": "Dubh",
"Red": "Dearg",
"Green": "Uaine",
"Blue": "Gorm",
"Yellow": "Buidhe",
"Magenta": "Magenta",
"Cyan": "Saidhean",
"Background": "Cùlaibh",
"Window": "Uinneag",
"Transparent": "Trìd-shoilleir",
"Semi-Transparent": "Leth-thrìd-shoilleir",
"Opaque": "Trìd-dhoilleir",
"Font Size": "Meud a chrutha-chlò",
"Text Edge Style": "Stoidhle oir an teacsa",
"None": "Chan eil gin",
"Raised": "Àrdaichte",
"Depressed": "Air a bhrùthadh",
"Uniform": "Cunbhalach",
"Dropshadow": "Sgàil",
"Font Family": "Teaghlach a chrutha-chlò",
"Proportional Sans-Serif": "Sans-serif co-rèireach",
"Monospace Sans-Serif": "Sans-serif aon-leud",
"Proportional Serif": "Serif co-rèireach",
"Monospace Serif": "Serif aon-leud",
"Casual": "Fuasgailte",
"Script": "Sgriobt",
"Small Caps": "Ceann-litrichean beaga",
"Reset": "Ath-shuidhich",
"restore all settings to the default values": "till dhan a h-uile bun-roghainn",
"Done": "Deiseil",
"Caption Settings Dialog": "Còmhradh roghainnean nan caipseanan",
"Beginning of dialog window. Escape will cancel and close the window.": "Toiseach uinneag còmhraidh. Sguiridh Escape dheth s dùinidh e an uinneag",
"End of dialog window.": "Deireadh uinneag còmhraidh.",
"{1} is loading.": "Tha {1} ga luchdadh."
});

View File

@ -0,0 +1,87 @@
{
"Audio Player": "Cluicheadair fuaime",
"Video Player": "Cluicheadair video",
"Play": "Cluich",
"Pause": "Cuir na stad",
"Replay": "Cluich a-rithist",
"Current Time": "An ùine làithreach",
"Duration": "Faide",
"Remaining Time": "An ùine air fhàgail",
"Stream Type": "Seòrsa an t-sruthaidh",
"LIVE": "BEÒ",
"Seek to live, currently behind live": "A sireadh sruth beò s air dheireadh",
"Seek to live, currently playing live": "A sireadh sruth beò s ga chluich",
"Loaded": "Air a luchdadh",
"Progress": "Adhartas",
"Progress Bar": "Bàr adhartais",
"progress bar timing: currentTime={1} duration={2}": "{1} à {2}",
"Fullscreen": "Làn-sgrìn",
"Non-Fullscreen": "Fàg modh làn-sgrìn",
"Mute": "Mùch",
"Unmute": "Dì-mhùch",
"Playback Rate": "Reat na cluiche",
"Subtitles": "Fo-thiotalan",
"subtitles off": "fo-thiotalan dheth",
"Captions": "Caipseanan",
"captions off": "caipseanan dheth",
"Chapters": "Caibideil",
"Descriptions": "Tuairisgeulan",
"descriptions off": "tuairisgeulan dheth",
"Audio Track": "Traca fuaime",
"Volume Level": "Àirde na fuaime",
"You aborted the media playback": "Sguir thu de chluich a mheadhain",
"A network error caused the media download to fail part-way.": "Cha deach leinn an còrr dhen mheadhan a luchdadh a-nuas ri linn mearachd lìonraidh.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Cha b urrainn dhuinn am meadhan a luchdadh dhfhaoidte gun do dhfhàillig leis an fhrithealaiche no an lìonra no nach cuir sinn taic ris an fhòrmat.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Sguir sinn de chluich a mheadhain dhfhaoidte gu bheil e coirbte no gu bheil gleus aig a mheadhan nach cuir am brabhsair taic ris.",
"No compatible source was found for this media.": "Cha ceach tùs co-chòrdail a lorg airson a mheadhain seo.",
"The media is encrypted and we do not have the keys to decrypt it.": "Tha am meadhan crioptaichte s chan eil iuchair dì-chrioptachaidh againn dha.",
"Play Video": "Cluich video",
"Close": "Dùin",
"Close Modal Dialog": "Dùin an còmhradh",
"Modal Window": "Uinneag mòdach",
"This is a modal window": "Seo uinneag mòdach",
"This modal can be closed by pressing the Escape key or activating the close button.": "S urrainn dhut seo a dhùnadh leis an iuchair Escape no leis a phutan dùnaidh.",
", opens captions settings dialog": ", fosglaidh e còmhradh nan roghainnean",
", opens subtitles settings dialog": ", fosglaidh e còmhradh nam fo-thiotalan",
", opens descriptions settings dialog": ", fosglaidh e còmhradh roghainnean nan tuairisgeulan",
", selected": ", air a thaghadh",
"captions settings": "roghainnean nan caipseanan",
"subtitles settings": "roghainnean nam fo-thiotalan",
"descriptions settings": "roghainnean nan tuairisgeulan",
"Text": "Teacsa",
"White": "Geal",
"Black": "Dubh",
"Red": "Dearg",
"Green": "Uaine",
"Blue": "Gorm",
"Yellow": "Buidhe",
"Magenta": "Magenta",
"Cyan": "Saidhean",
"Background": "Cùlaibh",
"Window": "Uinneag",
"Transparent": "Trìd-shoilleir",
"Semi-Transparent": "Leth-thrìd-shoilleir",
"Opaque": "Trìd-dhoilleir",
"Font Size": "Meud a chrutha-chlò",
"Text Edge Style": "Stoidhle oir an teacsa",
"None": "Chan eil gin",
"Raised": "Àrdaichte",
"Depressed": "Air a bhrùthadh",
"Uniform": "Cunbhalach",
"Dropshadow": "Sgàil",
"Font Family": "Teaghlach a chrutha-chlò",
"Proportional Sans-Serif": "Sans-serif co-rèireach",
"Monospace Sans-Serif": "Sans-serif aon-leud",
"Proportional Serif": "Serif co-rèireach",
"Monospace Serif": "Serif aon-leud",
"Casual": "Fuasgailte",
"Script": "Sgriobt",
"Small Caps": "Ceann-litrichean beaga",
"Reset": "Ath-shuidhich",
"restore all settings to the default values": "till dhan a h-uile bun-roghainn",
"Done": "Deiseil",
"Caption Settings Dialog": "Còmhradh roghainnean nan caipseanan",
"Beginning of dialog window. Escape will cancel and close the window.": "Toiseach uinneag còmhraidh. Sguiridh Escape dheth s dùinidh e an uinneag",
"End of dialog window.": "Deireadh uinneag còmhraidh.",
"{1} is loading.": "Tha {1} ga luchdadh."
}

View File

@ -1,27 +1,87 @@
videojs.addLanguage("gl",{ videojs.addLanguage('gl', {
"Play": "Reprodución", "Audio Player": "Reprodutor de son",
"Play Video": "Reprodución Vídeo", "Video Player": "Reprodutor de vídeo",
"Pause": "Pausa", "Play": "Reproducir",
"Current Time": "Tempo reproducido", "Pause": "Pausa",
"Duration": "Duración total", "Replay": "Repetir",
"Remaining Time": "Tempo restante", "Current Time": "Tempo reproducido",
"Stream Type": "Tipo de secuencia", "Duration": "Duración",
"LIVE": "DIRECTO", "Remaining Time": "Tempo restante",
"Loaded": "Cargado", "Stream Type": "Tipo de fluxo",
"Progress": "Progreso", "LIVE": "EN DIRECTO",
"Fullscreen": "Pantalla completa", "Seek to live, currently behind live": "Buscando directo, actualmente tras en directo",
"Non-Fullscreen": "Pantalla non completa", "Seek to live, currently playing live": "Buscando directo, actualmente reproducindo en directo",
"Mute": "Silenciar", "Loaded": "Cargado",
"Unmute": "Non silenciado", "Progress": "Progresión",
"Playback Rate": "Velocidade de reprodución", "Progress Bar": "Barra de progreso",
"Subtitles": "Subtítulos", "progress bar timing: currentTime={1} duration={2}": "{1} de {2}",
"subtitles off": "Subtítulos desactivados", "Fullscreen": "Pantalla completa",
"Captions": "Subtítulos con lenda", "Non-Fullscreen": "Xanela",
"captions off": "Subtítulos con lenda desactivados", "Mute": "Silenciar",
"Chapters": "Capítulos", "Unmute": "Son activado",
"You aborted the media playback": "Interrompeches a reprodución do vídeo.", "Playback Rate": "Velocidade de reprodución",
"A network error caused the media download to fail part-way.": "Un erro de rede interrompeu a descarga do vídeo.", "Subtitles": "Subtítulos",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Non se puido cargar o vídeo debido a un fallo de rede ou do servidor ou porque o formato é incompatible.", "subtitles off": "subtítulos desactivados",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "A reproducción de vídeo interrompeuse por un problema de corrupción de datos ou porque o vídeo precisa funcións que o teu navegador non ofrece.", "Captions": "Subtítulos para xordos",
"No compatible source was found for this media.": "Non se atopou ningunha fonte compatible con este vídeo." "captions off": "subtítulos para xordos desactivados",
"Chapters": "Capítulos",
"Descriptions": "Descricións",
"descriptions off": "descricións desactivadas",
"Audio Track": "Pista de son",
"Volume Level": "Nivel do volume",
"You aborted the media playback": "Vostede interrompeu a reprodución do medio.",
"A network error caused the media download to fail part-way.": "Un erro de rede interrompeu a descarga do medio.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Non foi posíbel cargar o medio por mor dun fallo de rede ou do servidor ou porque o formato non é compatíbel.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Interrompeuse a reprodución do medio por mor dun problema de estragamento dos datos ou porque o medio precisa funcións que o seu navegador non ofrece.",
"No compatible source was found for this media.": "Non se atopou ningunha orixe compatíbel con este vídeo.",
"The media is encrypted and we do not have the keys to decrypt it.": "O medio está cifrado e non temos as chaves para descifralo .",
"Play Video": "Reproducir vídeo",
"Close": "Pechar",
"Close Modal Dialog": "Pechar a caixa de diálogo modal",
"Modal Window": "Xanela modal",
"This is a modal window": "Esta é unha xanela modal",
"This modal can be closed by pressing the Escape key or activating the close button.": "Este diálogo modal pódese pechar premendo a tecla Escape ou activando o botón de pechar.",
", opens captions settings dialog": ", abre o diálogo de axustes dos subtítulos para xordos",
", opens subtitles settings dialog": ", abre o diálogo de axustes dos subtítulos",
", opens descriptions settings dialog": ", abre o diálogo de axustes das descricións",
", selected": ", séleccionado",
"captions settings": "axustes dos subtítulos para xordos",
"subtitles settings": "axustes dos subtítulos",
"descriptions settings": "axustes das descricións",
"Text": "Texto",
"White": "Branco",
"Black": "Negro",
"Red": "Vermello",
"Green": "Verde",
"Blue": "Azul",
"Yellow": "Marelo",
"Magenta": "Maxenta",
"Cyan": "Cian",
"Background": "Fondo",
"Window": "Xanela",
"Transparent": "Transparente",
"Semi-Transparent": "Semi-transparente",
"Opaque": "Opaca",
"Font Size": "Tamaño das letras",
"Text Edge Style": "Estilo do bordos do texto",
"None": "Ningún",
"Raised": "Érguida",
"Depressed": "Caída",
"Uniform": "Uniforme",
"Dropshadow": "Sombra caída",
"Font Family": "Familia de letras",
"Proportional Sans-Serif": "Sans-Serif proporcional",
"Monospace Sans-Serif": "Sans-Serif monoespazo (caixa fixa)",
"Proportional Serif": "Serif proporcional",
"Monospace Serif": "Serif monoespazo (caixa fixa)",
"Casual": "Manuscrito",
"Script": "Itálica",
"Small Caps": "Pequenas maiúsculas",
"Reset": "Reiniciar",
"restore all settings to the default values": "restaurar todos os axustes aos valores predeterminados",
"Done": "Feito",
"Caption Settings Dialog": "Diálogo de axustes dos subtítulos para xordos",
"Beginning of dialog window. Escape will cancel and close the window.": "Inicio da xanela de diálogo. A tecla Escape cancelará e pechará a xanela.",
"End of dialog window.": "Fin da xanela de diálogo.",
"{1} is loading.": "{1} está a cargar."
}); });

View File

@ -0,0 +1,87 @@
{
"Audio Player": "Reprodutor de son",
"Video Player": "Reprodutor de vídeo",
"Play": "Reproducir",
"Pause": "Pausa",
"Replay": "Repetir",
"Current Time": "Tempo reproducido",
"Duration": "Duración",
"Remaining Time": "Tempo restante",
"Stream Type": "Tipo de fluxo",
"LIVE": "EN DIRECTO",
"Seek to live, currently behind live": "Buscando directo, actualmente tras en directo",
"Seek to live, currently playing live": "Buscando directo, actualmente reproducindo en directo",
"Loaded": "Cargado",
"Progress": "Progresión",
"Progress Bar": "Barra de progreso",
"progress bar timing: currentTime={1} duration={2}": "{1} de {2}",
"Fullscreen": "Pantalla completa",
"Non-Fullscreen": "Xanela",
"Mute": "Silenciar",
"Unmute": "Son activado",
"Playback Rate": "Velocidade de reprodución",
"Subtitles": "Subtítulos",
"subtitles off": "subtítulos desactivados",
"Captions": "Subtítulos para xordos",
"captions off": "subtítulos para xordos desactivados",
"Chapters": "Capítulos",
"Descriptions": "Descricións",
"descriptions off": "descricións desactivadas",
"Audio Track": "Pista de son",
"Volume Level": "Nivel do volume",
"You aborted the media playback": "Vostede interrompeu a reprodución do medio.",
"A network error caused the media download to fail part-way.": "Un erro de rede interrompeu a descarga do medio.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Non foi posíbel cargar o medio por mor dun fallo de rede ou do servidor ou porque o formato non é compatíbel.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Interrompeuse a reprodución do medio por mor dun problema de estragamento dos datos ou porque o medio precisa funcións que o seu navegador non ofrece.",
"No compatible source was found for this media.": "Non se atopou ningunha orixe compatíbel con este vídeo.",
"The media is encrypted and we do not have the keys to decrypt it.": "O medio está cifrado e non temos as chaves para descifralo .",
"Play Video": "Reproducir vídeo",
"Close": "Pechar",
"Close Modal Dialog": "Pechar a caixa de diálogo modal",
"Modal Window": "Xanela modal",
"This is a modal window": "Esta é unha xanela modal",
"This modal can be closed by pressing the Escape key or activating the close button.": "Este diálogo modal pódese pechar premendo a tecla Escape ou activando o botón de pechar.",
", opens captions settings dialog": ", abre o diálogo de axustes dos subtítulos para xordos",
", opens subtitles settings dialog": ", abre o diálogo de axustes dos subtítulos",
", opens descriptions settings dialog": ", abre o diálogo de axustes das descricións",
", selected": ", séleccionado",
"captions settings": "axustes dos subtítulos para xordos",
"subtitles settings": "axustes dos subtítulos",
"descriptions settings": "axustes das descricións",
"Text": "Texto",
"White": "Branco",
"Black": "Negro",
"Red": "Vermello",
"Green": "Verde",
"Blue": "Azul",
"Yellow": "Marelo",
"Magenta": "Maxenta",
"Cyan": "Cian",
"Background": "Fondo",
"Window": "Xanela",
"Transparent": "Transparente",
"Semi-Transparent": "Semi-transparente",
"Opaque": "Opaca",
"Font Size": "Tamaño das letras",
"Text Edge Style": "Estilo do bordos do texto",
"None": "Ningún",
"Raised": "Érguida",
"Depressed": "Caída",
"Uniform": "Uniforme",
"Dropshadow": "Sombra caída",
"Font Family": "Familia de letras",
"Proportional Sans-Serif": "Sans-Serif proporcional",
"Monospace Sans-Serif": "Sans-Serif monoespazo (caixa fixa)",
"Proportional Serif": "Serif proporcional",
"Monospace Serif": "Serif monoespazo (caixa fixa)",
"Casual": "Manuscrito",
"Script": "Itálica",
"Small Caps": "Pequenas maiúsculas",
"Reset": "Reiniciar",
"restore all settings to the default values": "restaurar todos os axustes aos valores predeterminados",
"Done": "Feito",
"Caption Settings Dialog": "Diálogo de axustes dos subtítulos para xordos",
"Beginning of dialog window. Escape will cancel and close the window.": "Inicio da xanela de diálogo. A tecla Escape cancelará e pechará a xanela.",
"End of dialog window.": "Fin da xanela de diálogo.",
"{1} is loading.": "{1} está a cargar."
}

View File

@ -1,84 +1,84 @@
videojs.addLanguage("he",{ videojs.addLanguage('he', {
"Audio Player": "נַגָּן שמע", "Audio Player": "נַגָּן שמע",
"Video Player": "נַגָּן וידאו", "Video Player": "נַגָּן וידאו",
"Play": "נַגֵּן", "Play": "נַגֵּן",
"Pause": "השהה", "Pause": "השהה",
"Replay": "נַגֵּן שוב", "Replay": "נַגֵּן שוב",
"Current Time": "זמן נוכחי", "Current Time": "זמן נוכחי",
"Duration": "זמן כולל", "Duration": "זמן כולל",
"Remaining Time": "זמן נותר", "Remaining Time": "זמן נותר",
"Stream Type": "סוג Stream", "Stream Type": "סוג Stream",
"LIVE": "שידור חי", "LIVE": "שידור חי",
"Loaded": "נטען", "Loaded": "נטען",
"Progress": "התקדמות", "Progress": "התקדמות",
"Progress Bar": "סרגל התקדמות", "Progress Bar": "סרגל התקדמות",
"progress bar timing: currentTime={1} duration={2}": "{1} מתוך {2}", "progress bar timing: currentTime={1} duration={2}": "{1} מתוך {2}",
"Fullscreen": "מסך מלא", "Fullscreen": "מסך מלא",
"Non-Fullscreen": "מסך לא מלא", "Non-Fullscreen": "מסך לא מלא",
"Mute": "השתק", "Mute": "השתק",
"Unmute": "בטל השתקה", "Unmute": "בטל השתקה",
"Playback Rate": "קצב ניגון", "Playback Rate": "קצב ניגון",
"Subtitles": "כתוביות", "Subtitles": "כתוביות",
"subtitles off": "כתוביות כבויות", "subtitles off": "כתוביות כבויות",
"Captions": "כיתובים", "Captions": "כיתובים",
"captions off": "כיתובים כבויים", "captions off": "כיתובים כבויים",
"Chapters": "פרקים", "Chapters": "פרקים",
"Descriptions": "תיאורים", "Descriptions": "תיאורים",
"descriptions off": "תיאורים כבויים", "descriptions off": "תיאורים כבויים",
"Audio Track": "רצועת שמע", "Audio Track": "רצועת שמע",
"Volume Level": "רמת ווליום", "Volume Level": "רמת ווליום",
"You aborted the media playback": "ביטלת את השמעת המדיה", "You aborted the media playback": "ביטלת את השמעת המדיה",
"A network error caused the media download to fail part-way.": "שגיאת רשת גרמה להורדת המדיה להיכשל באמצע.", "A network error caused the media download to fail part-way.": "שגיאת רשת גרמה להורדת המדיה להיכשל באמצע.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "לא ניתן לטעון את המדיה, או מכיוון שהרשת או השרת כשלו או מכיוון שהפורמט אינו נתמך.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "לא ניתן לטעון את המדיה, או מכיוון שהרשת או השרת כשלו או מכיוון שהפורמט אינו נתמך.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "השמעת המדיה בוטלה בשל בעית השחטת מידע או מכיוון שהמדיה עשתה שימוש בתכונות שהדפדפן שלך לא תמך בהן.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "השמעת המדיה בוטלה בשל בעית השחטת מידע או מכיוון שהמדיה עשתה שימוש בתכונות שהדפדפן שלך לא תמך בהן.",
"No compatible source was found for this media.": "לא נמצא מקור תואם עבור מדיה זו.", "No compatible source was found for this media.": "לא נמצא מקור תואם עבור מדיה זו.",
"The media is encrypted and we do not have the keys to decrypt it.": "המדיה מוצפנת ואין בידינו את המפתח כדי לפענח אותה.", "The media is encrypted and we do not have the keys to decrypt it.": "המדיה מוצפנת ואין בידינו את המפתח כדי לפענח אותה.",
"Play Video": "נַגֵּן וידאו", "Play Video": "נַגֵּן וידאו",
"Close": "סְגוֹר", "Close": "סְגוֹר",
"Close Modal Dialog": "סְגוֹר דו-שיח מודאלי", "Close Modal Dialog": "סְגוֹר דו-שיח מודאלי",
"Modal Window": "חלון מודאלי", "Modal Window": "חלון מודאלי",
"This is a modal window": "זהו חלון מודאלי", "This is a modal window": "זהו חלון מודאלי",
"This modal can be closed by pressing the Escape key or activating the close button.": "ניתן לסגור חלון מודאלי זה ע\"י לחיצה על כפתור ה-Escape או הפעלת כפתור הסגירה.", "This modal can be closed by pressing the Escape key or activating the close button.": "ניתן לסגור חלון מודאלי זה ע\"י לחיצה על כפתור ה-Escape או הפעלת כפתור הסגירה.",
", opens captions settings dialog": ", פותח חלון הגדרות כיתובים", ", opens captions settings dialog": ", פותח חלון הגדרות כיתובים",
", opens subtitles settings dialog": ", פותח חלון הגדרות כתוביות", ", opens subtitles settings dialog": ", פותח חלון הגדרות כתוביות",
", opens descriptions settings dialog": ", פותח חלון הגדרות תיאורים", ", opens descriptions settings dialog": ", פותח חלון הגדרות תיאורים",
", selected": ", נבחר/ו", ", selected": ", נבחר/ו",
"captions settings": "הגדרות כיתובים", "captions settings": "הגדרות כיתובים",
"subtitles settings": "הגדרות כתוביות", "subtitles settings": "הגדרות כתוביות",
"descriptions settings": "הגדרות תיאורים", "descriptions settings": "הגדרות תיאורים",
"Text": "טקסט", "Text": "טקסט",
"White": "לבן", "White": "לבן",
"Black": "שחור", "Black": "שחור",
"Red": "אדום", "Red": "אדום",
"Green": "ירוק", "Green": "ירוק",
"Blue": "כחול", "Blue": "כחול",
"Yellow": "צהוב", "Yellow": "צהוב",
"Magenta": "מַגֶ'נטָה", "Magenta": "מַגֶ'נטָה",
"Cyan": "טורקיז", "Cyan": "טורקיז",
"Background": "רקע", "Background": "רקע",
"Window": "חלון", "Window": "חלון",
"Transparent": "שקוף", "Transparent": "שקוף",
"Semi-Transparent": "שקוף למחצה", "Semi-Transparent": "שקוף למחצה",
"Opaque": "אָטוּם", "Opaque": "אָטוּם",
"Font Size": "גודל גופן", "Font Size": "גודל גופן",
"Text Edge Style": "סגנון קצוות טקסט", "Text Edge Style": "סגנון קצוות טקסט",
"None": "ללא", "None": "ללא",
"Raised": "מורם", "Raised": "מורם",
"Depressed": "מורד", "Depressed": "מורד",
"Uniform": "אחיד", "Uniform": "אחיד",
"Dropshadow": "הטלת צל", "Dropshadow": "הטלת צל",
"Font Family": "משפחת גופן", "Font Family": "משפחת גופן",
"Proportional Sans-Serif": "פרופורציוני וללא תגיות (Proportional Sans-Serif)", "Proportional Sans-Serif": "פרופורציוני וללא תגיות (Proportional Sans-Serif)",
"Monospace Sans-Serif": "ברוחב אחיד וללא תגיות (Monospace Sans-Serif)", "Monospace Sans-Serif": "ברוחב אחיד וללא תגיות (Monospace Sans-Serif)",
"Proportional Serif": "פרופורציוני ועם תגיות (Proportional Serif)", "Proportional Serif": "פרופורציוני ועם תגיות (Proportional Serif)",
"Monospace Serif": "ברוחב אחיד ועם תגיות (Monospace Serif)", "Monospace Serif": "ברוחב אחיד ועם תגיות (Monospace Serif)",
"Casual": "אַגָבִי", "Casual": "אַגָבִי",
"Script": "תסריט", "Script": "תסריט",
"Small Caps": "אותיות קטנות", "Small Caps": "אותיות קטנות",
"Reset": "אִפּוּס", "Reset": "אִפּוּס",
"restore all settings to the default values": "שחזר את כל ההגדרות לערכי ברירת המחדל", "restore all settings to the default values": "שחזר את כל ההגדרות לערכי ברירת המחדל",
"Done": "בוצע", "Done": "בוצע",
"Caption Settings Dialog": "דו-שיח הגדרות כיתובים", "Caption Settings Dialog": "דו-שיח הגדרות כיתובים",
"Beginning of dialog window. Escape will cancel and close the window.": "תחילת חלון דו-שיח. Escape יבטל ויסגור את החלון", "Beginning of dialog window. Escape will cancel and close the window.": "תחילת חלון דו-שיח. Escape יבטל ויסגור את החלון",
"End of dialog window.": "סוף חלון דו-שיח." "End of dialog window.": "סוף חלון דו-שיח."
}); });

View File

@ -0,0 +1,84 @@
{
"Audio Player": "נַגָּן שמע",
"Video Player": "נַגָּן וידאו",
"Play": "נַגֵּן",
"Pause": "השהה",
"Replay": "נַגֵּן שוב",
"Current Time": "זמן נוכחי",
"Duration": "זמן כולל",
"Remaining Time": "זמן נותר",
"Stream Type": "סוג Stream",
"LIVE": "שידור חי",
"Loaded": "נטען",
"Progress": "התקדמות",
"Progress Bar": "סרגל התקדמות",
"progress bar timing: currentTime={1} duration={2}": "{1} מתוך {2}",
"Fullscreen": "מסך מלא",
"Non-Fullscreen": "מסך לא מלא",
"Mute": "השתק",
"Unmute": "בטל השתקה",
"Playback Rate": "קצב ניגון",
"Subtitles": "כתוביות",
"subtitles off": "כתוביות כבויות",
"Captions": "כיתובים",
"captions off": "כיתובים כבויים",
"Chapters": "פרקים",
"Descriptions": "תיאורים",
"descriptions off": "תיאורים כבויים",
"Audio Track": "רצועת שמע",
"Volume Level": "רמת ווליום",
"You aborted the media playback": "ביטלת את השמעת המדיה",
"A network error caused the media download to fail part-way.": "שגיאת רשת גרמה להורדת המדיה להיכשל באמצע.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "לא ניתן לטעון את המדיה, או מכיוון שהרשת או השרת כשלו או מכיוון שהפורמט אינו נתמך.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "השמעת המדיה בוטלה בשל בעית השחטת מידע או מכיוון שהמדיה עשתה שימוש בתכונות שהדפדפן שלך לא תמך בהן.",
"No compatible source was found for this media.": "לא נמצא מקור תואם עבור מדיה זו.",
"The media is encrypted and we do not have the keys to decrypt it.": "המדיה מוצפנת ואין בידינו את המפתח כדי לפענח אותה.",
"Play Video": "נַגֵּן וידאו",
"Close": "סְגוֹר",
"Close Modal Dialog": "סְגוֹר דו-שיח מודאלי",
"Modal Window": "חלון מודאלי",
"This is a modal window": "זהו חלון מודאלי",
"This modal can be closed by pressing the Escape key or activating the close button.": "ניתן לסגור חלון מודאלי זה ע\"י לחיצה על כפתור ה-Escape או הפעלת כפתור הסגירה.",
", opens captions settings dialog": ", פותח חלון הגדרות כיתובים",
", opens subtitles settings dialog": ", פותח חלון הגדרות כתוביות",
", opens descriptions settings dialog": ", פותח חלון הגדרות תיאורים",
", selected": ", נבחר/ו",
"captions settings": "הגדרות כיתובים",
"subtitles settings": "הגדרות כתוביות",
"descriptions settings": "הגדרות תיאורים",
"Text": "טקסט",
"White": "לבן",
"Black": "שחור",
"Red": "אדום",
"Green": "ירוק",
"Blue": "כחול",
"Yellow": "צהוב",
"Magenta": "מַגֶ'נטָה",
"Cyan": "טורקיז",
"Background": "רקע",
"Window": "חלון",
"Transparent": "שקוף",
"Semi-Transparent": "שקוף למחצה",
"Opaque": "אָטוּם",
"Font Size": "גודל גופן",
"Text Edge Style": "סגנון קצוות טקסט",
"None": "ללא",
"Raised": "מורם",
"Depressed": "מורד",
"Uniform": "אחיד",
"Dropshadow": "הטלת צל",
"Font Family": "משפחת גופן",
"Proportional Sans-Serif": "פרופורציוני וללא תגיות (Proportional Sans-Serif)",
"Monospace Sans-Serif": "ברוחב אחיד וללא תגיות (Monospace Sans-Serif)",
"Proportional Serif": "פרופורציוני ועם תגיות (Proportional Serif)",
"Monospace Serif": "ברוחב אחיד ועם תגיות (Monospace Serif)",
"Casual": "אַגָבִי",
"Script": "תסריט",
"Small Caps": "אותיות קטנות",
"Reset": "אִפּוּס",
"restore all settings to the default values": "שחזר את כל ההגדרות לערכי ברירת המחדל",
"Done": "בוצע",
"Caption Settings Dialog": "דו-שיח הגדרות כיתובים",
"Beginning of dialog window. Escape will cancel and close the window.": "תחילת חלון דו-שיח. Escape יבטל ויסגור את החלון",
"End of dialog window.": "סוף חלון דו-שיח."
}

View File

@ -1,26 +1,26 @@
videojs.addLanguage("hr",{ videojs.addLanguage('hr', {
"Play": "Pusti", "Play": "Pusti",
"Pause": "Pauza", "Pause": "Pauza",
"Current Time": "Trenutno vrijeme", "Current Time": "Trenutno vrijeme",
"Duration": "Vrijeme trajanja", "Duration": "Vrijeme trajanja",
"Remaining Time": "Preostalo vrijeme", "Remaining Time": "Preostalo vrijeme",
"Stream Type": "Način strimovanja", "Stream Type": "Način strimovanja",
"LIVE": "UŽIVO", "LIVE": "UŽIVO",
"Loaded": "Učitan", "Loaded": "Učitan",
"Progress": "Progres", "Progress": "Progres",
"Fullscreen": "Puni ekran", "Fullscreen": "Puni ekran",
"Non-Fullscreen": "Mali ekran", "Non-Fullscreen": "Mali ekran",
"Mute": "Prigušen", "Mute": "Prigušen",
"Unmute": "Ne-prigušen", "Unmute": "Ne-prigušen",
"Playback Rate": "Stopa reprodukcije", "Playback Rate": "Stopa reprodukcije",
"Subtitles": "Podnaslov", "Subtitles": "Podnaslov",
"subtitles off": "Podnaslov deaktiviran", "subtitles off": "Podnaslov deaktiviran",
"Captions": "Titlovi", "Captions": "Titlovi",
"captions off": "Titlovi deaktivirani", "captions off": "Titlovi deaktivirani",
"Chapters": "Poglavlja", "Chapters": "Poglavlja",
"You aborted the media playback": "Isključili ste reprodukciju videa.", "You aborted the media playback": "Isključili ste reprodukciju videa.",
"A network error caused the media download to fail part-way.": "Video se prestao preuzimati zbog greške na mreži.", "A network error caused the media download to fail part-way.": "Video se prestao preuzimati zbog greške na mreži.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Video se ne može reproducirati zbog servera, greške u mreži ili je format ne podržan.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "Video se ne može reproducirati zbog servera, greške u mreži ili je format ne podržan.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Reprodukcija videa je zaustavljenja zbog greške u formatu ili zbog verzije vašeg pretraživača.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Reprodukcija videa je zaustavljenja zbog greške u formatu ili zbog verzije vašeg pretraživača.",
"No compatible source was found for this media.": "Nije nađen nijedan kompatibilan izvor ovog videa." "No compatible source was found for this media.": "Nije nađen nijedan kompatibilan izvor ovog videa."
}); });

View File

@ -0,0 +1,26 @@
{
"Play": "Pusti",
"Pause": "Pauza",
"Current Time": "Trenutno vrijeme",
"Duration": "Vrijeme trajanja",
"Remaining Time": "Preostalo vrijeme",
"Stream Type": "Način strimovanja",
"LIVE": "UŽIVO",
"Loaded": "Učitan",
"Progress": "Progres",
"Fullscreen": "Puni ekran",
"Non-Fullscreen": "Mali ekran",
"Mute": "Prigušen",
"Unmute": "Ne-prigušen",
"Playback Rate": "Stopa reprodukcije",
"Subtitles": "Podnaslov",
"subtitles off": "Podnaslov deaktiviran",
"Captions": "Titlovi",
"captions off": "Titlovi deaktivirani",
"Chapters": "Poglavlja",
"You aborted the media playback": "Isključili ste reprodukciju videa.",
"A network error caused the media download to fail part-way.": "Video se prestao preuzimati zbog greške na mreži.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Video se ne može reproducirati zbog servera, greške u mreži ili je format ne podržan.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Reprodukcija videa je zaustavljenja zbog greške u formatu ili zbog verzije vašeg pretraživača.",
"No compatible source was found for this media.": "Nije nađen nijedan kompatibilan izvor ovog videa."
}

View File

@ -1,26 +1,26 @@
videojs.addLanguage("hu",{ videojs.addLanguage('hu', {
"Play": "Lejátszás", "Play": "Lejátszás",
"Pause": "Szünet", "Pause": "Szünet",
"Current Time": "Aktuális időpont", "Current Time": "Aktuális időpont",
"Duration": "Hossz", "Duration": "Hossz",
"Remaining Time": "Hátralévő idő", "Remaining Time": "Hátralévő idő",
"Stream Type": "Adatfolyam típusa", "Stream Type": "Adatfolyam típusa",
"LIVE": "ÉLŐ", "LIVE": "ÉLŐ",
"Loaded": "Betöltve", "Loaded": "Betöltve",
"Progress": "Állapot", "Progress": "Állapot",
"Fullscreen": "Teljes képernyő", "Fullscreen": "Teljes képernyő",
"Non-Fullscreen": "Normál méret", "Non-Fullscreen": "Normál méret",
"Mute": "Némítás", "Mute": "Némítás",
"Unmute": "Némítás kikapcsolva", "Unmute": "Némítás kikapcsolva",
"Playback Rate": "Lejátszási sebesség", "Playback Rate": "Lejátszási sebesség",
"Subtitles": "Feliratok", "Subtitles": "Feliratok",
"subtitles off": "Feliratok kikapcsolva", "subtitles off": "Feliratok kikapcsolva",
"Captions": "Magyarázó szöveg", "Captions": "Magyarázó szöveg",
"captions off": "Magyarázó szöveg kikapcsolva", "captions off": "Magyarázó szöveg kikapcsolva",
"Chapters": "Fejezetek", "Chapters": "Fejezetek",
"You aborted the media playback": "Leállította a lejátszást", "You aborted the media playback": "Leállította a lejátszást",
"A network error caused the media download to fail part-way.": "Hálózati hiba miatt a videó részlegesen töltődött le.", "A network error caused the media download to fail part-way.": "Hálózati hiba miatt a videó részlegesen töltődött le.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "A videó nem tölthető be hálózati vagy kiszolgálói hiba miatt, vagy a formátuma nem támogatott.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "A videó nem tölthető be hálózati vagy kiszolgálói hiba miatt, vagy a formátuma nem támogatott.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "A lejátszás adatsérülés miatt leállt, vagy a videó egyes tulajdonságait a böngészője nem támogatja.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "A lejátszás adatsérülés miatt leállt, vagy a videó egyes tulajdonságait a böngészője nem támogatja.",
"No compatible source was found for this media.": "Nincs kompatibilis forrás ehhez a videóhoz." "No compatible source was found for this media.": "Nincs kompatibilis forrás ehhez a videóhoz."
}); });

View File

@ -0,0 +1,26 @@
{
"Play": "Lejátszás",
"Pause": "Szünet",
"Current Time": "Aktuális időpont",
"Duration": "Hossz",
"Remaining Time": "Hátralévő idő",
"Stream Type": "Adatfolyam típusa",
"LIVE": "ÉLŐ",
"Loaded": "Betöltve",
"Progress": "Állapot",
"Fullscreen": "Teljes képernyő",
"Non-Fullscreen": "Normál méret",
"Mute": "Némítás",
"Unmute": "Némítás kikapcsolva",
"Playback Rate": "Lejátszási sebesség",
"Subtitles": "Feliratok",
"subtitles off": "Feliratok kikapcsolva",
"Captions": "Magyarázó szöveg",
"captions off": "Magyarázó szöveg kikapcsolva",
"Chapters": "Fejezetek",
"You aborted the media playback": "Leállította a lejátszást",
"A network error caused the media download to fail part-way.": "Hálózati hiba miatt a videó részlegesen töltődött le.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "A videó nem tölthető be hálózati vagy kiszolgálói hiba miatt, vagy a formátuma nem támogatott.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "A lejátszás adatsérülés miatt leállt, vagy a videó egyes tulajdonságait a böngészője nem támogatja.",
"No compatible source was found for this media.": "Nincs kompatibilis forrás ehhez a videóhoz."
}

View File

@ -1,26 +1,26 @@
videojs.addLanguage("it",{ videojs.addLanguage('it', {
"Play": "Play", "Play": "Play",
"Pause": "Pausa", "Pause": "Pausa",
"Current Time": "Orario attuale", "Current Time": "Orario attuale",
"Duration": "Durata", "Duration": "Durata",
"Remaining Time": "Tempo rimanente", "Remaining Time": "Tempo rimanente",
"Stream Type": "Tipo del Streaming", "Stream Type": "Tipo del Streaming",
"LIVE": "LIVE", "LIVE": "LIVE",
"Loaded": "Caricato", "Loaded": "Caricato",
"Progress": "Stato", "Progress": "Stato",
"Fullscreen": "Schermo intero", "Fullscreen": "Schermo intero",
"Non-Fullscreen": "Chiudi schermo intero", "Non-Fullscreen": "Chiudi schermo intero",
"Mute": "Muto", "Mute": "Muto",
"Unmute": "Audio", "Unmute": "Audio",
"Playback Rate": "Tasso di riproduzione", "Playback Rate": "Tasso di riproduzione",
"Subtitles": "Sottotitoli", "Subtitles": "Sottotitoli",
"subtitles off": "Senza sottotitoli", "subtitles off": "Senza sottotitoli",
"Captions": "Sottotitoli non udenti", "Captions": "Sottotitoli non udenti",
"captions off": "Senza sottotitoli non udenti", "captions off": "Senza sottotitoli non udenti",
"Chapters": "Capitolo", "Chapters": "Capitolo",
"You aborted the media playback": "La riproduzione del filmato è stata interrotta.", "You aborted the media playback": "La riproduzione del filmato è stata interrotta.",
"A network error caused the media download to fail part-way.": "Il download del filmato è stato interrotto a causa di un problema rete.", "A network error caused the media download to fail part-way.": "Il download del filmato è stato interrotto a causa di un problema rete.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Il filmato non può essere caricato a causa di un errore nel server o nella rete o perché il formato non viene supportato.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "Il filmato non può essere caricato a causa di un errore nel server o nella rete o perché il formato non viene supportato.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "La riproduzione del filmato è stata interrotta a causa di un file danneggiato o per lutilizzo di impostazioni non supportate dal browser.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "La riproduzione del filmato è stata interrotta a causa di un file danneggiato o per lutilizzo di impostazioni non supportate dal browser.",
"No compatible source was found for this media.": "Non ci sono fonti compatibili per questo filmato." "No compatible source was found for this media.": "Non ci sono fonti compatibili per questo filmato."
}); });

View File

@ -0,0 +1,26 @@
{
"Play": "Play",
"Pause": "Pausa",
"Current Time": "Orario attuale",
"Duration": "Durata",
"Remaining Time": "Tempo rimanente",
"Stream Type": "Tipo del Streaming",
"LIVE": "LIVE",
"Loaded": "Caricato",
"Progress": "Stato",
"Fullscreen": "Schermo intero",
"Non-Fullscreen": "Chiudi schermo intero",
"Mute": "Muto",
"Unmute": "Audio",
"Playback Rate": "Tasso di riproduzione",
"Subtitles": "Sottotitoli",
"subtitles off": "Senza sottotitoli",
"Captions": "Sottotitoli non udenti",
"captions off": "Senza sottotitoli non udenti",
"Chapters": "Capitolo",
"You aborted the media playback": "La riproduzione del filmato è stata interrotta.",
"A network error caused the media download to fail part-way.": "Il download del filmato è stato interrotto a causa di un problema rete.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Il filmato non può essere caricato a causa di un errore nel server o nella rete o perché il formato non viene supportato.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "La riproduzione del filmato è stata interrotta a causa di un file danneggiato o per lutilizzo di impostazioni non supportate dal browser.",
"No compatible source was found for this media.": "Non ci sono fonti compatibili per questo filmato."
}

View File

@ -1,26 +1,26 @@
videojs.addLanguage("ja",{ videojs.addLanguage('ja', {
"Play": "再生", "Play": "再生",
"Pause": "一時停止", "Pause": "一時停止",
"Current Time": "現在の時間", "Current Time": "現在の時間",
"Duration": "長さ", "Duration": "長さ",
"Remaining Time": "残りの時間", "Remaining Time": "残りの時間",
"Stream Type": "ストリームの種類", "Stream Type": "ストリームの種類",
"LIVE": "ライブ", "LIVE": "ライブ",
"Loaded": "ロード済み", "Loaded": "ロード済み",
"Progress": "進行状況", "Progress": "進行状況",
"Fullscreen": "フルスクリーン", "Fullscreen": "フルスクリーン",
"Non-Fullscreen": "フルスクリーン以外", "Non-Fullscreen": "フルスクリーン以外",
"Mute": "ミュート", "Mute": "ミュート",
"Unmute": "ミュート解除", "Unmute": "ミュート解除",
"Playback Rate": "再生レート", "Playback Rate": "再生レート",
"Subtitles": "サブタイトル", "Subtitles": "サブタイトル",
"subtitles off": "サブタイトル オフ", "subtitles off": "サブタイトル オフ",
"Captions": "キャプション", "Captions": "キャプション",
"captions off": "キャプション オフ", "captions off": "キャプション オフ",
"Chapters": "チャプター", "Chapters": "チャプター",
"You aborted the media playback": "動画再生を中止しました", "You aborted the media playback": "動画再生を中止しました",
"A network error caused the media download to fail part-way.": "ネットワーク エラーにより動画のダウンロードが途中で失敗しました", "A network error caused the media download to fail part-way.": "ネットワーク エラーにより動画のダウンロードが途中で失敗しました",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "サーバーまたはネットワークのエラー、またはフォーマットがサポートされていないため、動画をロードできませんでした", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "サーバーまたはネットワークのエラー、またはフォーマットがサポートされていないため、動画をロードできませんでした",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "破損の問題、またはお使いのブラウザがサポートしていない機能が動画に使用されていたため、動画の再生が中止されました", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "破損の問題、またはお使いのブラウザがサポートしていない機能が動画に使用されていたため、動画の再生が中止されました",
"No compatible source was found for this media.": "この動画に対して互換性のあるソースが見つかりませんでした" "No compatible source was found for this media.": "この動画に対して互換性のあるソースが見つかりませんでした"
}); });

View File

@ -0,0 +1,26 @@
{
"Play": "再生",
"Pause": "一時停止",
"Current Time": "現在の時間",
"Duration": "長さ",
"Remaining Time": "残りの時間",
"Stream Type": "ストリームの種類",
"LIVE": "ライブ",
"Loaded": "ロード済み",
"Progress": "進行状況",
"Fullscreen": "フルスクリーン",
"Non-Fullscreen": "フルスクリーン以外",
"Mute": "ミュート",
"Unmute": "ミュート解除",
"Playback Rate": "再生レート",
"Subtitles": "サブタイトル",
"subtitles off": "サブタイトル オフ",
"Captions": "キャプション",
"captions off": "キャプション オフ",
"Chapters": "チャプター",
"You aborted the media playback": "動画再生を中止しました",
"A network error caused the media download to fail part-way.": "ネットワーク エラーにより動画のダウンロードが途中で失敗しました",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "サーバーまたはネットワークのエラー、またはフォーマットがサポートされていないため、動画をロードできませんでした",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "破損の問題、またはお使いのブラウザがサポートしていない機能が動画に使用されていたため、動画の再生が中止されました",
"No compatible source was found for this media.": "この動画に対して互換性のあるソースが見つかりませんでした"
}

View File

@ -1,26 +1,26 @@
videojs.addLanguage("ko",{ videojs.addLanguage('ko', {
"Play": "재생", "Play": "재생",
"Pause": "일시중지", "Pause": "일시중지",
"Current Time": "현재 시간", "Current Time": "현재 시간",
"Duration": "지정 기간", "Duration": "지정 기간",
"Remaining Time": "남은 시간", "Remaining Time": "남은 시간",
"Stream Type": "스트리밍 유형", "Stream Type": "스트리밍 유형",
"LIVE": "라이브", "LIVE": "라이브",
"Loaded": "로드됨", "Loaded": "로드됨",
"Progress": "진행", "Progress": "진행",
"Fullscreen": "전체 화면", "Fullscreen": "전체 화면",
"Non-Fullscreen": "전체 화면 해제", "Non-Fullscreen": "전체 화면 해제",
"Mute": "음소거", "Mute": "음소거",
"Unmute": "음소거 해제", "Unmute": "음소거 해제",
"Playback Rate": "재생 비율", "Playback Rate": "재생 비율",
"Subtitles": "서브타이틀", "Subtitles": "서브타이틀",
"subtitles off": "서브타이틀 끄기", "subtitles off": "서브타이틀 끄기",
"Captions": "자막", "Captions": "자막",
"captions off": "자막 끄기", "captions off": "자막 끄기",
"Chapters": "챕터", "Chapters": "챕터",
"You aborted the media playback": "비디오 재생을 취소했습니다.", "You aborted the media playback": "비디오 재생을 취소했습니다.",
"A network error caused the media download to fail part-way.": "네트워크 오류로 인하여 비디오 일부를 다운로드하지 못 했습니다.", "A network error caused the media download to fail part-way.": "네트워크 오류로 인하여 비디오 일부를 다운로드하지 못 했습니다.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "비디오를 로드할 수 없습니다. 서버 혹은 네트워크 오류 때문이거나 지원되지 않는 형식 때문일 수 있습니다.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "비디오를 로드할 수 없습니다. 서버 혹은 네트워크 오류 때문이거나 지원되지 않는 형식 때문일 수 있습니다.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "비디오 재생이 취소됐습니다. 비디오가 손상되었거나 비디오가 사용하는 기능을 브라우저에서 지원하지 않는 것 같습니다.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "비디오 재생이 취소됐습니다. 비디오가 손상되었거나 비디오가 사용하는 기능을 브라우저에서 지원하지 않는 것 같습니다.",
"No compatible source was found for this media.": "비디오에 호환되지 않는 소스가 있습니다." "No compatible source was found for this media.": "비디오에 호환되지 않는 소스가 있습니다."
}); });

View File

@ -0,0 +1,26 @@
{
"Play": "재생",
"Pause": "일시중지",
"Current Time": "현재 시간",
"Duration": "지정 기간",
"Remaining Time": "남은 시간",
"Stream Type": "스트리밍 유형",
"LIVE": "라이브",
"Loaded": "로드됨",
"Progress": "진행",
"Fullscreen": "전체 화면",
"Non-Fullscreen": "전체 화면 해제",
"Mute": "음소거",
"Unmute": "음소거 해제",
"Playback Rate": "재생 비율",
"Subtitles": "서브타이틀",
"subtitles off": "서브타이틀 끄기",
"Captions": "자막",
"captions off": "자막 끄기",
"Chapters": "챕터",
"You aborted the media playback": "비디오 재생을 취소했습니다.",
"A network error caused the media download to fail part-way.": "네트워크 오류로 인하여 비디오 일부를 다운로드하지 못 했습니다.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "비디오를 로드할 수 없습니다. 서버 혹은 네트워크 오류 때문이거나 지원되지 않는 형식 때문일 수 있습니다.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "비디오 재생이 취소됐습니다. 비디오가 손상되었거나 비디오가 사용하는 기능을 브라우저에서 지원하지 않는 것 같습니다.",
"No compatible source was found for this media.": "비디오에 호환되지 않는 소스가 있습니다."
}

View File

@ -1,26 +1,87 @@
videojs.addLanguage("nb",{ videojs.addLanguage('nb', {
"Play": "Spill", "Audio Player": "Lydspiller",
"Pause": "Pause", "Video Player": "Videospiller",
"Current Time": "Aktuell tid", "Play": "Spill",
"Duration": "Varighet", "Pause": "Pause",
"Remaining Time": "Gjenstående tid", "Replay": "Spill om igjen",
"Stream Type": "Type strøm", "Current Time": "Aktuell tid",
"LIVE": "DIREKTE", "Duration": "Varighet",
"Loaded": "Lastet inn", "Remaining Time": "Gjenstående tid",
"Progress": "Status", "Stream Type": "Type strøm",
"Fullscreen": "Fullskjerm", "LIVE": "DIREKTE",
"Non-Fullscreen": "Lukk fullskjerm", "Seek to live, currently behind live": "Hopp til live, spiller tidligere i sendingen nå",
"Mute": "Lyd av", "Seek to live, currently playing live": "Hopp til live, spiller live nå",
"Unmute": "Lyd på", "Loaded": "Lastet inn",
"Playback Rate": "Avspillingsrate", "Progress": "Framdrift",
"Subtitles": "Undertekst på", "Progress Bar": "Framdriftsviser",
"subtitles off": "Undertekst av", "progress bar timing: currentTime={1} duration={2}": "{1} av {2}",
"Captions": "Undertekst for hørselshemmede på", "Fullscreen": "Fullskjerm",
"captions off": "Undertekst for hørselshemmede av", "Non-Fullscreen": "Lukk fullskjerm",
"Chapters": "Kapitler", "Mute": "Lyd av",
"You aborted the media playback": "Du avbrøt avspillingen.", "Unmute": "Lyd på",
"A network error caused the media download to fail part-way.": "En nettverksfeil avbrøt nedlasting av videoen.", "Playback Rate": "Avspillingshastighet",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Videoen kunne ikke lastes ned, på grunn av nettverksfeil eller serverfeil, eller fordi formatet ikke er støttet.", "Subtitles": "Teksting på",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Videoavspillingen ble avbrudt på grunn av ødelagte data eller fordi videoen ville gjøre noe som nettleseren din ikke har støtte for.", "subtitles off": "Teksting av",
"No compatible source was found for this media.": "Fant ikke en kompatibel kilde for dette mediainnholdet." "Captions": "Teksting for hørselshemmede på",
"captions off": "Teksting for hørselshemmede av",
"Chapters": "Kapitler",
"Descriptions": "Beskrivelser",
"descriptions off": "beskrivelser av",
"Audio Track": "Lydspor",
"Volume Level": "Volumnivå",
"You aborted the media playback": "Du avbrøt avspillingen.",
"A network error caused the media download to fail part-way.": "En nettverksfeil avbrøt nedlasting av videoen.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Videoen kunne ikke lastes ned, på grunn av nettverksfeil eller serverfeil, eller fordi formatet ikke er støttet.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Videoavspillingen ble avbrudt på grunn av ødelagte data eller fordi videoen ville gjøre noe som nettleseren din ikke har støtte for.",
"No compatible source was found for this media.": "Fant ikke en kompatibel kilde for dette mediainnholdet.",
"The media is encrypted and we do not have the keys to decrypt it.": "Mediefilen er kryptert og vi mangler nøkler for å dekryptere den.",
"Play Video": "Spill av video",
"Close": "Lukk",
"Close Modal Dialog": "Lukk dialogvinduet",
"Modal Window": "Dialogvindu",
"This is a modal window": "Dette er et dialogvindu",
"This modal can be closed by pressing the Escape key or activating the close button.": "Vinduet kan lukkes ved å trykke på Escape-tasten eller lukkeknappen.",
", opens captions settings dialog": ", åpner innstillinger for teksting for hørselshemmede",
", opens subtitles settings dialog": ", åpner innstillinger for teksting",
", opens descriptions settings dialog": ", åpner innstillinger for beskrivelser",
", selected": ", valgt",
"captions settings": "innstillinger for teksting",
"subtitles settings": "innstillinger for teksting",
"descriptions settings": "innstillinger for beskrivelser",
"Text": "Tekst",
"White": "Hvit",
"Black": "Svart",
"Red": "Rød",
"Green": "Grønn",
"Blue": "Blå",
"Yellow": "Gul",
"Magenta": "Magenta",
"Cyan": "Turkis",
"Background": "Bakgrunn",
"Window": "Vindu",
"Transparent": "Gjennomsiktig",
"Semi-Transparent": "Delvis gjennomsiktig",
"Opaque": "Ugjennomsiktig",
"Font Size": "Tekststørrelse",
"Text Edge Style": "Tekstkant",
"None": "Ingen",
"Raised": "Uthevet",
"Depressed": "Nedtrykt",
"Uniform": "Enkel",
"Dropshadow": "Skygge",
"Font Family": "Skrifttype",
"Proportional Sans-Serif": "Proporsjonal skrift uten seriffer",
"Monospace Sans-Serif": "Fastbreddeskrift uten seriffer",
"Proportional Serif": "Proporsjonal skrift med seriffer",
"Monospace Serif": "Fastbreddeskrift med seriffer",
"Casual": "Uformell",
"Script": "Skråskrift",
"Small Caps": "Kapitéler",
"Reset": "Tilbakestill",
"restore all settings to the default values": "tilbakestill alle innstillinger til standardverdiene",
"Done": "Ferdig",
"Caption Settings Dialog": "Innstillingsvindu for teksting for hørselshemmede",
"Beginning of dialog window. Escape will cancel and close the window.": "Begynnelse på dialogvindu. Trykk Escape for å avbryte og lukke vinduet.",
"End of dialog window.": "Avslutning på dialogvindu.",
"{1} is loading.": "{1} laster."
}); });

View File

@ -0,0 +1,87 @@
{
"Audio Player": "Lydspiller",
"Video Player": "Videospiller",
"Play": "Spill",
"Pause": "Pause",
"Replay": "Spill om igjen",
"Current Time": "Aktuell tid",
"Duration": "Varighet",
"Remaining Time": "Gjenstående tid",
"Stream Type": "Type strøm",
"LIVE": "DIREKTE",
"Seek to live, currently behind live": "Hopp til live, spiller tidligere i sendingen nå",
"Seek to live, currently playing live": "Hopp til live, spiller live nå",
"Loaded": "Lastet inn",
"Progress": "Framdrift",
"Progress Bar": "Framdriftsviser",
"progress bar timing: currentTime={1} duration={2}": "{1} av {2}",
"Fullscreen": "Fullskjerm",
"Non-Fullscreen": "Lukk fullskjerm",
"Mute": "Lyd av",
"Unmute": "Lyd på",
"Playback Rate": "Avspillingshastighet",
"Subtitles": "Teksting på",
"subtitles off": "Teksting av",
"Captions": "Teksting for hørselshemmede på",
"captions off": "Teksting for hørselshemmede av",
"Chapters": "Kapitler",
"Descriptions": "Beskrivelser",
"descriptions off": "beskrivelser av",
"Audio Track": "Lydspor",
"Volume Level": "Volumnivå",
"You aborted the media playback": "Du avbrøt avspillingen.",
"A network error caused the media download to fail part-way.": "En nettverksfeil avbrøt nedlasting av videoen.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Videoen kunne ikke lastes ned, på grunn av nettverksfeil eller serverfeil, eller fordi formatet ikke er støttet.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Videoavspillingen ble avbrudt på grunn av ødelagte data eller fordi videoen ville gjøre noe som nettleseren din ikke har støtte for.",
"No compatible source was found for this media.": "Fant ikke en kompatibel kilde for dette mediainnholdet.",
"The media is encrypted and we do not have the keys to decrypt it.": "Mediefilen er kryptert og vi mangler nøkler for å dekryptere den.",
"Play Video": "Spill av video",
"Close": "Lukk",
"Close Modal Dialog": "Lukk dialogvinduet",
"Modal Window": "Dialogvindu",
"This is a modal window": "Dette er et dialogvindu",
"This modal can be closed by pressing the Escape key or activating the close button.": "Vinduet kan lukkes ved å trykke på Escape-tasten eller lukkeknappen.",
", opens captions settings dialog": ", åpner innstillinger for teksting for hørselshemmede",
", opens subtitles settings dialog": ", åpner innstillinger for teksting",
", opens descriptions settings dialog": ", åpner innstillinger for beskrivelser",
", selected": ", valgt",
"captions settings": "innstillinger for teksting",
"subtitles settings": "innstillinger for teksting",
"descriptions settings": "innstillinger for beskrivelser",
"Text": "Tekst",
"White": "Hvit",
"Black": "Svart",
"Red": "Rød",
"Green": "Grønn",
"Blue": "Blå",
"Yellow": "Gul",
"Magenta": "Magenta",
"Cyan": "Turkis",
"Background": "Bakgrunn",
"Window": "Vindu",
"Transparent": "Gjennomsiktig",
"Semi-Transparent": "Delvis gjennomsiktig",
"Opaque": "Ugjennomsiktig",
"Font Size": "Tekststørrelse",
"Text Edge Style": "Tekstkant",
"None": "Ingen",
"Raised": "Uthevet",
"Depressed": "Nedtrykt",
"Uniform": "Enkel",
"Dropshadow": "Skygge",
"Font Family": "Skrifttype",
"Proportional Sans-Serif": "Proporsjonal skrift uten seriffer",
"Monospace Sans-Serif": "Fastbreddeskrift uten seriffer",
"Proportional Serif": "Proporsjonal skrift med seriffer",
"Monospace Serif": "Fastbreddeskrift med seriffer",
"Casual": "Uformell",
"Script": "Skråskrift",
"Small Caps": "Kapitéler",
"Reset": "Tilbakestill",
"restore all settings to the default values": "tilbakestill alle innstillinger til standardverdiene",
"Done": "Ferdig",
"Caption Settings Dialog": "Innstillingsvindu for teksting for hørselshemmede",
"Beginning of dialog window. Escape will cancel and close the window.": "Begynnelse på dialogvindu. Trykk Escape for å avbryte og lukke vinduet.",
"End of dialog window.": "Avslutning på dialogvindu.",
"{1} is loading.": "{1} laster."
}

View File

@ -1,84 +1,84 @@
videojs.addLanguage("nl",{ videojs.addLanguage('nl', {
"Audio Player": "Audiospeler", "Audio Player": "Audiospeler",
"Video Player": "Videospeler", "Video Player": "Videospeler",
"Play": "Afspelen", "Play": "Afspelen",
"Pause": "Pauzeren", "Pause": "Pauzeren",
"Replay": "Opnieuw afspelen", "Replay": "Opnieuw afspelen",
"Current Time": "Huidige tijd", "Current Time": "Huidige tijd",
"Duration": "Tijdsduur", "Duration": "Tijdsduur",
"Remaining Time": "Resterende tijd", "Remaining Time": "Resterende tijd",
"Stream Type": "Streamtype", "Stream Type": "Streamtype",
"LIVE": "LIVE", "LIVE": "LIVE",
"Loaded": "Geladen", "Loaded": "Geladen",
"Progress": "Voortgang", "Progress": "Voortgang",
"Progress Bar": "Voortgangsbalk", "Progress Bar": "Voortgangsbalk",
"progress bar timing: currentTime={1} duration={2}": "{1} van {2}", "progress bar timing: currentTime={1} duration={2}": "{1} van {2}",
"Fullscreen": "Volledig scherm", "Fullscreen": "Volledig scherm",
"Non-Fullscreen": "Geen volledig scherm", "Non-Fullscreen": "Geen volledig scherm",
"Mute": "Dempen", "Mute": "Dempen",
"Unmute": "Niet dempen", "Unmute": "Niet dempen",
"Playback Rate": "Afspeelsnelheid", "Playback Rate": "Afspeelsnelheid",
"Subtitles": "Ondertiteling", "Subtitles": "Ondertiteling",
"subtitles off": "ondertiteling uit", "subtitles off": "ondertiteling uit",
"Captions": "Bijschriften", "Captions": "Bijschriften",
"captions off": "bijschriften uit", "captions off": "bijschriften uit",
"Chapters": "Hoofdstukken", "Chapters": "Hoofdstukken",
"Descriptions": "Beschrijvingen", "Descriptions": "Beschrijvingen",
"descriptions off": "beschrijvingen uit", "descriptions off": "beschrijvingen uit",
"Audio Track": "Audiospoor", "Audio Track": "Audiospoor",
"Volume Level": "Geluidsniveau", "Volume Level": "Geluidsniveau",
"You aborted the media playback": "U heeft het afspelen van de media afgebroken", "You aborted the media playback": "U heeft het afspelen van de media afgebroken",
"A network error caused the media download to fail part-way.": "Een netwerkfout heeft ervoor gezorgd dat het downloaden van de media halverwege is mislukt.", "A network error caused the media download to fail part-way.": "Een netwerkfout heeft ervoor gezorgd dat het downloaden van de media halverwege is mislukt.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "De media kon niet worden geladen, dit komt doordat of de server of het netwerk mislukt of doordat het formaat niet wordt ondersteund.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "De media kon niet worden geladen, dit komt doordat of de server of het netwerk mislukt of doordat het formaat niet wordt ondersteund.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Het afspelen van de media is afgebroken door een probleem met beschadeigde gegevens of doordat de media functies gebruikt die uw browser niet ondersteund.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Het afspelen van de media is afgebroken door een probleem met beschadeigde gegevens of doordat de media functies gebruikt die uw browser niet ondersteund.",
"No compatible source was found for this media.": "Er is geen geschikte bron voor deze media gevonden.", "No compatible source was found for this media.": "Er is geen geschikte bron voor deze media gevonden.",
"The media is encrypted and we do not have the keys to decrypt it.": "De media is versleuteld en we hebben de sleutels niet om deze te ontsleutelen.", "The media is encrypted and we do not have the keys to decrypt it.": "De media is versleuteld en we hebben de sleutels niet om deze te ontsleutelen.",
"Play Video": "Video afspelen", "Play Video": "Video afspelen",
"Close": "Sluiten", "Close": "Sluiten",
"Close Modal Dialog": "Extra venster sluiten", "Close Modal Dialog": "Extra venster sluiten",
"Modal Window": "Extra venster", "Modal Window": "Extra venster",
"This is a modal window": "Dit is een extra venster", "This is a modal window": "Dit is een extra venster",
"This modal can be closed by pressing the Escape key or activating the close button.": "Dit venster kan worden gesloten door op de Escape-toets te drukken of door de sluiten-knop te activeren.", "This modal can be closed by pressing the Escape key or activating the close button.": "Dit venster kan worden gesloten door op de Escape-toets te drukken of door de sluiten-knop te activeren.",
", opens captions settings dialog": ", opent instellingen-venster voor bijschriften", ", opens captions settings dialog": ", opent instellingen-venster voor bijschriften",
", opens subtitles settings dialog": ", opent instellingen-venster voor ondertitelingen", ", opens subtitles settings dialog": ", opent instellingen-venster voor ondertitelingen",
", opens descriptions settings dialog": ", opent instellingen-venster voor beschrijvingen", ", opens descriptions settings dialog": ", opent instellingen-venster voor beschrijvingen",
", selected": ", geselecteerd", ", selected": ", geselecteerd",
"captions settings": "bijschriften-instellingen", "captions settings": "bijschriften-instellingen",
"subtitles settings": "ondertiteling-instellingen", "subtitles settings": "ondertiteling-instellingen",
"descriptions settings": "beschrijvingen-instellingen", "descriptions settings": "beschrijvingen-instellingen",
"Text": "Tekst", "Text": "Tekst",
"White": "Wit", "White": "Wit",
"Black": "Zwart", "Black": "Zwart",
"Red": "Rood", "Red": "Rood",
"Green": "Groen", "Green": "Groen",
"Blue": "Blauw", "Blue": "Blauw",
"Yellow": "Geel", "Yellow": "Geel",
"Magenta": "Magenta", "Magenta": "Magenta",
"Cyan": "Cyaan", "Cyan": "Cyaan",
"Background": "Achtergrond", "Background": "Achtergrond",
"Window": "Venster", "Window": "Venster",
"Transparent": "Transparant", "Transparent": "Transparant",
"Semi-Transparent": "Semi-transparant", "Semi-Transparent": "Semi-transparant",
"Opaque": "Ondoorzichtig", "Opaque": "Ondoorzichtig",
"Font Size": "Lettergrootte", "Font Size": "Lettergrootte",
"Text Edge Style": "Stijl tekstrand", "Text Edge Style": "Stijl tekstrand",
"None": "Geen", "None": "Geen",
"Raised": "Verhoogd", "Raised": "Verhoogd",
"Depressed": "Ingedrukt", "Depressed": "Ingedrukt",
"Uniform": "Uniform", "Uniform": "Uniform",
"Dropshadow": "Schaduw", "Dropshadow": "Schaduw",
"Font Family": "Lettertype", "Font Family": "Lettertype",
"Proportional Sans-Serif": "Proportioneel sans-serif", "Proportional Sans-Serif": "Proportioneel sans-serif",
"Monospace Sans-Serif": "Monospace sans-serif", "Monospace Sans-Serif": "Monospace sans-serif",
"Proportional Serif": "Proportioneel serif", "Proportional Serif": "Proportioneel serif",
"Monospace Serif": "Monospace serif", "Monospace Serif": "Monospace serif",
"Casual": "Luchtig", "Casual": "Luchtig",
"Script": "Script", "Script": "Script",
"Small Caps": "Kleine hoofdletters", "Small Caps": "Kleine hoofdletters",
"Reset": "Herstellen", "Reset": "Herstellen",
"restore all settings to the default values": "alle instellingen naar de standaardwaarden herstellen", "restore all settings to the default values": "alle instellingen naar de standaardwaarden herstellen",
"Done": "Klaar", "Done": "Klaar",
"Caption Settings Dialog": "Venster voor bijschriften-instellingen", "Caption Settings Dialog": "Venster voor bijschriften-instellingen",
"Beginning of dialog window. Escape will cancel and close the window.": "Begin van dialoogvenster. Escape zal annuleren en het venster sluiten.", "Beginning of dialog window. Escape will cancel and close the window.": "Begin van dialoogvenster. Escape zal annuleren en het venster sluiten.",
"End of dialog window.": "Einde van dialoogvenster." "End of dialog window.": "Einde van dialoogvenster."
}); });

View File

@ -0,0 +1,84 @@
{
"Audio Player": "Audiospeler",
"Video Player": "Videospeler",
"Play": "Afspelen",
"Pause": "Pauzeren",
"Replay": "Opnieuw afspelen",
"Current Time": "Huidige tijd",
"Duration": "Tijdsduur",
"Remaining Time": "Resterende tijd",
"Stream Type": "Streamtype",
"LIVE": "LIVE",
"Loaded": "Geladen",
"Progress": "Voortgang",
"Progress Bar": "Voortgangsbalk",
"progress bar timing: currentTime={1} duration={2}": "{1} van {2}",
"Fullscreen": "Volledig scherm",
"Non-Fullscreen": "Geen volledig scherm",
"Mute": "Dempen",
"Unmute": "Niet dempen",
"Playback Rate": "Afspeelsnelheid",
"Subtitles": "Ondertiteling",
"subtitles off": "ondertiteling uit",
"Captions": "Bijschriften",
"captions off": "bijschriften uit",
"Chapters": "Hoofdstukken",
"Descriptions": "Beschrijvingen",
"descriptions off": "beschrijvingen uit",
"Audio Track": "Audiospoor",
"Volume Level": "Geluidsniveau",
"You aborted the media playback": "U heeft het afspelen van de media afgebroken",
"A network error caused the media download to fail part-way.": "Een netwerkfout heeft ervoor gezorgd dat het downloaden van de media halverwege is mislukt.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "De media kon niet worden geladen, dit komt doordat of de server of het netwerk mislukt of doordat het formaat niet wordt ondersteund.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Het afspelen van de media is afgebroken door een probleem met beschadeigde gegevens of doordat de media functies gebruikt die uw browser niet ondersteund.",
"No compatible source was found for this media.": "Er is geen geschikte bron voor deze media gevonden.",
"The media is encrypted and we do not have the keys to decrypt it.": "De media is versleuteld en we hebben de sleutels niet om deze te ontsleutelen.",
"Play Video": "Video afspelen",
"Close": "Sluiten",
"Close Modal Dialog": "Extra venster sluiten",
"Modal Window": "Extra venster",
"This is a modal window": "Dit is een extra venster",
"This modal can be closed by pressing the Escape key or activating the close button.": "Dit venster kan worden gesloten door op de Escape-toets te drukken of door de sluiten-knop te activeren.",
", opens captions settings dialog": ", opent instellingen-venster voor bijschriften",
", opens subtitles settings dialog": ", opent instellingen-venster voor ondertitelingen",
", opens descriptions settings dialog": ", opent instellingen-venster voor beschrijvingen",
", selected": ", geselecteerd",
"captions settings": "bijschriften-instellingen",
"subtitles settings": "ondertiteling-instellingen",
"descriptions settings": "beschrijvingen-instellingen",
"Text": "Tekst",
"White": "Wit",
"Black": "Zwart",
"Red": "Rood",
"Green": "Groen",
"Blue": "Blauw",
"Yellow": "Geel",
"Magenta": "Magenta",
"Cyan": "Cyaan",
"Background": "Achtergrond",
"Window": "Venster",
"Transparent": "Transparant",
"Semi-Transparent": "Semi-transparant",
"Opaque": "Ondoorzichtig",
"Font Size": "Lettergrootte",
"Text Edge Style": "Stijl tekstrand",
"None": "Geen",
"Raised": "Verhoogd",
"Depressed": "Ingedrukt",
"Uniform": "Uniform",
"Dropshadow": "Schaduw",
"Font Family": "Lettertype",
"Proportional Sans-Serif": "Proportioneel sans-serif",
"Monospace Sans-Serif": "Monospace sans-serif",
"Proportional Serif": "Proportioneel serif",
"Monospace Serif": "Monospace serif",
"Casual": "Luchtig",
"Script": "Script",
"Small Caps": "Kleine hoofdletters",
"Reset": "Herstellen",
"restore all settings to the default values": "alle instellingen naar de standaardwaarden herstellen",
"Done": "Klaar",
"Caption Settings Dialog": "Venster voor bijschriften-instellingen",
"Beginning of dialog window. Escape will cancel and close the window.": "Begin van dialoogvenster. Escape zal annuleren en het venster sluiten.",
"End of dialog window.": "Einde van dialoogvenster."
}

View File

@ -1,26 +1,87 @@
videojs.addLanguage("nn",{ videojs.addLanguage('nn', {
"Play": "Spel", "Audio Player": "Ljudspelar",
"Pause": "Pause", "Video Player": "Videospelar",
"Current Time": "Aktuell tid", "Play": "Spel",
"Duration": "Varigheit", "Pause": "Pause",
"Remaining Time": "Tid attende", "Replay": "Spel om att",
"Stream Type": "Type straum", "Current Time": "Aktuell tid",
"LIVE": "DIREKTE", "Duration": "Varigheit",
"Loaded": "Lasta inn", "Remaining Time": "Tid attende",
"Progress": "Status", "Stream Type": "Type straum",
"Fullscreen": "Fullskjerm", "LIVE": "DIREKTE",
"Non-Fullscreen": "Stenga fullskjerm", "Seek to live, currently behind live": "Hopp til live, spelar tidlegare i sendinga no",
"Mute": "Ljod av", "Seek to live, currently playing live": "Hopp til live, speler live no",
"Unmute": "Ljod på", "Loaded": "Lasta inn",
"Playback Rate": "Avspelingsrate", "Progress": "Framdrift",
"Subtitles": "Teksting på", "Progress Bar": "Framdriftsvisar",
"subtitles off": "Teksting av", "progress bar timing: currentTime={1} duration={2}": "{1} av {2}",
"Captions": "Teksting for høyrselshemma på", "Fullscreen": "Fullskjerm",
"captions off": "Teksting for høyrselshemma av", "Non-Fullscreen": "Stenga fullskjerm",
"Chapters": "Kapitel", "Mute": "Ljod av",
"You aborted the media playback": "Du avbraut avspelinga.", "Unmute": "Ljod på",
"A network error caused the media download to fail part-way.": "Ein nettverksfeil avbraut nedlasting av videoen.", "Playback Rate": "Avspelingshastigheit",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Videoen kunne ikkje lastas ned, på grunn av ein nettverksfeil eller serverfeil, eller av di formatet ikkje er stoda.", "Subtitles": "Teksting på",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Videoavspelinga blei broten på grunn av øydelagde data eller av di videoen ville gjera noe som nettlesaren din ikkje stodar.", "subtitles off": "Teksting av",
"No compatible source was found for this media.": "Fant ikke en kompatibel kilde for dette mediainnholdet." "Captions": "Teksting for høyrselshemma på",
"captions off": "Teksting for høyrselshemma av",
"Chapters": "Kapitel",
"Descriptions": "Beskrivingar",
"descriptions off": "beskrivingar av",
"Audio Track": "Ljudspor",
"Volume Level": "Volumnivå",
"You aborted the media playback": "Du avbraut avspelinga.",
"A network error caused the media download to fail part-way.": "Ein nettverksfeil avbraut nedlasting av videoen.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Videoen kunne ikkje lastas ned, på grunn av ein nettverksfeil eller serverfeil, eller av di formatet ikkje er stoda.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Videoavspelinga blei broten på grunn av øydelagde data eller av di videoen ville gjera noe som nettlesaren din ikkje stodar.",
"No compatible source was found for this media.": "Fant ikke en kompatibel kilde for dette mediainnholdet.",
"The media is encrypted and we do not have the keys to decrypt it.": "Mediefila er kryptert og vi manglar nyklar for å dekryptere ho.",
"Play Video": "Spel av video",
"Close": "Lukk",
"Close Modal Dialog": "Lukk dialogvindauge",
"Modal Window": "Dialogvindauge",
"This is a modal window": "Dette er eit dialogvindauge",
"This modal can be closed by pressing the Escape key or activating the close button.": "Vindauget kan lukkast ved å trykke på Escape-tasten eller lukkeknappen.",
", opens captions settings dialog": ", opnar innstillingar for teksting for høyrselshemma",
", opens subtitles settings dialog": ", opnar innstillingar for teksting",
", opens descriptions settings dialog": ", opnar innstillingar for beskrivingar",
", selected": ", vald",
"captions settings": "innstillingar for teksting",
"subtitles settings": "innstillingar for teksting",
"descriptions settings": "innstillingar for beskrivingar",
"Text": "Tekst",
"White": "Kvit",
"Black": "Svart",
"Red": "Raud",
"Green": "Grøn",
"Blue": "Blå",
"Yellow": "Gul",
"Magenta": "Magenta",
"Cyan": "Turkis",
"Background": "Bakgrunn",
"Window": "Vindauge",
"Transparent": "Gjennomsiktig",
"Semi-Transparent": "Delvis gjennomsiktig",
"Opaque": "Ugjennomsiktig",
"Font Size": "Tekststørrelse",
"Text Edge Style": "Tekstkant",
"None": "Ingen",
"Raised": "Utheva",
"Depressed": "Nedtrykt",
"Uniform": "Enkel",
"Dropshadow": "Skugge",
"Font Family": "Skrifttype",
"Proportional Sans-Serif": "Proporsjonal skrift utan seriffar",
"Monospace Sans-Serif": "Fastbreddeskrift utan seriffar",
"Proportional Serif": "Proporsjonal skrift med seriffar",
"Monospace Serif": "Fastbreddeskrift med seriffar",
"Casual": "Uformell",
"Script": "Skråskrift",
"Small Caps": "Kapitéler",
"Reset": "Tilbakestell",
"restore all settings to the default values": "tilbakestell alle innstillingar til standardverdiane",
"Done": "Ferdig",
"Caption Settings Dialog": "Innstillingsvindauge for teksting for høyrselshemma",
"Beginning of dialog window. Escape will cancel and close the window.": "Byrjing på dialogvindauge. Trykk Escape for å avbryte og lukke vindauget.",
"End of dialog window.": "Avslutning på dialogvindauge.",
"{1} is loading.": "{1} lastar."
}); });

View File

@ -0,0 +1,87 @@
{
"Audio Player": "Ljudspelar",
"Video Player": "Videospelar",
"Play": "Spel",
"Pause": "Pause",
"Replay": "Spel om att",
"Current Time": "Aktuell tid",
"Duration": "Varigheit",
"Remaining Time": "Tid attende",
"Stream Type": "Type straum",
"LIVE": "DIREKTE",
"Seek to live, currently behind live": "Hopp til live, spelar tidlegare i sendinga no",
"Seek to live, currently playing live": "Hopp til live, speler live no",
"Loaded": "Lasta inn",
"Progress": "Framdrift",
"Progress Bar": "Framdriftsvisar",
"progress bar timing: currentTime={1} duration={2}": "{1} av {2}",
"Fullscreen": "Fullskjerm",
"Non-Fullscreen": "Stenga fullskjerm",
"Mute": "Ljod av",
"Unmute": "Ljod på",
"Playback Rate": "Avspelingshastigheit",
"Subtitles": "Teksting på",
"subtitles off": "Teksting av",
"Captions": "Teksting for høyrselshemma på",
"captions off": "Teksting for høyrselshemma av",
"Chapters": "Kapitel",
"Descriptions": "Beskrivingar",
"descriptions off": "beskrivingar av",
"Audio Track": "Ljudspor",
"Volume Level": "Volumnivå",
"You aborted the media playback": "Du avbraut avspelinga.",
"A network error caused the media download to fail part-way.": "Ein nettverksfeil avbraut nedlasting av videoen.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Videoen kunne ikkje lastas ned, på grunn av ein nettverksfeil eller serverfeil, eller av di formatet ikkje er stoda.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Videoavspelinga blei broten på grunn av øydelagde data eller av di videoen ville gjera noe som nettlesaren din ikkje stodar.",
"No compatible source was found for this media.": "Fant ikke en kompatibel kilde for dette mediainnholdet.",
"The media is encrypted and we do not have the keys to decrypt it.": "Mediefila er kryptert og vi manglar nyklar for å dekryptere ho.",
"Play Video": "Spel av video",
"Close": "Lukk",
"Close Modal Dialog": "Lukk dialogvindauge",
"Modal Window": "Dialogvindauge",
"This is a modal window": "Dette er eit dialogvindauge",
"This modal can be closed by pressing the Escape key or activating the close button.": "Vindauget kan lukkast ved å trykke på Escape-tasten eller lukkeknappen.",
", opens captions settings dialog": ", opnar innstillingar for teksting for høyrselshemma",
", opens subtitles settings dialog": ", opnar innstillingar for teksting",
", opens descriptions settings dialog": ", opnar innstillingar for beskrivingar",
", selected": ", vald",
"captions settings": "innstillingar for teksting",
"subtitles settings": "innstillingar for teksting",
"descriptions settings": "innstillingar for beskrivingar",
"Text": "Tekst",
"White": "Kvit",
"Black": "Svart",
"Red": "Raud",
"Green": "Grøn",
"Blue": "Blå",
"Yellow": "Gul",
"Magenta": "Magenta",
"Cyan": "Turkis",
"Background": "Bakgrunn",
"Window": "Vindauge",
"Transparent": "Gjennomsiktig",
"Semi-Transparent": "Delvis gjennomsiktig",
"Opaque": "Ugjennomsiktig",
"Font Size": "Tekststørrelse",
"Text Edge Style": "Tekstkant",
"None": "Ingen",
"Raised": "Utheva",
"Depressed": "Nedtrykt",
"Uniform": "Enkel",
"Dropshadow": "Skugge",
"Font Family": "Skrifttype",
"Proportional Sans-Serif": "Proporsjonal skrift utan seriffar",
"Monospace Sans-Serif": "Fastbreddeskrift utan seriffar",
"Proportional Serif": "Proporsjonal skrift med seriffar",
"Monospace Serif": "Fastbreddeskrift med seriffar",
"Casual": "Uformell",
"Script": "Skråskrift",
"Small Caps": "Kapitéler",
"Reset": "Tilbakestell",
"restore all settings to the default values": "tilbakestell alle innstillingar til standardverdiane",
"Done": "Ferdig",
"Caption Settings Dialog": "Innstillingsvindauge for teksting for høyrselshemma",
"Beginning of dialog window. Escape will cancel and close the window.": "Byrjing på dialogvindauge. Trykk Escape for å avbryte og lukke vindauget.",
"End of dialog window.": "Avslutning på dialogvindauge.",
"{1} is loading.": "{1} lastar."
}

View File

@ -0,0 +1,87 @@
videojs.addLanguage('oc', {
"Audio Player": "Lector àudio",
"Video Player": "Lector vidèo",
"Play": "Lectura",
"Pause": "Pausa",
"Replay": "Tornar legir",
"Current Time": "Durada passada",
"Duration": "Durada",
"Remaining Time": "Temps restant",
"Stream Type": "Tipe de difusion",
"LIVE": "DIRÈCTE",
"Seek to live, currently behind live": "Trapar lo dirècte, actualament darrièr lo dirècte",
"Seek to live, currently playing live": "Trapar lo dirècte, actualament lo dirècte es en lectura",
"Loaded": "Cargat",
"Progress": "Progression",
"Progress Bar": "Barra de progression",
"progress bar timing: currentTime={1} duration={2}": "{1} sus {2}",
"Fullscreen": "Ecran complèt",
"Non-Fullscreen": "Pas en ecran complèt",
"Mute": "Copar lo son",
"Unmute": "Restablir lo son",
"Playback Rate": "Velocitat de lectura",
"Subtitles": "Sostítols",
"subtitles off": "Sostítols desactivats",
"Captions": "Legendas",
"captions off": "Legendas desactivadas",
"Chapters": "Capítols",
"Descriptions": "Descripcions",
"descriptions off": "descripcions desactivadas",
"Audio Track": "Pista àudio",
"Volume Level": "Nivèl del volum",
"You aborted the media playback": "Avètz copat la lectura del mèdia.",
"A network error caused the media download to fail part-way.": "Una error de ret a provocat un fracàs del telecargament.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Lo mèdia a pas pogut èsser cargat, siá perque lo servidor o lo ret a fracassat siá perque lo format es pas compatible.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "La lectura del mèdia es copada a causa dun problèma de corrupcion o perque lo mèdia utiliza de foncionalitats pas suportadas pel navigador.",
"No compatible source was found for this media.": "Cap de font compatiblas pas trobada per aqueste mèdia.",
"The media is encrypted and we do not have the keys to decrypt it.": "Lo mèdia es chifrat e avèm pas las claus per lo deschifrar.",
"Play Video": "Legir la vidèo",
"Close": "Tampar",
"Close Modal Dialog": "Tampar la fenèstra",
"Modal Window": "Fenèstra",
"This is a modal window": "Aquò es una fenèstra",
"This modal can be closed by pressing the Escape key or activating the close button.": "Aquesta fenèstra pòt èsser tampada en quichar Escapar sul clavièr o en activar lo boton de tampadura.",
", opens captions settings dialog": ", dobrís la fenèstra de paramètres de legendas",
", opens subtitles settings dialog": ", dobrís la fenèstra de paramètres de sostítols",
", opens descriptions settings dialog": ", dobrís la fenèstra de paramètres de descripcions",
", selected": ", seleccionat",
"captions settings": "paramètres de legendas",
"subtitles settings": "paramètres de sostítols",
"descriptions settings": "paramètres de descripcions",
"Text": "Tèxte",
"White": "Blanc",
"Black": "Negre",
"Red": "Roge",
"Green": "Verd",
"Blue": "Blau",
"Yellow": "Jaune",
"Magenta": "Magenta",
"Cyan": "Cian",
"Background": "Rèireplan",
"Window": "Fenèstra",
"Transparent": "Transparent",
"Semi-Transparent": "Semitransparent",
"Opaque": "Opac",
"Font Size": "Talha de la polissa",
"Text Edge Style": "Estil dels contorns del tèxte",
"None": "Cap",
"Raised": "Naut",
"Depressed": "Enfonsat",
"Uniform": "Unifòrme",
"Dropshadow": "Ombrat",
"Font Family": "Familha de polissa",
"Proportional Sans-Serif": "Sans-Serif proporcionala",
"Monospace Sans-Serif": "Monospace Sans-Serif",
"Proportional Serif": "Serif proporcionala",
"Monospace Serif": "Serif proporcionala",
"Casual": "Manuscrita",
"Script": "Script",
"Small Caps": "Pichonas majusculas",
"Reset": "Reïnicializar",
"restore all settings to the default values": "O restablir tot a las valors per defaut",
"Done": "Acabat",
"Caption Settings Dialog": "Fenèstra de paramètres de legenda",
"Beginning of dialog window. Escape will cancel and close the window.": "Debuta de la fenèstra. Escapar anullarà e tamparà la fenèstra",
"End of dialog window.": "Fin de la fenèstra.",
"{1} is loading.": "{1} es a cargar."
});

View File

@ -0,0 +1,87 @@
{
"Audio Player": "Lector àudio",
"Video Player": "Lector vidèo",
"Play": "Lectura",
"Pause": "Pausa",
"Replay": "Tornar legir",
"Current Time": "Durada passada",
"Duration": "Durada",
"Remaining Time": "Temps restant",
"Stream Type": "Tipe de difusion",
"LIVE": "DIRÈCTE",
"Seek to live, currently behind live": "Trapar lo dirècte, actualament darrièr lo dirècte",
"Seek to live, currently playing live": "Trapar lo dirècte, actualament lo dirècte es en lectura",
"Loaded": "Cargat",
"Progress": "Progression",
"Progress Bar": "Barra de progression",
"progress bar timing: currentTime={1} duration={2}": "{1} sus {2}",
"Fullscreen": "Ecran complèt",
"Non-Fullscreen": "Pas en ecran complèt",
"Mute": "Copar lo son",
"Unmute": "Restablir lo son",
"Playback Rate": "Velocitat de lectura",
"Subtitles": "Sostítols",
"subtitles off": "Sostítols desactivats",
"Captions": "Legendas",
"captions off": "Legendas desactivadas",
"Chapters": "Capítols",
"Descriptions": "Descripcions",
"descriptions off": "descripcions desactivadas",
"Audio Track": "Pista àudio",
"Volume Level": "Nivèl del volum",
"You aborted the media playback": "Avètz copat la lectura del mèdia.",
"A network error caused the media download to fail part-way.": "Una error de ret a provocat un fracàs del telecargament.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Lo mèdia a pas pogut èsser cargat, siá perque lo servidor o lo ret a fracassat siá perque lo format es pas compatible.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "La lectura del mèdia es copada a causa dun problèma de corrupcion o perque lo mèdia utiliza de foncionalitats pas suportadas pel navigador.",
"No compatible source was found for this media.": "Cap de font compatiblas pas trobada per aqueste mèdia.",
"The media is encrypted and we do not have the keys to decrypt it.": "Lo mèdia es chifrat e avèm pas las claus per lo deschifrar.",
"Play Video": "Legir la vidèo",
"Close": "Tampar",
"Close Modal Dialog": "Tampar la fenèstra",
"Modal Window": "Fenèstra",
"This is a modal window": "Aquò es una fenèstra",
"This modal can be closed by pressing the Escape key or activating the close button.": "Aquesta fenèstra pòt èsser tampada en quichar Escapar sul clavièr o en activar lo boton de tampadura.",
", opens captions settings dialog": ", dobrís la fenèstra de paramètres de legendas",
", opens subtitles settings dialog": ", dobrís la fenèstra de paramètres de sostítols",
", opens descriptions settings dialog": ", dobrís la fenèstra de paramètres de descripcions",
", selected": ", seleccionat",
"captions settings": "paramètres de legendas",
"subtitles settings": "paramètres de sostítols",
"descriptions settings": "paramètres de descripcions",
"Text": "Tèxte",
"White": "Blanc",
"Black": "Negre",
"Red": "Roge",
"Green": "Verd",
"Blue": "Blau",
"Yellow": "Jaune",
"Magenta": "Magenta",
"Cyan": "Cian",
"Background": "Rèireplan",
"Window": "Fenèstra",
"Transparent": "Transparent",
"Semi-Transparent": "Semitransparent",
"Opaque": "Opac",
"Font Size": "Talha de la polissa",
"Text Edge Style": "Estil dels contorns del tèxte",
"None": "Cap",
"Raised": "Naut",
"Depressed": "Enfonsat",
"Uniform": "Unifòrme",
"Dropshadow": "Ombrat",
"Font Family": "Familha de polissa",
"Proportional Sans-Serif": "Sans-Serif proporcionala",
"Monospace Sans-Serif": "Monospace Sans-Serif",
"Proportional Serif": "Serif proporcionala",
"Monospace Serif": "Serif proporcionala",
"Casual": "Manuscrita",
"Script": "Script",
"Small Caps": "Pichonas majusculas",
"Reset": "Reïnicializar",
"restore all settings to the default values": "O restablir tot a las valors per defaut",
"Done": "Acabat",
"Caption Settings Dialog": "Fenèstra de paramètres de legenda",
"Beginning of dialog window. Escape will cancel and close the window.": "Debuta de la fenèstra. Escapar anullarà e tamparà la fenèstra",
"End of dialog window.": "Fin de la fenèstra.",
"{1} is loading.": "{1} es a cargar."
}

View File

@ -1,34 +1,34 @@
videojs.addLanguage("pl",{ videojs.addLanguage('pl', {
"Play": "Odtwarzaj", "Play": "Odtwarzaj",
"Pause": "Pauza", "Pause": "Pauza",
"Current Time": "Aktualny czas", "Current Time": "Aktualny czas",
"Duration": "Czas trwania", "Duration": "Czas trwania",
"Remaining Time": "Pozostały czas", "Remaining Time": "Pozostały czas",
"Stream Type": "Typ strumienia", "Stream Type": "Typ strumienia",
"LIVE": "NA ŻYWO", "LIVE": "NA ŻYWO",
"Loaded": "Załadowany", "Loaded": "Załadowany",
"Progress": "Status", "Progress": "Status",
"Fullscreen": "Pełny ekran", "Fullscreen": "Pełny ekran",
"Non-Fullscreen": "Pełny ekran niedostępny", "Non-Fullscreen": "Pełny ekran niedostępny",
"Mute": "Wyłącz dźwięk", "Mute": "Wyłącz dźwięk",
"Unmute": "Włącz dźwięk", "Unmute": "Włącz dźwięk",
"Playback Rate": "Szybkość odtwarzania", "Playback Rate": "Szybkość odtwarzania",
"Subtitles": "Napisy", "Subtitles": "Napisy",
"subtitles off": "Napisy wyłączone", "subtitles off": "Napisy wyłączone",
"Captions": "Transkrypcja", "Captions": "Transkrypcja",
"captions off": "Transkrypcja wyłączona", "captions off": "Transkrypcja wyłączona",
"Chapters": "Rozdziały", "Chapters": "Rozdziały",
"You aborted the media playback": "Odtwarzanie zostało przerwane", "You aborted the media playback": "Odtwarzanie zostało przerwane",
"A network error caused the media download to fail part-way.": "Problemy z siecią spowodowały błąd przy pobieraniu materiału wideo.", "A network error caused the media download to fail part-way.": "Problemy z siecią spowodowały błąd przy pobieraniu materiału wideo.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Materiał wideo nie może być załadowany, ponieważ wystąpił problem z siecią lub format nie jest obsługiwany", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "Materiał wideo nie może być załadowany, ponieważ wystąpił problem z siecią lub format nie jest obsługiwany",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Odtwarzanie materiału wideo zostało przerwane z powodu uszkodzonego pliku wideo lub z powodu błędu funkcji, które nie są wspierane przez przeglądarkę.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Odtwarzanie materiału wideo zostało przerwane z powodu uszkodzonego pliku wideo lub z powodu błędu funkcji, które nie są wspierane przez przeglądarkę.",
"No compatible source was found for this media.": "Dla tego materiału wideo nie znaleziono kompatybilnego źródła.", "No compatible source was found for this media.": "Dla tego materiału wideo nie znaleziono kompatybilnego źródła.",
"Play Video": "Odtwarzaj wideo", "Play Video": "Odtwarzaj wideo",
"Close": "Zamknij", "Close": "Zamknij",
"Modal Window": "Okno Modala", "Modal Window": "Okno Modala",
"This is a modal window": "To jest okno modala", "This is a modal window": "To jest okno modala",
"This modal can be closed by pressing the Escape key or activating the close button.": "Ten modal możesz zamknąć naciskając przycisk Escape albo wybierając przycisk Zamknij.", "This modal can be closed by pressing the Escape key or activating the close button.": "Ten modal możesz zamknąć naciskając przycisk Escape albo wybierając przycisk Zamknij.",
", opens captions settings dialog": ", otwiera okno dialogowe ustawień transkrypcji", ", opens captions settings dialog": ", otwiera okno dialogowe ustawień transkrypcji",
", opens subtitles settings dialog": ", otwiera okno dialogowe napisów", ", opens subtitles settings dialog": ", otwiera okno dialogowe napisów",
", selected": ", zaznaczone" ", selected": ", zaznaczone"
}); });

View File

@ -0,0 +1,34 @@
{
"Play": "Odtwarzaj",
"Pause": "Pauza",
"Current Time": "Aktualny czas",
"Duration": "Czas trwania",
"Remaining Time": "Pozostały czas",
"Stream Type": "Typ strumienia",
"LIVE": "NA ŻYWO",
"Loaded": "Załadowany",
"Progress": "Status",
"Fullscreen": "Pełny ekran",
"Non-Fullscreen": "Pełny ekran niedostępny",
"Mute": "Wyłącz dźwięk",
"Unmute": "Włącz dźwięk",
"Playback Rate": "Szybkość odtwarzania",
"Subtitles": "Napisy",
"subtitles off": "Napisy wyłączone",
"Captions": "Transkrypcja",
"captions off": "Transkrypcja wyłączona",
"Chapters": "Rozdziały",
"You aborted the media playback": "Odtwarzanie zostało przerwane",
"A network error caused the media download to fail part-way.": "Problemy z siecią spowodowały błąd przy pobieraniu materiału wideo.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Materiał wideo nie może być załadowany, ponieważ wystąpił problem z siecią lub format nie jest obsługiwany",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Odtwarzanie materiału wideo zostało przerwane z powodu uszkodzonego pliku wideo lub z powodu błędu funkcji, które nie są wspierane przez przeglądarkę.",
"No compatible source was found for this media.": "Dla tego materiału wideo nie znaleziono kompatybilnego źródła.",
"Play Video": "Odtwarzaj wideo",
"Close": "Zamknij",
"Modal Window": "Okno Modala",
"This is a modal window": "To jest okno modala",
"This modal can be closed by pressing the Escape key or activating the close button.": "Ten modal możesz zamknąć naciskając przycisk Escape albo wybierając przycisk Zamknij.",
", opens captions settings dialog": ", otwiera okno dialogowe ustawień transkrypcji",
", opens subtitles settings dialog": ", otwiera okno dialogowe napisów",
", selected": ", zaznaczone"
}

View File

@ -1,85 +1,85 @@
videojs.addLanguage("pt-BR",{ videojs.addLanguage('pt-BR', {
"Audio Player": "Reprodutor de áudio", "Audio Player": "Reprodutor de áudio",
"Video Player": "Reprodutor de vídeo", "Video Player": "Reprodutor de vídeo",
"Play": "Tocar", "Play": "Tocar",
"Pause": "Pausar", "Pause": "Pausar",
"Replay": "Tocar novamente", "Replay": "Tocar novamente",
"Current Time": "Tempo", "Current Time": "Tempo",
"Duration": "Duração", "Duration": "Duração",
"Remaining Time": "Tempo Restante", "Remaining Time": "Tempo Restante",
"Stream Type": "Tipo de Stream", "Stream Type": "Tipo de Stream",
"LIVE": "AO VIVO", "LIVE": "AO VIVO",
"Loaded": "Carregado", "Loaded": "Carregado",
"Progress": "Progresso", "Progress": "Progresso",
"Progress Bar": "Barra de progresso", "Progress Bar": "Barra de progresso",
"progress bar timing: currentTime={1} duration={2}": "{1} de {2}", "progress bar timing: currentTime={1} duration={2}": "{1} de {2}",
"Fullscreen": "Tela Cheia", "Fullscreen": "Tela Cheia",
"Non-Fullscreen": "Tela Normal", "Non-Fullscreen": "Tela Normal",
"Mute": "Mudo", "Mute": "Mudo",
"Unmute": "Habilitar Som", "Unmute": "Habilitar Som",
"Playback Rate": "Velocidade", "Playback Rate": "Velocidade",
"Subtitles": "Legendas", "Subtitles": "Legendas",
"subtitles off": "Sem Legendas", "subtitles off": "Sem Legendas",
"Captions": "Anotações", "Captions": "Anotações",
"captions off": "Sem Anotações", "captions off": "Sem Anotações",
"Chapters": "Capítulos", "Chapters": "Capítulos",
"Descriptions": "Descrições", "Descriptions": "Descrições",
"descriptions off": "sem descrições", "descriptions off": "sem descrições",
"Audio Track": "Faixa de áudio", "Audio Track": "Faixa de áudio",
"Volume Level": "Nível de volume", "Volume Level": "Nível de volume",
"You aborted the media playback": "Você parou a execução do vídeo.", "You aborted the media playback": "Você parou a execução do vídeo.",
"A network error caused the media download to fail part-way.": "Um erro na rede causou falha durante o download da mídia.", "A network error caused the media download to fail part-way.": "Um erro na rede causou falha durante o download da mídia.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "A mídia não pode ser carregada, por uma falha de rede ou servidor ou o formato não é suportado.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "A mídia não pode ser carregada, por uma falha de rede ou servidor ou o formato não é suportado.",
"No compatible source was found for this media.": "Nenhuma fonte foi encontrada para esta mídia.", "No compatible source was found for this media.": "Nenhuma fonte foi encontrada para esta mídia.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "A reprodução foi interrompida devido à um problema de mídia corrompida ou porque a mídia utiliza funções que seu navegador não suporta.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "A reprodução foi interrompida devido à um problema de mídia corrompida ou porque a mídia utiliza funções que seu navegador não suporta.",
"The media is encrypted and we do not have the keys to decrypt it.": "A mídia está criptografada e não temos as chaves para descriptografar.", "The media is encrypted and we do not have the keys to decrypt it.": "A mídia está criptografada e não temos as chaves para descriptografar.",
"Play Video": "Tocar Vídeo", "Play Video": "Tocar Vídeo",
"Close": "Fechar", "Close": "Fechar",
"Close Modal Dialog": "Fechar Diálogo Modal", "Close Modal Dialog": "Fechar Diálogo Modal",
"Modal Window": "Janela Modal", "Modal Window": "Janela Modal",
"This is a modal window": "Isso é uma janela-modal", "This is a modal window": "Isso é uma janela-modal",
"This modal can be closed by pressing the Escape key or activating the close button.": "Esta janela pode ser fechada pressionando a tecla de Escape.", "This modal can be closed by pressing the Escape key or activating the close button.": "Esta janela pode ser fechada pressionando a tecla de Escape.",
", opens captions settings dialog": ", abre as configurações de legendas de comentários", ", opens captions settings dialog": ", abre as configurações de legendas de comentários",
", opens subtitles settings dialog": ", abre as configurações de legendas", ", opens subtitles settings dialog": ", abre as configurações de legendas",
", opens descriptions settings dialog": ", abre as configurações", ", opens descriptions settings dialog": ", abre as configurações",
", selected": ", selecionada", ", selected": ", selecionada",
"captions settings": "configurações de legendas de comentários", "captions settings": "configurações de legendas de comentários",
"subtitles settings": "configurações de legendas", "subtitles settings": "configurações de legendas",
"descriptions settings": "configurações das descrições", "descriptions settings": "configurações das descrições",
"Text": "Texto", "Text": "Texto",
"White": "Branco", "White": "Branco",
"Black": "Preto", "Black": "Preto",
"Red": "Vermelho", "Red": "Vermelho",
"Green": "Verde", "Green": "Verde",
"Blue": "Azul", "Blue": "Azul",
"Yellow": "Amarelo", "Yellow": "Amarelo",
"Magenta": "Magenta", "Magenta": "Magenta",
"Cyan": "Ciano", "Cyan": "Ciano",
"Background": "Plano-de-Fundo", "Background": "Plano-de-Fundo",
"Window": "Janela", "Window": "Janela",
"Transparent": "Transparente", "Transparent": "Transparente",
"Semi-Transparent": "Semi-Transparente", "Semi-Transparent": "Semi-Transparente",
"Opaque": "Opaco", "Opaque": "Opaco",
"Font Size": "Tamanho da Fonte", "Font Size": "Tamanho da Fonte",
"Text Edge Style": "Estilo da Borda", "Text Edge Style": "Estilo da Borda",
"None": "Nenhum", "None": "Nenhum",
"Raised": "Elevado", "Raised": "Elevado",
"Depressed": "Acachapado", "Depressed": "Acachapado",
"Uniform": "Uniforme", "Uniform": "Uniforme",
"Dropshadow": "Sombra de projeção", "Dropshadow": "Sombra de projeção",
"Font Family": "Família da Fonte", "Font Family": "Família da Fonte",
"Proportional Sans-Serif": "Sans-Serif(Sem serifa) Proporcional", "Proportional Sans-Serif": "Sans-Serif(Sem serifa) Proporcional",
"Monospace Sans-Serif": "Sans-Serif(Sem serifa) Monoespaçada", "Monospace Sans-Serif": "Sans-Serif(Sem serifa) Monoespaçada",
"Proportional Serif": "Serifa Proporcional", "Proportional Serif": "Serifa Proporcional",
"Monospace Serif": "Serifa Monoespaçada", "Monospace Serif": "Serifa Monoespaçada",
"Casual": "Casual", "Casual": "Casual",
"Script": "Script", "Script": "Script",
"Small Caps": "Maiúsculas Pequenas", "Small Caps": "Maiúsculas Pequenas",
"Reset": "Redefinir", "Reset": "Redefinir",
"restore all settings to the default values": "restaurar todas as configurações aos valores padrão", "restore all settings to the default values": "restaurar todas as configurações aos valores padrão",
"Done": "Salvar", "Done": "Salvar",
"Caption Settings Dialog": "Caíxa-de-Diálogo das configurações de Legendas", "Caption Settings Dialog": "Caíxa-de-Diálogo das configurações de Legendas",
"Beginning of dialog window. Escape will cancel and close the window.": "Iniciando a Janela-de-Diálogo. Pressionar Escape irá cancelar e fechar a janela.", "Beginning of dialog window. Escape will cancel and close the window.": "Iniciando a Janela-de-Diálogo. Pressionar Escape irá cancelar e fechar a janela.",
"End of dialog window.": "Fim da Janela-de-Diálogo", "End of dialog window.": "Fim da Janela-de-Diálogo",
"{1} is loading.": "{1} está carregando." "{1} is loading.": "{1} está carregando."
}); });

View File

@ -0,0 +1,86 @@
{
"Audio Player": "Reprodutor de áudio",
"Video Player": "Reprodutor de vídeo",
"Play": "Tocar",
"Pause": "Pausar",
"Replay": "Tocar novamente",
"Current Time": "Tempo",
"Duration": "Duração",
"Remaining Time": "Tempo Restante",
"Stream Type": "Tipo de Stream",
"LIVE": "AO VIVO",
"Loaded": "Carregado",
"Progress": "Progresso",
"Progress Bar": "Barra de progresso",
"progress bar timing: currentTime={1} duration={2}": "{1} de {2}",
"Fullscreen": "Tela Cheia",
"Non-Fullscreen": "Tela Normal",
"Mute": "Mudo",
"Unmute": "Habilitar Som",
"Playback Rate": "Velocidade",
"Subtitles": "Legendas",
"subtitles off": "Sem Legendas",
"Captions": "Anotações",
"captions off": "Sem Anotações",
"Chapters": "Capítulos",
"Descriptions": "Descrições",
"descriptions off": "sem descrições",
"Audio Track": "Faixa de áudio",
"Volume Level": "Nível de volume",
"You aborted the media playback": "Você parou a execução do vídeo.",
"A network error caused the media download to fail part-way.": "Um erro na rede causou falha durante o download da mídia.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "A mídia não pode ser carregada, por uma falha de rede ou servidor ou o formato não é suportado.",
"No compatible source was found for this media.": "Não foi encontrada fonte de mídia compatível.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "A reprodução foi interrompida devido à um problema de mídia corrompida ou porque a mídia utiliza funções que seu navegador não suporta.",
"No compatible source was found for this media.": "Nenhuma fonte foi encontrada para esta mídia.",
"The media is encrypted and we do not have the keys to decrypt it.": "A mídia está criptografada e não temos as chaves para descriptografar.",
"Play Video": "Tocar Vídeo",
"Close": "Fechar",
"Close Modal Dialog": "Fechar Diálogo Modal",
"Modal Window": "Janela Modal",
"This is a modal window": "Isso é uma janela-modal",
"This modal can be closed by pressing the Escape key or activating the close button.": "Esta janela pode ser fechada pressionando a tecla de Escape.",
", opens captions settings dialog": ", abre as configurações de legendas de comentários",
", opens subtitles settings dialog": ", abre as configurações de legendas",
", opens descriptions settings dialog": ", abre as configurações",
", selected": ", selecionada",
"captions settings": "configurações de legendas de comentários",
"subtitles settings": "configurações de legendas",
"descriptions settings": "configurações das descrições",
"Text": "Texto",
"White": "Branco",
"Black": "Preto",
"Red": "Vermelho",
"Green": "Verde",
"Blue": "Azul",
"Yellow": "Amarelo",
"Magenta": "Magenta",
"Cyan": "Ciano",
"Background": "Plano-de-Fundo",
"Window": "Janela",
"Transparent": "Transparente",
"Semi-Transparent": "Semi-Transparente",
"Opaque": "Opaco",
"Font Size": "Tamanho da Fonte",
"Text Edge Style": "Estilo da Borda",
"None": "Nenhum",
"Raised": "Elevado",
"Depressed": "Acachapado",
"Uniform": "Uniforme",
"Dropshadow": "Sombra de projeção",
"Font Family": "Família da Fonte",
"Proportional Sans-Serif": "Sans-Serif(Sem serifa) Proporcional",
"Monospace Sans-Serif": "Sans-Serif(Sem serifa) Monoespaçada",
"Proportional Serif": "Serifa Proporcional",
"Monospace Serif": "Serifa Monoespaçada",
"Casual": "Casual",
"Script": "Script",
"Small Caps": "Maiúsculas Pequenas",
"Reset": "Redefinir",
"restore all settings to the default values": "restaurar todas as configurações aos valores padrão",
"Done": "Salvar",
"Caption Settings Dialog": "Caíxa-de-Diálogo das configurações de Legendas",
"Beginning of dialog window. Escape will cancel and close the window.": "Iniciando a Janela-de-Diálogo. Pressionar Escape irá cancelar e fechar a janela.",
"End of dialog window.": "Fim da Janela-de-Diálogo",
"{1} is loading.": "{1} está carregando."
}

View File

@ -1,41 +1,41 @@
videojs.addLanguage("pt-PT",{ videojs.addLanguage('pt-PT', {
"Play": "Reproduzir", "Play": "Reproduzir",
"Pause": "Parar", "Pause": "Parar",
"Replay": "Reiniciar", "Replay": "Reiniciar",
"Current Time": "Tempo Atual", "Current Time": "Tempo Atual",
"Duration": "Duração", "Duration": "Duração",
"Remaining Time": "Tempo Restante", "Remaining Time": "Tempo Restante",
"Stream Type": "Tipo de Stream", "Stream Type": "Tipo de Stream",
"LIVE": "EM DIRETO", "LIVE": "EM DIRETO",
"Loaded": "Carregado", "Loaded": "Carregado",
"Progress": "Progresso", "Progress": "Progresso",
"Fullscreen": "Ecrã inteiro", "Fullscreen": "Ecrã inteiro",
"Non-Fullscreen": "Ecrã normal", "Non-Fullscreen": "Ecrã normal",
"Mute": "Desativar som", "Mute": "Desativar som",
"Unmute": "Ativar som", "Unmute": "Ativar som",
"Playback Rate": "Velocidade de reprodução", "Playback Rate": "Velocidade de reprodução",
"Subtitles": "Legendas", "Subtitles": "Legendas",
"subtitles off": "desativar legendas", "subtitles off": "desativar legendas",
"Captions": "Anotações", "Captions": "Anotações",
"captions off": "desativar anotações", "captions off": "desativar anotações",
"Chapters": "Capítulos", "Chapters": "Capítulos",
"Close Modal Dialog": "Fechar Janela Modal", "Close Modal Dialog": "Fechar Janela Modal",
"Descriptions": "Descrições", "Descriptions": "Descrições",
"descriptions off": "desativar descrições", "descriptions off": "desativar descrições",
"Audio Track": "Faixa Áudio", "Audio Track": "Faixa Áudio",
"You aborted the media playback": "Parou a reprodução do vídeo.", "You aborted the media playback": "Parou a reprodução do vídeo.",
"A network error caused the media download to fail part-way.": "Um erro na rede fez o vídeo falhar parcialmente.", "A network error caused the media download to fail part-way.": "Um erro na rede fez o vídeo falhar parcialmente.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "O vídeo não pode ser carregado, ou porque houve um problema na rede ou no servidor, ou porque formato do vídeo não é compatível.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "O vídeo não pode ser carregado, ou porque houve um problema na rede ou no servidor, ou porque formato do vídeo não é compatível.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "A reprodução foi interrompida por um problema com o vídeo ou porque o formato não é compatível com o seu navegador.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "A reprodução foi interrompida por um problema com o vídeo ou porque o formato não é compatível com o seu navegador.",
"No compatible source was found for this media.": "Não foi encontrada uma fonte de vídeo compatível.", "No compatible source was found for this media.": "Não foi encontrada uma fonte de vídeo compatível.",
"The media is encrypted and we do not have the keys to decrypt it.": "O vídeo está encriptado e não há uma chave para o desencriptar.", "The media is encrypted and we do not have the keys to decrypt it.": "O vídeo está encriptado e não há uma chave para o desencriptar.",
"Play Video": "Reproduzir Vídeo", "Play Video": "Reproduzir Vídeo",
"Close": "Fechar", "Close": "Fechar",
"Modal Window": "Janela Modal", "Modal Window": "Janela Modal",
"This is a modal window": "Isto é uma janela modal", "This is a modal window": "Isto é uma janela modal",
"This modal can be closed by pressing the Escape key or activating the close button.": "Esta modal pode ser fechada pressionando a tecla ESC ou ativando o botão de fechar.", "This modal can be closed by pressing the Escape key or activating the close button.": "Esta modal pode ser fechada pressionando a tecla ESC ou ativando o botão de fechar.",
", opens captions settings dialog": ", abre janela com definições de legendas", ", opens captions settings dialog": ", abre janela com definições de legendas",
", opens subtitles settings dialog": ", abre janela com definições de legendas", ", opens subtitles settings dialog": ", abre janela com definições de legendas",
", opens descriptions settings dialog": ", abre janela com definições de descrições", ", opens descriptions settings dialog": ", abre janela com definições de descrições",
", selected": ", seleccionado" ", selected": ", seleccionado"
}); });

View File

@ -0,0 +1,41 @@
{
"Play": "Reproduzir",
"Pause": "Parar",
"Replay": "Reiniciar",
"Current Time": "Tempo Atual",
"Duration": "Duração",
"Remaining Time": "Tempo Restante",
"Stream Type": "Tipo de Stream",
"LIVE": "EM DIRETO",
"Loaded": "Carregado",
"Progress": "Progresso",
"Fullscreen": "Ecrã inteiro",
"Non-Fullscreen": "Ecrã normal",
"Mute": "Desativar som",
"Unmute": "Ativar som",
"Playback Rate": "Velocidade de reprodução",
"Subtitles": "Legendas",
"subtitles off": "desativar legendas",
"Captions": "Anotações",
"captions off": "desativar anotações",
"Chapters": "Capítulos",
"Close Modal Dialog": "Fechar Janela Modal",
"Descriptions": "Descrições",
"descriptions off": "desativar descrições",
"Audio Track": "Faixa Áudio",
"You aborted the media playback": "Parou a reprodução do vídeo.",
"A network error caused the media download to fail part-way.": "Um erro na rede fez o vídeo falhar parcialmente.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "O vídeo não pode ser carregado, ou porque houve um problema na rede ou no servidor, ou porque formato do vídeo não é compatível.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "A reprodução foi interrompida por um problema com o vídeo ou porque o formato não é compatível com o seu navegador.",
"No compatible source was found for this media.": "Não foi encontrada uma fonte de vídeo compatível.",
"The media is encrypted and we do not have the keys to decrypt it.": "O vídeo está encriptado e não há uma chave para o desencriptar.",
"Play Video": "Reproduzir Vídeo",
"Close": "Fechar",
"Modal Window": "Janela Modal",
"This is a modal window": "Isto é uma janela modal",
"This modal can be closed by pressing the Escape key or activating the close button.": "Esta modal pode ser fechada pressionando a tecla ESC ou ativando o botão de fechar.",
", opens captions settings dialog": ", abre janela com definições de legendas",
", opens subtitles settings dialog": ", abre janela com definições de legendas",
", opens descriptions settings dialog": ", abre janela com definições de descrições",
", selected": ", seleccionado"
}

View File

@ -1,84 +1,85 @@
videojs.addLanguage("ru",{ videojs.addLanguage('ru', {
"Audio Player": "Аудио проигрыватель", "Audio Player": "Аудио проигрыватель",
"Video Player": "Видео проигрыватель", "Video Player": "Видео проигрыватель",
"Play": "Воспроизвести", "Play": "Воспроизвести",
"Pause": "Приостановить", "Pause": "Приостановить",
"Replay": "Воспроизвести снова", "Replay": "Воспроизвести снова",
"Current Time": "Текущее время", "Current Time": "Текущее время",
"Duration": "Продолжительность", "Duration": "Продолжительность",
"Remaining Time": "Оставшееся время", "Remaining Time": "Оставшееся время",
"Stream Type": "Тип потока", "Stream Type": "Тип потока",
"LIVE": "ОНЛАЙН", "LIVE": "ОНЛАЙН",
"Loaded": "Загрузка", "Loaded": "Загрузка",
"Progress": "Прогресс", "Progress": "Прогресс",
"Progress Bar": "Индикатор загрузки", "Progress Bar": "Индикатор загрузки",
"progress bar timing: currentTime={1} duration={2}": "{1} из {2}", "progress bar timing: currentTime={1} duration={2}": "{1} из {2}",
"Fullscreen": "Полноэкранный режим", "Fullscreen": "Полноэкранный режим",
"Non-Fullscreen": "Неполноэкранный режим", "Non-Fullscreen": "Неполноэкранный режим",
"Mute": "Без звука", "Mute": "Без звука",
"Unmute": "Со звуком", "Unmute": "Со звуком",
"Playback Rate": "Скорость воспроизведения", "Playback Rate": "Скорость воспроизведения",
"Subtitles": "Субтитры", "Subtitles": "Субтитры",
"subtitles off": "Субтитры выкл.", "subtitles off": "Субтитры выкл.",
"Captions": "Подписи", "Captions": "Подписи",
"captions off": "Подписи выкл.", "captions off": "Подписи выкл.",
"Chapters": "Главы", "Chapters": "Главы",
"Descriptions": "Описания", "Descriptions": "Описания",
"descriptions off": "Отключить описания", "descriptions off": "Отключить описания",
"Audio Track": "Звуковая дорожка", "Audio Track": "Звуковая дорожка",
"Volume Level": "Уровень громкости", "Volume Level": "Уровень громкости",
"You aborted the media playback": "Вы прервали воспроизведение видео", "You aborted the media playback": "Вы прервали воспроизведение видео",
"A network error caused the media download to fail part-way.": "Ошибка сети вызвала сбой во время загрузки видео.", "A network error caused the media download to fail part-way.": "Ошибка сети вызвала сбой во время загрузки видео.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Невозможно загрузить видео из-за сетевого или серверного сбоя либо формат не поддерживается.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "Невозможно загрузить видео из-за сетевого или серверного сбоя либо формат не поддерживается.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Воспроизведение видео было приостановлено из-за повреждения либо в связи с тем, что видео использует функции, неподдерживаемые вашим браузером.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Воспроизведение видео было приостановлено из-за повреждения либо в связи с тем, что видео использует функции, неподдерживаемые вашим браузером.",
"No compatible source was found for this media.": "Совместимые источники для этого видео отсутствуют.", "No compatible source was found for this media.": "Совместимые источники для этого видео отсутствуют.",
"The media is encrypted and we do not have the keys to decrypt it.": "Видео в зашифрованном виде, и у нас нет ключей для расшифровки.", "The media is encrypted and we do not have the keys to decrypt it.": "Видео в зашифрованном виде, и у нас нет ключей для расшифровки.",
"Play Video": "Воспроизвести видео", "Play Video": "Воспроизвести видео",
"Close": "Закрыть", "Close": "Закрыть",
"Close Modal Dialog": "Закрыть модальное окно", "Close Modal Dialog": "Закрыть модальное окно",
"Modal Window": "Модальное окно", "Modal Window": "Модальное окно",
"This is a modal window": "Это модальное окно", "This is a modal window": "Это модальное окно",
"This modal can be closed by pressing the Escape key or activating the close button.": "Модальное окно можно закрыть нажав Esc или кнопку закрытия окна.", "This modal can be closed by pressing the Escape key or activating the close button.": "Модальное окно можно закрыть нажав Esc или кнопку закрытия окна.",
", opens captions settings dialog": ", откроется диалог настройки подписей", ", opens captions settings dialog": ", откроется диалог настройки подписей",
", opens subtitles settings dialog": ", откроется диалог настройки субтитров", ", opens subtitles settings dialog": ", откроется диалог настройки субтитров",
", opens descriptions settings dialog": ", откроется диалог настройки описаний", ", opens descriptions settings dialog": ", откроется диалог настройки описаний",
", selected": ", выбрано", ", selected": ", выбрано",
"captions settings": "настройки подписей", "captions settings": "настройки подписей",
"subtitles settings": "настройки субтитров", "subtitles settings": "настройки субтитров",
"descriptions settings": "настройки описаний", "descriptions settings": "настройки описаний",
"Text": "Текст", "Text": "Текст",
"White": "Белый", "White": "Белый",
"Black": "Черный", "Black": "Черный",
"Red": "Красный", "Red": "Красный",
"Green": "Зеленый", "Green": "Зеленый",
"Blue": "Синий", "Blue": "Синий",
"Yellow": "Желтый", "Yellow": "Желтый",
"Magenta": "Пурпурный", "Magenta": "Пурпурный",
"Cyan": "Голубой", "Cyan": "Голубой",
"Background": "Фон", "Background": "Фон",
"Window": "Окно", "Window": "Окно",
"Transparent": "Прозрачный", "Transparent": "Прозрачный",
"Semi-Transparent": "Полупрозрачный", "Semi-Transparent": "Полупрозрачный",
"Opaque": "Прозрачность", "Opaque": "Прозрачность",
"Font Size": "Размер шрифта", "Font Size": "Размер шрифта",
"Text Edge Style": "Стиль края текста", "Text Edge Style": "Стиль края текста",
"None": "Ничего", "None": "Ничего",
"Raised": "Поднятый", "Raised": "Поднятый",
"Depressed": "Пониженный", "Depressed": "Пониженный",
"Uniform": "Одинаковый", "Uniform": "Одинаковый",
"Dropshadow": "Тень", "Dropshadow": "Тень",
"Font Family": "Шрифт", "Font Family": "Шрифт",
"Proportional Sans-Serif": "Пропорциональный без засечек", "Proportional Sans-Serif": "Пропорциональный без засечек",
"Monospace Sans-Serif": "Моноширинный без засечек", "Monospace Sans-Serif": "Моноширинный без засечек",
"Proportional Serif": "Пропорциональный с засечками", "Proportional Serif": "Пропорциональный с засечками",
"Monospace Serif": "Моноширинный с засечками", "Monospace Serif": "Моноширинный с засечками",
"Casual": "Случайный", "Casual": "Случайный",
"Script": "Письменный", "Script": "Письменный",
"Small Caps": "Малые прописные", "Small Caps": "Малые прописные",
"Reset": "Сбросить", "Reset": "Сбросить",
"restore all settings to the default values": "сбросить все найстройки по умолчанию", "restore all settings to the default values": "сбросить все найстройки по умолчанию",
"Done": "Готово", "Done": "Готово",
"Caption Settings Dialog": "Диалог настроек подписи", "Caption Settings Dialog": "Диалог настроек подписи",
"Beginning of dialog window. Escape will cancel and close the window.": "Начало диалоговго окна. Кнопка Escape закроет или отменит окно", "Beginning of dialog window. Escape will cancel and close the window.": "Начало диалоговго окна. Кнопка Escape закроет или отменит окно",
"End of dialog window.": "Конец диалогового окна." "End of dialog window.": "Конец диалогового окна.",
"{1} is loading.": "{1} загружается."
}); });

View File

@ -0,0 +1,85 @@
{
"Audio Player": "Аудио проигрыватель",
"Video Player": "Видео проигрыватель",
"Play": "Воспроизвести",
"Pause": "Приостановить",
"Replay": "Воспроизвести снова",
"Current Time": "Текущее время",
"Duration": "Продолжительность",
"Remaining Time": "Оставшееся время",
"Stream Type": "Тип потока",
"LIVE": "ОНЛАЙН",
"Loaded": "Загрузка",
"Progress": "Прогресс",
"Progress Bar": "Индикатор загрузки",
"progress bar timing: currentTime={1} duration={2}": "{1} из {2}",
"Fullscreen": "Полноэкранный режим",
"Non-Fullscreen": "Неполноэкранный режим",
"Mute": "Без звука",
"Unmute": "Со звуком",
"Playback Rate": "Скорость воспроизведения",
"Subtitles": "Субтитры",
"subtitles off": "Субтитры выкл.",
"Captions": "Подписи",
"captions off": "Подписи выкл.",
"Chapters": "Главы",
"Descriptions": "Описания",
"descriptions off": "Отключить описания",
"Audio Track": "Звуковая дорожка",
"Volume Level": "Уровень громкости",
"You aborted the media playback": "Вы прервали воспроизведение видео",
"A network error caused the media download to fail part-way.": "Ошибка сети вызвала сбой во время загрузки видео.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Невозможно загрузить видео из-за сетевого или серверного сбоя либо формат не поддерживается.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Воспроизведение видео было приостановлено из-за повреждения либо в связи с тем, что видео использует функции, неподдерживаемые вашим браузером.",
"No compatible source was found for this media.": "Совместимые источники для этого видео отсутствуют.",
"The media is encrypted and we do not have the keys to decrypt it.": "Видео в зашифрованном виде, и у нас нет ключей для расшифровки.",
"Play Video": "Воспроизвести видео",
"Close": "Закрыть",
"Close Modal Dialog": "Закрыть модальное окно",
"Modal Window": "Модальное окно",
"This is a modal window": "Это модальное окно",
"This modal can be closed by pressing the Escape key or activating the close button.": "Модальное окно можно закрыть нажав Esc или кнопку закрытия окна.",
", opens captions settings dialog": ", откроется диалог настройки подписей",
", opens subtitles settings dialog": ", откроется диалог настройки субтитров",
", opens descriptions settings dialog": ", откроется диалог настройки описаний",
", selected": ", выбрано",
"captions settings": "настройки подписей",
"subtitles settings": "настройки субтитров",
"descriptions settings": "настройки описаний",
"Text": "Текст",
"White": "Белый",
"Black": "Черный",
"Red": "Красный",
"Green": "Зеленый",
"Blue": "Синий",
"Yellow": "Желтый",
"Magenta": "Пурпурный",
"Cyan": "Голубой",
"Background": "Фон",
"Window": "Окно",
"Transparent": "Прозрачный",
"Semi-Transparent": "Полупрозрачный",
"Opaque": "Прозрачность",
"Font Size": "Размер шрифта",
"Text Edge Style": "Стиль края текста",
"None": "Ничего",
"Raised": "Поднятый",
"Depressed": "Пониженный",
"Uniform": "Одинаковый",
"Dropshadow": "Тень",
"Font Family": "Шрифт",
"Proportional Sans-Serif": "Пропорциональный без засечек",
"Monospace Sans-Serif": "Моноширинный без засечек",
"Proportional Serif": "Пропорциональный с засечками",
"Monospace Serif": "Моноширинный с засечками",
"Casual": "Случайный",
"Script": "Письменный",
"Small Caps": "Малые прописные",
"Reset": "Сбросить",
"restore all settings to the default values": "сбросить все найстройки по умолчанию",
"Done": "Готово",
"Caption Settings Dialog": "Диалог настроек подписи",
"Beginning of dialog window. Escape will cancel and close the window.": "Начало диалоговго окна. Кнопка Escape закроет или отменит окно",
"End of dialog window.": "Конец диалогового окна.",
"{1} is loading.": "{1} загружается."
}

View File

@ -1,85 +1,85 @@
videojs.addLanguage("sk",{ videojs.addLanguage('sk', {
"Audio Player": "Zvukový prehrávač", "Audio Player": "Zvukový prehrávač",
"Video Player": "Video prehrávač", "Video Player": "Video prehrávač",
"Play": "Prehrať", "Play": "Prehrať",
"Pause": "Pozastaviť", "Pause": "Pozastaviť",
"Replay": "Prehrať znova", "Replay": "Prehrať znova",
"Current Time": "Aktuálny čas", "Current Time": "Aktuálny čas",
"Duration": "Čas trvania", "Duration": "Čas trvania",
"Remaining Time": "Zostávajúci čas", "Remaining Time": "Zostávajúci čas",
"Stream Type": "Typ stopy", "Stream Type": "Typ stopy",
"LIVE": "NAŽIVO", "LIVE": "NAŽIVO",
"Loaded": "Načítané", "Loaded": "Načítané",
"Progress": "Priebeh", "Progress": "Priebeh",
"Progress Bar": "Ukazovateľ priebehu", "Progress Bar": "Ukazovateľ priebehu",
"progress bar timing: currentTime={1} duration={2}": "časovanie ukazovateľa priebehu: currentTime={1} duration={2}", "progress bar timing: currentTime={1} duration={2}": "časovanie ukazovateľa priebehu: currentTime={1} duration={2}",
"Fullscreen": "Režim celej obrazovky", "Fullscreen": "Režim celej obrazovky",
"Non-Fullscreen": "Režim normálnej obrazovky", "Non-Fullscreen": "Režim normálnej obrazovky",
"Mute": "Stlmiť", "Mute": "Stlmiť",
"Unmute": "Zrušiť stlmenie", "Unmute": "Zrušiť stlmenie",
"Playback Rate": "Rýchlosť prehrávania", "Playback Rate": "Rýchlosť prehrávania",
"Subtitles": "Titulky", "Subtitles": "Titulky",
"subtitles off": "titulky vypnuté", "subtitles off": "titulky vypnuté",
"Captions": "Popisky", "Captions": "Popisky",
"captions off": "popisky vypnuté", "captions off": "popisky vypnuté",
"Chapters": "Kapitoly", "Chapters": "Kapitoly",
"Descriptions": "Opisy", "Descriptions": "Opisy",
"descriptions off": "opisy vypnuté", "descriptions off": "opisy vypnuté",
"Audio Track": "Zvuková stopa", "Audio Track": "Zvuková stopa",
"Volume Level": "Úroveň hlasitosti", "Volume Level": "Úroveň hlasitosti",
"You aborted the media playback": "Prerušili ste prehrávanie", "You aborted the media playback": "Prerušili ste prehrávanie",
"A network error caused the media download to fail part-way.": "Sťahovanie súboru bolo zrušené pre chybu na sieti.", "A network error caused the media download to fail part-way.": "Sťahovanie súboru bolo zrušené pre chybu na sieti.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Súbor sa nepodarilo načítať pre chybu servera, sieťového pripojenia, alebo je formát súboru nepodporovaný.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "Súbor sa nepodarilo načítať pre chybu servera, sieťového pripojenia, alebo je formát súboru nepodporovaný.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Prehrávanie súboru bolo prerušené pre poškodené dáta, alebo súbor používa vlastnosti, ktoré váš prehliadač nepodporuje.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Prehrávanie súboru bolo prerušené pre poškodené dáta, alebo súbor používa vlastnosti, ktoré váš prehliadač nepodporuje.",
"No compatible source was found for this media.": "Nebol nájdený žiaden kompatibilný zdroj pre tento súbor.", "No compatible source was found for this media.": "Nebol nájdený žiaden kompatibilný zdroj pre tento súbor.",
"The media is encrypted and we do not have the keys to decrypt it.": "Súbor je zašifrovaný a nie je k dispozícii kľúč na rozšifrovanie.", "The media is encrypted and we do not have the keys to decrypt it.": "Súbor je zašifrovaný a nie je k dispozícii kľúč na rozšifrovanie.",
"Play Video": "Prehrať video", "Play Video": "Prehrať video",
"Close": "Zatvoriť", "Close": "Zatvoriť",
"Close Modal Dialog": "Zatvoriť modálne okno", "Close Modal Dialog": "Zatvoriť modálne okno",
"Modal Window": "Modálne okno", "Modal Window": "Modálne okno",
"This is a modal window": "Toto je modálne okno", "This is a modal window": "Toto je modálne okno",
"This modal can be closed by pressing the Escape key or activating the close button.": "Toto modálne okno je možné zatvoriť stlačením klávesy Escape, alebo aktivovaním tlačidla na zatvorenie.", "This modal can be closed by pressing the Escape key or activating the close button.": "Toto modálne okno je možné zatvoriť stlačením klávesy Escape, alebo aktivovaním tlačidla na zatvorenie.",
", opens captions settings dialog": ", otvorí okno nastavení popiskov", ", opens captions settings dialog": ", otvorí okno nastavení popiskov",
", opens subtitles settings dialog": ", otvorí okno nastavení titulkov", ", opens subtitles settings dialog": ", otvorí okno nastavení titulkov",
", opens descriptions settings dialog": ", otvorí okno nastavení opisov", ", opens descriptions settings dialog": ", otvorí okno nastavení opisov",
", selected": ", označené", ", selected": ", označené",
"captions settings": "nastavenia popiskov", "captions settings": "nastavenia popiskov",
"subtitles settings": "nastavenia titulkov", "subtitles settings": "nastavenia titulkov",
"descriptions settings": "nastavenia opisov", "descriptions settings": "nastavenia opisov",
"Text": "Text", "Text": "Text",
"White": "Biela", "White": "Biela",
"Black": "Čierna", "Black": "Čierna",
"Red": "Červená", "Red": "Červená",
"Green": "Zelená", "Green": "Zelená",
"Blue": "Modrá", "Blue": "Modrá",
"Yellow": "Žltá", "Yellow": "Žltá",
"Magenta": "Ružová", "Magenta": "Ružová",
"Cyan": "Tyrkysová", "Cyan": "Tyrkysová",
"Background": "Pozadie", "Background": "Pozadie",
"Window": "Okno", "Window": "Okno",
"Transparent": "Priesvitné", "Transparent": "Priesvitné",
"Semi-Transparent": "Polopriesvitné", "Semi-Transparent": "Polopriesvitné",
"Opaque": "Plné", "Opaque": "Plné",
"Font Size": "Veľkosť písma", "Font Size": "Veľkosť písma",
"Text Edge Style": "Typ okrajov písma", "Text Edge Style": "Typ okrajov písma",
"None": "Žiadne", "None": "Žiadne",
"Raised": "Zvýšené", "Raised": "Zvýšené",
"Depressed": "Znížené", "Depressed": "Znížené",
"Uniform": "Pravidelné", "Uniform": "Pravidelné",
"Dropshadow": "S tieňom", "Dropshadow": "S tieňom",
"Font Family": "Typ písma", "Font Family": "Typ písma",
"Proportional Sans-Serif": "Proporčné bezpätkové", "Proportional Sans-Serif": "Proporčné bezpätkové",
"Monospace Sans-Serif": "Pravidelné, bezpätkové", "Monospace Sans-Serif": "Pravidelné, bezpätkové",
"Proportional Serif": "Proporčné pätkové", "Proportional Serif": "Proporčné pätkové",
"Monospace Serif": "Pravidelné pätkové", "Monospace Serif": "Pravidelné pätkové",
"Casual": "Bežné", "Casual": "Bežné",
"Script": "Písané", "Script": "Písané",
"Small Caps": "Malé kapitálky", "Small Caps": "Malé kapitálky",
"Reset": "Resetovať", "Reset": "Resetovať",
"restore all settings to the default values": "všetky nastavenia na základné hodnoty", "restore all settings to the default values": "všetky nastavenia na základné hodnoty",
"Done": "Hotovo", "Done": "Hotovo",
"Caption Settings Dialog": "Okno nastavení popiskov", "Caption Settings Dialog": "Okno nastavení popiskov",
"Beginning of dialog window. Escape will cancel and close the window.": "Začiatok okna. Klávesa Escape zruší a zavrie okno.", "Beginning of dialog window. Escape will cancel and close the window.": "Začiatok okna. Klávesa Escape zruší a zavrie okno.",
"End of dialog window.": "Koniec okna.", "End of dialog window.": "Koniec okna.",
"{1} is loading.": "{1} sa načíta." "{1} is loading.": "{1} sa načíta."
}); });

View File

@ -0,0 +1,85 @@
{
"Audio Player": "Zvukový prehrávač",
"Video Player": "Video prehrávač",
"Play": "Prehrať",
"Pause": "Pozastaviť",
"Replay": "Prehrať znova",
"Current Time": "Aktuálny čas",
"Duration": "Čas trvania",
"Remaining Time": "Zostávajúci čas",
"Stream Type": "Typ stopy",
"LIVE": "NAŽIVO",
"Loaded": "Načítané",
"Progress": "Priebeh",
"Progress Bar": "Ukazovateľ priebehu",
"progress bar timing: currentTime={1} duration={2}": "časovanie ukazovateľa priebehu: currentTime={1} duration={2}",
"Fullscreen": "Režim celej obrazovky",
"Non-Fullscreen": "Režim normálnej obrazovky",
"Mute": "Stlmiť",
"Unmute": "Zrušiť stlmenie",
"Playback Rate": "Rýchlosť prehrávania",
"Subtitles": "Titulky",
"subtitles off": "titulky vypnuté",
"Captions": "Popisky",
"captions off": "popisky vypnuté",
"Chapters": "Kapitoly",
"Descriptions": "Opisy",
"descriptions off": "opisy vypnuté",
"Audio Track": "Zvuková stopa",
"Volume Level": "Úroveň hlasitosti",
"You aborted the media playback": "Prerušili ste prehrávanie",
"A network error caused the media download to fail part-way.": "Sťahovanie súboru bolo zrušené pre chybu na sieti.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Súbor sa nepodarilo načítať pre chybu servera, sieťového pripojenia, alebo je formát súboru nepodporovaný.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Prehrávanie súboru bolo prerušené pre poškodené dáta, alebo súbor používa vlastnosti, ktoré váš prehliadač nepodporuje.",
"No compatible source was found for this media.": "Nebol nájdený žiaden kompatibilný zdroj pre tento súbor.",
"The media is encrypted and we do not have the keys to decrypt it.": "Súbor je zašifrovaný a nie je k dispozícii kľúč na rozšifrovanie.",
"Play Video": "Prehrať video",
"Close": "Zatvoriť",
"Close Modal Dialog": "Zatvoriť modálne okno",
"Modal Window": "Modálne okno",
"This is a modal window": "Toto je modálne okno",
"This modal can be closed by pressing the Escape key or activating the close button.": "Toto modálne okno je možné zatvoriť stlačením klávesy Escape, alebo aktivovaním tlačidla na zatvorenie.",
", opens captions settings dialog": ", otvorí okno nastavení popiskov",
", opens subtitles settings dialog": ", otvorí okno nastavení titulkov",
", opens descriptions settings dialog": ", otvorí okno nastavení opisov",
", selected": ", označené",
"captions settings": "nastavenia popiskov",
"subtitles settings": "nastavenia titulkov",
"descriptions settings": "nastavenia opisov",
"Text": "Text",
"White": "Biela",
"Black": "Čierna",
"Red": "Červená",
"Green": "Zelená",
"Blue": "Modrá",
"Yellow": "Žltá",
"Magenta": "Ružová",
"Cyan": "Tyrkysová",
"Background": "Pozadie",
"Window": "Okno",
"Transparent": "Priesvitné",
"Semi-Transparent": "Polopriesvitné",
"Opaque": "Plné",
"Font Size": "Veľkosť písma",
"Text Edge Style": "Typ okrajov písma",
"None": "Žiadne",
"Raised": "Zvýšené",
"Depressed": "Znížené",
"Uniform": "Pravidelné",
"Dropshadow": "S tieňom",
"Font Family": "Typ písma",
"Proportional Sans-Serif": "Proporčné bezpätkové",
"Monospace Sans-Serif": "Pravidelné, bezpätkové",
"Proportional Serif": "Proporčné pätkové",
"Monospace Serif": "Pravidelné pätkové",
"Casual": "Bežné",
"Script": "Písané",
"Small Caps": "Malé kapitálky",
"Reset": "Resetovať",
"restore all settings to the default values": "všetky nastavenia na základné hodnoty",
"Done": "Hotovo",
"Caption Settings Dialog": "Okno nastavení popiskov",
"Beginning of dialog window. Escape will cancel and close the window.": "Začiatok okna. Klávesa Escape zruší a zavrie okno.",
"End of dialog window.": "Koniec okna.",
"{1} is loading.": "{1} sa načíta."
}

View File

@ -1,26 +1,26 @@
videojs.addLanguage("sr",{ videojs.addLanguage('sr', {
"Play": "Pusti", "Play": "Pusti",
"Pause": "Pauza", "Pause": "Pauza",
"Current Time": "Trenutno vrijeme", "Current Time": "Trenutno vreme",
"Duration": "Vrijeme trajanja", "Duration": "Vreme trajanja",
"Remaining Time": "Preostalo vrijeme", "Remaining Time": "Preostalo vreme",
"Stream Type": "Način strimovanja", "Stream Type": "Način strimovanja",
"LIVE": "UŽIVO", "LIVE": "UŽIVO",
"Loaded": "Učitan", "Loaded": "Učitan",
"Progress": "Progres", "Progress": "Progres",
"Fullscreen": "Puni ekran", "Fullscreen": "Pun ekran",
"Non-Fullscreen": "Mali ekran", "Non-Fullscreen": "Mali ekran",
"Mute": "Prigušen", "Mute": "Prigušen",
"Unmute": "Ne-prigušen", "Unmute": "Ne-prigušen",
"Playback Rate": "Stopa reprodukcije", "Playback Rate": "Stopa reprodukcije",
"Subtitles": "Podnaslov", "Subtitles": "Podnaslov",
"subtitles off": "Podnaslov deaktiviran", "subtitles off": "Podnaslov deaktiviran",
"Captions": "Titlovi", "Captions": "Titlovi",
"captions off": "Titlovi deaktivirani", "captions off": "Titlovi deaktivirani",
"Chapters": "Poglavlja", "Chapters": "Poglavlja",
"You aborted the media playback": "Isključili ste reprodukciju videa.", "You aborted the media playback": "Isključili ste reprodukciju videa.",
"A network error caused the media download to fail part-way.": "Video se prestao preuzimati zbog greške na mreži.", "A network error caused the media download to fail part-way.": "Video se prestao preuzimati zbog greške na mreži.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Video se ne može reproducirati zbog servera, greške u mreži ili je format ne podržan.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "Video se ne može reproducirati zbog servera, greške u mreži ili format nije podržan.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Reprodukcija videa je zaustavljenja zbog greške u formatu ili zbog verzije vašeg pretraživača.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Reprodukcija videa je zaustavljenja zbog greške u formatu ili zbog verzije vašeg pretraživača.",
"No compatible source was found for this media.": "Nije nađen nijedan kompatibilan izvor ovog videa." "No compatible source was found for this media.": "Nije nađen nijedan kompatibilan izvor ovog videa."
}); });

View File

@ -0,0 +1,26 @@
{
"Play": "Pusti",
"Pause": "Pauza",
"Current Time": "Trenutno vreme",
"Duration": "Vreme trajanja",
"Remaining Time": "Preostalo vreme",
"Stream Type": "Način strimovanja",
"LIVE": "UŽIVO",
"Loaded": "Učitan",
"Progress": "Progres",
"Fullscreen": "Pun ekran",
"Non-Fullscreen": "Mali ekran",
"Mute": "Prigušen",
"Unmute": "Ne-prigušen",
"Playback Rate": "Stopa reprodukcije",
"Subtitles": "Podnaslov",
"subtitles off": "Podnaslov deaktiviran",
"Captions": "Titlovi",
"captions off": "Titlovi deaktivirani",
"Chapters": "Poglavlja",
"You aborted the media playback": "Isključili ste reprodukciju videa.",
"A network error caused the media download to fail part-way.": "Video se prestao preuzimati zbog greške na mreži.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Video se ne može reproducirati zbog servera, greške u mreži ili format nije podržan.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Reprodukcija videa je zaustavljenja zbog greške u formatu ili zbog verzije vašeg pretraživača.",
"No compatible source was found for this media.": "Nije nađen nijedan kompatibilan izvor ovog videa."
}

View File

@ -1,26 +1,87 @@
videojs.addLanguage("sv",{ videojs.addLanguage('sv', {
"Play": "Spela", ", opens captions settings dialog": ", öppnar dialogruta för textning",
"Pause": "Pausa", ", opens descriptions settings dialog": ", öppnar dialogruta för inställningar",
"Current Time": "Aktuell tid", ", opens subtitles settings dialog": ", öppnar dialogruta för undertexter",
"Duration": "Total tid", ", selected": ", vald",
"Remaining Time": "Återstående tid", "A network error caused the media download to fail part-way.": "Ett nätverksfel gjorde att nedladdningen av videon avbröts.",
"Stream Type": "Strömningstyp", "Audio Player": "Ljudspelare",
"LIVE": "LIVE", "Audio Track": "Ljudspår",
"Loaded": "Laddad", "Background": "Bakgrund",
"Progress": "Förlopp", "Beginning of dialog window. Escape will cancel and close the window.": "Början av dialogfönster. Escape avbryter och stänger fönstret.",
"Fullscreen": "Fullskärm", "Black": "Svart",
"Non-Fullscreen": "Ej fullskärm", "Blue": "Blå",
"Mute": "Ljud av", "Caption Settings Dialog": "Dialogruta för textningsinställningar",
"Unmute": "Ljud på", "Captions": "Text på",
"Playback Rate": "Uppspelningshastighet", "Casual": "Casual",
"Subtitles": "Text på", "Chapters": "Kapitel",
"subtitles off": "Text av", "Close": "Stäng",
"Captions": "Text på", "Close Modal Dialog": "Stäng dialogruta",
"captions off": "Text av", "Current Time": "Aktuell tid",
"Chapters": "Kapitel", "Cyan": "Cyan",
"You aborted the media playback": "Du har avbrutit videouppspelningen.", "Depressed": "Deprimerad",
"A network error caused the media download to fail part-way.": "Ett nätverksfel gjorde att nedladdningen av videon avbröts.", "Descriptions": "Beskrivningar",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Det gick inte att ladda videon, antingen på grund av ett server- eller nätverksfel, eller för att formatet inte stöds.", "Done": "Klar",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Uppspelningen avbröts på grund av att videon är skadad, eller också för att videon använder funktioner som din webbläsare inte stöder.", "Dropshadow": "DropSkugga",
"No compatible source was found for this media.": "Det gick inte att hitta någon kompatibel källa för den här videon." "Duration": "Total tid",
"End of dialog window.": "Slutet av dialogfönster.",
"Font Family": "Typsnittsfamilj",
"Font Size": "Textstorlek",
"Fullscreen": "Fullskärm",
"Green": "Grön",
"LIVE": "LIVE",
"Loaded": "Laddad",
"Magenta": "Magenta",
"Modal Window": "dialogruta",
"Monospace Sans-Serif": "Monospace Sans-Serif",
"Monospace Serif": "Monospace Serif",
"Mute": "Ljud av",
"No compatible source was found for this media.": "Det gick inte att hitta någon kompatibel källa för den här videon.",
"Non-Fullscreen": "Ej fullskärm",
"None": "Ingen",
"Opaque": "Opak",
"Pause": "Pausa",
"Play": "Spela",
"Play Video": "Spela upp video",
"Playback Rate": "Uppspelningshastighet",
"Progress": "Förlopp",
"Progress Bar": "förloppsmätare",
"Proportional Sans-Serif": "Proportionell Sans-Serif",
"Proportional Serif": "Proportionell Serif",
"Raised": "Raised",
"Red": "Röd",
"Remaining Time": "Återstående tid",
"Replay": "Spela upp igen",
"Reset": "Återställ",
"Script": "Manus",
"Seek to live, currently behind live": "Återgå till live, uppspelningen är inte live",
"Seek to live, currently playing live": "Återgå till live, uppspelningen är live",
"Semi-Transparent": "Semi-transparent",
"Small Caps": "Small-Caps",
"Stream Type": "Strömningstyp",
"Subtitles": "Text på",
"Text": "Text",
"Text Edge Style": "Textkantstil",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Det gick inte att ladda videon, antingen på grund av ett server- eller nätverksfel, eller för att formatet inte stöds.",
"The media is encrypted and we do not have the keys to decrypt it.": "Mediat är krypterat och vi har inte nycklarna för att dekryptera det.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Uppspelningen avbröts på grund av att videon är skadad, eller också för att videon använder funktioner som din webbläsare inte stöder.",
"This is a modal window": "Det här är ett dialogruta",
"This modal can be closed by pressing the Escape key or activating the close button.": "Den här dialogrutan kan stängas genom att trycka på Escape-tangenten eller stäng knappen.",
"Transparent": "Transparent",
"Uniform": "Uniform",
"Unmute": "Ljud på",
"Video Player": "Videospelare",
"Volume Level": "Volymnivå",
"White": "Vit",
"Window": "Fönster",
"Yellow": "Gul",
"You aborted the media playback": "Du har avbrutit videouppspelningen.",
"captions off": "Text av",
"captions settings": "textningsinställningar",
"descriptions off": "beskrivningar av",
"descriptions settings": "beskrivningsinställningar",
"progress bar timing: currentTime={1} duration={2}": "{1} av {2}",
"restore all settings to the default values": "återställ alla inställningar till standardvärden",
"subtitles off": "Text av",
"subtitles settings": "undertextsinställningar",
"{1} is loading.": "{1} laddar."
}); });

View File

@ -0,0 +1,87 @@
{
", opens captions settings dialog": ", öppnar dialogruta för textning",
", opens descriptions settings dialog": ", öppnar dialogruta för inställningar",
", opens subtitles settings dialog": ", öppnar dialogruta för undertexter",
", selected": ", vald",
"A network error caused the media download to fail part-way.": "Ett nätverksfel gjorde att nedladdningen av videon avbröts.",
"Audio Player": "Ljudspelare",
"Audio Track": "Ljudspår",
"Background": "Bakgrund",
"Beginning of dialog window. Escape will cancel and close the window.": "Början av dialogfönster. Escape avbryter och stänger fönstret.",
"Black": "Svart",
"Blue": "Blå",
"Caption Settings Dialog": "Dialogruta för textningsinställningar",
"Captions": "Text på",
"Casual": "Casual",
"Chapters": "Kapitel",
"Close": "Stäng",
"Close Modal Dialog": "Stäng dialogruta",
"Current Time": "Aktuell tid",
"Cyan": "Cyan",
"Depressed": "Deprimerad",
"Descriptions": "Beskrivningar",
"Done": "Klar",
"Dropshadow": "DropSkugga",
"Duration": "Total tid",
"End of dialog window.": "Slutet av dialogfönster.",
"Font Family": "Typsnittsfamilj",
"Font Size": "Textstorlek",
"Fullscreen": "Fullskärm",
"Green": "Grön",
"LIVE": "LIVE",
"Loaded": "Laddad",
"Magenta": "Magenta",
"Modal Window": "dialogruta",
"Monospace Sans-Serif": "Monospace Sans-Serif",
"Monospace Serif": "Monospace Serif",
"Mute": "Ljud av",
"No compatible source was found for this media.": "Det gick inte att hitta någon kompatibel källa för den här videon.",
"Non-Fullscreen": "Ej fullskärm",
"None": "Ingen",
"Opaque": "Opak",
"Pause": "Pausa",
"Play": "Spela",
"Play Video": "Spela upp video",
"Playback Rate": "Uppspelningshastighet",
"Progress": "Förlopp",
"Progress Bar": "förloppsmätare",
"Proportional Sans-Serif": "Proportionell Sans-Serif",
"Proportional Serif": "Proportionell Serif",
"Raised": "Raised",
"Red": "Röd",
"Remaining Time": "Återstående tid",
"Replay": "Spela upp igen",
"Reset": "Återställ",
"Script": "Manus",
"Seek to live, currently behind live": "Återgå till live, uppspelningen är inte live",
"Seek to live, currently playing live": "Återgå till live, uppspelningen är live",
"Semi-Transparent": "Semi-transparent",
"Small Caps": "Small-Caps",
"Stream Type": "Strömningstyp",
"Subtitles": "Text på",
"Text": "Text",
"Text Edge Style": "Textkantstil",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Det gick inte att ladda videon, antingen på grund av ett server- eller nätverksfel, eller för att formatet inte stöds.",
"The media is encrypted and we do not have the keys to decrypt it.": "Mediat är krypterat och vi har inte nycklarna för att dekryptera det.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Uppspelningen avbröts på grund av att videon är skadad, eller också för att videon använder funktioner som din webbläsare inte stöder.",
"This is a modal window": "Det här är ett dialogruta",
"This modal can be closed by pressing the Escape key or activating the close button.": "Den här dialogrutan kan stängas genom att trycka på Escape-tangenten eller stäng knappen.",
"Transparent": "Transparent",
"Uniform": "Uniform",
"Unmute": "Ljud på",
"Video Player": "Videospelare",
"Volume Level": "Volymnivå",
"White": "Vit",
"Window": "Fönster",
"Yellow": "Gul",
"You aborted the media playback": "Du har avbrutit videouppspelningen.",
"captions off": "Text av",
"captions settings": "textningsinställningar",
"descriptions off": "beskrivningar av",
"descriptions settings": "beskrivningsinställningar",
"progress bar timing: currentTime={1} duration={2}": "{1} av {2}",
"restore all settings to the default values": "återställ alla inställningar till standardvärden",
"subtitles off": "Text av",
"subtitles settings": "undertextsinställningar",
"{1} is loading.": "{1} laddar."
}

View File

@ -1,76 +1,76 @@
videojs.addLanguage("tr",{ videojs.addLanguage('tr', {
"Play": "Oynat", "Play": "Oynat",
"Pause": "Duraklat", "Pause": "Duraklat",
"Replay": "Yeniden Oynat", "Replay": "Yeniden Oynat",
"Current Time": "Süre", "Current Time": "Süre",
"Duration": "Toplam Süre", "Duration": "Toplam Süre",
"Remaining Time": "Kalan Süre", "Remaining Time": "Kalan Süre",
"Stream Type": "Yayın Tipi", "Stream Type": "Yayın Tipi",
"LIVE": "CANLI", "LIVE": "CANLI",
"Loaded": "Yüklendi", "Loaded": "Yüklendi",
"Progress": "Yükleniyor", "Progress": "Yükleniyor",
"Fullscreen": "Tam Ekran", "Fullscreen": "Tam Ekran",
"Non-Fullscreen": "Küçük Ekran", "Non-Fullscreen": "Küçük Ekran",
"Mute": "Ses Kapa", "Mute": "Ses Kapa",
"Unmute": "Ses Aç", "Unmute": "Ses Aç",
"Playback Rate": "Oynatma Hızı", "Playback Rate": "Oynatma Hızı",
"Subtitles": "Altyazı", "Subtitles": "Altyazı",
"subtitles off": "Altyazı Kapalı", "subtitles off": "Altyazı Kapalı",
"Captions": "Altyazı", "Captions": "Altyazı",
"captions off": "Altyazı Kapalı", "captions off": "Altyazı Kapalı",
"Chapters": "Bölümler", "Chapters": "Bölümler",
"Close Modal Dialog": "Dialogu Kapat", "Close Modal Dialog": "Dialogu Kapat",
"Descriptions": "Açıklamalar", "Descriptions": "Açıklamalar",
"descriptions off": "Açıklamalar kapalı", "descriptions off": "Açıklamalar kapalı",
"Audio Track": "Ses Dosyası", "Audio Track": "Ses Dosyası",
"You aborted the media playback": "Video oynatmayı iptal ettiniz", "You aborted the media playback": "Video oynatmayı iptal ettiniz",
"A network error caused the media download to fail part-way.": "Video indirilirken bağlantı sorunu oluştu.", "A network error caused the media download to fail part-way.": "Video indirilirken bağlantı sorunu oluştu.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Video oynatılamadı, ağ ya da sunucu hatası veya belirtilen format desteklenmiyor.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "Video oynatılamadı, ağ ya da sunucu hatası veya belirtilen format desteklenmiyor.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Tarayıcınız desteklemediği için videoda hata oluştu.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Tarayıcınız desteklemediği için videoda hata oluştu.",
"No compatible source was found for this media.": "Video için kaynak bulunamadı.", "No compatible source was found for this media.": "Video için kaynak bulunamadı.",
"The media is encrypted and we do not have the keys to decrypt it.": "Video, şifrelenmiş bir kaynaktan geliyor ve oynatmak için gerekli anahtar bulunamadı.", "The media is encrypted and we do not have the keys to decrypt it.": "Video, şifrelenmiş bir kaynaktan geliyor ve oynatmak için gerekli anahtar bulunamadı.",
"Play Video": "Videoyu Oynat", "Play Video": "Videoyu Oynat",
"Close": "Kapat", "Close": "Kapat",
"Modal Window": "Modal Penceresi", "Modal Window": "Modal Penceresi",
"This is a modal window": "Bu bir modal penceresidir", "This is a modal window": "Bu bir modal penceresidir",
"This modal can be closed by pressing the Escape key or activating the close button.": "Bu modal ESC tuşuna basarak ya da kapata tıklanarak kapatılabilir.", "This modal can be closed by pressing the Escape key or activating the close button.": "Bu modal ESC tuşuna basarak ya da kapata tıklanarak kapatılabilir.",
", opens captions settings dialog": ", altyazı ayarları menüsünü açar", ", opens captions settings dialog": ", altyazı ayarları menüsünü açar",
", opens subtitles settings dialog": ", altyazı ayarları menüsünü açar", ", opens subtitles settings dialog": ", altyazı ayarları menüsünü açar",
", opens descriptions settings dialog": ", açıklama ayarları menüsünü açar", ", opens descriptions settings dialog": ", açıklama ayarları menüsünü açar",
", selected": ", seçildi", ", selected": ", seçildi",
"captions settings": "altyazı ayarları", "captions settings": "altyazı ayarları",
"subtitles settings": "altyazı ayarları", "subtitles settings": "altyazı ayarları",
"descriptions settings": "açıklama ayarları", "descriptions settings": "açıklama ayarları",
"Text": "Yazı", "Text": "Yazı",
"White": "Beyaz", "White": "Beyaz",
"Black": "Siyah", "Black": "Siyah",
"Red": "Kırmızı", "Red": "Kırmızı",
"Green": "Yeşil", "Green": "Yeşil",
"Blue": "Mavi", "Blue": "Mavi",
"Yellow": "Sarı", "Yellow": "Sarı",
"Magenta": "Macenta", "Magenta": "Macenta",
"Cyan": "Açık Mavi (Camgöbeği)", "Cyan": "Açık Mavi (Camgöbeği)",
"Background": "Arka plan", "Background": "Arka plan",
"Window": "Pencere", "Window": "Pencere",
"Transparent": "Saydam", "Transparent": "Saydam",
"Semi-Transparent": "Yarı-Saydam", "Semi-Transparent": "Yarı-Saydam",
"Opaque": "Mat", "Opaque": "Mat",
"Font Size": "Yazı Boyutu", "Font Size": "Yazı Boyutu",
"Text Edge Style": "Yazı Kenarlıkları", "Text Edge Style": "Yazı Kenarlıkları",
"None": "Hiçbiri", "None": "Hiçbiri",
"Raised": "Kabartılmış", "Raised": "Kabartılmış",
"Depressed": "Yassı", "Depressed": "Yassı",
"Uniform": "Düz", "Uniform": "Düz",
"Dropshadow": "Gölgeli", "Dropshadow": "Gölgeli",
"Font Family": "Yazı Tipi", "Font Family": "Yazı Tipi",
"Proportional Sans-Serif": "Orantılı Sans-Serif", "Proportional Sans-Serif": "Orantılı Sans-Serif",
"Monospace Sans-Serif": "Eşaralıklı Sans-Serif", "Monospace Sans-Serif": "Eşaralıklı Sans-Serif",
"Proportional Serif": "Orantılı Serif", "Proportional Serif": "Orantılı Serif",
"Monospace Serif": "Eşaralıklı Serif", "Monospace Serif": "Eşaralıklı Serif",
"Casual": "Gündelik", "Casual": "Gündelik",
"Script": "El Yazısı", "Script": "El Yazısı",
"Small Caps": "Küçük Boyutlu Büyük Harfli", "Small Caps": "Küçük Boyutlu Büyük Harfli",
"Done": "Tamam", "Done": "Tamam",
"Caption Settings Dialog": "Altyazı Ayarları Menüsü", "Caption Settings Dialog": "Altyazı Ayarları Menüsü",
"Beginning of dialog window. Escape will cancel and close the window.": "Diyalog penceresinin başlangıcı. ESC tuşu işlemi iptal edip pencereyi kapatacaktır." "Beginning of dialog window. Escape will cancel and close the window.": "Diyalog penceresinin başlangıcı. ESC tuşu işlemi iptal edip pencereyi kapatacaktır."
}); });

View File

@ -0,0 +1,76 @@
{
"Play": "Oynat",
"Pause": "Duraklat",
"Replay": "Yeniden Oynat",
"Current Time": "Süre",
"Duration": "Toplam Süre",
"Remaining Time": "Kalan Süre",
"Stream Type": "Yayın Tipi",
"LIVE": "CANLI",
"Loaded": "Yüklendi",
"Progress": "Yükleniyor",
"Fullscreen": "Tam Ekran",
"Non-Fullscreen": "Küçük Ekran",
"Mute": "Ses Kapa",
"Unmute": "Ses Aç",
"Playback Rate": "Oynatma Hızı",
"Subtitles": "Altyazı",
"subtitles off": "Altyazı Kapalı",
"Captions": "Altyazı",
"captions off": "Altyazı Kapalı",
"Chapters": "Bölümler",
"Close Modal Dialog": "Dialogu Kapat",
"Descriptions": "Açıklamalar",
"descriptions off": "Açıklamalar kapalı",
"Audio Track": "Ses Dosyası",
"You aborted the media playback": "Video oynatmayı iptal ettiniz",
"A network error caused the media download to fail part-way.": "Video indirilirken bağlantı sorunu oluştu.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Video oynatılamadı, ağ ya da sunucu hatası veya belirtilen format desteklenmiyor.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Tarayıcınız desteklemediği için videoda hata oluştu.",
"No compatible source was found for this media.": "Video için kaynak bulunamadı.",
"The media is encrypted and we do not have the keys to decrypt it.": "Video, şifrelenmiş bir kaynaktan geliyor ve oynatmak için gerekli anahtar bulunamadı.",
"Play Video": "Videoyu Oynat",
"Close": "Kapat",
"Modal Window": "Modal Penceresi",
"This is a modal window": "Bu bir modal penceresidir",
"This modal can be closed by pressing the Escape key or activating the close button.": "Bu modal ESC tuşuna basarak ya da kapata tıklanarak kapatılabilir.",
", opens captions settings dialog": ", altyazı ayarları menüsünü açar",
", opens subtitles settings dialog": ", altyazı ayarları menüsünü açar",
", opens descriptions settings dialog": ", açıklama ayarları menüsünü açar",
", selected": ", seçildi",
"captions settings": "altyazı ayarları",
"subtitles settings": "altyazı ayarları",
"descriptions settings": "açıklama ayarları",
"Text": "Yazı",
"White": "Beyaz",
"Black": "Siyah",
"Red": "Kırmızı",
"Green": "Yeşil",
"Blue": "Mavi",
"Yellow": "Sarı",
"Magenta": "Macenta",
"Cyan": "Açık Mavi (Camgöbeği)",
"Background": "Arka plan",
"Window": "Pencere",
"Transparent": "Saydam",
"Semi-Transparent": "Yarı-Saydam",
"Opaque": "Mat",
"Font Size": "Yazı Boyutu",
"Text Edge Style": "Yazı Kenarlıkları",
"None": "Hiçbiri",
"Raised": "Kabartılmış",
"Depressed": "Yassı",
"Uniform": "Düz",
"Dropshadow": "Gölgeli",
"Font Family": "Yazı Tipi",
"Proportional Sans-Serif": "Orantılı Sans-Serif",
"Monospace Sans-Serif": "Eşaralıklı Sans-Serif",
"Proportional Serif": "Orantılı Serif",
"Monospace Serif": "Eşaralıklı Serif",
"Casual": "Gündelik",
"Script": "El Yazısı",
"Small Caps": "Küçük Boyutlu Büyük Harfli",
"Done": "Tamam",
"Caption Settings Dialog": "Altyazı Ayarları Menüsü",
"Beginning of dialog window. Escape will cancel and close the window.": "Diyalog penceresinin başlangıcı. ESC tuşu işlemi iptal edip pencereyi kapatacaktır."
}

View File

@ -1,40 +1,85 @@
videojs.addLanguage("uk",{ videojs.addLanguage('uk', {
"Play": "Відтворити", "Audio Player": "Аудіопрогравач",
"Pause": "Призупинити", "Video Player": "Відеопрогравач",
"Current Time": "Поточний час", "Play": "Відтворити",
"Duration": "Тривалість", "Pause": "Призупинити",
"Remaining Time": "Час, що залишився", "Replay": "Відтворити знову",
"Stream Type": "Тип потоку", "Current Time": "Поточний час",
"LIVE": "НАЖИВО", "Duration": "Тривалість",
"Loaded": "Завантаження", "Remaining Time": "Час, що залишився",
"Progress": "Прогрес", "Stream Type": "Тип потоку",
"Fullscreen": "Повноекранний режим", "LIVE": "НАЖИВО",
"Non-Fullscreen": "Неповноекранний режим", "Loaded": "Завантаження",
"Mute": "Без звуку", "Progress": "Прогрес",
"Unmute": "Зі звуком", "Progress Bar": "Індикатор завантаження",
"Playback Rate": "Швидкість відтворення", "progress bar timing: currentTime={1} duration={2}": "{1} з {2}",
"Subtitles": "Субтитри", "Fullscreen": "Повноекранний режим",
"subtitles off": "Без субтитрів", "Non-Fullscreen": "Неповноекранний режим",
"Captions": "Підписи", "Mute": "Без звуку",
"captions off": "Без підписів", "Unmute": "Зі звуком",
"Chapters": "Розділи", "Playback Rate": "Швидкість відтворення",
"Close Modal Dialog": "Закрити модальний діалог", "Subtitles": "Субтитри",
"Descriptions": "Описи", "subtitles off": "Без субтитрів",
"descriptions off": "Без описів", "Captions": "Підписи",
"Audio Track": "Аудіодоріжка", "captions off": "Без підписів",
"You aborted the media playback": "Ви припинили відтворення відео", "Chapters": "Розділи",
"A network error caused the media download to fail part-way.": "Помилка мережі викликала збій під час завантаження відео.", "Close Modal Dialog": "Закрити модальний діалог",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Неможливо завантажити відео через мережевий чи серверний збій або формат не підтримується.", "Descriptions": "Описи",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Відтворення відео було припинено через пошкодження або у зв'язку з тим, що відео використовує функції, які не підтримуються вашим браузером.", "descriptions off": "Без описів",
"No compatible source was found for this media.": "Сумісні джерела для цього відео відсутні.", "Audio Track": "Аудіодоріжка",
"The media is encrypted and we do not have the keys to decrypt it.": "Відео в зашифрованому вигляді, і ми не маємо ключі для розшифровки.", "Volume Level": "Рівень гучності",
"Play Video": "Відтворити відео", "You aborted the media playback": "Ви припинили відтворення відео",
"Close": "Закрити", "A network error caused the media download to fail part-way.": "Помилка мережі викликала збій під час завантаження відео.",
"Modal Window": "Модальне вікно", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "Неможливо завантажити відео через мережевий чи серверний збій або формат не підтримується.",
"This is a modal window": "Це модальне вікно.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Відтворення відео було припинено через пошкодження або у зв'язку з тим, що відео використовує функції, які не підтримуються вашим браузером.",
"This modal can be closed by pressing the Escape key or activating the close button.": "Модальне вікно можна закрити, натиснувши клавішу Esc або кнопку закриття вікна.", "No compatible source was found for this media.": "Сумісні джерела для цього відео відсутні.",
", opens captions settings dialog": ", відкриється діалогове вікно налаштування підписів", "The media is encrypted and we do not have the keys to decrypt it.": "Відео в зашифрованому вигляді, і ми не маємо ключі для розшифровки.",
", opens subtitles settings dialog": ", відкриється діалогове вікно налаштування субтитрів", "Play Video": "Відтворити відео",
", opens descriptions settings dialog": ", відкриється діалогове вікно налаштування описів", "Close": "Закрити",
", selected": ", обраний" "Modal Window": "Модальне вікно",
"This is a modal window": "Це модальне вікно.",
"This modal can be closed by pressing the Escape key or activating the close button.": "Модальне вікно можна закрити, натиснувши клавішу Esc або кнопку закриття вікна.",
", opens captions settings dialog": ", відкриється діалогове вікно налаштування підписів",
", opens subtitles settings dialog": ", відкриється діалогове вікно налаштування субтитрів",
", opens descriptions settings dialog": ", відкриється діалогове вікно налаштування описів",
", selected": ", обраний",
"captions settings": "налаштування підписів",
"subtitles settings": "налаштування субтитрів",
"descriptions settings": "налаштування описів",
"Text": "Текст",
"White": "Білий",
"Black": "Чорний",
"Red": "Червоний",
"Green": "Зелений",
"Blue": "Синій",
"Yellow": "Жовтий",
"Magenta": "Пурпурний",
"Cyan": "Блакитний",
"Background": "Фон",
"Window": "Вікно",
"Transparent": "Прозорий",
"Semi-Transparent": "Напівпрозорий",
"Opaque": "Прозорість",
"Font Size": "Розмір шрифту",
"Text Edge Style": "Стиль краю тексту",
"None": "Нічого",
"Raised": "Піднятий",
"Depressed": "Знижений",
"Uniform": "Однаковий",
"Dropshadow": "Тінь",
"Font Family": "Шрифт",
"Proportional Sans-Serif": "Пропорційний без засічок",
"Monospace Sans-Serif": "Моноширинний без засічок",
"Proportional Serif": "Пропорційний із засічками",
"Monospace Serif": "Моноширинний із засічками",
"Casual": "Випадковий",
"Script": "Писемний",
"Small Caps": "Малі прописні",
"Reset": "Скинути",
"restore all settings to the default values": "скинути всі налаштування за замовчуванням",
"Done": "Готово",
"Caption Settings Dialog": "Діалог налаштувань підпису",
"Beginning of dialog window. Escape will cancel and close the window.": "Початок діалоговго вікна. Кнопка Escape закриє або скасує вікно",
"End of dialog window.": "Кінець діалогового вікна.",
"{1} is loading.": "{1} завантажується."
}); });

View File

@ -0,0 +1,85 @@
{
"Audio Player": "Аудіопрогравач",
"Video Player": "Відеопрогравач",
"Play": "Відтворити",
"Pause": "Призупинити",
"Replay": "Відтворити знову",
"Current Time": "Поточний час",
"Duration": "Тривалість",
"Remaining Time": "Час, що залишився",
"Stream Type": "Тип потоку",
"LIVE": "НАЖИВО",
"Loaded": "Завантаження",
"Progress": "Прогрес",
"Progress Bar": "Індикатор завантаження",
"progress bar timing: currentTime={1} duration={2}": "{1} з {2}",
"Fullscreen": "Повноекранний режим",
"Non-Fullscreen": "Неповноекранний режим",
"Mute": "Без звуку",
"Unmute": "Зі звуком",
"Playback Rate": "Швидкість відтворення",
"Subtitles": "Субтитри",
"subtitles off": "Без субтитрів",
"Captions": "Підписи",
"captions off": "Без підписів",
"Chapters": "Розділи",
"Close Modal Dialog": "Закрити модальний діалог",
"Descriptions": "Описи",
"descriptions off": "Без описів",
"Audio Track": "Аудіодоріжка",
"Volume Level": "Рівень гучності",
"You aborted the media playback": "Ви припинили відтворення відео",
"A network error caused the media download to fail part-way.": "Помилка мережі викликала збій під час завантаження відео.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Неможливо завантажити відео через мережевий чи серверний збій або формат не підтримується.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Відтворення відео було припинено через пошкодження або у зв'язку з тим, що відео використовує функції, які не підтримуються вашим браузером.",
"No compatible source was found for this media.": "Сумісні джерела для цього відео відсутні.",
"The media is encrypted and we do not have the keys to decrypt it.": "Відео в зашифрованому вигляді, і ми не маємо ключі для розшифровки.",
"Play Video": "Відтворити відео",
"Close": "Закрити",
"Modal Window": "Модальне вікно",
"This is a modal window": "Це модальне вікно.",
"This modal can be closed by pressing the Escape key or activating the close button.": "Модальне вікно можна закрити, натиснувши клавішу Esc або кнопку закриття вікна.",
", opens captions settings dialog": ", відкриється діалогове вікно налаштування підписів",
", opens subtitles settings dialog": ", відкриється діалогове вікно налаштування субтитрів",
", opens descriptions settings dialog": ", відкриється діалогове вікно налаштування описів",
", selected": ", обраний",
"captions settings": "налаштування підписів",
"subtitles settings": "налаштування субтитрів",
"descriptions settings": "налаштування описів",
"Text": "Текст",
"White": "Білий",
"Black": "Чорний",
"Red": "Червоний",
"Green": "Зелений",
"Blue": "Синій",
"Yellow": "Жовтий",
"Magenta": "Пурпурний",
"Cyan": "Блакитний",
"Background": "Фон",
"Window": "Вікно",
"Transparent": "Прозорий",
"Semi-Transparent": "Напівпрозорий",
"Opaque": "Прозорість",
"Font Size": "Розмір шрифту",
"Text Edge Style": "Стиль краю тексту",
"None": "Нічого",
"Raised": "Піднятий",
"Depressed": "Знижений",
"Uniform": "Однаковий",
"Dropshadow": "Тінь",
"Font Family": "Шрифт",
"Proportional Sans-Serif": "Пропорційний без засічок",
"Monospace Sans-Serif": "Моноширинний без засічок",
"Proportional Serif": "Пропорційний із засічками",
"Monospace Serif": "Моноширинний із засічками",
"Casual": "Випадковий",
"Script": "Писемний",
"Small Caps": "Малі прописні",
"Reset": "Скинути",
"restore all settings to the default values": "скинути всі налаштування за замовчуванням",
"Done": "Готово",
"Caption Settings Dialog": "Діалог налаштувань підпису",
"Beginning of dialog window. Escape will cancel and close the window.": "Початок діалоговго вікна. Кнопка Escape закриє або скасує вікно",
"End of dialog window.": "Кінець діалогового вікна.",
"{1} is loading.": "{1} завантажується."
}

View File

@ -1,84 +1,84 @@
videojs.addLanguage("vi",{ videojs.addLanguage('vi', {
"Audio Player": "Trình phát Audio", "Audio Player": "Trình phát Audio",
"Video Player": "Trình phát Video", "Video Player": "Trình phát Video",
"Play": "Phát", "Play": "Phát",
"Pause": "Tạm dừng", "Pause": "Tạm dừng",
"Replay": "Phát lại", "Replay": "Phát lại",
"Current Time": "Thời gian hiện tại", "Current Time": "Thời gian hiện tại",
"Duration": "Độ dài", "Duration": "Độ dài",
"Remaining Time": "Thời gian còn lại", "Remaining Time": "Thời gian còn lại",
"Stream Type": "Kiểu Stream", "Stream Type": "Kiểu Stream",
"LIVE": "TRỰC TIẾP", "LIVE": "TRỰC TIẾP",
"Loaded": "Đã tải", "Loaded": "Đã tải",
"Progress": "Tiến trình", "Progress": "Tiến trình",
"Progress Bar": "Thanh tiến trình", "Progress Bar": "Thanh tiến trình",
"progress bar timing: currentTime={1} duration={2}": "{1} của {2}", "progress bar timing: currentTime={1} duration={2}": "{1} của {2}",
"Fullscreen": "Toàn màn hình", "Fullscreen": "Toàn màn hình",
"Non-Fullscreen": "Thoát toàn màn hình", "Non-Fullscreen": "Thoát toàn màn hình",
"Mute": "Tắt tiếng", "Mute": "Tắt tiếng",
"Unmute": "Bật âm thanh", "Unmute": "Bật âm thanh",
"Playback Rate": "Tỉ lệ phát lại", "Playback Rate": "Tỉ lệ phát lại",
"Subtitles": "Phụ đề", "Subtitles": "Phụ đề",
"subtitles off": "tắt phụ đề", "subtitles off": "tắt phụ đề",
"Captions": "Chú thích", "Captions": "Chú thích",
"captions off": "tắt chú thích", "captions off": "tắt chú thích",
"Chapters": "Chương", "Chapters": "Chương",
"Descriptions": "Mô tả", "Descriptions": "Mô tả",
"descriptions off": "tắt mô tả", "descriptions off": "tắt mô tả",
"Audio Track": "Track âm thanh", "Audio Track": "Track âm thanh",
"Volume Level": "Mức âm lượng", "Volume Level": "Mức âm lượng",
"You aborted the media playback": "Bạn đã hủy việc phát lại media.", "You aborted the media playback": "Bạn đã hủy việc phát lại media.",
"A network error caused the media download to fail part-way.": "Một lỗi mạng dẫn đến việc tải media bị lỗi.", "A network error caused the media download to fail part-way.": "Một lỗi mạng dẫn đến việc tải media bị lỗi.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Video không tải được, mạng hay server có lỗi hoặc định dạng không được hỗ trợ.", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "Video không tải được, mạng hay server có lỗi hoặc định dạng không được hỗ trợ.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Phát media đã bị hủy do một sai lỗi hoặc media sử dụng những tính năng trình duyệt không hỗ trợ.", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Phát media đã bị hủy do một sai lỗi hoặc media sử dụng những tính năng trình duyệt không hỗ trợ.",
"No compatible source was found for this media.": "Không có nguồn tương thích cho media này.", "No compatible source was found for this media.": "Không có nguồn tương thích cho media này.",
"The media is encrypted and we do not have the keys to decrypt it.": "Media đã được mã hóa và chúng tôi không có để giải mã nó.", "The media is encrypted and we do not have the keys to decrypt it.": "Media đã được mã hóa và chúng tôi không có để giải mã nó.",
"Play Video": "Phát Video", "Play Video": "Phát Video",
"Close": "Đóng", "Close": "Đóng",
"Close Modal Dialog": "Đóng cửa sổ", "Close Modal Dialog": "Đóng cửa sổ",
"Modal Window": "Cửa sổ", "Modal Window": "Cửa sổ",
"This is a modal window": "Đây là một cửa sổ", "This is a modal window": "Đây là một cửa sổ",
"This modal can be closed by pressing the Escape key or activating the close button.": "Cửa sổ này có thể thoát bằng việc nhấn phím Esc hoặc kích hoạt nút đóng.", "This modal can be closed by pressing the Escape key or activating the close button.": "Cửa sổ này có thể thoát bằng việc nhấn phím Esc hoặc kích hoạt nút đóng.",
", opens captions settings dialog": ", mở hộp thoại cài đặt chú thích", ", opens captions settings dialog": ", mở hộp thoại cài đặt chú thích",
", opens subtitles settings dialog": ", mở hộp thoại cài đặt phụ đề", ", opens subtitles settings dialog": ", mở hộp thoại cài đặt phụ đề",
", opens descriptions settings dialog": ", mở hộp thoại cài đặt mô tả", ", opens descriptions settings dialog": ", mở hộp thoại cài đặt mô tả",
", selected": ", đã chọn", ", selected": ", đã chọn",
"captions settings": "cài đặt chú thích", "captions settings": "cài đặt chú thích",
"subtitles settings": "cài đặt phụ đề", "subtitles settings": "cài đặt phụ đề",
"descriptions settings": "cài đặt mô tả", "descriptions settings": "cài đặt mô tả",
"Text": "Văn bản", "Text": "Văn bản",
"White": "Trắng", "White": "Trắng",
"Black": "Đen", "Black": "Đen",
"Red": "Đỏ", "Red": "Đỏ",
"Green": "Xanh lá cây", "Green": "Xanh lá cây",
"Blue": "Xanh da trời", "Blue": "Xanh da trời",
"Yellow": "Vàng", "Yellow": "Vàng",
"Magenta": "Đỏ tươi", "Magenta": "Đỏ tươi",
"Cyan": "Lam", "Cyan": "Lam",
"Background": "Nền", "Background": "Nền",
"Window": "Cửa sổ", "Window": "Cửa sổ",
"Transparent": "Trong suốt", "Transparent": "Trong suốt",
"Semi-Transparent": "Bán trong suốt", "Semi-Transparent": "Bán trong suốt",
"Opaque": "Mờ", "Opaque": "Mờ",
"Font Size": "Kích cỡ phông chữ", "Font Size": "Kích cỡ phông chữ",
"Text Edge Style": "Dạng viền văn bản", "Text Edge Style": "Dạng viền văn bản",
"None": "None", "None": "None",
"Raised": "Raised", "Raised": "Raised",
"Depressed": "Depressed", "Depressed": "Depressed",
"Uniform": "Uniform", "Uniform": "Uniform",
"Dropshadow": "Dropshadow", "Dropshadow": "Dropshadow",
"Font Family": "Phông chữ", "Font Family": "Phông chữ",
"Proportional Sans-Serif": "Proportional Sans-Serif", "Proportional Sans-Serif": "Proportional Sans-Serif",
"Monospace Sans-Serif": "Monospace Sans-Serif", "Monospace Sans-Serif": "Monospace Sans-Serif",
"Proportional Serif": "Proportional Serif", "Proportional Serif": "Proportional Serif",
"Monospace Serif": "Monospace Serif", "Monospace Serif": "Monospace Serif",
"Casual": "Casual", "Casual": "Casual",
"Script": "Script", "Script": "Script",
"Small Caps": "Small Caps", "Small Caps": "Small Caps",
"Reset": "Đặt lại", "Reset": "Đặt lại",
"restore all settings to the default values": "khôi phục lại tất cả các cài đặt về giá trị mặc định", "restore all settings to the default values": "khôi phục lại tất cả các cài đặt về giá trị mặc định",
"Done": "Xong", "Done": "Xong",
"Caption Settings Dialog": "Hộp thoại cài đặt chú thích", "Caption Settings Dialog": "Hộp thoại cài đặt chú thích",
"Beginning of dialog window. Escape will cancel and close the window.": "Bắt đầu cửa sổ hộp thoại. Esc sẽ thoát và đóng cửa sổ.", "Beginning of dialog window. Escape will cancel and close the window.": "Bắt đầu cửa sổ hộp thoại. Esc sẽ thoát và đóng cửa sổ.",
"End of dialog window.": "Kết thúc cửa sổ hộp thoại." "End of dialog window.": "Kết thúc cửa sổ hộp thoại."
}); });

View File

@ -0,0 +1,84 @@
{
"Audio Player": "Trình phát Audio",
"Video Player": "Trình phát Video",
"Play": "Phát",
"Pause": "Tạm dừng",
"Replay": "Phát lại",
"Current Time": "Thời gian hiện tại",
"Duration": "Độ dài",
"Remaining Time": "Thời gian còn lại",
"Stream Type": "Kiểu Stream",
"LIVE": "TRỰC TIẾP",
"Loaded": "Đã tải",
"Progress": "Tiến trình",
"Progress Bar": "Thanh tiến trình",
"progress bar timing: currentTime={1} duration={2}": "{1} của {2}",
"Fullscreen": "Toàn màn hình",
"Non-Fullscreen": "Thoát toàn màn hình",
"Mute": "Tắt tiếng",
"Unmute": "Bật âm thanh",
"Playback Rate": "Tỉ lệ phát lại",
"Subtitles": "Phụ đề",
"subtitles off": "tắt phụ đề",
"Captions": "Chú thích",
"captions off": "tắt chú thích",
"Chapters": "Chương",
"Descriptions": "Mô tả",
"descriptions off": "tắt mô tả",
"Audio Track": "Track âm thanh",
"Volume Level": "Mức âm lượng",
"You aborted the media playback": "Bạn đã hủy việc phát lại media.",
"A network error caused the media download to fail part-way.": "Một lỗi mạng dẫn đến việc tải media bị lỗi.",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "Video không tải được, mạng hay server có lỗi hoặc định dạng không được hỗ trợ.",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "Phát media đã bị hủy do một sai lỗi hoặc media sử dụng những tính năng trình duyệt không hỗ trợ.",
"No compatible source was found for this media.": "Không có nguồn tương thích cho media này.",
"The media is encrypted and we do not have the keys to decrypt it.": "Media đã được mã hóa và chúng tôi không có để giải mã nó.",
"Play Video": "Phát Video",
"Close": "Đóng",
"Close Modal Dialog": "Đóng cửa sổ",
"Modal Window": "Cửa sổ",
"This is a modal window": "Đây là một cửa sổ",
"This modal can be closed by pressing the Escape key or activating the close button.": "Cửa sổ này có thể thoát bằng việc nhấn phím Esc hoặc kích hoạt nút đóng.",
", opens captions settings dialog": ", mở hộp thoại cài đặt chú thích",
", opens subtitles settings dialog": ", mở hộp thoại cài đặt phụ đề",
", opens descriptions settings dialog": ", mở hộp thoại cài đặt mô tả",
", selected": ", đã chọn",
"captions settings": "cài đặt chú thích",
"subtitles settings": "cài đặt phụ đề",
"descriptions settings": "cài đặt mô tả",
"Text": "Văn bản",
"White": "Trắng",
"Black": "Đen",
"Red": "Đỏ",
"Green": "Xanh lá cây",
"Blue": "Xanh da trời",
"Yellow": "Vàng",
"Magenta": "Đỏ tươi",
"Cyan": "Lam",
"Background": "Nền",
"Window": "Cửa sổ",
"Transparent": "Trong suốt",
"Semi-Transparent": "Bán trong suốt",
"Opaque": "Mờ",
"Font Size": "Kích cỡ phông chữ",
"Text Edge Style": "Dạng viền văn bản",
"None": "None",
"Raised": "Raised",
"Depressed": "Depressed",
"Uniform": "Uniform",
"Dropshadow": "Dropshadow",
"Font Family": "Phông chữ",
"Proportional Sans-Serif": "Proportional Sans-Serif",
"Monospace Sans-Serif": "Monospace Sans-Serif",
"Proportional Serif": "Proportional Serif",
"Monospace Serif": "Monospace Serif",
"Casual": "Casual",
"Script": "Script",
"Small Caps": "Small Caps",
"Reset": "Đặt lại",
"restore all settings to the default values": "khôi phục lại tất cả các cài đặt về giá trị mặc định",
"Done": "Xong",
"Caption Settings Dialog": "Hộp thoại cài đặt chú thích",
"Beginning of dialog window. Escape will cancel and close the window.": "Bắt đầu cửa sổ hộp thoại. Esc sẽ thoát và đóng cửa sổ.",
"End of dialog window.": "Kết thúc cửa sổ hộp thoại."
}

View File

@ -1,83 +1,87 @@
videojs.addLanguage("zh-CN",{ videojs.addLanguage('zh-CN', {
"Play": "播放", "Play": "播放",
"Pause": "暂停", "Pause": "暂停",
"Current Time": "当前时间", "Current Time": "当前时间",
"Duration": "时长", "Duration": "时长",
"Remaining Time": "剩余时间", "Remaining Time": "剩余时间",
"Stream Type": "媒体流类型", "Stream Type": "媒体流类型",
"LIVE": "直播", "LIVE": "直播",
"Loaded": "加载完毕", "Loaded": "加载完毕",
"Progress": "进度", "Progress": "进度",
"Fullscreen": "全屏", "Fullscreen": "全屏",
"Non-Fullscreen": "退出全屏", "Non-Fullscreen": "退出全屏",
"Mute": "静音", "Mute": "静音",
"Unmute": "取消静音", "Unmute": "取消静音",
"Playback Rate": "播放速度", "Playback Rate": "播放速度",
"Subtitles": "字幕", "Subtitles": "字幕",
"subtitles off": "关闭字幕", "subtitles off": "关闭字幕",
"Captions": "内嵌字幕", "Captions": "内嵌字幕",
"captions off": "关闭内嵌字幕", "captions off": "关闭内嵌字幕",
"Chapters": "节目段落", "Chapters": "节目段落",
"Close Modal Dialog": "关闭弹窗", "Close Modal Dialog": "关闭弹窗",
"Descriptions": "描述", "Descriptions": "描述",
"descriptions off": "关闭描述", "descriptions off": "关闭描述",
"Audio Track": "音轨", "Audio Track": "音轨",
"You aborted the media playback": "视频播放被终止", "You aborted the media playback": "视频播放被终止",
"A network error caused the media download to fail part-way.": "网络错误导致视频下载中途失败。", "A network error caused the media download to fail part-way.": "网络错误导致视频下载中途失败。",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "视频因格式不支持或者服务器或网络的问题无法加载。", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "视频因格式不支持或者服务器或网络的问题无法加载。",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "由于视频文件损坏或是该视频使用了你的浏览器不支持的功能,播放终止。", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "由于视频文件损坏或是该视频使用了你的浏览器不支持的功能,播放终止。",
"No compatible source was found for this media.": "无法找到此视频兼容的源。", "No compatible source was found for this media.": "无法找到此视频兼容的源。",
"The media is encrypted and we do not have the keys to decrypt it.": "视频已加密,无法解密。", "The media is encrypted and we do not have the keys to decrypt it.": "视频已加密,无法解密。",
"Play Video": "播放视频", "Play Video": "播放视频",
"Close": "关闭", "Close": "关闭",
"Modal Window": "弹窗", "Modal Window": "弹窗",
"This is a modal window": "这是一个弹窗", "This is a modal window": "这是一个弹窗",
"This modal can be closed by pressing the Escape key or activating the close button.": "可以按ESC按键或启用关闭按钮来关闭此弹窗。", "This modal can be closed by pressing the Escape key or activating the close button.": "可以按ESC按键或启用关闭按钮来关闭此弹窗。",
", opens captions settings dialog": ", 开启标题设置弹窗", ", opens captions settings dialog": ", 开启标题设置弹窗",
", opens subtitles settings dialog": ", 开启字幕设置弹窗", ", opens subtitles settings dialog": ", 开启字幕设置弹窗",
", opens descriptions settings dialog": ", 开启描述设置弹窗", ", opens descriptions settings dialog": ", 开启描述设置弹窗",
", selected": ", 选择", ", selected": ", 选择",
"captions settings": "字幕设定", "captions settings": "字幕设定",
"Audio Player": "音频播放器", "Audio Player": "音频播放器",
"Video Player": "视频播放器", "Video Player": "视频播放器",
"Replay": "重播", "Replay": "重播",
"Progress Bar": "进度小节", "Progress Bar": "进度条",
"Volume Level": "音量", "Volume Level": "音量",
"subtitles settings": "字幕设定", "subtitles settings": "字幕设定",
"descriptions settings": "描述设定", "descriptions settings": "描述设定",
"Text": "文字", "Text": "文字",
"White": "白", "White": "白",
"Black": "黑", "Black": "黑",
"Red": "红", "Red": "红",
"Green": "绿", "Green": "绿",
"Blue": "蓝", "Blue": "蓝",
"Yellow": "黄", "Yellow": "黄",
"Magenta": "紫红", "Magenta": "紫红",
"Cyan": "青", "Cyan": "青",
"Background": "背景", "Background": "背景",
"Window": "视窗", "Window": "视窗",
"Transparent": "透明", "Transparent": "透明",
"Semi-Transparent": "半透明", "Semi-Transparent": "半透明",
"Opaque": "不透明", "Opaque": "不透明",
"Font Size": "字体尺寸", "Font Size": "字体尺寸",
"Text Edge Style": "字体边缘样式", "Text Edge Style": "字体边缘样式",
"None": "无", "None": "无",
"Raised": "浮雕", "Raised": "浮雕",
"Depressed": "压低", "Depressed": "压低",
"Uniform": "均匀", "Uniform": "均匀",
"Dropshadow": "下阴影", "Dropshadow": "下阴影",
"Font Family": "字体库", "Font Family": "字体库",
"Proportional Sans-Serif": "比例无细体", "Proportional Sans-Serif": "比例无细体",
"Monospace Sans-Serif": "单间隔无细体", "Monospace Sans-Serif": "单间隔无细体",
"Proportional Serif": "比例细体", "Proportional Serif": "比例细体",
"Monospace Serif": "单间隔细体", "Monospace Serif": "单间隔细体",
"Casual": "舒适", "Casual": "舒适",
"Script": "手写体", "Script": "手写体",
"Small Caps": "小型大写字体", "Small Caps": "小型大写字体",
"Reset": "重启", "Reset": "重置",
"restore all settings to the default values": "恢复全部设定至预设值", "restore all settings to the default values": "恢复全部设定至预设值",
"Done": "完成", "Done": "完成",
"Caption Settings Dialog": "字幕设定视窗", "Caption Settings Dialog": "字幕设定视窗",
"Beginning of dialog window. Escape will cancel and close the window.": "开始对话视窗。离开会取消及关闭视窗", "Beginning of dialog window. Escape will cancel and close the window.": "开始对话视窗。离开会取消及关闭视窗",
"End of dialog window.": "结束对话视窗" "End of dialog window.": "结束对话视窗",
"Seek to live, currently behind live": "试图直播,当前延时播放",
"Seek to live, currently playing live": "试图直播,当前实时播放",
"progress bar timing: currentTime={1} duration={2}": "{1}/{2}",
"{1} is loading.": "正在加载 {1}。"
}); });

View File

@ -0,0 +1,87 @@
{
"Play": "播放",
"Pause": "暂停",
"Current Time": "当前时间",
"Duration": "时长",
"Remaining Time": "剩余时间",
"Stream Type": "媒体流类型",
"LIVE": "直播",
"Loaded": "加载完毕",
"Progress": "进度",
"Fullscreen": "全屏",
"Non-Fullscreen": "退出全屏",
"Mute": "静音",
"Unmute": "取消静音",
"Playback Rate": "播放速度",
"Subtitles": "字幕",
"subtitles off": "关闭字幕",
"Captions": "内嵌字幕",
"captions off": "关闭内嵌字幕",
"Chapters": "节目段落",
"Close Modal Dialog": "关闭弹窗",
"Descriptions": "描述",
"descriptions off": "关闭描述",
"Audio Track": "音轨",
"You aborted the media playback": "视频播放被终止",
"A network error caused the media download to fail part-way.": "网络错误导致视频下载中途失败。",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "视频因格式不支持或者服务器或网络的问题无法加载。",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "由于视频文件损坏或是该视频使用了你的浏览器不支持的功能,播放终止。",
"No compatible source was found for this media.": "无法找到此视频兼容的源。",
"The media is encrypted and we do not have the keys to decrypt it.": "视频已加密,无法解密。",
"Play Video": "播放视频",
"Close": "关闭",
"Modal Window": "弹窗",
"This is a modal window": "这是一个弹窗",
"This modal can be closed by pressing the Escape key or activating the close button.": "可以按ESC按键或启用关闭按钮来关闭此弹窗。",
", opens captions settings dialog": ", 开启标题设置弹窗",
", opens subtitles settings dialog": ", 开启字幕设置弹窗",
", opens descriptions settings dialog": ", 开启描述设置弹窗",
", selected": ", 选择",
"captions settings": "字幕设定",
"Audio Player": "音频播放器",
"Video Player": "视频播放器",
"Replay": "重播",
"Progress Bar": "进度条",
"Volume Level": "音量",
"subtitles settings": "字幕设定",
"descriptions settings": "描述设定",
"Text": "文字",
"White": "白",
"Black": "黑",
"Red": "红",
"Green": "绿",
"Blue": "蓝",
"Yellow": "黄",
"Magenta": "紫红",
"Cyan": "青",
"Background": "背景",
"Window": "视窗",
"Transparent": "透明",
"Semi-Transparent": "半透明",
"Opaque": "不透明",
"Font Size": "字体尺寸",
"Text Edge Style": "字体边缘样式",
"None": "无",
"Raised": "浮雕",
"Depressed": "压低",
"Uniform": "均匀",
"Dropshadow": "下阴影",
"Font Family": "字体库",
"Proportional Sans-Serif": "比例无细体",
"Monospace Sans-Serif": "单间隔无细体",
"Proportional Serif": "比例细体",
"Monospace Serif": "单间隔细体",
"Casual": "舒适",
"Script": "手写体",
"Small Caps": "小型大写字体",
"Reset": "重置",
"restore all settings to the default values": "恢复全部设定至预设值",
"Done": "完成",
"Caption Settings Dialog": "字幕设定视窗",
"Beginning of dialog window. Escape will cancel and close the window.": "开始对话视窗。离开会取消及关闭视窗",
"End of dialog window.": "结束对话视窗",
"Seek to live, currently behind live": "试图直播,当前延时播放",
"Seek to live, currently playing live": "试图直播,当前实时播放",
"progress bar timing: currentTime={1} duration={2}": "{1}/{2}",
"{1} is loading.": "正在加载 {1}。"
}

View File

@ -0,0 +1,87 @@
videojs.addLanguage('zh-Hans', {
"Play": "播放",
"Pause": "暂停",
"Current Time": "当前时间",
"Duration": "时长",
"Remaining Time": "剩余时间",
"Stream Type": "媒体流类型",
"LIVE": "直播",
"Loaded": "加载完毕",
"Progress": "进度",
"Fullscreen": "全屏",
"Non-Fullscreen": "退出全屏",
"Mute": "静音",
"Unmute": "取消静音",
"Playback Rate": "播放速度",
"Subtitles": "字幕",
"subtitles off": "关闭字幕",
"Captions": "内嵌字幕",
"captions off": "关闭内嵌字幕",
"Chapters": "节目段落",
"Close Modal Dialog": "关闭弹窗",
"Descriptions": "描述",
"descriptions off": "关闭描述",
"Audio Track": "音轨",
"You aborted the media playback": "视频播放被终止",
"A network error caused the media download to fail part-way.": "网络错误导致视频下载中途失败。",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "视频因格式不支持或者服务器或网络的问题无法加载。",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "由于视频文件损坏或是该视频使用了你的浏览器不支持的功能,播放终止。",
"No compatible source was found for this media.": "无法找到此视频兼容的源。",
"The media is encrypted and we do not have the keys to decrypt it.": "视频已加密,无法解密。",
"Play Video": "播放视频",
"Close": "关闭",
"Modal Window": "弹窗",
"This is a modal window": "这是一个弹窗",
"This modal can be closed by pressing the Escape key or activating the close button.": "可以按ESC按键或启用关闭按钮来关闭此弹窗。",
", opens captions settings dialog": ", 开启标题设置弹窗",
", opens subtitles settings dialog": ", 开启字幕设置弹窗",
", opens descriptions settings dialog": ", 开启描述设置弹窗",
", selected": ", 选择",
"captions settings": "字幕设定",
"Audio Player": "音频播放器",
"Video Player": "视频播放器",
"Replay": "重播",
"Progress Bar": "进度条",
"Volume Level": "音量",
"subtitles settings": "字幕设定",
"descriptions settings": "描述设定",
"Text": "文字",
"White": "白",
"Black": "黑",
"Red": "红",
"Green": "绿",
"Blue": "蓝",
"Yellow": "黄",
"Magenta": "紫红",
"Cyan": "青",
"Background": "背景",
"Window": "视窗",
"Transparent": "透明",
"Semi-Transparent": "半透明",
"Opaque": "不透明",
"Font Size": "字体尺寸",
"Text Edge Style": "字体边缘样式",
"None": "无",
"Raised": "浮雕",
"Depressed": "压低",
"Uniform": "均匀",
"Dropshadow": "下阴影",
"Font Family": "字体库",
"Proportional Sans-Serif": "比例无细体",
"Monospace Sans-Serif": "单间隔无细体",
"Proportional Serif": "比例细体",
"Monospace Serif": "单间隔细体",
"Casual": "舒适",
"Script": "手写体",
"Small Caps": "小型大写字体",
"Reset": "重置",
"restore all settings to the default values": "恢复全部设定至预设值",
"Done": "完成",
"Caption Settings Dialog": "字幕设定视窗",
"Beginning of dialog window. Escape will cancel and close the window.": "开始对话视窗。离开会取消及关闭视窗",
"End of dialog window.": "结束对话视窗",
"Seek to live, currently behind live": "试图直播,当前延时播放",
"Seek to live, currently playing live": "试图直播,当前实时播放",
"progress bar timing: currentTime={1} duration={2}": "{1}/{2}",
"{1} is loading.": "正在加载 {1}。"
});

View File

@ -0,0 +1,87 @@
{
"Play": "播放",
"Pause": "暂停",
"Current Time": "当前时间",
"Duration": "时长",
"Remaining Time": "剩余时间",
"Stream Type": "媒体流类型",
"LIVE": "直播",
"Loaded": "加载完毕",
"Progress": "进度",
"Fullscreen": "全屏",
"Non-Fullscreen": "退出全屏",
"Mute": "静音",
"Unmute": "取消静音",
"Playback Rate": "播放速度",
"Subtitles": "字幕",
"subtitles off": "关闭字幕",
"Captions": "内嵌字幕",
"captions off": "关闭内嵌字幕",
"Chapters": "节目段落",
"Close Modal Dialog": "关闭弹窗",
"Descriptions": "描述",
"descriptions off": "关闭描述",
"Audio Track": "音轨",
"You aborted the media playback": "视频播放被终止",
"A network error caused the media download to fail part-way.": "网络错误导致视频下载中途失败。",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "视频因格式不支持或者服务器或网络的问题无法加载。",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "由于视频文件损坏或是该视频使用了你的浏览器不支持的功能,播放终止。",
"No compatible source was found for this media.": "无法找到此视频兼容的源。",
"The media is encrypted and we do not have the keys to decrypt it.": "视频已加密,无法解密。",
"Play Video": "播放视频",
"Close": "关闭",
"Modal Window": "弹窗",
"This is a modal window": "这是一个弹窗",
"This modal can be closed by pressing the Escape key or activating the close button.": "可以按ESC按键或启用关闭按钮来关闭此弹窗。",
", opens captions settings dialog": ", 开启标题设置弹窗",
", opens subtitles settings dialog": ", 开启字幕设置弹窗",
", opens descriptions settings dialog": ", 开启描述设置弹窗",
", selected": ", 选择",
"captions settings": "字幕设定",
"Audio Player": "音频播放器",
"Video Player": "视频播放器",
"Replay": "重播",
"Progress Bar": "进度条",
"Volume Level": "音量",
"subtitles settings": "字幕设定",
"descriptions settings": "描述设定",
"Text": "文字",
"White": "白",
"Black": "黑",
"Red": "红",
"Green": "绿",
"Blue": "蓝",
"Yellow": "黄",
"Magenta": "紫红",
"Cyan": "青",
"Background": "背景",
"Window": "视窗",
"Transparent": "透明",
"Semi-Transparent": "半透明",
"Opaque": "不透明",
"Font Size": "字体尺寸",
"Text Edge Style": "字体边缘样式",
"None": "无",
"Raised": "浮雕",
"Depressed": "压低",
"Uniform": "均匀",
"Dropshadow": "下阴影",
"Font Family": "字体库",
"Proportional Sans-Serif": "比例无细体",
"Monospace Sans-Serif": "单间隔无细体",
"Proportional Serif": "比例细体",
"Monospace Serif": "单间隔细体",
"Casual": "舒适",
"Script": "手写体",
"Small Caps": "小型大写字体",
"Reset": "重置",
"restore all settings to the default values": "恢复全部设定至预设值",
"Done": "完成",
"Caption Settings Dialog": "字幕设定视窗",
"Beginning of dialog window. Escape will cancel and close the window.": "开始对话视窗。离开会取消及关闭视窗",
"End of dialog window.": "结束对话视窗",
"Seek to live, currently behind live": "试图直播,当前延时播放",
"Seek to live, currently playing live": "试图直播,当前实时播放",
"progress bar timing: currentTime={1} duration={2}": "{1}/{2}",
"{1} is loading.": "正在加载 {1}。"
}

View File

@ -0,0 +1,87 @@
videojs.addLanguage('zh-Hant', {
"Play": "播放",
"Pause": "暫停",
"Current Time": "目前時間",
"Duration": "總共時間",
"Remaining Time": "剩餘時間",
"Stream Type": "串流類型",
"LIVE": "直播",
"Loaded": "載入完畢",
"Progress": "進度",
"Fullscreen": "全螢幕",
"Non-Fullscreen": "退出全螢幕",
"Mute": "靜音",
"Unmute": "取消靜音",
"Playback Rate": " 播放速率",
"Subtitles": "字幕",
"subtitles off": "關閉字幕",
"Captions": "內嵌字幕",
"captions off": "關閉內嵌字幕",
"Chapters": "章節",
"Close Modal Dialog": "關閉對話框",
"Descriptions": "描述",
"descriptions off": "關閉描述",
"Audio Track": "音軌",
"You aborted the media playback": "影片播放已終止",
"A network error caused the media download to fail part-way.": "網路錯誤導致影片下載失敗。",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "影片因格式不支援或者伺服器或網路的問題無法載入。",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "由於影片檔案損毀或是該影片使用了您的瀏覽器不支援的功能,播放終止。",
"No compatible source was found for this media.": "無法找到相容此影片的來源。",
"The media is encrypted and we do not have the keys to decrypt it.": "影片已加密,無法解密。",
"Play Video": "播放影片",
"Close": "關閉",
"Modal Window": "對話框",
"This is a modal window": "這是一個對話框",
"This modal can be closed by pressing the Escape key or activating the close button.": "可以按ESC按鍵或啟用關閉按鈕來關閉此對話框。",
", opens captions settings dialog": ", 開啟標題設定對話框",
", opens subtitles settings dialog": ", 開啟字幕設定對話框",
", opens descriptions settings dialog": ", 開啟描述設定對話框",
", selected": ", 選擇",
"captions settings": "字幕設定",
"Audio Player": "音頻播放器",
"Video Player": "視頻播放器",
"Replay": "重播",
"Progress Bar": "進度小節",
"Volume Level": "音量",
"subtitles settings": "字幕設定",
"descriptions settings": "描述設定",
"Text": "文字",
"White": "白",
"Black": "黑",
"Red": "紅",
"Green": "綠",
"Blue": "藍",
"Yellow": "黃",
"Magenta": "紫紅",
"Cyan": "青",
"Background": "背景",
"Window": "視窗",
"Transparent": "透明",
"Semi-Transparent": "半透明",
"Opaque": "不透明",
"Font Size": "字型尺寸",
"Text Edge Style": "字型邊緣樣式",
"None": "無",
"Raised": "浮雕",
"Depressed": "壓低",
"Uniform": "均勻",
"Dropshadow": "下陰影",
"Font Family": "字型庫",
"Proportional Sans-Serif": "比例無細體",
"Monospace Sans-Serif": "單間隔無細體",
"Proportional Serif": "比例細體",
"Monospace Serif": "單間隔細體",
"Casual": "輕便的",
"Script": "手寫體",
"Small Caps": "小型大寫字體",
"Reset": "重置",
"restore all settings to the default values": "恢復全部設定至預設值",
"Done": "完成",
"Caption Settings Dialog": "字幕設定視窗",
"Beginning of dialog window. Escape will cancel and close the window.": "開始對話視窗。離開會取消及關閉視窗",
"End of dialog window.": "結束對話視窗",
"Seek to live, currently behind live": "試圖直播,目前延時播放",
"Seek to live, currently playing live": "試圖直播,目前即時播放",
"progress bar timing: currentTime={1} duration={2}": "{1}/{2}",
"{1} is loading.": "{1} 正在載入。"
});

View File

@ -0,0 +1,87 @@
{
"Play": "播放",
"Pause": "暫停",
"Current Time": "目前時間",
"Duration": "總共時間",
"Remaining Time": "剩餘時間",
"Stream Type": "串流類型",
"LIVE": "直播",
"Loaded": "載入完畢",
"Progress": "進度",
"Fullscreen": "全螢幕",
"Non-Fullscreen": "退出全螢幕",
"Mute": "靜音",
"Unmute": "取消靜音",
"Playback Rate": " 播放速率",
"Subtitles": "字幕",
"subtitles off": "關閉字幕",
"Captions": "內嵌字幕",
"captions off": "關閉內嵌字幕",
"Chapters": "章節",
"Close Modal Dialog": "關閉對話框",
"Descriptions": "描述",
"descriptions off": "關閉描述",
"Audio Track": "音軌",
"You aborted the media playback": "影片播放已終止",
"A network error caused the media download to fail part-way.": "網路錯誤導致影片下載失敗。",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "影片因格式不支援或者伺服器或網路的問題無法載入。",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "由於影片檔案損毀或是該影片使用了您的瀏覽器不支援的功能,播放終止。",
"No compatible source was found for this media.": "無法找到相容此影片的來源。",
"The media is encrypted and we do not have the keys to decrypt it.": "影片已加密,無法解密。",
"Play Video": "播放影片",
"Close": "關閉",
"Modal Window": "對話框",
"This is a modal window": "這是一個對話框",
"This modal can be closed by pressing the Escape key or activating the close button.": "可以按ESC按鍵或啟用關閉按鈕來關閉此對話框。",
", opens captions settings dialog": ", 開啟標題設定對話框",
", opens subtitles settings dialog": ", 開啟字幕設定對話框",
", opens descriptions settings dialog": ", 開啟描述設定對話框",
", selected": ", 選擇",
"captions settings": "字幕設定",
"Audio Player": "音頻播放器",
"Video Player": "視頻播放器",
"Replay": "重播",
"Progress Bar": "進度小節",
"Volume Level": "音量",
"subtitles settings": "字幕設定",
"descriptions settings": "描述設定",
"Text": "文字",
"White": "白",
"Black": "黑",
"Red": "紅",
"Green": "綠",
"Blue": "藍",
"Yellow": "黃",
"Magenta": "紫紅",
"Cyan": "青",
"Background": "背景",
"Window": "視窗",
"Transparent": "透明",
"Semi-Transparent": "半透明",
"Opaque": "不透明",
"Font Size": "字型尺寸",
"Text Edge Style": "字型邊緣樣式",
"None": "無",
"Raised": "浮雕",
"Depressed": "壓低",
"Uniform": "均勻",
"Dropshadow": "下陰影",
"Font Family": "字型庫",
"Proportional Sans-Serif": "比例無細體",
"Monospace Sans-Serif": "單間隔無細體",
"Proportional Serif": "比例細體",
"Monospace Serif": "單間隔細體",
"Casual": "輕便的",
"Script": "手寫體",
"Small Caps": "小型大寫字體",
"Reset": "重置",
"restore all settings to the default values": "恢復全部設定至預設值",
"Done": "完成",
"Caption Settings Dialog": "字幕設定視窗",
"Beginning of dialog window. Escape will cancel and close the window.": "開始對話視窗。離開會取消及關閉視窗",
"End of dialog window.": "結束對話視窗",
"Seek to live, currently behind live": "試圖直播,目前延時播放",
"Seek to live, currently playing live": "試圖直播,目前即時播放",
"progress bar timing: currentTime={1} duration={2}": "{1}/{2}",
"{1} is loading.": "{1} 正在載入。"
}

View File

@ -1,83 +1,87 @@
videojs.addLanguage("zh-TW",{ videojs.addLanguage('zh-TW', {
"Play": "播放", "Play": "播放",
"Pause": "暫停", "Pause": "暫停",
"Current Time": "目前時間", "Current Time": "目前時間",
"Duration": "總共時間", "Duration": "總共時間",
"Remaining Time": "剩餘時間", "Remaining Time": "剩餘時間",
"Stream Type": "串流類型", "Stream Type": "串流類型",
"LIVE": "直播", "LIVE": "直播",
"Loaded": "載入完畢", "Loaded": "載入完畢",
"Progress": "進度", "Progress": "進度",
"Fullscreen": "全螢幕", "Fullscreen": "全螢幕",
"Non-Fullscreen": "退出全螢幕", "Non-Fullscreen": "退出全螢幕",
"Mute": "靜音", "Mute": "靜音",
"Unmute": "取消靜音", "Unmute": "取消靜音",
"Playback Rate": " 播放速率", "Playback Rate": " 播放速率",
"Subtitles": "字幕", "Subtitles": "字幕",
"subtitles off": "關閉字幕", "subtitles off": "關閉字幕",
"Captions": "內嵌字幕", "Captions": "內嵌字幕",
"captions off": "關閉內嵌字幕", "captions off": "關閉內嵌字幕",
"Chapters": "章節", "Chapters": "章節",
"Close Modal Dialog": "關閉彈窗", "Close Modal Dialog": "關閉對話框",
"Descriptions": "描述", "Descriptions": "描述",
"descriptions off": "關閉描述", "descriptions off": "關閉描述",
"Audio Track": "音軌", "Audio Track": "音軌",
"You aborted the media playback": "影片播放已終止", "You aborted the media playback": "影片播放已終止",
"A network error caused the media download to fail part-way.": "網路錯誤導致影片下載失敗。", "A network error caused the media download to fail part-way.": "網路錯誤導致影片下載失敗。",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "影片因格式不支援或者伺服器或網路的問題無法載入。", "The media could not be loaded, either because the server or network failed or because the format is not supported.": "影片因格式不支援或者伺服器或網路的問題無法載入。",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "由於影片檔案損毀或是該影片使用了您的瀏覽器不支援的功能,播放終止。", "The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "由於影片檔案損毀或是該影片使用了您的瀏覽器不支援的功能,播放終止。",
"No compatible source was found for this media.": "無法找到相容此影片的來源。", "No compatible source was found for this media.": "無法找到相容此影片的來源。",
"The media is encrypted and we do not have the keys to decrypt it.": "影片已加密,無法解密。", "The media is encrypted and we do not have the keys to decrypt it.": "影片已加密,無法解密。",
"Play Video": "播放影片", "Play Video": "播放影片",
"Close": "關閉", "Close": "關閉",
"Modal Window": "對話框", "Modal Window": "對話框",
"This is a modal window": "這是一個對話框", "This is a modal window": "這是一個對話框",
"This modal can be closed by pressing the Escape key or activating the close button.": "可以按ESC按鍵或啟用關閉按鈕來關閉此對話框。", "This modal can be closed by pressing the Escape key or activating the close button.": "可以按ESC按鍵或啟用關閉按鈕來關閉此對話框。",
", opens captions settings dialog": ", 開啟標題設定對話框", ", opens captions settings dialog": ", 開啟標題設定對話框",
", opens subtitles settings dialog": ", 開啟字幕設定對話框", ", opens subtitles settings dialog": ", 開啟字幕設定對話框",
", opens descriptions settings dialog": ", 開啟描述設定對話框", ", opens descriptions settings dialog": ", 開啟描述設定對話框",
", selected": ", 選擇", ", selected": ", 選擇",
"captions settings": "字幕設定", "captions settings": "字幕設定",
"Audio Player": "音頻播放器", "Audio Player": "音頻播放器",
"Video Player": "視頻播放器", "Video Player": "視頻播放器",
"Replay": "重播", "Replay": "重播",
"Progress Bar": "進度小節", "Progress Bar": "進度小節",
"Volume Level": "音量", "Volume Level": "音量",
"subtitles settings": "字幕設定", "subtitles settings": "字幕設定",
"descriptions settings": "描述設定", "descriptions settings": "描述設定",
"Text": "文字", "Text": "文字",
"White": "白", "White": "白",
"Black": "黑", "Black": "黑",
"Red": "紅", "Red": "紅",
"Green": "綠", "Green": "綠",
"Blue": "藍", "Blue": "藍",
"Yellow": "黃", "Yellow": "黃",
"Magenta": "紫紅", "Magenta": "紫紅",
"Cyan": "青", "Cyan": "青",
"Background": "背景", "Background": "背景",
"Window": "視窗", "Window": "視窗",
"Transparent": "透明", "Transparent": "透明",
"Semi-Transparent": "半透明", "Semi-Transparent": "半透明",
"Opaque": "不透明", "Opaque": "不透明",
"Font Size": "字型尺寸", "Font Size": "字型尺寸",
"Text Edge Style": "字型邊緣樣式", "Text Edge Style": "字型邊緣樣式",
"None": "無", "None": "無",
"Raised": "浮雕", "Raised": "浮雕",
"Depressed": "壓低", "Depressed": "壓低",
"Uniform": "均勻", "Uniform": "均勻",
"Dropshadow": "下陰影", "Dropshadow": "下陰影",
"Font Family": "字型庫", "Font Family": "字型庫",
"Proportional Sans-Serif": "比例無細體", "Proportional Sans-Serif": "比例無細體",
"Monospace Sans-Serif": "單間隔無細體", "Monospace Sans-Serif": "單間隔無細體",
"Proportional Serif": "比例細體", "Proportional Serif": "比例細體",
"Monospace Serif": "單間隔細體", "Monospace Serif": "單間隔細體",
"Casual": "輕便的", "Casual": "輕便的",
"Script": "手寫體", "Script": "手寫體",
"Small Caps": "小型大寫字體", "Small Caps": "小型大寫字體",
"Reset": "重置", "Reset": "重置",
"restore all settings to the default values": "恢復全部設定至預設值", "restore all settings to the default values": "恢復全部設定至預設值",
"Done": "完成", "Done": "完成",
"Caption Settings Dialog": "字幕設定視窗", "Caption Settings Dialog": "字幕設定視窗",
"Beginning of dialog window. Escape will cancel and close the window.": "開始對話視窗。離開會取消及關閉視窗", "Beginning of dialog window. Escape will cancel and close the window.": "開始對話視窗。離開會取消及關閉視窗",
"End of dialog window.": "結束對話視窗" "End of dialog window.": "結束對話視窗",
"Seek to live, currently behind live": "試圖直播,目前延時播放",
"Seek to live, currently playing live": "試圖直播,目前即時播放",
"progress bar timing: currentTime={1} duration={2}": "{1}/{2}",
"{1} is loading.": "{1} 正在載入。"
}); });

View File

@ -0,0 +1,87 @@
{
"Play": "播放",
"Pause": "暫停",
"Current Time": "目前時間",
"Duration": "總共時間",
"Remaining Time": "剩餘時間",
"Stream Type": "串流類型",
"LIVE": "直播",
"Loaded": "載入完畢",
"Progress": "進度",
"Fullscreen": "全螢幕",
"Non-Fullscreen": "退出全螢幕",
"Mute": "靜音",
"Unmute": "取消靜音",
"Playback Rate": " 播放速率",
"Subtitles": "字幕",
"subtitles off": "關閉字幕",
"Captions": "內嵌字幕",
"captions off": "關閉內嵌字幕",
"Chapters": "章節",
"Close Modal Dialog": "關閉對話框",
"Descriptions": "描述",
"descriptions off": "關閉描述",
"Audio Track": "音軌",
"You aborted the media playback": "影片播放已終止",
"A network error caused the media download to fail part-way.": "網路錯誤導致影片下載失敗。",
"The media could not be loaded, either because the server or network failed or because the format is not supported.": "影片因格式不支援或者伺服器或網路的問題無法載入。",
"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.": "由於影片檔案損毀或是該影片使用了您的瀏覽器不支援的功能,播放終止。",
"No compatible source was found for this media.": "無法找到相容此影片的來源。",
"The media is encrypted and we do not have the keys to decrypt it.": "影片已加密,無法解密。",
"Play Video": "播放影片",
"Close": "關閉",
"Modal Window": "對話框",
"This is a modal window": "這是一個對話框",
"This modal can be closed by pressing the Escape key or activating the close button.": "可以按ESC按鍵或啟用關閉按鈕來關閉此對話框。",
", opens captions settings dialog": ", 開啟標題設定對話框",
", opens subtitles settings dialog": ", 開啟字幕設定對話框",
", opens descriptions settings dialog": ", 開啟描述設定對話框",
", selected": ", 選擇",
"captions settings": "字幕設定",
"Audio Player": "音頻播放器",
"Video Player": "視頻播放器",
"Replay": "重播",
"Progress Bar": "進度小節",
"Volume Level": "音量",
"subtitles settings": "字幕設定",
"descriptions settings": "描述設定",
"Text": "文字",
"White": "白",
"Black": "黑",
"Red": "紅",
"Green": "綠",
"Blue": "藍",
"Yellow": "黃",
"Magenta": "紫紅",
"Cyan": "青",
"Background": "背景",
"Window": "視窗",
"Transparent": "透明",
"Semi-Transparent": "半透明",
"Opaque": "不透明",
"Font Size": "字型尺寸",
"Text Edge Style": "字型邊緣樣式",
"None": "無",
"Raised": "浮雕",
"Depressed": "壓低",
"Uniform": "均勻",
"Dropshadow": "下陰影",
"Font Family": "字型庫",
"Proportional Sans-Serif": "比例無細體",
"Monospace Sans-Serif": "單間隔無細體",
"Proportional Serif": "比例細體",
"Monospace Serif": "單間隔細體",
"Casual": "輕便的",
"Script": "手寫體",
"Small Caps": "小型大寫字體",
"Reset": "重置",
"restore all settings to the default values": "恢復全部設定至預設值",
"Done": "完成",
"Caption Settings Dialog": "字幕設定視窗",
"Beginning of dialog window. Escape will cancel and close the window.": "開始對話視窗。離開會取消及關閉視窗",
"End of dialog window.": "結束對話視窗",
"Seek to live, currently behind live": "試圖直播,目前延時播放",
"Seek to live, currently playing live": "試圖直播,目前即時播放",
"progress bar timing: currentTime={1} duration={2}": "{1}/{2}",
"{1} is loading.": "{1} 正在載入。"
}

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

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