���ѧۧݧ�ӧ�� �ާ֧ߧ֧էا֧� - ���֧էѧܧ�ڧ��ӧѧ�� - /home3/cpr76684/public_html/f4.tar
���ѧ٧ѧ�
f4/f4f4d2ec5c7019ce9d7c35ee68819f2d5d3dc8ad 0000666 00000002131 15151222015 0012762 0 ustar 00 { "libraryStrings": { "browserCannotConvert": "Ulijaribu kupakia faili la Umbizo la Usambazaji wa GL (glTF) bila faili zilizoingia. Ubadilishaji wa haraka kuwa.glb hauauni kwenye kivinjari hiki. Tafadhali tafuta kibadilishaji cha ziada.", "conversionError": "Haikuweza kubadilisha kuwa muundo wa Usambazaji ya Umbizo la glb.", "dropFolderHere": "Weka folda na mali zote za Umbizo la Usambazaji wa glTF hapa", "fileDamaged": "Imeshindwa kuhakiki faili. Inaweza kuwa imeharibika.", "filetypeNotSupported": "Faili hili halionekani kuwa aina ya modeli ya 3D inayouani.", "noGLTFFound": "Hakuna faili la Umbizo la Usambazaji wa glTF kwenye folda hili", "notAFolder": "Hili halikuwa kabrasha.", "onlyEmbeddedAssets": "Ulijaribu kupakia faili la Umbizo la Usambazaji wa GL (glTF) bila faili zilizoingia. Inapaswa kuwa ndani ya folda na mafaili mengine. Weka folda hilo kwenye eneo la kushuka ili kuunda faili moja ambalo linaweza kutumika.", "onlyVersionTwo": "Faili hili la Umbizo la Usambazaji wa glTF ni la toleo 1.0. Tafadhali kubadilisha kwa toleo 2.0 ili kutumia hapa." } } f5/f4f52dd789bc3352e4ea96a9eb23f04e8aeae512 0000666 00000005000 15151222015 0012661 0 ustar 00 var H5PUpgrades = H5PUpgrades || {}; H5PUpgrades['H5P.ImageHotspots'] = (function () { return { 1: { /** * Asynchronous content upgrade hook. * Upgrades content parameters to support ImageHotspots 1.1. * * Moves the fields named x and y into the position group * * @params {Object} parameters * @params {function} finished */ 1: function (parameters, finished) { // Move x and y if (parameters.hotspots !== undefined) { for (var i = 0; i < parameters.hotspots.length; i++) { parameters.hotspots[i].position = { x: parameters.hotspots[i].x || 0, y: parameters.hotspots[i].y || 0 }; delete parameters.hotspots[i].x; delete parameters.hotspots[i].y; } } finished(null, parameters); }, /** * Upgrades content parameters to support ImageHotspots 1.3 * * Moves hotspot content into list * * @param parameters * @param finished */ 3: function (parameters, finished) { if (parameters.hotspots !== undefined) { parameters.hotspots.forEach(function (hotspot) { if (hotspot.action) { hotspot.content = []; hotspot.content.push(hotspot.action); delete hotspot.action; } }); } finished(null, parameters); }, /** * Upgrades content parameters to support ImageHotspots 1.4 * * Adds '#' in front of hex color provided from color selector widget * * @param parameters * @param finished */ 4: function (parameters, finished) { // Old content has specified a color, opposed to using the default if (parameters.color.charAt(0) !== '#') { parameters.color = '#' + parameters.color; } finished(null, parameters); }, /** * Upgrades content parameters to support ImageHotspots 1.8 * * Mark all existing hotspots as being legacy positioned * * @param parameters * @param finished */ 8: function (parameters, finished) { if (parameters.hotspots !== undefined) { parameters.hotspots.forEach(function (hotspot) { if (hotspot.position) { hotspot.position.legacyPositioning = true; } }); } finished(null, parameters); }, } }; })(); 14/f414947782982d72243b767c866ed3c39878d1d0 0000666 00000006603 15151222015 0011762 0 ustar 00 H5P.IVHotspot = (function ($, EventDispatcher) { /** * Create a new IV Hotspot! * * @class H5P.IVHotspot * @extends H5P.EventDispatcher * @param {Object} parameters */ function IVHotspot(parameters) { var self = this; self.instanceIndex = getAndIncrementGlobalCounter(); if (typeof parameters.texts === 'string') { parameters.texts = {}; } parameters = $.extend(true, { destination: { type: 'timecode', time: '0' }, visuals: { shape: 'rectangular', backgroundColor: 'rgba(255, 255, 255, 0)' }, texts: {} }, parameters); EventDispatcher.call(self); /** * Attach the hotspot to the given container. * * @param {H5P.jQuery} $container */ self.attach = function ($container) { $container.addClass('h5p-ivhotspot').css({ backgroundColor: parameters.visuals.backgroundColor }).addClass(parameters.visuals.shape); var $a; if (parameters.destination.type === 'url') { var link = new H5P.Link({ title: '', linkWidget: parameters.destination.url }); link.attach($container); $a = $container.find('a'); $a.keypress(function (event) { if (event.which === 32) { this.click(); } }); } else { $a = $('<a>', { href: '#', 'aria-labelledby': 'ivhotspot-' + self.instanceIndex + '-description' }).on('click', function (event) { self.trigger('goto', parameters.destination.time); event.preventDefault(); }).keypress(function (event) { if (event.which === 32) { self.trigger('goto', parameters.destination.time); } }); $container.html($a); } $a.css({cursor: parameters.visuals.pointerCursor ? 'pointer' : 'default'}); if (parameters.visuals.animation) { $container.append($('<div>', { 'class': 'blinking-hotspot' })); } var alternativeTextContent = [parameters.texts.alternativeText, parameters.texts.label] .filter(function (text) { return text !== undefined; }).join('. '); $('<p>', { id: 'ivhotspot-' + self.instanceIndex + '-description', class: 'h5p-ivhotspot-invisible', text: alternativeTextContent }).appendTo($container); if (parameters.texts.label !== undefined) { var $label = $('<p>', { class: 'h5p-ivhotspot-interaction-title', text: parameters.texts.label }).appendTo($a); if (!parameters.texts.showLabel) { $label.addClass('h5p-ivhotspot-invisible'); } else if (parameters.texts.labelColor) { $a.css('color', parameters.texts.labelColor); } } }; } /** * Use a global counter to separate instances of iv-hotspots, * to maintain unique ids. * * Note that ids does not have to be unique across iframes. * * @return {number} */ function getAndIncrementGlobalCounter() { if (window.interactiveVideoCounter === undefined) { window.interactiveVideoCounter = 0; } return window.interactiveVideoCounter++; } IVHotspot.prototype = Object.create(EventDispatcher.prototype); IVHotspot.prototype.constructor = IVHotspot; return IVHotspot; })(H5P.jQuery, H5P.EventDispatcher); 60/f4603fc43cd364659c4bb9cb04c09ea96cbcac83 0000666 00000001403 15151222015 0012567 0 ustar 00 { "semantics": [ { "label": "סוג גרף", "options": [ { "label": "גרף עוגה" }, { "label": "גרף עמודות" } ] }, { "label": "נתוני הגרף", "entity": "אפשרות", "field": { "label": "רכיב מידע", "fields": [ { "label": "שם" }, { "label": "ערך" }, { "label": "צבע רקע" }, { "label": "צבע הגופן" } ] } }, { "label": "תאור המוקרא על ידי קורא־מסך יקריא את הרכיב כגרף.", "default": "גרף" } ] } f3/f4f379520ba533ce66e62c211babf6b19e1e55c1 0000666 00000011116 15151222015 0012502 0 ustar 00 @import url("//fonts.googleapis.com/css?family=Wallpoet"); .odometer.odometer-auto-theme, .odometer.odometer-theme-digital { display: -moz-inline-box; -moz-box-orient: vertical; display: inline-block; vertical-align: middle; *vertical-align: auto; position: relative; } .odometer.odometer-auto-theme, .odometer.odometer-theme-digital { *display: inline; } .odometer.odometer-auto-theme .odometer-digit, .odometer.odometer-theme-digital .odometer-digit { display: -moz-inline-box; -moz-box-orient: vertical; display: inline-block; vertical-align: middle; *vertical-align: auto; position: relative; } .odometer.odometer-auto-theme .odometer-digit, .odometer.odometer-theme-digital .odometer-digit { *display: inline; } .odometer.odometer-auto-theme .odometer-digit .odometer-digit-spacer, .odometer.odometer-theme-digital .odometer-digit .odometer-digit-spacer { display: -moz-inline-box; -moz-box-orient: vertical; display: inline-block; vertical-align: middle; *vertical-align: auto; visibility: hidden; } .odometer.odometer-auto-theme .odometer-digit .odometer-digit-spacer, .odometer.odometer-theme-digital .odometer-digit .odometer-digit-spacer { *display: inline; } .odometer.odometer-auto-theme .odometer-digit .odometer-digit-inner, .odometer.odometer-theme-digital .odometer-digit .odometer-digit-inner { text-align: left; display: block; position: absolute; top: 0; left: 0; right: 0; bottom: 0; overflow: hidden; } .odometer.odometer-auto-theme .odometer-digit .odometer-ribbon, .odometer.odometer-theme-digital .odometer-digit .odometer-ribbon { display: block; } .odometer.odometer-auto-theme .odometer-digit .odometer-ribbon-inner, .odometer.odometer-theme-digital .odometer-digit .odometer-ribbon-inner { display: block; -webkit-backface-visibility: hidden; } .odometer.odometer-auto-theme .odometer-digit .odometer-value, .odometer.odometer-theme-digital .odometer-digit .odometer-value { display: block; -webkit-transform: translateZ(0); } .odometer.odometer-auto-theme .odometer-digit .odometer-value.odometer-last-value, .odometer.odometer-theme-digital .odometer-digit .odometer-value.odometer-last-value { position: absolute; } .odometer.odometer-auto-theme.odometer-animating-up .odometer-ribbon-inner, .odometer.odometer-theme-digital.odometer-animating-up .odometer-ribbon-inner { -webkit-transition: -webkit-transform 2s; -moz-transition: -moz-transform 2s; -ms-transition: -ms-transform 2s; -o-transition: -o-transform 2s; transition: transform 2s; } .odometer.odometer-auto-theme.odometer-animating-up.odometer-animating .odometer-ribbon-inner, .odometer.odometer-theme-digital.odometer-animating-up.odometer-animating .odometer-ribbon-inner { -webkit-transform: translateY(-100%); -moz-transform: translateY(-100%); -ms-transform: translateY(-100%); -o-transform: translateY(-100%); transform: translateY(-100%); } .odometer.odometer-auto-theme.odometer-animating-down .odometer-ribbon-inner, .odometer.odometer-theme-digital.odometer-animating-down .odometer-ribbon-inner { -webkit-transform: translateY(-100%); -moz-transform: translateY(-100%); -ms-transform: translateY(-100%); -o-transform: translateY(-100%); transform: translateY(-100%); } .odometer.odometer-auto-theme.odometer-animating-down.odometer-animating .odometer-ribbon-inner, .odometer.odometer-theme-digital.odometer-animating-down.odometer-animating .odometer-ribbon-inner { -webkit-transition: -webkit-transform 2s; -moz-transition: -moz-transform 2s; -ms-transition: -ms-transform 2s; -o-transition: -o-transform 2s; transition: transform 2s; -webkit-transform: translateY(0); -moz-transform: translateY(0); -ms-transform: translateY(0); -o-transform: translateY(0); transform: translateY(0); } .odometer.odometer-auto-theme, .odometer.odometer-theme-digital { background-image: -webkit-gradient(radial, 50% 50%, 0, 50% 50%, 100, color-stop(0%, rgba(139, 245, 165, 0.4)), color-stop(100%, #000000)); background-image: -webkit-radial-gradient(rgba(139, 245, 165, 0.4), #000000); background-image: -moz-radial-gradient(rgba(139, 245, 165, 0.4), #000000); background-image: -o-radial-gradient(rgba(139, 245, 165, 0.4), #000000); background-image: -ms-radial-gradient(rgba(139, 245, 165, 0.4), #000000); background-image: radial-gradient(rgba(139, 245, 165, 0.4), #000000); background-color: black; font-family: "Wallpoet", monospace; padding: 0 0.2em; line-height: 1.1em; color: #8bf5a5; } .odometer.odometer-auto-theme .odometer-digit + .odometer-digit, .odometer.odometer-theme-digital .odometer-digit + .odometer-digit { margin-left: 0.1em; } e6/f4e6be6b8203a29630f099fee88a0fd4387d68d3 0000666 00000005336 15151222015 0012475 0 ustar 00 { "semantics": [ { "label": "Instrukcijas", "description": "Izglītojamie šos norādījumus redzēs virs piezīmēm." }, { "label": "Uzdevuma saturs" }, { "label": "Piezīmju lauki", "description": "Piezīmju lauku iestatījumi", "fields": [ { "label": "Mājiena lauka nosaukums", "default": "Mājiens", "description": "Atsaukšanas sadaļas nosaukums" }, { "label": "Mājiena lauka vietturis", "default": "Ievadiet savus komentārus, jautājumus, galveno ideju utt., kurus ieguvāt no savām piezīmēm", "description": "Vietturis mājiena sadaļai kā atgādinājums jūsu izglītojamajiem" }, { "label": "Piezīmju lauka nosaukums", "default": "Piezīmes", "description": "Piezīmju sadaļas nosaukums" }, { "label": "Piezīmju lauka vietturis", "description": "Vietturis piezīmju sadaļai kā atgādinājums jūsu izglītojamajiem", "default": "Ievadiet datumus, informāciju, definīcijas, formulas, piemērus utt. no avota materiāla" }, { "label": "Kopsavilkuma lauka nosaukums", "default": "Kopsavilkums", "description": "Kopsavilkuma sadaļas nosaukums" }, { "label": "Kopsavilkuma lauka vietturis", "default": "Rezumē ko esi iemācījies", "description": "Vietturis kopsavilkuma sadaļai kā atgādinājums jūsu izglītojamajiem" } ] }, { "fields": [ { "label": "Uzsākot rādīt piezīmes", "description": "Kad atspējots, uzsākot uzdevumu, piezīmes tiek paslēptas. Uz maziem ekrāniem piezīmes tiek paslēptas automātiski." } ], "label": "Uzvedības iestatījumi" }, { "label": "Ekrāna lasītājs", "fields": [ { "label": "Pilnekrāna pogas nosaukums (ieiešana)", "default": "Ieiet pilnekrāna režīmā" }, { "default": "Iziet no pilnekrāna režīma", "label": "Pilnekrāna pogas nosaukums (iziešana)" }, { "label": "Pārslēgšanas pogas nosaukums (kad piezīmes ir aizvērtas)", "default": "Atvērt piezīmes" }, { "default": "Aizvērt piezīmes", "label": "Pārslēgšanas pogas nosaukums (kad piezīmes ir atvērtas)" }, { "label": "Piezīmes atvērtas", "default": "Skats ir pārslēgts uz jūsu piezīmēm." }, { "label": "Piezīmes aizvērtas", "default": "Skats pārslēgts uz uzdevumu." } ] } ] } d2/f4d2c3e7c24b9826eb144997c7242a080ac5591a 0000666 00000033110 15151222015 0012272 0 ustar 00 { "semantics": [ { "fields": [ { "field": { "fields": [ { "field": { "fields": [ {}, {}, {}, {}, {}, { "label": "Kommentit", "description": "Kommentit tulevat näkyviin, kun käyttäjälle näytetään lopussa oikeat vastaukset." }, { "label": "Pidä kommentit koko ajan näkyvissä" }, { "label": "Taustan läpinäkyvyys 0-100 (0 = läpinäkyvä, 100 = valkoinen)" }, { "label": "Näytä painikkeena" }, { "label": "Painikkeen koko", "options": [ { "label": "Pieni" }, { "label": "Suuri" } ] }, { "label": "Otsikko" }, { "label": "Mene", "options": [ { "label": "Määritä sivunumero" }, { "label": "Seuraava sivu" }, { "label": "Edellinen sivu" } ] }, { "label": "Siirry sivulle", "description": "Käytössä vain kun 'määritä sivunumero' -asetus on valittuna" }, { "label": "Näkymätön", "description": "Ankkuriruutu ei näy kun hiirenkursori viedään sen päälle. Varoitus: Esteettömyys toteutuu huonommin tällä vaihtoehdolla ja tämän lisäksi pelkkää näppäimistöä navigoimiseen käyttävät henkilöt eivät voi käyttää tätä elementtiä helposti." } ] } }, {}, { "fields": [ { "label": "Kuva", "description": "Venymisen estämiseksi kuvasuhteen tulisi olla 2:1." }, { "label": "Valitse väri" } ] } ] } }, {}, { "label": "Sisällysluettelo" }, { "label": "Näytä aina" }, { "label": "Automaattinen piilotus" }, { "label": "Taustan läpinäkyvyys 0-100 (0 = läpinäkyvä, 100 = valkoinen)" }, { "fields": [ { "label": "Kuva", "description": "Venymisen estämiseksi kuvasuhteen tulisi olla 2:1." }, { "label": "Valitse väri" } ] } ] }, { "label": "Muokkaa", "fields": [ { "label": "Käännös tekstille \"Sivu\"", "default": "Sivu" }, { "label": "Käännös tekstille \"Pisteet\"", "default": "Pisteet" }, { "label": "Käännös tekstille \"Pisteesi\"", "default": "Pisteesi" }, { "label": "Käännös tekstille \"Maksimipisteet\"", "default": "Maksimipisteet" }, { "label": "Käännös sanalle yhteensä \"Total\"", "default": "Yhteensä" }, { "label": "Käännös tekstille Kokonaispisteet \"Total Score\"", "default": "Kokonaispisteet" }, { "label": "\"Näytä oikeat vastaukset\"-painikkeen teksti", "default": "Näytä oikeat vastaukset" }, { "label": "Teksti \"Yritä uudelleen\"-painikkeelle", "default": "Yritä uudelleen" }, { "label": "\"Vie tekstiä\"-painikkeessa näytettävä teksti", "default": "Vie tekstiä" }, { "label": "\"Piilota sisällysluettelo\"-painikkeen teksti", "default": "Piilota sisällysluettelo" }, { "label": "\"Näytä sisällysluettelo\"painikkeen teksti", "default": "Näytä sisällysluettelo" }, { "label": "\"Koko ruutu\"-painikkeen teksti", "default": "Koko ruutu" }, { "label": "\"Poistu koko ruudun tilasta\"-painikkeen teksti", "default": "Poistu kokoruudun tilasta" }, { "label": "\"Edellinen sivu\"-painikkeen teksti", "default": "Edellinen sivu" }, { "label": "\"Seuraava sivu\"-painikkeen teksti", "default": "Seuraava sivu" }, { "label": "\"Nykyinen sivu\"-painikkeen teksti", "default": "Nykyinen sivu" }, { "label": "\"Viimeinen sivu\"-painikkeen teksti", "default": "Viimeinen sivu" }, { "label": "\"Palaa yhteenvetosivulle\"-painikkeen teksti", "default": "Palaa yhteenvetosivulle" }, { "label": "\"Palaa yhteenvetosivulle\" teksti", "default": "Palaa yhteenvetosivulle" }, { "label": "Teksti, jos sivulla on useita tehtäviä", "default": "Useita tehtäviä" }, { "label": "Pistemäärän yhteydessä näytettävä teksti", "default": "Tulos:" }, { "label": "\"Jaa Facebookissa\"-teksti", "default": "Jaa Facebookissa" }, { "label": "\"Jaa Twitterissä\"-teksti", "default": "Jaa Twitterissä" }, { "label": "\"Jaa Google+ palvelussa\" -teksti", "default": "Jaa Google+ palvelussa" }, { "label": "\"Yhteenveto\"-sivun otsikko", "default": "Yhteenveto" }, { "label": "Kommentti-ikonin teksti", "default": "Näytä kommentit" }, { "label": "Tulostuspainikkeen teksti", "default": "Tulosta" }, { "label": "Tulosikkunan johdantoteksti", "default": "Miten haluat tulostaa tämän esityksen?" }, { "label": "\"Tulosta kaikki sivut\"-painikkeen teksti", "default": "Tulosta kaikki sivut" }, { "label": "\"Tulosta nykyinen sivu\"-painikkeen teksti", "default": "Tulosta nykyinen sivu" }, { "label": "Teksti sivuille joilla ei ole otsikkoa", "default": "Ei otsikkoa" }, { "label": "Navigaation selite avustaville teknologioille", "default": "Käytä vasenta tai oikeaa nuolinäppäintä siirtyäksesi eteen- tai taaksepäin tässä esityksessä silloin kun dia on valittuna." }, { "label": "Piirtoalueen slite avustaville teknologioille", "default": "Piirtoalue. Käytä vasenta tai oikeaa nuolinäppäintä siirtyäksesi eteen- tai taaksepäin tässä esityksessä silloin kun dia on valittuna." }, { "label": "Progressbar label for assistive technologies", "default": "Choose slide to display" }, { "label": "Selite suorittamatta oleville interaktioille", "default": "@slideName sisältää suorittamattoman interaktion" }, { "label": "Selite suoritetuille interaktioille", "default": "@slideName sisältää suoritetun interaktion" }, { "label": "Selite dialaskurille. Muuttujat ovat @index, @total", "default": "Dia @index kautta @total" }, { "label": "Selite dialle joka sisältää vain oikeita vastauksia", "default": "@slideName sisältää vain oikeita vastauksia" }, { "label": "Selite dialle joka sisältää vääriä vastauksia", "default": "@slideName sisältää vääriä vastauksia" }, { "label": "Selite sosiaalisen jakamisen palkille", "default": "Jaa tuloksesi sosiaaliseen mediaan" }, { "label": "Kokonaispisteiden ilmoittaminen avustaville teknologioille", "default": "Sait @score pistettä @maxScore pisteestä", "description": "Käytässä olevat muuttujat ovat @score ja @maxScore" }, { "label": "Koko näytön tila käytössä -ilmoitus avustavalle teknologialle", "default": "Koko näytön tila käytössä" }, { "label": "Koko näytön tilasta poistuttu -ilmoitus avustavalle teknologialle", "default": "Koko näytön tilasta poistuttu" }, { "label": "Header of submit result confirmation dialog", "default": "Submit your answers" }, { "label": "Text of submit result confirmation dialog", "default": "This will submit your results, do you want to continue?" }, { "label": "Confirmation button of submit result confirmation dialog", "default": "Submit and see results" }, { "label": "Slideshow navigation", "default": "Slideshow navigation" } ] }, { "label": "Asetukset", "description": "Nämä asetukset mahdollistavat oletusasetusten yliajamisen.", "fields": [ { "label": "Ota käyttöön Active Surface -tila", "description": "Removes navigation controls for the end user. Use Go To Slide to navigate. Summary is not available in this mode." }, { "label": "Piilota yhteenvetosivu", "description": "Valitse tämä, jos et halua esityksen viimeisen sivun olevan yhteenveto tehtävien pistemääristä. Huom! Tulokset eivät tallennu ilman tätä sivua." }, { "label": "\"Näytä vastaus\"-painike", "description": "Ota käyttöön kaikissa kysymyksissä, ei yhdessäkään, tai jätä tyhjäksi käyttääksesi tehtäväkohtaisia asetuksia", "options": [ { "label": "Käytössä kaikissa" }, { "label": "Pois käytöstä" } ] }, { "label": "\"Yritä uudelleen\"-painike", "description": "Ota käyttöön kaikissa kysymyksissä, ei yhdessäkään, tai jätä tyhjäksi käyttääksesi tehtäväkohtaisia asetuksia.", "options": [ { "label": "Käytössä kaikissa" }, { "label": "Pois käytöstä" } ] }, { "label": "Näytä \"Show solution\" painike yhteenvetosivulla", "description": "Jos asetus otetaan käyttöön niin opiskelija näkee \"näytä oikeat vastaukset\"-painikkeen yhteenvetosivulla." }, { "label": "Näytä \"Retry\" painike yhteenvetosivulla", "description": "Jos asetus otetaan käyttöön niin opiskelijalle näytetään \"yritä uudelleen\"-painike yhteenvetosivulla. Kannattaa huomioida että vaikka painiketta ei näytettäisi niin opiskelijat voivat aina halutessaan päivittää selaimensa näkymän ja yrittää kysymystä uudelleen." }, { "label": "Näytä tulostuspainike", "description": "Näytä tulostuspainike esityksen alakulmassa." }, { "label": "Sosiaalisen median asetukset", "description": "Nämä asetukset mahdollistavat sosiaalisen median asetusten yliajamisen. Tyhjät arvot täytetään automaattisesti jos tarjolla on linkki, muutoin arvot generoidaan.", "fields": [ { "label": "Näytä jaa Facebookissa-ikoni" }, { "label": "Facebookin asetukset", "fields": [ { "label": "Facebookkiin jaettavan sivun linkki", "default": "@currentpageurl" }, { "label": "Facebookkiin jaettava teksti", "default": "Sain @score pistettä @maxScore pisteestä aineistosta sivustolla @currentpageurl." } ] }, { "label": "Näytä jaa Twitteriin-ikoni" }, { "label": "Twitter asetukset", "fields": [ { "label": "Twitteriin jaettava teksti", "default": "Sain @score pistettä @maxScore pisteestä sivustolla @currentpageurl." }, { "label": "Twitteriin jaettavan sivuston linkki", "default": "@currentpageurl" }, { "label": "Jaa twitteriin seuraavilla hashtageilla/aihetunnisteilla", "default": "h5p, kurssi" } ] }, { "label": "Näytä jaa Google+ palveluun -ikoni" }, { "label": "Google+ palveluun jaettavan sivuston linkki", "default": "@currentpageurl" } ] } ] } ] } 11/f4114fbaafd7e264ed0fe0a54347afd2c781ca1a 0000666 00000003510 15151222015 0012702 0 ustar 00 { "title": "Joubel UI", "contentType": "Utility", "description": "UI utility library", "majorVersion": 1, "minorVersion": 3, "patchVersion": 19, "runnable": 0, "coreApi": { "majorVersion": 1, "minorVersion": 3 }, "machineName": "H5P.JoubelUI", "author": "Joubel", "preloadedJs": [ { "path": "js/joubel-help-dialog.js" }, { "path": "js/joubel-message-dialog.js" }, { "path": "js/joubel-progress-circle.js" }, { "path": "js/joubel-simple-rounded-button.js" }, { "path": "js/joubel-speech-bubble.js" }, { "path": "js/joubel-throbber.js" }, { "path": "js/joubel-tip.js" }, { "path": "js/joubel-slider.js" }, { "path": "js/joubel-score-bar.js" }, { "path": "js/joubel-progressbar.js" }, { "path": "js/joubel-ui.js" } ], "preloadedCss": [ { "path": "css/joubel-help-dialog.css" }, { "path": "css/joubel-message-dialog.css" }, { "path": "css/joubel-progress-circle.css" }, { "path": "css/joubel-simple-rounded-button.css" }, { "path": "css/joubel-speech-bubble.css" }, { "path": "css/joubel-tip.css" }, { "path": "css/joubel-slider.css" }, { "path": "css/joubel-score-bar.css" }, { "path": "css/joubel-progressbar.css" }, { "path": "css/joubel-ui.css" }, { "path": "css/joubel-icon.css" } ], "preloadedDependencies": [ { "machineName": "FontAwesome", "majorVersion": 4, "minorVersion": 5 }, { "machineName": "H5P.Transition", "majorVersion": 1, "minorVersion": 0 }, { "machineName": "H5P.FontIcons", "majorVersion": 1, "minorVersion": 0 } ] } bf/f4bf0bd3642eadb6b3c6a3e99da9007b103e8f47 0000666 00000001414 15151222015 0012726 0 ustar 00 { "title": "Branching Question", "description": "description", "majorVersion": 1, "minorVersion": 0, "patchVersion": 18, "runnable": 0, "metadata": 0, "author": "Joubel AS", "license": "MIT", "machineName": "H5P.BranchingQuestion", "preloadedJs": [ { "path": "branchingQuestion.js" } ], "preloadedCss": [ { "path": "branchingQuestion.css" } ], "preloadedDependencies": [ { "machineName": "FontAwesome", "majorVersion": 4, "minorVersion": 5 } ], "editorDependencies": [ { "machineName": "H5PEditor.ShowWhen", "majorVersion": 1, "minorVersion": 0 }, { "machineName": "H5PEditor.BranchingQuestion", "majorVersion": 1, "minorVersion": 0 } ] } 44/f4448b9592017525469a8fad677e6c84746e11af 0000666 00000014767 15151222015 0012127 0 ustar 00 { "semantics": [ { "label": "Kitap kapağını etkinleştir", "description": "Etkinlikten önce kitapla ilgili bilgileri gösteren bir kapak" }, { "label": "Kapak Sayfası", "fields": [ { "label": "Kapak açıklaması", "description": "Bu metin kitabınızın açıklaması olacaktır." }, { "label": "Cover media", "description": "Optional media to display on the cover." } ] }, { "label": "Sayfalar", "entity": "Sayfa", "widgets": [ { "label": "Varsayılan" } ], "field": { "label": "Öge", "fields": [ { "label": "Sayfa" } ] } }, { "label": "Etkinlik Ayarları", "fields": [ { "label": "Base color", "description": "Set the base color that will define the overall color scheme of the book. Please ensure a high enough contrast.", "default": "#1768c4" }, { "label": "İçindekileri varsayılan olarak görüntüle", "description": "Etkinleştirildiğinde, kitap açılırken içindekiler tablosu gösterilir" }, { "label": "İlerleme Göstergelerini Görüntüle", "description": "Etkinleştirildiğinde, kullanıcının sayfayla işinin bitip bitmediğini gösteren sayfa başına göstergeler olacaktır." }, { "label": "Otomatik ilerlemeyi etkinleştir", "description": "Etkinleştirilirse, etkinlik olmayan bir sayfa görüntülendiğinde tamamlanmış olarak kabul edilir. Tüm görevler tamamlandığında yeni görevleri içeren bir sayfaya ilerler. Devre dışı bırakılırsa, her sayfanın altında, kullanıcının sayfayla işi bittiğinde tıklaması için bir düğme olacaktır." }, { "label": "Özeti görüntüle", "description": "Etkinleştirildiğinde, kullanıcı bir özeti görebilir ve ilerlemeyi/cevapları gönderebilir" }, { "label": "Enable \"Restart\" button", "description": "When enabled the user can initiate a restart on the summary page." } ] }, { "label": "\"Oku\" için çeviri", "default": "Oku" }, { "label": "\"'İçindekiler'i Görüntüle\" için çeviri", "default": "'İçindekiler'i göster" }, { "label": "\"'İçindekiler'i gizle\" çevirisi", "default": "'İçindekiler'i gizle" }, { "label": "\"Sonraki sayfa\" için çeviri", "default": "Sonraki Sayfa" }, { "label": "\"Önceki sayfa\" için çeviri", "default": "Önceki sayfa" }, { "label": "\"Sayfa tamamlandı!\" için çeviri", "default": "Sayfa tamamlandı!" }, { "label": "\"@total sayfadan @pages sayfa tamamlandı\"nın çevirisi (@pages ve @total gerçek değerlerle değiştirilecektir)", "default": "@total sayfadan @pages sayfa tamamlandı" }, { "label": "\"Tamamlanmamış sayfa\" için çeviri", "default": "Tamamlanmamış sayfa" }, { "label": "\"En üste git\"in çevirisi", "default": "En üste git" }, { "label": "\"Bu sayfayı bitirdim\"in çevirisi", "default": "Bu sayfayı bitirdim" }, { "label": "Tam ekran düğme etiketi", "default": "Tam ekran" }, { "label": "Tam ekrandan çık düğme etiketi", "default": "Tam ekrandan çık" }, { "label": "Kitapta sayfa ilerlemesi", "description": "\"@count\" sayfa sayısıyla ve \"@total\" toplam sayfa sayısıyla değiştirilecektir", "default": "@total sayfadan @count sayfa" }, { "label": "Etkileşim ilerlemesi", "description": "\"@count\" yerine etkileşim sayısı, \"@toplam\" ise toplam etkileşim sayısıyla değiştirilir", "default": "@total etkileşimden @count etkileşim" }, { "label": "\"Raporu Gönder\"in çevirisi", "default": "Raporu Gönder" }, { "label": "\"Yeniden Başlat\" düğmesi için etiket", "default": "Yeniden Başlat" }, { "label": "Özet başlığı", "default": "Özet" }, { "label": "\"Tüm Etkileşimler\" için çeviri", "default": "Tüm Etkileşimler" }, { "label": "\"Cevaplanmamış Etkileşimler\"in çevirisi", "default": "Cevaplanmamış Etkileşimler" }, { "label": "Puan", "description": "\"@score\" geçerli puanla değiştirilecek ve \"@maxscore\" elde edilebilecek maksimum puanla değiştirilecek", "default": "@score / @maxscore" }, { "label": "Sayfa başına etkileşim tamamlama", "description": "\"@left\" kalan etkileşimlerle değiştirilecek ve \"@max\" sayfadaki toplam etkileşim sayısıyla değiştirilecek", "default": "@max etkileşimden @left etkileşim tamamlandı" }, { "label": "\"Etkileşim Yok\" çevirisi", "default": "Etkileşim Yok" }, { "label": "\"Puan\" için çeviri", "default": "Puan" }, { "label": "\"Özet & gönder\" düğmesi için etiket", "default": "Özet & gönder" }, { "label": "\"Hiçbir sayfayla etkileşim kurmadınız\"ın çevirisi", "default": "Hiçbir sayfayla etkileşim kurmadınız." }, { "label": "\"Özeti görebilmeniz için en az bir sayfayla etkileşim kurmanız gerekir\"in çevirisi", "default": "Özeti görebilmeniz için en az bir sayfayla etkileşim kurmanız gerekir." }, { "label": "\"Yanıtlarınız incelemeye gönderildi!\" için çeviri", "default": "Yanıtlarınız incelemeye gönderildi!" }, { "label": "Özet ilerleme etiketi", "default": "Kitap ilerlemesi" }, { "label": "Etkileşim ilerleme etiketi", "default": "Etkileşim ilerlemesi" }, { "label": "Toplam puan etiketi", "default": "Toplam puan" }, { "label": "Erişilebilirlik metinleri", "fields": [ { "label": "Sayfa ilerleme metni alternatifi", "description": "Görsel sayfa ilerlemesi için alternatif bir metin. @page yerine sayfa sayısı ve @total yerine toplam sayfa sayısı getirilecek.", "default": "@total sayfadan @page. sayfa." }, { "label": "Genişleyen/daraltan gezinme menüsü için etiket", "default": "Gezinme menüsünü aç/kapat" } ] } ] } f1/f4f1cb98377e9abc995bbecdfdb98aca3d32a8fb 0000666 00000010401 15151222015 0013250 0 ustar 00 { "semantics": [ { "label": "Media", "fields": [ { "label": "Type", "description": "Optional media to display above the question." }, { "label": "Disable image zooming" } ] }, { "label": "Question" }, { "label": "Correct answer", "options": [ { "label": "True" }, { "label": "False" } ] }, { "label": "User interface translations for True/False Questions", "fields": [ { "label": "Label for true button", "default": "True" }, { "label": "Label for false button", "default": "False" }, { "label": "Feedback text", "default": "You got @score of @total points", "description": "Feedback text, variables available: @score and @total. Example: 'You got @score of @total possible points'" }, { "label": "Text for \"Check\" button", "default": "Check" }, { "label": "Text for \"Submit\" button", "default": "Submit" }, { "label": "Text for \"Show solution\" button", "default": "Show solution" }, { "label": "Text for \"Retry\" button", "default": "Retry" }, { "label": "Wrong Answer", "default": "Wrong answer" }, { "label": "Correct Answer", "default": "Correct answer" }, { "label": "Textual representation of the score bar for those using a readspeaker", "default": "You got :num out of :total points" }, { "label": "Assistive technology description for \"Check\" button", "default": "Check the answers. The responses will be marked as correct, incorrect, or unanswered." }, { "label": "Assistive technology description for \"Show Solution\" button", "default": "Show the solution. The task will be marked with its correct solution." }, { "label": "Assistive technology description for \"Retry\" button", "default": "Retry the task. Reset all responses and start the task over again." } ] }, { "label": "Behavioural settings", "description": "These options will let you control how the task behaves.", "fields": [ { "label": "Enable \"Retry\" button" }, { "label": "Enable \"Show Solution\" button" }, { "label": "Enable \"Check\" button" }, { "label": "Show confirmation dialog on \"Check\"" }, { "label": "Show confirmation dialog on \"Retry\"" }, { "label": "Automatically check answer", "description": "Note that accessibility will suffer if enabling this option" }, { "label": "Feedback on correct answer", "description": "This will override the default feedback text. Variables available: @score and @total" }, { "label": "Feedback on wrong answer", "description": "This will override the default feedback text. Variables available: @score and @total" } ] }, { "label": "Check confirmation dialog", "fields": [ { "label": "Header text", "default": "Finish ?" }, { "label": "Body text", "default": "Are you sure you wish to finish ?" }, { "label": "Cancel button label", "default": "Cancel" }, { "label": "Confirm button label", "default": "Finish" } ] }, { "label": "Retry confirmation dialog", "fields": [ { "label": "Header text", "default": "Retry ?" }, { "label": "Body text", "default": "Are you sure you wish to retry ?" }, { "label": "Cancel button label", "default": "Cancel" }, { "label": "Confirm button label", "default": "Confirm" } ] } ] } 5b/f45b5c60dd6651d8fdef448e5cd2b303b9822593 0000666 00000003633 15151222015 0012454 0 ustar 00 /* TimelineJS - ver. 2014-09-24-20-13-09 - 2014-09-24 Copyright (c) 2012-2013 Northwestern University a project of the Northwestern University Knight Lab, originally created by Zach Wise https://github.com/NUKnightLab/TimelineJS This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. */ .vco-storyjs{font-family:'Gudea',sans-serif}.vco-storyjs .twitter,.vco-storyjs .vcard,.vco-storyjs .messege,.vco-storyjs .credit,.vco-storyjs .caption,.vco-storyjs .zoom-in,.vco-storyjs .zoom-out,.vco-storyjs .back-home,.vco-storyjs .time-interval div,.vco-storyjs .time-interval-major div,.vco-storyjs .nav-container{font-family:'Gudea',sans-serif !important}.vco-storyjs .vco-feature h1.date,.vco-storyjs .vco-feature h2.date,.vco-storyjs .vco-feature h3.date,.vco-storyjs .vco-feature h4.date,.vco-storyjs .vco-feature h5.date,.vco-storyjs .vco-feature h6.date{font-family:'Gudea',sans-serif !important}.vco-storyjs .timenav h1,.vco-storyjs .flag-content h1,.vco-storyjs .era h1,.vco-storyjs .timenav h2,.vco-storyjs .flag-content h2,.vco-storyjs .era h2,.vco-storyjs .timenav h3,.vco-storyjs .flag-content h3,.vco-storyjs .era h3,.vco-storyjs .timenav h4,.vco-storyjs .flag-content h4,.vco-storyjs .era h4,.vco-storyjs .timenav h5,.vco-storyjs .flag-content h5,.vco-storyjs .era h5,.vco-storyjs .timenav h6,.vco-storyjs .flag-content h6,.vco-storyjs .era h6{font-family:'Gudea',sans-serif !important}.vco-storyjs p,.vco-storyjs blockquote,.vco-storyjs blockquote p,.vco-storyjs .twitter blockquote p{font-family:'Gudea',sans-serif !important}.vco-storyjs .vco-feature h1,.vco-storyjs .vco-feature h2,.vco-storyjs .vco-feature h3,.vco-storyjs .vco-feature h4,.vco-storyjs .vco-feature h5,.vco-storyjs .vco-feature h6{font-family:'Rancho',cursive}.timeline-tooltip{font-family:'Gudea',sans-serif} 3c/f43c2dd30df11bc9ae025558a9adc28318f083d8 0000666 00000011542 15151222015 0012507 0 ustar 00 { "semantics": [ { "fields": [ { "label": "Encabezado", "description": "Encabezado opcional para la pared informativa." }, { "label": "Propiedades", "fields": [ { "label": "Propiedades", "description": "Propiedades para las entradas", "entity": "propiedad", "widgets": [ { "label": "Por defecto" } ], "field": { "label": "Elementos de propiedad", "fields": [ { "label": "Etiqueta", "default": "Sin nombre" }, { "label": "Mostrar etiqueta de propiedad" }, { "label": "Habilitar buscar en la propiedad" }, { "label": "Anulación de estilo", "fields": [ { "label": "Negrita" }, { "label": "Cursiva" } ] } ] } }, {} ] }, { "label": "Paneles", "description": "Paneles para la pared", "entity": "panel", "widgets": [ { "label": "Por defecto" } ], "field": { "label": "Elementos de entrada", "fields": [ { "label": "Título del panel" }, { "label": "Imagen" }, { "label": "Entradas", "description": "Entradas para las propiedades", "entity": "valor", "widgets": [ { "label": "Por defecto" } ], "field": { "label": "Etiqueta a ser cambiada automáticamente" } }, { "label": "Additional keywords", "description": "Add additional keywords separated by a blank space that will be used for filtering but not be visible to the user." } ] } }, { "label": "Configuración del comportamiento", "description": "Estas opciones le permitirán controlar cómo se comporta la tarea.", "fields": [ { "label": "Usar \"plan B\" para imágenes que faltan" }, { "label": "Imagen" }, { "label": "Anchura de la imagen", "description": "Anchura de imagen en px." }, { "label": "Altura de imagen", "description": "Altura de imagen en px." }, { "label": "Fondo alterno del panel", "description": "Si se activa, cada segundo panel tendrá un fondo ligeramente más oscuro que los otros." }, { "label": "Campo de filtrado de contenido", "description": "Si se activa, los usuarios podrán filtrar la pared informativa." }, { "label": "Mode for filter field", "description": "Choose whether the filter should narrow down or broaden the search with every new keyword.", "options": [ { "label": "Narrow down" }, { "label": "Broaden" } ] } ] }, { "label": "Interfaz de usuario", "fields": [ { "label": "No se introdujo contenido", "default": "El autor no ha aportado nada." }, { "label": "No se encontraron coincidencias", "description": "@query es una variable y será reemplazada por la respectiva consulta proporcionada.", "default": "No hay coincidencias para @query." }, { "label": "Entrar para filtrar", "description": "Mensaje para lectores de pantalla.", "default": "Escribe una consulta para filtrar el contenido en busca de entradas relevantes." }, { "label": "Lista cambiada.", "description": "Mensaje para lectores de pantalla. @visible y @total son variables y se les antepondrán los valores respectivos.", "default": "Lista cambiada. Mostrando @visible de @total elementos." } ] } ] } ] } 92/f492095e8ff352bba899383ee3ee017502a2ffa9 0000666 00000020203 15151222015 0012375 0 ustar 00 [ { "name": "media", "type": "group", "label": "Media", "importance": "medium", "fields": [ { "name": "type", "type": "library", "label": "Type", "importance": "medium", "options": [ "H5P.Image 1.1", "H5P.Video 1.6", "H5P.Audio 1.5" ], "optional": true, "description": "Optional media to display above the question." }, { "name": "disableImageZooming", "type": "boolean", "label": "Disable image zooming", "importance": "low", "default": false, "optional": true, "widget": "showWhen", "showWhen": { "rules": [ { "field": "type", "equals": "H5P.Image 1.1" } ] } } ] }, { "label": "Task description", "importance": "high", "name": "taskDescription", "type": "text", "widget": "html", "description": "Describe how the user should solve the task.", "placeholder": "Click on all the verbs in the text that follows.", "enterMode": "p", "tags": [ "strong", "em", "u", "a", "ul", "ol", "h2", "h3", "hr", "pre", "code" ] }, { "label": "Textfield", "importance": "high", "name": "textField", "type": "text", "widget": "html", "tags": [ "p", "br", "strong", "em", "code" ], "placeholder": "This is an answer: *answer*.", "description": "", "important": { "description": "<ul><li>Correct words are marked with asterisks (*) before and after the word.</li><li>Asterisks can be added within marked words by adding another asterisk, *correctword*** => correctword*.</li><li>Only words may be marked as correct. Not phrases.</li></ul>", "example": "The correct words are marked like this: *correctword*, an asterisk is written like this: *correctword***." } }, { "name": "overallFeedback", "type": "group", "label": "Overall Feedback", "importance": "low", "expanded": true, "fields": [ { "name": "overallFeedback", "type": "list", "widgets": [ { "name": "RangeList", "label": "Default" } ], "importance": "high", "label": "Define custom feedback for any score range", "description": "Click the \"Add range\" button to add as many ranges as you need. Example: 0-20% Bad score, 21-91% Average Score, 91-100% Great Score!", "entity": "range", "min": 1, "defaultNum": 1, "optional": true, "field": { "name": "overallFeedback", "type": "group", "importance": "low", "fields": [ { "name": "from", "type": "number", "label": "Score Range", "min": 0, "max": 100, "default": 0, "unit": "%" }, { "name": "to", "type": "number", "min": 0, "max": 100, "default": 100, "unit": "%" }, { "name": "feedback", "type": "text", "label": "Feedback for defined score range", "importance": "low", "placeholder": "Fill in the feedback", "optional": true } ] } } ] }, { "label": "Text for \"Check\" button", "importance": "low", "name": "checkAnswerButton", "type": "text", "default": "Check", "common": true }, { "label": "Text for \"Submit\" button", "importance": "low", "name": "submitAnswerButton", "type": "text", "default": "Submit", "common": true }, { "label": "Text for \"Retry\" button", "importance": "low", "name": "tryAgainButton", "type": "text", "default": "Retry", "common": true }, { "label": "Text for \"Show solution\" button", "importance": "low", "name": "showSolutionButton", "type": "text", "default": "Show solution", "common": true }, { "name": "behaviour", "importance": "low", "type": "group", "label": "Behavioural settings.", "description": "These options will let you control how the task behaves.", "optional": true, "fields": [ { "name": "enableRetry", "type": "boolean", "label": "Enable \"Retry\"", "importance": "low", "default": true }, { "name": "enableSolutionsButton", "type": "boolean", "label": "Enable \"Show solution\" button", "importance": "low", "default": true }, { "name": "enableCheckButton", "type": "boolean", "label": "Enable \"Check\" button", "widget": "none", "importance": "low", "default": true, "optional": true }, { "name": "showScorePoints", "type": "boolean", "label": "Show score points", "description": "Show points earned for each answer.", "importance": "low", "default": true } ] }, { "label": "Correct answer text", "importance": "low", "name": "correctAnswer", "type": "text", "default": "Correct!", "description": "Text used to indicate that an answer is correct", "common": true }, { "label": "Incorrect answer text", "importance": "low", "name": "incorrectAnswer", "type": "text", "default": "Incorrect!", "description": "Text used to indicate that an answer is incorrect", "common": true }, { "label": "Missed answer text", "importance": "low", "name": "missedAnswer", "type": "text", "default": "Answer not found!", "description": "Text used to indicate that an answer is missing", "common": true }, { "label": "Description for Display Solution", "importance": "low", "name": "displaySolutionDescription", "type": "text", "default": "Task is updated to contain the solution.", "description": "This text tells the user that the tasks has been updated with the solution.", "common": true }, { "name": "scoreBarLabel", "type": "text", "label": "Textual representation of the score bar for those using a readspeaker", "default": "You got :num out of :total points", "importance": "low", "common": true }, { "name": "a11yFullTextLabel", "type": "text", "label": "Label for the full readable text for assistive technologies", "default": "Full readable text", "importance": "low", "common": true }, { "name": "a11yClickableTextLabel", "type": "text", "label": "Label for the text where words can be marked for assistive technologies", "default": "Full text where words can be marked", "importance": "low", "common": true }, { "name": "a11ySolutionModeHeader", "type": "text", "label": "Solution mode header for assistive technologies", "default": "Solution mode", "importance": "low", "common": true }, { "name": "a11yCheckingHeader", "type": "text", "label": "Checking mode header for assistive technologies", "default": "Checking mode", "importance": "low", "common": true }, { "name": "a11yCheck", "type": "text", "label": "Assistive technology description for \"Check\" button", "default": "Check the answers. The responses will be marked as correct, incorrect, or unanswered.", "importance": "low", "common": true }, { "name": "a11yShowSolution", "type": "text", "label": "Assistive technology description for \"Show Solution\" button", "default": "Show the solution. The task will be marked with its correct solution.", "importance": "low", "common": true }, { "name": "a11yRetry", "type": "text", "label": "Assistive technology description for \"Retry\" button", "default": "Retry the task. Reset all responses and start the task over again.", "importance": "low", "common": true } ] be/f4be18331381a474bb4da55312c525368a4d17c2 0000666 00000014072 15151222015 0012256 0 ustar 00 { "libraryStrings": { "selectVideo": "Перед добавлением действий необходимо выбрать видео.", "noVideoSource": "Источник видео отсутствует", "notVideoField": "\":path\" не является видео.", "notImageField": "\":path\" не является изображением.", "insertElement": "Нажмите и переместите на место :type", "done": "Готово", "loading": "Загрузка...", "remove": "Удалить", "removeInteraction": "Вы уверены, что хотите удалить действие?", "addBookmark": "Добавить закладку для @timecode", "newBookmark": "Новая закладка", "bookmarkAlreadyExists": "Закладка здесь уже существует. Переместите закладку в другое место или установите другое время.", "tourButtonStart": "Тур", "tourButtonExit": "Выход", "tourButtonDone": "Готово", "tourButtonBack": "Назад", "tourButtonNext": "Дальше", "tourStepUploadIntroText": "<p>Этот тур покажет Вам самые важные свойства редактора интерактивного видео.</p><p>Начать тур можно в любое время, нажав кнопку Тур в правом верхнем углу.</p><p>Для продолжения нажмите ДАЛЬШЕ и для остановки тура нажмите ВЫХОД.</p>", "tourStepUploadFileTitle": "Добавить видео", "tourStepUploadFileText": "<p>Начните с добавления видео файла. Вы можете загрузить файл с компьютера или скопировав ссылку YouTube.</p><p>Для того, чтобы обеспечить работоспособность в разных браузерах и на устройствах, загрузите видео в разных формата, например mp4 и webm.</p>", "tourStepUploadAddInteractionsTitle": "Добавить действия", "tourStepUploadAddInteractionsText": "<p>Когда Вы добавите видео, Вы можете начать добавлять действия.</p><p>Нажмите <em>Добавить действия</em> чтобы начать.</p>", "tourStepCanvasToolbarTitle": "Добавить действия", "tourStepCanvasToolbarText": "Для того, чтобы добавить действие, переместите элемент с панели инструментов на видео.", "tourStepCanvasEditingTitle": "Изменить действия", "tourStepCanvasEditingText": "<p>Добавленное действие можно переместить.</p><p>Для изменения размера необходимо потянуть за края.</p><p>При выборе действия откроется контекстное меню. Чтобы изменить содержимое действия, нажмите Изменить в контекстном меню. Для удаления действия нажмите кнопку Удалить в контекстном меню.</p>", "tourStepCanvasBookmarksTitle": "Закладки", "tourStepCanvasBookmarksText": "Закладки можно добавить в меню закладок. Для открытия меню нажмите на кнопку Закладки.", "tourStepCanvasEndscreensTitle": "Утвердить экран", "tourStepCanvasEndscreensText": "Вы можете утвердить желаемый вид экрана в меню. Для этого нажмите кнопку утверждения экрана.", "tourStepCanvasPreviewTitle": "Предпросмотр интерактивного видео", "tourStepCanvasPreviewText": "Для предпросмотра интерактивного видео в процессе редактирования нажмите кнопку Воспроизвести.", "tourStepCanvasSaveTitle": "Сохранить и смотреть", "tourStepCanvasSaveText": "При окончании добавления действий, нажмите Сохранить/Создать для просмотра результата.", "tourStepSummaryText": "Этот необязательный краткий тест появиться в конце видео.", "fullScoreRequiredPause": "Опция \"Требуются все баллы\" требует, чтобы \"Пауза\" была разрешена.", "fullScoreRequiredRetry": "Опция \"Требуются все баллы\" требует, чтобы \"Повтор\" был разрешен.", "fullScoreRequiredTimeFrame": "Действие с этим же интервалом, требуемое всех баллов, уже существует.<br /> Лишь одно действие будет действительно в качестве ответа.", "addEndscreen": "Добавить утверждение экрана для @timecode", "endscreen": "Утвердить экран", "endscreenAlreadyExists": "Утверждение экрана здесь уже существует. Передвиньте точку текущего момента, добавьте утверждение экрана или установите закладку на другое время.", "tooltipBookmarks": "Для добавления закладки нажмите на текущую точку в видео", "tooltipEndscreens": "Для утверждения экрана нажмите на текущую точку в видео", "expandBreadcrumbButtonLabel": "Вернуться назад", "collapseBreadcrumbButtonLabel": "Закрыть навигацию", "deleteInteractionTitle": "Deleting interaction", "cancel": "Cancel", "confirm": "Confirm", "ok": "Ok" } } ea/f4eabff80e1be6be967f8c1932803d6b18d1f703 0000666 00000003620 15151222015 0012665 0 ustar 00 /* TimelineJS - ver. 2014-09-24-20-13-09 - 2014-09-24 Copyright (c) 2012-2013 Northwestern University a project of the Northwestern University Knight Lab, originally created by Zach Wise https://github.com/NUKnightLab/TimelineJS This Source Code Form is subject to the terms of the Mozilla Public License, v. 2.0. If a copy of the MPL was not distributed with this file, You can obtain one at http://mozilla.org/MPL/2.0/. */ .vco-storyjs{font-family:'Average',serif}.vco-storyjs .twitter,.vco-storyjs .vcard,.vco-storyjs .messege,.vco-storyjs .credit,.vco-storyjs .caption,.vco-storyjs .zoom-in,.vco-storyjs .zoom-out,.vco-storyjs .back-home,.vco-storyjs .time-interval div,.vco-storyjs .time-interval-major div,.vco-storyjs .nav-container{font-family:'Average',serif !important}.vco-storyjs .vco-feature h1.date,.vco-storyjs .vco-feature h2.date,.vco-storyjs .vco-feature h3.date,.vco-storyjs .vco-feature h4.date,.vco-storyjs .vco-feature h5.date,.vco-storyjs .vco-feature h6.date{font-family:'Average',serif !important}.vco-storyjs .timenav h1,.vco-storyjs .flag-content h1,.vco-storyjs .era h1,.vco-storyjs .timenav h2,.vco-storyjs .flag-content h2,.vco-storyjs .era h2,.vco-storyjs .timenav h3,.vco-storyjs .flag-content h3,.vco-storyjs .era h3,.vco-storyjs .timenav h4,.vco-storyjs .flag-content h4,.vco-storyjs .era h4,.vco-storyjs .timenav h5,.vco-storyjs .flag-content h5,.vco-storyjs .era h5,.vco-storyjs .timenav h6,.vco-storyjs .flag-content h6,.vco-storyjs .era h6{font-family:'Average',serif !important}.vco-storyjs p,.vco-storyjs blockquote,.vco-storyjs blockquote p,.vco-storyjs .twitter blockquote p{font-family:'Average',serif !important}.vco-storyjs .vco-feature h1,.vco-storyjs .vco-feature h2,.vco-storyjs .vco-feature h3,.vco-storyjs .vco-feature h4,.vco-storyjs .vco-feature h5,.vco-storyjs .vco-feature h6{font-family:'Abril Fatface',cursive}.timeline-tooltip{font-family:'Average',serif} 76/f476bebb2d3d91e5a0e838eef7f0ec36a4074832 0000666 00000014234 15151222015 0012533 0 ustar 00 { "semantics": [ { "label": "Media", "fields": [ { "label": "Tip", "description": "Suport opțional de afișat deasupra întrebării." }, { "label": "Dezactivați mărirea imaginii" } ] }, { "label": "Task description", "default": "Fill in the missing words", "description": "A guide telling the user how to answer this task." }, { "label": "Text blocks", "entity": "text block", "field": { "label": "Line of text", "placeholder": "Oslo is the capital of *Norway*.", "important": { "description": "<ul><li>Blanks are added with an asterisk (*) in front and behind the correct word/phrase.</li><li>Alternative answers are separated with a forward slash (/).</li><li>You may add a textual tip, using a colon (:) in front of the tip.</li></ul>", "example": "H5P content may be edited using a *browser/web-browser:Something you use every day*." } } }, { "label": "Overall Feedback", "fields": [ { "widgets": [ { "label": "Default" } ], "label": "Define custom feedback for any score range", "description": "Click the \"Add range\" button to add as many ranges as you need. Example: 0-20% Bad score, 21-91% Average Score, 91-100% Great Score!", "entity": "range", "field": { "fields": [ { "label": "Score Range" }, {}, { "label": "Feedback for defined score range", "placeholder": "Fill in the feedback" } ] } } ] }, { "label": "Text for \"Show solutions\" button", "default": "Show solution" }, { "label": "Text for \"Retry\" button", "default": "Retry" }, { "label": "Text for \"Check\" button", "default": "Check" }, { "label": "Text for \"Submit\" button", "default": "Submit" }, { "label": "Text for \"Not filled out\" message", "default": "Please fill in all blanks to view solution" }, { "label": "Text for \"':ans' is correct\" message", "default": "':ans' is correct" }, { "label": "Text for \"':ans' is wrong\" message", "default": "':ans' is wrong" }, { "label": "Text for \"Answered correctly\" message", "default": "Answered correctly" }, { "label": "Text for \"Answered incorrectly\" message", "default": "Answered incorrectly" }, { "label": "Assistive technology label for solution", "default": "Correct answer:" }, { "label": "Assistive technology label for input field", "description": "Use @num and @total to replace current cloze number and total cloze number", "default": "Blank input @num of @total" }, { "label": "Assistive technology label for saying an input has a tip tied to it", "default": "Tip available" }, { "label": "Tip icon label", "default": "Tip" }, { "label": "Behavioural settings.", "description": "These options will let you control how the task behaves.", "fields": [ { "label": "Enable \"Retry\"" }, { "label": "Enable \"Show solution\" button" }, { "label": "Enable \"Check\" button" }, { "label": "Automatically check answers after input" }, { "label": "Case sensitive", "description": "Makes sure the user input has to be exactly the same as the answer." }, { "label": "Require all fields to be answered before the solution can be viewed" }, { "label": "Put input fields on separate lines" }, { "label": "Show confirmation dialog on \"Check\"", "description": "This options is not compatible with the \"Automatically check answers after input\" option" }, { "label": "Show confirmation dialog on \"Retry\"" }, { "label": "Accept minor spelling errors", "description": "If activated, an answer will also count as correct with minor spelling errors (3-9 characters: 1 spelling error, more than 9 characters: 2 spelling errors)" } ] }, { "label": "Check confirmation dialog", "fields": [ { "label": "Header text", "default": "Finish ?" }, { "label": "Body text", "default": "Are you sure you wish to finish ?" }, { "label": "Cancel button label", "default": "Cancel" }, { "label": "Confirm button label", "default": "Finish" } ] }, { "label": "Retry confirmation dialog", "fields": [ { "label": "Header text", "default": "Retry ?" }, { "label": "Body text", "default": "Are you sure you wish to retry ?" }, { "label": "Cancel button label", "default": "Cancel" }, { "label": "Confirm button label", "default": "Confirm" } ] }, { "label": "Textual representation of the score bar for those using a readspeaker", "default": "You got :num out of :total points" }, { "label": "Assistive technology description for \"Check\" button", "default": "Check the answers. The responses will be marked as correct, incorrect, or unanswered." }, { "label": "Assistive technology description for \"Show Solution\" button", "default": "Show the solution. The task will be marked with its correct solution." }, { "label": "Assistive technology description for \"Retry\" button", "default": "Retry the task. Reset all responses and start the task over again." }, { "label": "Assistive technology description for starting task", "default": "Checking mode" } ] } cb/f4cb6e7c8be695d519db7ca34de6e2da9bf32a2b 0000666 00000004262 15151222015 0013164 0 ustar 00 { "semantics": [ { "label": "Hatima", "fields": [ { "label": "Aina", "options": [ { "label": "Msimbo wa muda" }, { "label": "Ukurasa mwingine (URL)" } ] }, { "label": "Nenda Kwa", "description": "Muda unaolengwa ambao mtumiaji atachukuliwa akibofya eneo lenye mtandao. Weka msimbo wa saa katika umbizo la M:SS." }, { "label": "URL", "fields": [ { "label": "Itifaki", "options": [ { "label": "http://" }, { "label": "https://" }, { "label": "(jamaa wa mizizi)" }, { "label": "nyingine" } ] }, { "label": "URL" } ] } ] }, { "label": "Vielelezo", "fields": [ { "label": "Umbo", "options": [ { "label": "Mstatili" }, { "label": "Mviringo" }, { "label": "Mstatili Mviringo" } ] }, { "label": "Rangi ya mandharinyuma ya eneo lenye mtandao" }, { "label": "Tumia mshale wa kielekezi" }, { "label": "Ongeza athari ya kupepesa", "description": "Kumbuka: Athari ya kupepesa huwashwa kila wakati kwenye kihariri ili uweze kupata maeneo yenye mtandao" } ] }, { "label": "Maandishi", "fields": [ { "label": "Nakala Mbadala", "description": "Eleza somo ambao linashughulikia maeneo yenye mtandao. Inatumika kwa visoma maandishi", "placeholder": "Tofaa juu ya meza" }, { "label": "Lebo ya maeneo yenye mtandao" }, { "label": "Onyesha lebo" }, { "label": "Rangi ya lebo" } ] } ] } da/f4da3748c213c9b05aa2acdb35879a8967e2bcc6 0000666 00000005467 15151222015 0012667 0 ustar 00 { "semantics": [ { "label": "Editor de Preguntas de Puntos Chave en Imaxes", "fields": [ { "label": "Imaxe de fondo", "fields": [ { "label": "Imaxe de fondo", "description": "Selecciona unha imaxe para usala como fondo da pregunta de puntos chave en imaxes." } ] }, { "label": "Puntos chave", "description": "Arrastra e solta a figura desexada da barra de ferramentas para crear un novo punto chave. Preme dúas veces nun punto chave existente para editalo. Arrastra un punto chave para movelo. Tira da asa de redimensión na esquina inferior dereita para redimensionalo.", "fields": [ { "label": "Descrición da tarefa", "description": "Instrucións para o usuario." }, { "label": "Punto chave", "entity": "Punto chave", "field": { "label": "Punto chave", "fields": [ { "label": "Configuación de usuario", "fields": [ { "label": "Correcto", "description": "Pode haber múltiples puntos correctos. Non obstante, o usuario recibe información sobre a corrección ou incorrección do punto inmediatemente despois de premer nel por primeira vez." }, { "label": "Retroalimentación" } ] }, { "label": "Configuración rexistrada" } ] } }, { "label": "Retroalimentación cando o usuario escolle un punto baleiro:", "placeholder": "Non atopaches ningún punto chave, proba outra vez!" }, { "label": "Amosar retroalimentación como xanela emerxente" }, { "label": "Adaptación local", "fields": [ { "label": "Texto para o botón reintentar", "default": "Reintentar" }, { "label": "Texto para o botón pechar", "default": "Pechar" } ] } ] } ] }, { "label": "Representación textual da barra de puntuación cando se usa un lector de pantalla", "default": "Conseguiches :num puntos de :total" }, { "label": "Descrición para as tecnoloxías de asistencia do botón \"Reintentar\"", "default": "Reintenta a tarefa. Borra todas as respostas e empeza a tarefa de novo." } ] }
| ver. 1.4 |
Github
|
.
| PHP 7.4.33 | ���֧ߧ֧�ѧ�ڧ� ����ѧߧڧ��: 0 |
proxy
|
phpinfo
|
���ѧ����ۧܧ�