Compare commits

..

1 Commits

Author SHA1 Message Date
Frode Petterson 08f3c23b43 JI-1536 Add prototype for checking answers via xAPI 2020-01-15 15:37:19 +01:00
46 changed files with 936 additions and 2566 deletions

View File

@ -247,9 +247,3 @@
.h5p-no-frame .questionset .h5p-question > *:last-child { .h5p-no-frame .questionset .h5p-question > *:last-child {
margin-bottom: 0; margin-bottom: 0;
} }
/* Hide the fullscreen button rendered by H5P.DragQuestion */
.questionset .h5p-question.h5p-dragquestion .h5p-my-fullscreen-button-enter,
.questionset .h5p-question.h5p-dragquestion .h5p-my-fullscreen-button-exit {
display: none;
}

View File

@ -35,7 +35,6 @@ H5P.QuestionSet = function (options, contentId, contentData) {
prevButton: 'Previous question', prevButton: 'Previous question',
nextButton: 'Next question', nextButton: 'Next question',
finishButton: 'Finish', finishButton: 'Finish',
submitButton: 'Submit',
textualProgress: 'Question: @current of @total questions', textualProgress: 'Question: @current of @total questions',
jumpToQuestion: 'Question %d of %total', jumpToQuestion: 'Question %d of %total',
questionLabel: 'Question', questionLabel: 'Question',
@ -56,7 +55,6 @@ H5P.QuestionSet = function (options, contentId, contentData) {
}, },
overallFeedback: [], overallFeedback: [],
finishButtonText: 'Finish', finishButtonText: 'Finish',
submitButtonText: 'Submit',
solutionButtonText: 'Show solution', solutionButtonText: 'Show solution',
retryButtonText: 'Retry', retryButtonText: 'Retry',
showAnimations: false, showAnimations: false,
@ -67,8 +65,6 @@ H5P.QuestionSet = function (options, contentId, contentData) {
override: {}, override: {},
disableBackwardsNavigation: false disableBackwardsNavigation: false
}; };
this.isSubmitting = contentData
&& (contentData.isScoringEnabled || contentData.isReportingEnabled);
var params = $.extend(true, {}, defaults, options); var params = $.extend(true, {}, defaults, options);
var texttemplate = var texttemplate =
@ -468,6 +464,10 @@ H5P.QuestionSet = function (options, contentId, contentData) {
questionInstances[i].showButton('prev'); questionInstances[i].showButton('prev');
} }
if (typeof questionInstances[i].setXAPIData === 'function') {
continue; // TODO: Temporary until we implement support setXAPIData...
}
try { try {
// Do not read answers // Do not read answers
questionInstances[i].toggleReadSpeaker(true); questionInstances[i].toggleReadSpeaker(true);
@ -500,7 +500,7 @@ H5P.QuestionSet = function (options, contentId, contentData) {
* Used for contracts with integrated content. * Used for contracts with integrated content.
* @public * @public
*/ */
this.resetTask = function () { var resetTask = function () {
// Clear previous state to ensure questions are created cleanly // Clear previous state to ensure questions are created cleanly
contentData.previousState = []; contentData.previousState = [];
@ -754,7 +754,7 @@ H5P.QuestionSet = function (options, contentId, contentData) {
message: params.endGame.showResultPage ? params.endGame.message : params.endGame.noResultMessage, message: params.endGame.showResultPage ? params.endGame.message : params.endGame.noResultMessage,
comment: params.endGame.showResultPage ? (success ? params.endGame.oldFeedback.successGreeting : params.endGame.oldFeedback.failGreeting) : undefined, comment: params.endGame.showResultPage ? (success ? params.endGame.oldFeedback.successGreeting : params.endGame.oldFeedback.failGreeting) : undefined,
resulttext: params.endGame.showResultPage ? (success ? params.endGame.oldFeedback.successComment : params.endGame.oldFeedback.failComment) : undefined, resulttext: params.endGame.showResultPage ? (success ? params.endGame.oldFeedback.successComment : params.endGame.oldFeedback.failComment) : undefined,
finishButtonText: (self.isSubmitting) ? params.endGame.submitButtonText : params.endGame.finishButtonText, finishButtonText: params.endGame.finishButtonText,
solutionButtonText: params.endGame.solutionButtonText, solutionButtonText: params.endGame.solutionButtonText,
retryButtonText: params.endGame.retryButtonText retryButtonText: params.endGame.retryButtonText
}; };
@ -770,7 +770,7 @@ H5P.QuestionSet = function (options, contentId, contentData) {
_showQuestion(params.initialQuestion); _showQuestion(params.initialQuestion);
}); });
hookUpButton('.qs-retrybutton', function () { hookUpButton('.qs-retrybutton', function () {
self.resetTask(); resetTask();
$myDom.children().hide(); $myDom.children().hide();
var $intro = $('.intro-page', $myDom); var $intro = $('.intro-page', $myDom);
@ -877,8 +877,7 @@ H5P.QuestionSet = function (options, contentId, contentData) {
registerImageLoadedListener(question); registerImageLoadedListener(question);
// Add finish button // Add finish button
const finishButtonText = (self.isSubmitting) ? params.texts.submitButton : params.endGame.finishButton question.addButton('finish', params.texts.finishButton,
question.addButton('finish', finishButtonText,
moveQuestion.bind(this, 1), false); moveQuestion.bind(this, 1), false);
// Add next button // Add next button
@ -1247,16 +1246,47 @@ H5P.QuestionSet = function (options, contentId, contentData) {
}; };
/** /**
* Get context data. *
* Contract used for confusion report.
*/ */
this.getContext = function () { this.setXAPIData = function (data) {
// Get question index and add 1, count starts from 0 if (!data.subContentId || data.subContentId === this.subContentId) {
return { // This is our data
type: 'question',
value: (currentQuestion + 1) if (data.success === false) {
}; // Unable to determine data
}; console.error('Error error error 1 2 3');
return;
}
if (data.type === 'feedback') {
// Set score?
}
else if (data.type === 'solution') {
// Nothing?
}
// Check if we have any data for our children
if (data.children && data.children.length === questionInstances.length) {
for (let i = 0; i < questionInstances.length; i++) {
if (typeof questionInstances[i].setXAPIData === 'function') {
questionInstances[i].setXAPIData(data.children[i])
}
}
}
return true;
}
else {
// Someone elses data, let's try to find them.
for (let i = 0; i < questionInstances.length; i++) {
if (typeof questionInstances[i].setXAPIData === 'function') {
if (questionInstances[i].setXAPIData(data)) {
return true; // Let parent know we found the owner of the data
}
}
}
}
}
}; };
H5P.QuestionSet.prototype = Object.create(H5P.EventDispatcher.prototype); H5P.QuestionSet.prototype = Object.create(H5P.EventDispatcher.prototype);

View File

@ -75,10 +75,6 @@
"label": "Finish button", "label": "Finish button",
"default": "Finish" "default": "Finish"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Progress text", "label": "Progress text",
"description": "Text used if textual progress is selected.", "description": "Text used if textual progress is selected.",
@ -208,10 +204,6 @@
"label": "Finish button text", "label": "Finish button text",
"default": "Finish" "default": "Finish"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Display video before quiz results" "label": "Display video before quiz results"
}, },

View File

@ -1,172 +1,168 @@
{ {
"semantics": [ "semantics": [
{ {
"label": "Vasvra inleiding", "label": "Quiz introduction",
"fields": [ "fields": [
{ {
"label": "Vertoon inleiding" "label": "Display introduction"
}, },
{ {
"label": "Titel", "label": "Title",
"description": "Hierdie titel sal bo die inleidende teks vertoon word." "description": "This title will be displayed above the introduction text."
}, },
{ {
"label": "Inleidende teks", "label": "Introduction text",
"description": "Hierdie teks sal vertoon word voor die vasvra begin." "description": "This text will be displayed before the quiz starts."
}, },
{ {
"label": "Beginknoppie teks", "label": "Start button text",
"default": "Begin vasvra" "default": "Start Quiz"
}, },
{ {
"label": "Agtergrondprent", "label": "Background image",
"description": "'n Opsionele agtergrondprent vir die inleiding." "description": "An optional background image for the introduction."
} }
] ]
}, },
{ {
"label": "Agtergrondprent", "label": "Background image",
"description": "'n Vrywillige agtergrondprent vir die vraagstel." "description": "An optional background image for the Question set."
}, },
{ {
"label": "Vorderingaanwyser", "label": "Progress indicator",
"description": "Vraagstel vorderingaanwyser styl.", "description": "Question set progress indicator style.",
"options": [ "options": [
{ {
"label": "Tekstueel" "label": "Textual"
}, },
{ {
"label": "Kolletjies" "label": "Dots"
} }
] ]
}, },
{ {
"label": "Slaag persentasie", "label": "Pass percentage",
"description": "Persentasie van totale telling wat vereis word om vasvra te slaag." "description": "Percentage of Total score required for passing the quiz."
}, },
{ {
"label": "Vrae", "label": "Questions",
"widgets": [ "widgets": [
{ {
"label": "Verstek" "label": "Default"
}, },
{ {
"label": "Tekstueel" "label": "Textual"
} }
], ],
"entity": "vraag", "entity": "question",
"field": { "field": {
"label": "Vraagtipe", "label": "Question type",
"description": "Biblioteek vir hierdie vraag." "description": "Library for this question."
} }
}, },
{ {
"label": "Koppelvlaktekste in vasvra", "label": "Interface texts in quiz",
"fields": [ "fields": [
{ {
"label": "Terug knoppie", "label": "Back button",
"default": "Vorige vraag" "default": "Previous question"
}, },
{ {
"label": "Volgende knoppie", "label": "Next button",
"default": "Volgende vraag" "default": "Next question"
}, },
{ {
"label": "Klaar knoppie", "label": "Finish button",
"default": "Klaar" "default": "Finish"
}, },
{ {
"label": "Submit button", "label": "Progress text",
"default": "Submit" "description": "Text used if textual progress is selected.",
"default": "Question: @current of @total questions"
}, },
{ {
"label": "Vordering teks", "label": "Label for jumping to a certain question",
"description": "Teks gebruik indien tektuele vordering gekies is.", "description": "You must use the placeholder '%d' instead of the question number, and %total instead of total amount of questions.",
"default": "Vraag: @current van @total vrae" "default": "Question %d of %total"
}, },
{ {
"label": "Etiket om te spring tot 'n bepaalde vraag", "label": "Copyright dialog question label",
"description": "Jy moet die plekhouer '%d' in stede van die vraagnommer, en %total in stede van die totale aantal vrae gebruik.", "default": "Question"
"default": "Vraag %d van %total"
}, },
{ {
"label": "Kopiereg dialoog vraagetiket", "label": "Readspeaker progress",
"default": "Vraag" "description": "May use @current and @total question variables",
"default": "Question @current of @total"
}, },
{ {
"label": "Spreekleser vordering", "label": "Unanswered question text",
"description": "Mag @current en @total vraagveranderlikes gebruik", "default": "Unanswered"
"default": "Vraag @current uit @total"
}, },
{ {
"label": "Onbeantwoorde vraagteks", "label": "Answered question text",
"default": "Onbeantwoord" "default": "Answered"
}, },
{ {
"label": "Beantwoorde vraagteks", "label": "Current question text",
"default": "Beantwoord" "default": "Current question"
},
{
"label": "Huidige vraagteks",
"default": "Huidige vraag"
} }
] ]
}, },
{ {
"label": "Verbied agteruitnavigasie", "label": "Disable backwards navigation",
"description": "Hierdie keuse laat jou slegs toe om vorentoe te beweeg met die vraagstel" "description": "This option will only allow you to move forward in Question Set"
}, },
{ {
"label": "Skommel vrae", "label": "Randomize questions",
"description": "Aktiveer ewekansige orde van vrae op vooraansig." "description": "Enable to randomize the order of questions on display."
}, },
{ {
"label": "Aantal vrae om te wys:", "label": "Number of questions to be shown:",
"description": "Skep 'n ewekansige bondel vrae uit die somtotaal." "description": "Create a randomized batch of questions from the total."
}, },
{ {
"label": "Vasvra klaar", "label": "Quiz finished",
"fields": [ "fields": [
{ {
"label": "Vertoon uitslae" "label": "Display results"
}, },
{ {
"label": "Vertoon oplossing knoppie" "label": "Display solution button"
}, },
{ {
"label": "Vertoon probeer weer knoppie" "label": "Display retry button"
}, },
{ {
"label": "Geen uitslae boodskap", "label": "No results message",
"description": "Teks word op die eindblad vertoon wanneer 'Vertoonresultate' gedeaktiveer is", "description": "Text displayed on end page when \"Display results\" is disabled",
"default": "Klaar" "default": "Finished"
}, },
{ {
"label": "Terugvoer opskrif", "label": "Feedback heading",
"default": "Jou uitslae:", "default": "Your result:",
"description": "Hierdie opskrif sal aan die einde van die vasvra vertoon wanneer die gebruiker al die vrae beantwoord het." "description": "This heading will be displayed at the end of the quiz when the user has answered all questions."
}, },
{ {
"label": "Algehele terugvoer", "label": "Overall Feedback",
"fields": [ "fields": [
{ {
"widgets": [ "widgets": [
{ {
"label": "Verstek" "label": "Default"
} }
], ],
"label": "Bepaal verstekterugvoer vir enige reeks tellings", "label": "Define custom feedback for any score range",
"description": "Voorbeeld: 0-20% Swak telling, 21-91% Gemiddelde telling, 91-100% Uitstekende telling!", "description": "Example: 0-20% Bad score, 21-91% Average Score, 91-100% Great Score!",
"entity": "reeks", "entity": "range",
"field": { "field": {
"fields": [ "fields": [
{ {
"label": "Telreeks" "label": "Score Range"
}, },
{}, {},
{ {
"label": "Terugvoer vir gedefinieerde telreeks", "label": "Feedback for defined score range",
"placeholder": "Vul die terugvoer in" "placeholder": "Fill in the feedback"
} }
] ]
} }
@ -174,96 +170,92 @@
] ]
}, },
{ {
"label": "Ou terugvoer", "label": "Old Feedback",
"fields": [ "fields": [
{ {
"label": "Vasvra geslaag begroeting", "label": "Quiz passed greeting",
"description": "Hierdie teks sal bo die telling vertoon word sodra die gebruiker die vasvra suksesvol geslaag het." "description": "This text will be displayed above the score if the user has successfully passed the quiz."
}, },
{ {
"label": "Geslaag kommentaar", "label": "Passed comment",
"description": "Hierdie opmerking sal na die telling vertoon word as die gebruiker die vasvra suksesvol geslaag het." "description": "This comment will be displayed after the score if the user has successfully passed the quiz."
}, },
{ {
"label": "Vasvra misluk titel", "label": "Quiz failed title",
"description": "Hierdie teks sal bo die telling vertoon word as die gebruiker nie die vasvra het nie." "description": "This text will be displayed above the score if the user has failed the quiz."
}, },
{ {
"label": "Gedruip kommentaar", "label": "Failed comment",
"description": "Hierdie opmerking sal na die telling vertoon word as die gebruiker die vasvra gedruip het." "description": "This comment will be displayed after the score if the user has failed the quiz."
} }
] ]
}, },
{ {
"label": "Antwoord knoppie-etiket", "label": "Solution button label",
"default": "Wys antwoord", "default": "Show solution",
"description": "Teks vir die antwoord knoppie." "description": "Text for the solution button."
}, },
{ {
"label": "Probeer weer knoppie etiket", "label": "Retry button label",
"default": "Probeer weer", "default": "Retry",
"description": "Teks vir die probeer weer knoppie." "description": "Text for the retry button."
}, },
{ {
"label": "Klaar knoppieteks", "label": "Finish button text",
"default": "Klaar" "default": "Finish"
}, },
{ {
"label": "Submit button text", "label": "Display video before quiz results"
"default": "Submit"
}, },
{ {
"label": "Vertoon video voor vasvra uitslae" "label": "Enable skip video button"
}, },
{ {
"label": "Aktiveer slaan video oor knoppie" "label": "Skip video button label",
"default": "Skip video"
}, },
{ {
"label": "Slaan video oor etiket", "label": "Passed video",
"default": "Slaan video oor" "description": "This video will be played if the user successfully passed the quiz."
}, },
{ {
"label": "Video geslaag", "label": "Fail video",
"description": "Hierdie video sal gespeel word indien die gebruiker die vasvra geslaag het." "description": "This video will be played if the user fails the quiz."
},
{
"label": "Druip video",
"description": "Hierdie video sal gespeel word indien die gebruiker die vasvra gedruip het."
} }
] ]
}, },
{ {
"label": "Instellings vir die \"Wys antwoord\" en \"Probeer weer\" knoppies", "label": "Settings for \"Show solution\" and \"Retry\" buttons",
"fields": [ "fields": [
{ {
"label": "Wys \"Toets\" knoppies", "label": "Show \"Check\" buttons",
"description": "Hierdie opsie bepaal of die \"Toets\" knoppie vir alle vrae gewys sal word." "description": "This option determines if the \"Check\" button will be shown for all questions."
}, },
{ {
"label": "Oorskry \"Wys oplossing\" knoppie", "label": "Override \"Show Solution\" button",
"description": "Hierdie opsie bepaal of die \"Wys antwoord\" -knoppie vir alle vrae getoon word, vir almal uitgeskakel of afsonderlik vir elke vraag ingestel word.", "description": "This option determines if the \"Show Solution\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [ "options": [
{ {
"label": "Aktiveer" "label": "Enabled"
}, },
{ {
"label": "Deaktiveer" "label": "Disabled"
} }
] ]
}, },
{ {
"label": "Oorskry \"Probeer weer\" knoppie", "label": "Override \"Retry\" button",
"description": "Hierdie opsie bepaal of die \"Probeer weer\" -knoppie vir alle vrae getoon word, vir almal uitgeskakel of afsonderlik vir elke vraag ingestel word.", "description": "This option determines if the \"Retry\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [ "options": [
{ {
"label": "Aktiveer" "label": "Enabled"
}, },
{ {
"label": "Deaktiveer" "label": "Disabled"
} }
] ]
} }
] ]
} }
] ]
} }

View File

@ -75,10 +75,6 @@
"label": "زر الانتهاء", "label": "زر الانتهاء",
"default": "Finish" "default": "Finish"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "نص التقدم", "label": "نص التقدم",
"description": "النص المستخدم إذا تم تحديد التقدم نصيا", "description": "النص المستخدم إذا تم تحديد التقدم نصيا",
@ -208,10 +204,6 @@
"label": "نص زر الانتهاء", "label": "نص زر الانتهاء",
"default": "Finish" "default": "Finish"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "عرض الفيديو قبل نتائج المسابقة" "label": "عرض الفيديو قبل نتائج المسابقة"
}, },

View File

@ -1,269 +0,0 @@
{
"semantics": [
{
"label": "Въведение в теста",
"fields": [
{
"label": "Показване на въведение"
},
{
"label": "Заглавие",
"description": "Това заглавие ще се показва над въвеждащия текст."
},
{
"label": "Въвеждащ текст",
"description": "Този текст ще се показва преди началото на теста."
},
{
"label": "Текст на бутона за начало",
"default": "Начало на теста"
},
{
"label": "Фоново изображение",
"description": "Незадължително фоново изображение за въведението."
}
]
},
{
"label": "Фоново изображение",
"description": "Незадължително фоново изображение за въпросите."
},
{
"label": "Индикатор на напредъка",
"description": "Стил за индикатор на напредъка.",
"options": [
{
"label": "Текстов"
},
{
"label": "Точки"
}
]
},
{
"label": "Процент за успешно преминаване",
"description": "Процент от Общия брой точки за успешно решение на теста."
},
{
"label": "Въпроси",
"widgets": [
{
"label": "По подразбиране"
},
{
"label": "Текстов"
}
],
"entity": "въпрос",
"field": {
"label": "Тип въпрос",
"description": "Бибилиотека за този въпрос."
}
},
{
"label": "Текстове в теста",
"fields": [
{
"label": "Назад",
"default": "Предишен въпрос"
},
{
"label": "Напред",
"default": "Следващ въпрос"
},
{
"label": "Бутон Край",
"default": "Край"
},
{
"label": "Submit button",
"default": "Submit"
},
{
"label": "Текст за напредък",
"description": "Текст, който се използва в случай, че е избран да се показва напредъка.",
"default": "Въпрос: @current от @total въпроси"
},
{
"label": "Етикет за преминаване към определен въпрос",
"description": "Трябва да използвате '%d' вместо номер на въпрос и %total вместо общ брой въпроси.",
"default": "Въпрос %d от %total"
},
{
"label": "Етикет за диалогов прозорец Copyright",
"default": "Въпрос"
},
{
"label": "Readspeaker напредък",
"description": "Може да използвате променливи @current и @total за въпросите",
"default": "Въпрос @current от @total"
},
{
"label": "Текст за нерешен въпрос",
"default": "Не е даден отговор"
},
{
"label": "Текст за решен въпрос",
"default": "Даден е отговор"
},
{
"label": "Текст за настоящ въпрос",
"default": "Настоящ въпрос"
}
]
},
{
"label": "Деактивиране на придвижването назад",
"description": "Тази настройка позволява придвижването само напред в теста"
},
{
"label": "Разбъркване на въпросите",
"description": "Позволява разбъркването на въпросите при показване."
},
{
"label": "Брой въпроси, които да бъдат показани:",
"description": "Създава група от произволно подбрани въпроси."
},
{
"label": "Край на теста",
"fields": [
{
"label": "Покажи резултати"
},
{
"label": "Бутон Покажи решение"
},
{
"label": "Display retry button"
},
{
"label": "Няма съобщение за резултати",
"description": "Текст, който ще се показва на последната страница, когато \"Покажи резултати\" не е активирано",
"default": "Завършен"
},
{
"label": "Заглавие за обратна връзка",
"default": "Вашият резултат:",
"description": "Това заглавие ще се показва накрая на теста, когато ученикът е отговорил на всички въпроси."
},
{
"label": "Обща обратна връзка",
"fields": [
{
"widgets": [
{
"label": "По подразбиране"
}
],
"label": "Персонална обратна връзка за всеки диапазон от точки",
"description": "Пример: 0-20% Слаб резултат, 21-91% Среден резултат, 91-100% Отличен резултат!",
"entity": "диапазон",
"field": {
"fields": [
{
"label": "Диапазон на резултата"
},
{},
{
"label": "Обратна връзка за дефиниран диапазон на резултата",
"placeholder": "Въведете обратна връзка"
}
]
}
}
]
},
{
"label": "Стара обратна връзка",
"fields": [
{
"label": "Поздравления за успешно решен тест",
"description": "Този текст ще се показва над резултата, когато ученикът реши теста успешно."
},
{
"label": "Коментар за успешно решен тест",
"description": "Този коментар ще се показва след резултата, когато ученикът реши теста успешно."
},
{
"label": "Заглавие за неуспешно решен тест",
"description": "Този текст ще се показва над резултата, когато ученикът не се справи с теста."
},
{
"label": "Коментар за неуспешно решен тест",
"description": "Този коментар ще се показва след резултата, когато ученикът не се справи с теста."
}
]
},
{
"label": "Етикет за бутон Покажи решение",
"default": "Покажи решение",
"description": "Текст за бутон Покажи решение."
},
{
"label": "Етикет за бутон Опитай пак",
"default": "Опитай пак",
"description": "Текст за бутон Опитай пак."
},
{
"label": "Текст за бутон Край",
"default": "Край"
},
{
"label": "Submit button text",
"default": "Submit"
},
{
"label": "Показване на видео преди резултатите от теста"
},
{
"label": "Разреши бутон Пропусни видеото"
},
{
"label": "Етикет за бутон Пропусни видеото",
"default": "Пропусни видеото"
},
{
"label": "Видео при успех",
"description": "Това видео ще се покаже, когато ученикът премине теста успешно."
},
{
"label": "Видео при неуспех",
"description": "Това видео ще се покаже, когато ученикът НЕ премине теста успешно."
}
]
},
{
"label": "Настройки за бутони \"Покажи решение\" и \"Опитай пак\" ",
"fields": [
{
"label": "Покажи бутони \"Провери\" ",
"description": "Тази настройка определя дали бутон \"Провери\" да се показва за всички въпроси."
},
{
"label": "Отмяна на бутон \"Покажи решение\" ",
"description": "Тази настройка определя дали бутон \"Покажи решение\" да се показва за всички въпроси, да не се показва за всички или да се настройва индивидуално за всеки въпрос.",
"options": [
{
"label": "Активирано"
},
{
"label": "Деактивирано"
}
]
},
{
"label": "Отмяна на бутон \"Опитай пак\" ",
"description": "Тази настройка определя дали бутон \"Опитай пак\" да се показва за всички въпроси, да не се показва за всички или да се настройва индивидуално за всеки въпрос.",
"options": [
{
"label": "Активирано"
},
{
"label": "Деактивирано"
}
]
}
]
}
]
}

View File

@ -75,10 +75,6 @@
"label": "Oznaka za dugme \"Završi\"", "label": "Oznaka za dugme \"Završi\"",
"default": "Kraj" "default": "Kraj"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Početni tekst", "label": "Početni tekst",
"description": "Koristi tekst ako je izabran za napredak u pisanom obliku.", "description": "Koristi tekst ako je izabran za napredak u pisanom obliku.",
@ -208,10 +204,6 @@
"label": "Prikaži video prije rezultata kviza", "label": "Prikaži video prije rezultata kviza",
"default": "Kraj" "default": "Kraj"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Aktiviraj dugme \"Preskoči vidio\"" "label": "Aktiviraj dugme \"Preskoči vidio\""
}, },

View File

@ -1,172 +1,168 @@
{ {
"semantics": [ "semantics": [
{ {
"label": "Introducció al qüestionari", "label": "Quiz introduction",
"fields": [ "fields": [
{ {
"label": "Mostra la introdució" "label": "Display introduction"
}, },
{ {
"label": "Títol", "label": "Title",
"description": "Aquest títol es mostrarà a sobre del text dintroducció." "description": "This title will be displayed above the introduction text."
}, },
{ {
"label": "Text dintroducció", "label": "Text d'introducció",
"description": "Aquest text es mostrarà abans de començar el qüestionari." "description": "This text will be displayed before the quiz starts."
}, },
{ {
"label": "Text del botó \"Inicia\"", "label": "Start button text",
"default": "Inicia el qüestionari" "default": "Start Quiz"
}, },
{ {
"label": "Imatge de fons", "label": "Imatge de fons",
"description": "Una imatge de fons opcional per a la introducció." "description": "An optional background image for the introduction."
} }
] ]
}, },
{ {
"label": "Imatge de fons", "label": "Imatge de fons",
"description": "Imatge de fons opcional per al conjunt de preguntes." "description": "An optional background image for the Question set."
}, },
{ {
"label": "Indicador de progrés", "label": "Progress indicator",
"description": "Estil de lindicador de progrés del conjunt de preguntes.", "description": "Question set progress indicator style.",
"options": [ "options": [
{ {
"label": "Textual" "label": "Textual"
}, },
{ {
"label": "Punts" "label": "Dots"
} }
] ]
}, },
{ {
"label": "Percentatge per aprovar el qüestionari", "label": "Percentatge per passar",
"description": "Percentatge de la puntuació total requerida per aprovar el qüestionari." "description": "Percentage of Total score required for passing the quiz."
}, },
{ {
"label": "Preguntes", "label": "Questions",
"widgets": [ "widgets": [
{ {
"label": "Opció predeterminada" "label": "Per defecte"
}, },
{ {
"label": "Textual" "label": "Textual"
} }
], ],
"entity": "pregunta", "entity": "question",
"field": { "field": {
"label": "Tipus de pregunta", "label": "Question type",
"description": "Biblioteca per a aquesta pregunta." "description": "Library for this question."
} }
}, },
{ {
"label": "Textos de la interfície al qüestionari", "label": "Interface texts in quiz",
"fields": [ "fields": [
{ {
"label": "Botó \"Enrere\"", "label": "Back button",
"default": "Pregunta anterior" "default": "Previous question"
}, },
{ {
"label": "Botó següent", "label": "Next button",
"default": "Pregunta següent" "default": "Next question"
}, },
{ {
"label": "Botó \"Finalitza\"", "label": "Finish button",
"default": "Finalitza" "default": "Acabar"
}, },
{ {
"label": "Submit button", "label": "Progress text",
"default": "Submit" "description": "Text used if textual progress is selected.",
"default": "Question: @current of @total questions"
}, },
{ {
"label": "Text del progrés", "label": "Label for jumping to a certain question",
"description": "Text que sutilitza si se selecciona el progrés textual.", "description": "You must use the placeholder '%d' instead of the question number, and %total instead of total amount of questions.",
"default": "Pregunta: @current de @total" "default": "Question %d of %total"
}, },
{ {
"label": "Etiqueta per saltar a una pregunta concreta", "label": "Copyright dialog question label",
"description": "Heu dutilitzar lespai reservat \"%d\" en lloc del número de pregunta i %total en lloc del nombre de preguntes total.",
"default": "Pregunta %d del %total"
},
{
"label": "Etiqueta de la pregunta del quadre de diàleg de drets dautor",
"default": "Pregunta" "default": "Pregunta"
}, },
{ {
"label": "Progrés de laltaveu de lectura", "label": "Readspeaker progress",
"description": "Pot utilitzar variables de pregunta @current i @total", "description": "May use @current and @total question variables",
"default": "Pregunta @current de @total" "default": "Question @current of @total"
}, },
{ {
"label": "Text de la pregunta sense respondre", "label": "Unanswered question text",
"default": "No sha respost" "default": "Unanswered"
}, },
{ {
"label": "Text de la pregunta resposta", "label": "Answered question text",
"default": "Respost" "default": "Answered"
}, },
{ {
"label": "Text de la pregunta actual", "label": "Current question text",
"default": "Pregunta actual" "default": "Current question"
} }
] ]
}, },
{ {
"label": "Desactiva la possibilitat de navegar enrere", "label": "Disable backwards navigation",
"description": "Aquesta opció només us permetrà avançar pel conjunt de preguntes" "description": "This option will only allow you to move forward in Question Set"
}, },
{ {
"label": "Distribueix les preguntes aleatòriament", "label": "Randomize questions",
"description": "Permeteu que les preguntes es distribueixin aleatòriament a la pantalla." "description": "Enable to randomize the order of questions on display."
}, },
{ {
"label": "Nombre de preguntes a mostrar:", "label": "Number of questions to be shown:",
"description": "Creeu un conjunt aleatori de preguntes extret del total de preguntes." "description": "Create a randomized batch of questions from the total."
}, },
{ {
"label": "El qüestionari ha finalitzat", "label": "Quiz finished",
"fields": [ "fields": [
{ {
"label": "Mostra els resultats" "label": "Display results"
}, },
{ {
"label": "Mostra el botó \"Solució\"" "label": "Display solution button"
}, },
{ {
"label": "Mostra el botó per tornar-ho a provar" "label": "Display retry button"
}, },
{ {
"label": "Missatge \"Sense resultats\"", "label": "No results message",
"description": "Text que es mostra a lúltima pàgina quan lopció \"Mostra els resultats\" està desactivada", "description": "Text displayed on end page when \"Display results\" is disabled",
"default": "Finalitzat" "default": "Finished"
}, },
{ {
"label": "Encapçalament de la retroacció", "label": "Feedback heading",
"default": "El seu resultat:", "default": "Your result:",
"description": "Aquest títol es mostrarà al final del qüestionari quan lusuari hagi respost a totes les preguntes." "description": "This heading will be displayed at the end of the quiz when the user has answered all questions."
}, },
{ {
"label": "Suggeriment general", "label": "Overall Feedback",
"fields": [ "fields": [
{ {
"widgets": [ "widgets": [
{ {
"label": "Opció predeterminada" "label": "Default"
} }
], ],
"label": "Defineix una valoració per cada rang de puntuació", "label": "Define custom feedback for any score range",
"description": "Exemple: 0-20% per a puntuació baixa, 21-91% per a puntuació mitjana, 91-100% per a puntuació excel·lent", "description": "Example: 0-20% Bad score, 21-91% Average Score, 91-100% Great Score!",
"entity": "rang", "entity": "range",
"field": { "field": {
"fields": [ "fields": [
{ {
"label": "Rang de puntuació" "label": "Score Range"
}, },
{}, {},
{ {
"label": "Suggeriment per al rang de puntuació definit", "label": "Feedback for defined score range",
"placeholder": "Introduïu el suggeriment" "placeholder": "Fill in the feedback"
} }
] ]
} }
@ -174,96 +170,92 @@
] ]
}, },
{ {
"label": "Suggeriments antics", "label": "Old Feedback",
"fields": [ "fields": [
{ {
"label": "Lenhorabona per a qüestionari superat", "label": "Quiz passed greeting",
"description": "Aquest text es mostrarà a sobre de la puntuació, si lusuari ha superat el qüestionari." "description": "This text will be displayed above the score if the user has successfully passed the quiz."
}, },
{ {
"label": "Comentari per a qüestionari superat", "label": "Passed comment",
"description": "Aquest comentari es mostrarà després de la puntuació si lusuari ha superat el qüestionari correctament." "description": "This comment will be displayed after the score if the user has successfully passed the quiz."
}, },
{ {
"label": "Títol de qüestionari no superat", "label": "Quiz failed title",
"description": "Aquest text es mostrarà a sobre de la puntuació, si lusuari no ha superat el qüestionari." "description": "This text will be displayed above the score if the user has failed the quiz."
}, },
{ {
"label": "Ha fallat el comentari", "label": "Failed comment",
"description": "Aquest comentari es mostrarà després de la puntuació, si lusuari no ha superat el qüestionari." "description": "This comment will be displayed after the score if the user has failed the quiz."
} }
] ]
}, },
{ {
"label": "Etiqueta del botó \"Solució\"", "label": "Solution button label",
"default": "Mostra la solució", "default": "Mostrar solució",
"description": "Text per al botó de solució." "description": "Text for the solution button."
}, },
{ {
"label": "Etiqueta del botó \"Torna-ho a provar\"", "label": "Etiqueta del botó \"Tornar-ho a provar\"",
"default": "Torna-ho a provar", "default": "Tornar-ho a provar",
"description": "Text del botó \"Torna-ho a provar\"." "description": "Text for the retry button."
}, },
{ {
"label": "Text del botó \"Finalitza\"", "label": "Finish button text",
"default": "Finalitza" "default": "Acabar"
}, },
{ {
"label": "Submit button text", "label": "Display video before quiz results"
"default": "Submit"
}, },
{ {
"label": "Mostra el vídeo abans dels resultats del qüestionari" "label": "Enable skip video button"
}, },
{ {
"label": "Activa el botó de saltar el vídeo" "label": "Skip video button label",
"default": "Skip video"
}, },
{ {
"label": "Etiqueta del botó \"Omet el vídeo\"", "label": "Passed video",
"default": "Omet el vídeo" "description": "This video will be played if the user successfully passed the quiz."
}, },
{ {
"label": "Vídeo per a qüestionari superat", "label": "Fail video",
"description": "Aquest vídeo es reproduirà si lusuari supera el qüestionari." "description": "This video will be played if the user fails the quiz."
},
{
"label": "Vídeo fallit",
"description": "Aquest vídeo es reproduirà si lusuari falla el qüestionari."
} }
] ]
}, },
{ {
"label": "Configuració dels botons \"Mostra la solució\" i \"Torna-ho a provar\"", "label": "Settings for \"Show solution\" and \"Retry\" buttons",
"fields": [ "fields": [
{ {
"label": "Mostra els botons \"Comprova\"", "label": "Show \"Check\" buttons",
"description": "Aquesta opció determina si es mostrarà el botó \"Comprovar\" per a totes les preguntes." "description": "This option determines if the \"Check\" button will be shown for all questions."
}, },
{ {
"label": "Substitueix el botó \"Mostra la solució\"", "label": "Override \"Show Solution\" button",
"description": "Aquesta opció determina si el botó \"Mostra la solució\" es mostrarà per a totes les preguntes, es desactivarà per a totes o es configurarà per a cada pregunta individualment.", "description": "This option determines if the \"Show Solution\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [ "options": [
{ {
"label": "Activat" "label": "Enabled"
}, },
{ {
"label": "Desactivat" "label": "Disabled"
} }
] ]
}, },
{ {
"label": "Substitueix el botó \"Torna-ho a provar\"", "label": "Override \"Retry\" button",
"description": "Aquesta opció determina si es mostrarà el botó \"Torna-ho a provar\" per a totes les preguntes, es desactivarà per a totes o es configurarà per a cada pregunta individualment.", "description": "This option determines if the \"Retry\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [ "options": [
{ {
"label": "Activat" "label": "Enabled"
}, },
{ {
"label": "Desactivat" "label": "Disabled"
} }
] ]
} }
] ]
} }
] ]
} }

View File

@ -1,172 +1,168 @@
{ {
"semantics": [ "semantics": [
{ {
"label": "Úvod do testu", "label": "Quiz introduction",
"fields": [ "fields": [
{ {
"label": "Zobrazit úvod" "label": "Display introduction"
}, },
{ {
"label": "Nadpis", "label": "Title",
"description": "Tento nadpis se zobrazí nad úvodním textem." "description": "This title will be displayed above the introduction text."
}, },
{ {
"label": "Úvodní text", "label": "Introduction text",
"description": "Tento text se zobrazí před spuštěním testu." "description": "This text will be displayed before the quiz starts."
}, },
{ {
"label": "Text tlačítka Start", "label": "Start button text",
"default": "Start testu" "default": "Start Quiz"
}, },
{ {
"label": "Obrázek na pozadí", "label": "Background image",
"description": "Volitelný obrázek na pozadí pro úvod." "description": "An optional background image for the introduction."
} }
] ]
}, },
{ {
"label": "Obrázek na pozadí", "label": "Background image",
"description": "Volitelný obrázek na pozadí pro sadu otázek." "description": "An optional background image for the Question set."
}, },
{ {
"label": "Ukazatel průběhu", "label": "Progress indicator",
"description": "Styl ukazatele průběhu testu.", "description": "Question set progress indicator style.",
"options": [ "options": [
{ {
"label": "Textový" "label": "Textual"
}, },
{ {
"label": "Tečky" "label": "Dots"
} }
] ]
}, },
{ {
"label": "Procento úspěšnosti", "label": "Pass percentage",
"description": "Procento z celkového skóre požadovaného pro absolvování testu." "description": "Percentage of Total score required for passing the quiz."
}, },
{ {
"label": "Otázky", "label": "Questions",
"widgets": [ "widgets": [
{ {
"label": "Výchozí" "label": "Default"
}, },
{ {
"label": "Textové" "label": "Textual"
} }
], ],
"entity": "otázka", "entity": "question",
"field": { "field": {
"label": "Typ otázky", "label": "Question type",
"description": "Knihovna pro tuto otázku." "description": "Library for this question."
} }
}, },
{ {
"label": "Rozhraní v testu", "label": "Interface texts in quiz",
"fields": [ "fields": [
{ {
"label": "Tlačítko Zpět", "label": "Back button",
"default": "Předchozí otázka" "default": "Previous question"
}, },
{ {
"label": "Tlačítko Další", "label": "Next button",
"default": "Další otázka" "default": "Next question"
}, },
{ {
"label": "Tlačítko Dokončit", "label": "Finish button",
"default": "Dokončit" "default": "Finish"
}, },
{ {
"label": "Submit button", "label": "Progress text",
"default": "Submit" "description": "Text used if textual progress is selected.",
"default": "Question: @current of @total questions"
}, },
{ {
"label": "Text průběhu", "label": "Label for jumping to a certain question",
"description": "Text použitý, pokud je vybrán textový průběh.", "description": "You must use the placeholder '%d' instead of the question number, and %total instead of total amount of questions.",
"default": "Otázka: @current z @total otázek" "default": "Question %d of %total"
}, },
{ {
"label": "Popisek pro skok na určitou otázku", "label": "Copyright dialog question label",
"description": "Musíte použít zástupný symbol \"%d\" namísto čísla otázky, a %total namísto celkového počtu otázek.", "default": "Question"
"default": "Otázka %d z %total"
}, },
{ {
"label": "Popisek s otázkou dialogového okna autorských práv", "label": "Readspeaker progress",
"default": "Otázka" "description": "May use @current and @total question variables",
"default": "Question @current of @total"
}, },
{ {
"label": "Průběh čtení čtečky", "label": "Unanswered question text",
"description": "Mohou používat proměnné otázek @current a @total", "default": "Unanswered"
"default": "Otázka @current z @total"
}, },
{ {
"label": "Text nezodpovězené otázky", "label": "Answered question text",
"default": "Nezodpovězeno" "default": "Answered"
}, },
{ {
"label": "Text odpovězené otázky", "label": "Current question text",
"default": "Odpovězeno" "default": "Current question"
},
{
"label": "Text aktuální otázky",
"default": "Aktuální otázka"
} }
] ]
}, },
{ {
"label": "Zakázat navigaci zpět", "label": "Disable backwards navigation",
"description": "Tato možnost vám umožní postupovat v sadě otázek pouze vpřed" "description": "This option will only allow you to move forward in Question Set"
}, },
{ {
"label": "Náhodné otázky", "label": "Randomize questions",
"description": "Povolit náhodný výběr pořadí zobrazovaných otázek." "description": "Enable to randomize the order of questions on display."
}, },
{ {
"label": "Počet otázek, které se mají zobrazit:", "label": "Number of questions to be shown:",
"description": "Vytvořte náhodnou dávku otázek z celkového počtu." "description": "Create a randomized batch of questions from the total."
}, },
{ {
"label": "Test skončil", "label": "Quiz finished",
"fields": [ "fields": [
{ {
"label": "Zobrazit výsledky" "label": "Display results"
}, },
{ {
"label": "Zobrazit tlačítko řešení" "label": "Display solution button"
}, },
{ {
"label": "Zobrazit tlačítko opakování" "label": "Display retry button"
}, },
{ {
"label": "Žádná zpráva o výsledcích", "label": "No results message",
"description": "Text zobrazený na konci stránky, když je zakázáno \"Zobrazit výsledky\"", "description": "Text displayed on end page when \"Display results\" is disabled",
"default": "Dokončeno" "default": "Finished"
}, },
{ {
"label": "Zpětná vazba", "label": "Feedback heading",
"default": "Váš výsledek:", "default": "Your result:",
"description": "Tento nadpis se zobrazí na konci testu, když uživatel odpoví na všechny otázky." "description": "This heading will be displayed at the end of the quiz when the user has answered all questions."
}, },
{ {
"label": "Celková zpětná vazba", "label": "Overall Feedback",
"fields": [ "fields": [
{ {
"widgets": [ "widgets": [
{ {
"label": "Výchozí" "label": "Default"
} }
], ],
"label": "Definujte vlastní zpětnou vazbu pro libovolný rozsah skóre", "label": "Define custom feedback for any score range",
"description": "Příklad: 0-20% špatné skóre, 21-91% průměrné skóre, 91-100% výborné skóre!", "description": "Example: 0-20% Bad score, 21-91% Average Score, 91-100% Great Score!",
"entity": "rozsah", "entity": "range",
"field": { "field": {
"fields": [ "fields": [
{ {
"label": "Rozsah skóre" "label": "Score Range"
}, },
{}, {},
{ {
"label": "Zpětná vazba pro definovaný rozsah skóre", "label": "Feedback for defined score range",
"placeholder": "Vyplňte zpětnou vazbu" "placeholder": "Fill in the feedback"
} }
] ]
} }
@ -174,96 +170,92 @@
] ]
}, },
{ {
"label": "Stará zpětná vazba", "label": "Old Feedback",
"fields": [ "fields": [
{ {
"label": "Pozdrav úspěšného testu", "label": "Quiz passed greeting",
"description": "Tento text se zobrazí nad skóre, pokud uživatel úspěšně prošel testem." "description": "This text will be displayed above the score if the user has successfully passed the quiz."
}, },
{ {
"label": "Úspěšný komentář", "label": "Passed comment",
"description": "Tento komentář se zobrazí po skóre, pokud uživatel úspěšně prošel testem." "description": "This comment will be displayed after the score if the user has successfully passed the quiz."
}, },
{ {
"label": "Test se nezdařil", "label": "Quiz failed title",
"description": "Tento text se zobrazí nad skóre, pokud uživatel byl v testu neúspěšný." "description": "This text will be displayed above the score if the user has failed the quiz."
}, },
{ {
"label": "Komentář při neúspěchu", "label": "Failed comment",
"description": "Tento komentář se zobrazí po skóre, pokud uživatel byl v testu neúspěšný." "description": "This comment will be displayed after the score if the user has failed the quiz."
} }
] ]
}, },
{ {
"label": "Popisek tlačítka řešení", "label": "Solution button label",
"default": "Zobrazit řešení", "default": "Show solution",
"description": "Text tlačítka řešení." "description": "Text for the solution button."
}, },
{ {
"label": "Popisek tlačítka opakovat", "label": "Retry button label",
"default": "Opakovat", "default": "Retry",
"description": "Text tlačítka opakovat." "description": "Text for the retry button."
}, },
{ {
"label": "Popisek tlačítka dokončit", "label": "Finish button text",
"default": "Dokončit" "default": "Finish"
}, },
{ {
"label": "Submit button text", "label": "Display video before quiz results"
"default": "Submit"
}, },
{ {
"label": "Zobrazit video před výsledky testu" "label": "Enable skip video button"
}, },
{ {
"label": "Povolit tlačítko přeskočit video" "label": "Skip video button label",
"default": "Skip video"
}, },
{ {
"label": "Popisek tlačítka Přeskočit video", "label": "Passed video",
"default": "Přeskočit video" "description": "This video will be played if the user successfully passed the quiz."
}, },
{ {
"label": "Přehrát video", "label": "Fail video",
"description": "Toto video se přehraje, pokud uživatel úspěšně prošel testem." "description": "This video will be played if the user fails the quiz."
},
{
"label": "Video při neúspěchu",
"description": "Toto video se přehraje, pokud uživatel byl v testu neúspěšný."
} }
] ]
}, },
{ {
"label": "Nastavení tlačítek \"Zobrazit výsledek\" a \"Opakovat\"", "label": "Settings for \"Show solution\" and \"Retry\" buttons",
"fields": [ "fields": [
{ {
"label": "Zobrazit tlačítko \"Zkontrolovat\"", "label": "Show \"Check\" buttons",
"description": "Tato volba určuje, zda se u všech otázek zobrazí tlačítko \"Zkontrolovat\" ." "description": "This option determines if the \"Check\" button will be shown for all questions."
}, },
{ {
"label": "Přepsat tlačítko \"Zobrazit řešení\"", "label": "Override \"Show Solution\" button",
"description": "Tato volba určuje, zda se u všech otázek zobrazí tlačítko \"Zobrazit řešení\" , nebo bude zakázané pro všechny nebo nakonfigurované pro každou otázku samostatně.", "description": "This option determines if the \"Show Solution\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [ "options": [
{ {
"label": "Povoleno" "label": "Enabled"
}, },
{ {
"label": "Zakázáno" "label": "Disabled"
} }
] ]
}, },
{ {
"label": "Přepsat tlačítko \"Opakovat\"", "label": "Override \"Retry\" button",
"description": "Tato volba určuje, zda se u všech otázek zobrazí tlačítko \"Opakovat\" , nebo bude zakázané pro všechny nebo nakonfigurované pro každou otázku samostatně.", "description": "This option determines if the \"Retry\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [ "options": [
{ {
"label": "Povoleno" "label": "Enabled"
}, },
{ {
"label": "Zakázáno" "label": "Disabled"
} }
] ]
} }
] ]
} }
] ]
} }

View File

@ -75,10 +75,6 @@
"label": "Finish button", "label": "Finish button",
"default": "Finish" "default": "Finish"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Progress text", "label": "Progress text",
"description": "Text used if textual progress is selected.", "description": "Text used if textual progress is selected.",
@ -208,10 +204,6 @@
"label": "Finish button text", "label": "Finish button text",
"default": "Finish" "default": "Finish"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Display video before quiz results" "label": "Display video before quiz results"
}, },

View File

@ -75,10 +75,6 @@
"label": "Beschriftung des \"Beenden\"-Buttons", "label": "Beschriftung des \"Beenden\"-Buttons",
"default": "Beenden" "default": "Beenden"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Text der Fortschrittsanzeige", "label": "Text der Fortschrittsanzeige",
"description": "Verwendeter Text, wenn Fortschrittsanzeige in Textform gewählt wurde.", "description": "Verwendeter Text, wenn Fortschrittsanzeige in Textform gewählt wurde.",
@ -114,7 +110,7 @@
}, },
{ {
"label": "Rückwärts-Navigation deaktivieren", "label": "Rückwärts-Navigation deaktivieren",
"description": "Wenn aktiviert, kann der Nutzer nur vorwärts durch den Fragensatz navigieren" "description": "Wenn aktiviert, kann der Nutzer nur vorwärts durch den Fragensatz navigieren."
}, },
{ {
"label": "Fragen zufällig anordnen", "label": "Fragen zufällig anordnen",
@ -208,10 +204,6 @@
"label": "Beschriftung des \"Beenden\"-Buttons", "label": "Beschriftung des \"Beenden\"-Buttons",
"default": "Beenden" "default": "Beenden"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Zeige ein Video vor den Ergebnissen an" "label": "Zeige ein Video vor den Ergebnissen an"
}, },

View File

@ -75,10 +75,6 @@
"label": "Κουμπί ολοκλήρωσης", "label": "Κουμπί ολοκλήρωσης",
"default": "Ολοκλήρωση" "default": "Ολοκλήρωση"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Κείμενο προόδου", "label": "Κείμενο προόδου",
"description": "Κείμενο που χρησιμοποιείται, εάν έχει επιλεγεί το κειμενικό στυλ εμφάνισης της προόδου.", "description": "Κείμενο που χρησιμοποιείται, εάν έχει επιλεγεί το κειμενικό στυλ εμφάνισης της προόδου.",
@ -208,10 +204,6 @@
"label": "Ετικέτα κουμπιού ολοκλήρωσης", "label": "Ετικέτα κουμπιού ολοκλήρωσης",
"default": "Ολοκλήρωση" "default": "Ολοκλήρωση"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Εμφάνιση βίντεο πριν τα αποτελέσματα του κουίζ" "label": "Εμφάνιση βίντεο πριν τα αποτελέσματα του κουίζ"
}, },

View File

@ -1,269 +0,0 @@
{
"semantics": [
{
"label": "Introducción al Examen",
"fields": [
{
"label": "Mostrar introducción"
},
{
"label": "Título",
"description": "Este título será mostrado arriba del texto introductorio."
},
{
"label": "Texto introductorio",
"description": "Este texto será mostrado antes de que inicie el examen."
},
{
"label": "Texto botón Comenzar",
"default": "Comenzar Examen"
},
{
"label": "Imagen de Fondo",
"description": "Una imagen de fondo opcional para la introducción."
}
]
},
{
"label": "Imagen de fondo",
"description": "Una imagen de fondo opcional para el Conjunto de preguntas."
},
{
"label": "Indicador del Progreso",
"description": "Estilo del indicador del progreso de Conjunto de preguntas.",
"options": [
{
"label": "Textual"
},
{
"label": "Puntos"
}
]
},
{
"label": "Porcentaje aprobatorio",
"description": "Porcentaje del puntaje total requerido para pasar el examen."
},
{
"label": "Preguntas",
"widgets": [
{
"label": "Predeterminado"
},
{
"label": "Textual"
}
],
"entity": "pregunta",
"field": {
"label": "Tipo de pregunta",
"description": "Librería para esta pregunta."
}
},
{
"label": "Textos de interfaz en examen",
"fields": [
{
"label": "Botón de Retroceso",
"default": "Pregunta anterior"
},
{
"label": "Botón Siguiente",
"default": "Pregunta siguiente"
},
{
"label": "Botón Terminar",
"default": "Terminar"
},
{
"label": "Submit button",
"default": "Submit"
},
{
"label": "Texto del Progreso",
"description": "Texto usado si progreso textual es seleccionado.",
"default": "Pregunta: @current de @total preguntas"
},
{
"label": "Etiqueta para saltar a una pregunta dada",
"description": "Usted debe usar el remplazable '%d' en sustitución del número de la pregunta, y %total en lugar de cantidad total de preguntas.",
"default": "Pregunta %d de %total"
},
{
"label": "Etiqueta de diálogo de Copyright de pregunta",
"default": "Pregunta"
},
{
"label": "Progreso para Lector de texto en voz alta",
"description": "Puede usar @current y @total como variables de preguntas",
"default": "Pregunta @current de @total"
},
{
"label": "Texto de pregunta no contestada",
"default": "No contestada"
},
{
"label": "Texto de pregunta contestada",
"default": "Contestada"
},
{
"label": "Texto de pregunta actual",
"default": "Pregunta actual"
}
]
},
{
"label": "Deshabilitar navegación hacia atrás",
"description": "Esta opción solamente le permitirá mover hacia adelante en Conjunto de Preguntas"
},
{
"label": "Barajear preguntas",
"description": "Habilitar para aleatorizar el orden de preguntas mostradas."
},
{
"label": "Número de preguntas a mostrar:",
"description": "Crear un lote aleatorizado de preguntas a partir del total."
},
{
"label": "Examen terminado",
"fields": [
{
"label": "Mostrar resultados"
},
{
"label": "Mostrar botón Solución"
},
{
"label": "Mostrar botón Reintentar"
},
{
"label": "Mensaje para Sin resultados",
"description": "Texto mostrado en página final cuando está deshabilitado el \"Mostrar resultados\"",
"default": "Terminado"
},
{
"label": "Encabezado de Retroalimentación",
"default": "Su resultado:",
"description": "Este encabezado será mostrado al final del examen cuando el usuario haya contestado todas las preguntas."
},
{
"label": "Retroalimentación Global",
"fields": [
{
"widgets": [
{
"label": "Predeterminado"
}
],
"label": "Definir retroalimentación personalizada para cualquier rango de puntaje",
"description": "Ejemplo: 0-20% Mal Puntaje, 21-91% Puntaje Promedio, 91-100% ¡Magnífico Puntaje!",
"entity": "rango",
"field": {
"fields": [
{
"label": "Rango de Puntaje"
},
{},
{
"label": "Retroalimentación para rango definido de puntaje",
"placeholder": "Complete la retroalimentación"
}
]
}
}
]
},
{
"label": "Retroalimentación Antigua",
"fields": [
{
"label": "Felicitación examen aprobado",
"description": "Este texto será mostrado arriba del puntaje si el usuario ha aprobado exitosamente el examen."
},
{
"label": "Comentario para Aprobado",
"description": "Este comentario será mostrado después del puntaje si el usuario ha aprobado exitosamente el examen."
},
{
"label": "Título para examen reprobado",
"description": "Este texto será mostrado arriba del puntaje si el usuario ha reprobado el examen."
},
{
"label": "Comentario para Reprobado",
"description": "Este comentario será mostrado después del puntaje si el usuario ha reprobado el examen."
}
]
},
{
"label": "Etiqueta botón Solución",
"default": "Mostrar solución",
"description": "Texto para el botón de Solución."
},
{
"label": "Etiqueta botón Reintentar",
"default": "Reintentar",
"description": "Texto para el botón Reintentar."
},
{
"label": "Texto botón Terminar",
"default": "Terminar"
},
{
"label": "Submit button text",
"default": "Submit"
},
{
"label": "Mostrar video antes de resultados del examen"
},
{
"label": "Botón habilitar saltar video"
},
{
"label": "Etiqueta botón Saltar video",
"default": "Saltar video"
},
{
"label": "Video para aprobado",
"description": "Este video será reproducido si el usuario ha aprobado exitosamente el examen."
},
{
"label": "Video para reprobado",
"description": "Este video será reproducido si el usuario reprueba el examen."
}
]
},
{
"label": "Configuraciones para botones \"Mostrar solución\" y \"Reintentar\"",
"fields": [
{
"label": "Botones Mostrar \"Comprobar\"",
"description": "Esta opción determina si el botón para \"Comprobar\" será mostrado para todas las preguntas."
},
{
"label": "Anular el botón \"Mostrar Solución\"",
"description": "Esta opción determina si el botón \"Mostrar Solución\" será mostrado en todas las preguntas, desactivado para todas, o configurado para cada pregunta individualmente.",
"options": [
{
"label": "Habilitado"
},
{
"label": "Deshabilitado"
}
]
},
{
"label": "Anular el botón de \"Reintentar\"",
"description": "Esta opción determina si el botón \"Reintentar\" será mostrado para todas las preguntas, deshabilitado para todas, o configurado para cada pregunta individualmente.",
"options": [
{
"label": "Habilitado"
},
{
"label": "Deshabilitado"
}
]
}
]
}
]
}

View File

@ -1,51 +1,51 @@
{ {
"semantics": [ "semantics": [
{ {
"label": "Introducción al Examen", "label": "Quiz introduction",
"fields": [ "fields": [
{ {
"label": "Mostrar introducción" "label": "Display introduction"
}, },
{ {
"label": "Título", "label": "Título",
"description": "Este título será mostrado arriba del texto introductorio." "description": "This title will be displayed above the introduction text."
}, },
{ {
"label": "Texto introductorio", "label": "Introduction text",
"description": "Este texto será mostrado antes de que inicie el examen." "description": "This text will be displayed before the quiz starts."
}, },
{ {
"label": "Texto botón Comenzar", "label": "Start button text",
"default": "Comenzar Examen" "default": "Start Quiz"
}, },
{ {
"label": "Imagen de Fondo", "label": "Background image",
"description": "Una imagen de fondo opcional para la introducción." "description": "An optional background image for the introduction."
} }
] ]
}, },
{ {
"label": "Imagen de fondo", "label": "Background image",
"description": "Una imagen de fondo opcional para el Conjunto de pregunta." "description": "An optional background image for the Question set."
}, },
{ {
"label": "Indicador del Progreso", "label": "Progress indicator",
"description": "Estilo del indicador del progreso de Conjunto de pregunta.", "description": "Question set progress indicator style.",
"options": [ "options": [
{ {
"label": "Textual" "label": "Textual"
}, },
{ {
"label": "Puntos" "label": "Dots"
} }
] ]
}, },
{ {
"label": "Porcentaje aprobatorio", "label": "Pass percentage",
"description": "Porcentaje del puntaje total requerido para pasar el examen." "description": "Percentage of Total score required for passing the quiz."
}, },
{ {
"label": "Preguntas", "label": "Questions",
"widgets": [ "widgets": [
{ {
"label": "Predeterminado" "label": "Predeterminado"
@ -54,119 +54,115 @@
"label": "Textual" "label": "Textual"
} }
], ],
"entity": "pregunta", "entity": "question",
"field": { "field": {
"label": "Tipo de pregunta", "label": "Question type",
"description": "Librería para esta pregunta." "description": "Library for this question."
} }
}, },
{ {
"label": "Textos de interfaz en examen", "label": "Interface texts in quiz",
"fields": [ "fields": [
{ {
"label": "Botón de retroceso", "label": "Botón de retroceso",
"default": "Pregunta anterior" "default": "Previous question"
}, },
{ {
"label": "Botón Siguiente", "label": "Next button",
"default": "Pregunta siguiente" "default": "Next question"
}, },
{ {
"label": "Botón Terminar", "label": "Finish button",
"default": "Terminar" "default": "Finish"
}, },
{ {
"label": "Submit button", "label": "Progress text",
"default": "Submit" "description": "Text used if textual progress is selected.",
"default": "Question: @current of @total questions"
}, },
{ {
"label": "Texto del progreso", "label": "Label for jumping to a certain question",
"description": "Texto usado si progreso textual es seleccionado.", "description": "You must use the placeholder '%d' instead of the question number, and %total instead of total amount of questions.",
"default": "Pregunta: @current de @total preguntas" "default": "Question %d of %total"
}, },
{ {
"label": "Etiqueta para saltar a una pregunta dada", "label": "Copyright dialog question label",
"description": "Usted debe usar el remplazable '%d' en sustitución del número de la pregunta, y %total en lugar de cantidad total de preguntas.", "default": "Question"
"default": "Pregunta %d de %total"
}, },
{ {
"label": "Etiqueta de diálogo de Copyright de pregunta", "label": "Readspeaker progress",
"default": "Pregunta" "description": "May use @current and @total question variables",
"default": "Question @current of @total"
}, },
{ {
"label": "Progreso para Lector de texto en voz alta", "label": "Unanswered question text",
"description": "Puede usar @current y @total como variables de preguntas", "default": "Unanswered"
"default": "Pregunta @current de @total"
}, },
{ {
"label": "Texto de pregunta no contestada", "label": "Answered question text",
"default": "No contestada" "default": "Answered"
}, },
{ {
"label": "Texto de pregunta contestada", "label": "Current question text",
"default": "Contestada" "default": "Current question"
},
{
"label": "Texto de pregunta actual",
"default": "Pregunta actual"
} }
] ]
}, },
{ {
"label": "Deshabilitar navegación hacia atrás", "label": "Disable backwards navigation",
"description": "Esta opción solamente le permitirá mover hacia adelante en Conjunto de pregunta" "description": "This option will only allow you to move forward in Question Set"
}, },
{ {
"label": "Barajear preguntas", "label": "Randomize questions",
"description": "Habilitar para aleatorizar el orden de preguntas mostradas." "description": "Enable to randomize the order of questions on display."
}, },
{ {
"label": "Número de preguntas a mostrar:", "label": "Number of questions to be shown:",
"description": "Crear un lote aleatorizado de preguntas a partir del total." "description": "Create a randomized batch of questions from the total."
}, },
{ {
"label": "Examen terminado", "label": "Quiz finished",
"fields": [ "fields": [
{ {
"label": "Mostrar resultados" "label": "Display results"
}, },
{ {
"label": "Mostrar botón Solución" "label": "Display solution button"
}, },
{ {
"label": "Mostrar botón Reintentar" "label": "Display retry button"
}, },
{ {
"label": "Mensaje para Sin resultados", "label": "No results message",
"description": "Texto mostrado en página final cuando está deshabilitado el \"Mostrar resultados\"", "description": "Text displayed on end page when \"Display results\" is disabled",
"default": "Terminado" "default": "Finished"
}, },
{ {
"label": "Encabezado de Retroalimentación", "label": "Feedback heading",
"default": "Su resultado:", "default": "Your result:",
"description": "Este encabezado será mostrado al final del examen cuando el usuario haya contestado todas las preguntas." "description": "This heading will be displayed at the end of the quiz when the user has answered all questions."
}, },
{ {
"label": "Retroalimentación Global", "label": "Overall Feedback",
"fields": [ "fields": [
{ {
"widgets": [ "widgets": [
{ {
"label": "Predeterminado" "label": "Default"
} }
], ],
"label": "Definir retroalimentación personalizada para cualquier rango de puntaje", "label": "Define custom feedback for any score range",
"description": "Ejemplo: 0-20% Mal Puntaje, 21-91% Puntaje Promedio, 91-100% ¡Magnífico Puntaje!", "description": "Example: 0-20% Bad score, 21-91% Average Score, 91-100% Great Score!",
"entity": "rango", "entity": "range",
"field": { "field": {
"fields": [ "fields": [
{ {
"label": "Rango de Puntaje" "label": "Score Range"
}, },
{}, {},
{ {
"label": "Retroalimentación para rango definido de puntaje", "label": "Feedback for defined score range",
"placeholder": "Complete la retroalimentación" "placeholder": "Fill in the feedback"
} }
] ]
} }
@ -174,74 +170,70 @@
] ]
}, },
{ {
"label": "Retroalimentación Antigua", "label": "Old Feedback",
"fields": [ "fields": [
{ {
"label": "Felicitación examen pasado", "label": "Quiz passed greeting",
"description": "Este texto será mostrado arriba del puntaje si el usuario ha aprobado exitosamente el examen." "description": "This text will be displayed above the score if the user has successfully passed the quiz."
}, },
{ {
"label": "Comentario para Aprobado", "label": "Passed comment",
"description": "Este comentario será mostrado después del puntaje si el usuario ha aprobado exitosamente el examen." "description": "This comment will be displayed after the score if the user has successfully passed the quiz."
}, },
{ {
"label": "Título para examen reprobado", "label": "Quiz failed title",
"description": "Este texto será mostrado arriba del puntaje si el usuario ha reprobado el examen." "description": "This text will be displayed above the score if the user has failed the quiz."
}, },
{ {
"label": "Comentario para Reprobado", "label": "Failed comment",
"description": "Este comentario será mostrado después del puntaje si el usuario ha reprobado el examen." "description": "This comment will be displayed after the score if the user has failed the quiz."
} }
] ]
}, },
{ {
"label": "Etiqueta botón Solución", "label": "Solution button label",
"default": "Mostrar solución", "default": "Mostrar solución",
"description": "Texto para el botón de Solución." "description": "Text for the solution button."
}, },
{ {
"label": "Etiqueta botón Reintentar", "label": "Retry button label",
"default": "Reintentar", "default": "Reintentar",
"description": "Texto para el botón Reintentar." "description": "Text for the retry button."
}, },
{ {
"label": "Texto botón Terminar", "label": "Finish button text",
"default": "Terminar" "default": "Finish"
}, },
{ {
"label": "Submit button text", "label": "Display video before quiz results"
"default": "Submit"
}, },
{ {
"label": "Mostrar video antes de resultados del examen" "label": "Enable skip video button"
}, },
{ {
"label": "Botón habilitar saltar video" "label": "Skip video button label",
"default": "Skip video"
}, },
{ {
"label": "Etiqueta botón Saltar video", "label": "Passed video",
"default": "Saltar video" "description": "This video will be played if the user successfully passed the quiz."
}, },
{ {
"label": "Video para aprobado", "label": "Fail video",
"description": "Este video será reproducido si el usuario ha aprobado exitosamente el examen." "description": "This video will be played if the user fails the quiz."
},
{
"label": "Video para reprobado",
"description": "Este video será reproducido si el usuario reprueba el examen."
} }
] ]
}, },
{ {
"label": "Configuraciones para botones \"Mostrar solución\" y \"Reintentar\"", "label": "Settings for \"Show solution\" and \"Retry\" buttons",
"fields": [ "fields": [
{ {
"label": "Botones Mostrar \"Comprobar\"", "label": "Show \"Check\" buttons",
"description": "Esta opción determina si el botón para \"Comprobar\" será mostrado para todas las preguntas." "description": "This option determines if the \"Check\" button will be shown for all questions."
}, },
{ {
"label": "Anular el botón \"Mostrar Solución\"", "label": "Ocultar el botón \"Mostrar solución\"",
"description": "Esta opción determina si el botón \"Mostrar Solución\" será mostrado en todas las preguntas, desactivado para todas, o configurado para cada pregunta individualmente.", "description": "Esta opción determina si el botón \"Mostrar solución\" se muestra en todas las preguntas, se desactiva para todas, o se configura para cada pregunta individualmente.",
"options": [ "options": [
{ {
"label": "Habilitado" "label": "Habilitado"
@ -252,8 +244,8 @@
] ]
}, },
{ {
"label": "Anular el botón de \"Reintentar\"", "label": "Ocultar el botón de \"Reintentar\"",
"description": "Esta opción determina si el botón \"Reintentar\" será mostrado para todas las preguntas, deshabilitado para todas o configurado para cada pregunta individualmente.", "description": "Esta opción determina si el botón \"Reintentar\" se muestra en todas las preguntas, se desactiva para todas, o se configura para cada pregunta individualmente.",
"options": [ "options": [
{ {
"label": "Habilitado" "label": "Habilitado"
@ -266,4 +258,4 @@
] ]
} }
] ]
} }

View File

@ -75,10 +75,6 @@
"label": "Lõpeta nupp", "label": "Lõpeta nupp",
"default": "Valmis" "default": "Valmis"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Edenemise tekst", "label": "Edenemise tekst",
"description": "Test, mida kasutatakse, kui valitud on tekstiline edenemisosuti.", "description": "Test, mida kasutatakse, kui valitud on tekstiline edenemisosuti.",
@ -208,10 +204,6 @@
"label": "Valmis nupu tekst", "label": "Valmis nupu tekst",
"default": "Valmis" "default": "Valmis"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Kuva videot enne viktoriini tulemusi" "label": "Kuva videot enne viktoriini tulemusi"
}, },

View File

@ -48,7 +48,7 @@
"label": "Galderak", "label": "Galderak",
"widgets": [ "widgets": [
{ {
"label": "Lehenetsitakoa" "label": "Lehenetsia"
}, },
{ {
"label": "Testuala" "label": "Testuala"
@ -75,10 +75,6 @@
"label": "Bukatu botoia", "label": "Bukatu botoia",
"default": "Bukatu" "default": "Bukatu"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Aurrerapenaren testua", "label": "Aurrerapenaren testua",
"description": "Testu-aurrerapena hautatuta badago erabiltzen den testua.", "description": "Testu-aurrerapena hautatuta badago erabiltzen den testua.",
@ -155,7 +151,7 @@
"label": "Lehenetsia" "label": "Lehenetsia"
} }
], ],
"label": "Zehaztu ezazu edozein puntuazio-tarterako feedback pertsonalizatua", "label": "Definitu feedback pertsonalizatua edozein puntuazio tarterako",
"description": "Adibidez: 0-2%0 Puntuazio txarra, %21-%91 Tarteko puntuazioa, %91-%100 Puntuazio bikaina!", "description": "Adibidez: 0-2%0 Puntuazio txarra, %21-%91 Tarteko puntuazioa, %91-%100 Puntuazio bikaina!",
"entity": "tartea", "entity": "tartea",
"field": { "field": {
@ -165,8 +161,8 @@
}, },
{}, {},
{ {
"label": "Zehaztutako tartearentzako feedbacka", "label": "Definitutako puntuazio tarterako feedbacka",
"placeholder": "Idatzi ezazu feedbacka" "placeholder": "Bete feedbacka"
} }
] ]
} }
@ -208,10 +204,6 @@
"label": "Bukatu botoiaren testua", "label": "Bukatu botoiaren testua",
"default": "Bukatu" "default": "Bukatu"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Bistaratu bideoa galdetegiaren emaitzen aurretik" "label": "Bistaratu bideoa galdetegiaren emaitzen aurretik"
}, },

View File

@ -1,172 +1,168 @@
{ {
"semantics": [ "semantics": [
{ {
"label": "مقدمه آزمون", "label": "راهنمای سوال",
"fields": [ "fields": [
{ {
"label": "نمایش مقدمه" "label": "نمایش راهنما"
}, },
{ {
"label": "عنوان", "label": "عنوان",
"description": "این عنوان در بالای متن مقدمه نمایش داده خواهد شد." "description": "این عنوان در بالای خلاصه نمایش داده میشود."
}, },
{ {
"label": "متن مقدمه", "label": "خلاصه متن",
"description": "این متن قبل از شروع آزمون نمایش داده خواهد شد." "description": "این متن قبل از شروع آزمون نمایش داده میشود"
}, },
{ {
"label": "متن دکمه شروع", "label": "متن دکمه شروع",
"default": "شروع آزمون" "default": "شروع آزمون"
}, },
{ {
"label": "تصویر پسزمینه", "label": "تصویر پس زمینه",
"description": "یک تصویر انتخابی برای قرارگرفتن در پس‌زمینه مقدمه." "description": "یک تصویر انتخابی برای قرارگرفتن در پس زمینه خلاصه"
} }
] ]
}, },
{ {
"label": "تصویر پسزمینه", "label": "تصویر پس زمینه",
"description": "یک تصویر انتخابی برای قرار گرفتن در پس‌زمینه مجموعه سوالات." "description": "یک تصویر انتخابی برای قرار گرفتن در پس زمینه گروه سوالات"
}, },
{ {
"label": "شاخص پیشرفت", "label": "جداکننده فرآیند",
"description": "حالت نمایش شاخص پیشرفت مجموعه سؤالات.", "description": "حالت نمایش جداکننده سوالات",
"options": [ "options": [
{ {
"label": "متنی" "label": "متنی"
}, },
{ {
"label": "نقطهای" "label": "نقطه ای"
} }
] ]
}, },
{ {
"label": "درصد قبولی", "label": "درصد پاس شدن",
"description": "درصد از نمره کل که برای قبولی در این آزمون مورد نیاز است." "description": "درصدی که برای پاس شدن این آزمون مورد نیاز است"
}, },
{ {
"label": ؤالات", "label": والات",
"widgets": [ "widgets": [
{ {
"label": "پیش‌فرض" "label": "Default"
}, },
{ {
"label": "متنی" "label": "متنی"
} }
], ],
"entity": "سؤال", "entity": "question",
"field": { "field": {
"label": "نوع سوال", "label": "نوع سوال",
"description": "کتابخانه برای این سؤال." "description": "کتابخانه برای این سوال"
} }
}, },
{ {
"label": "متون نمایشی برای آزمون", "label": "متن نمایشی برای این آزمون",
"fields": [ "fields": [
{ {
"label": "دکمه برگشت", "label": "دکمه بازگشت",
"default": "سؤال قبل" "default": "Previous question"
}, },
{ {
"label": "دکمه بعدی", "label": "دکمه بعدی",
"default": "سؤال بعدی" "default": "Next question"
}, },
{ {
"label": "دکمه پایان", "label": "دکمه پایان",
"default": "پایان" "default": "Finish"
},
{
"label": "Submit button",
"default": "Submit"
}, },
{ {
"label": "متن پیشرفت", "label": "متن پیشرفت",
"description": "متن مورد استفاده در صورتی که پیشرفت متنی انتخاب شده باشد.", "description": "متن مورد استفاده در صورتی که پیشرفت متنی انتخاب شده باشد",
"default": "سؤال: @current از @total سؤال" "default": "Question: @current of @total questions"
}, },
{ {
"label": "متن برای پریدن به یک سوال خاص", "label": "متن برای پریدن به یک سوال خاص",
"description": "شما باید به جای شماره سؤال، از جانگه‌دار '%d' استفاده کنید، و به جای تعداد کل سؤالات از %total استفاده کنید.", "description": "You must use the placeholder '%d' instead of the question number, and %total instead of total amount of questions.",
"default": "سؤال %d از %total" "default": "Question %d of %total"
}, },
{ {
"label": "برچسب سؤال دیالوگ حق نشر", "label": "Copyright dialog question label",
"default": "سؤال" "default": "Question"
}, },
{ {
"label": "پیشرفت مبدل متن به گفتار", "label": "Readspeaker progress",
"description": "می‌توان از متغیرهای سؤال @current و @total استفاده کرد", "description": "May use @current and @total question variables",
"default": "سؤال @current از @total" "default": "Question @current of @total"
}, },
{ {
"label": "متن سؤال پاسخ داده نشده", "label": "متن سوالات پاسخ داده نشده",
"default": "بدون پاسخ" "default": "بدون پاسخ"
}, },
{ {
"label": "متن سؤال پاسخ داده شده", "label": "متن سوالات پاسخ داده شده",
"default": "پاسخ داده شده" "default": "پاسخ داده شده"
}, },
{ {
"label": "متن سؤال فعلی", "label": "متن سوال فعلی",
"default": "سؤال کنونی" "default": "Current question"
} }
] ]
}, },
{ {
"label": "غیرفعال کردن راهبری به عقب", "label": "غیرفعال کردن دکمه بازگشت",
"description": "این گزینه به شما اجازه می‌دهد که در مجموعه سؤالات به جلو بروید" "description": "این گزینه به شما اجازه میدهد که در فقط در سوالات به جلو بروید"
}, },
{ {
"label": "تصادفی کردن سؤالات", "label": "سوالات تصادفی",
"description": "با انتخاب این گزینه سؤالات به صورت تصادفی نمایش داده میشوند." "description": "با انتخاب این گزینه سوالات به صورت تصادفی نمایش داده میشود"
}, },
{ {
"label": "تعداد سؤالاتی که باید نمایش داده شوند:", "label": "تعداد سوالاتی که باید نمایش داده شود:",
"description": "دسته‌ای از سؤالات را به صورت تصادفی در آزمون نمایش میدهد." "description": "تعدادی از سوالات بالا را به صورت تصادفی در آزمون نمایش میدهد"
}, },
{ {
"label": "آزمون به پایان رسید", "label": "آزمون به پایان رسیده",
"fields": [ "fields": [
{ {
"label": "نمایش نتایج" "label": "نمایش نتایج"
}, },
{ {
"label": "نمایش دکمه پاسخ صحیح" "label": "دکمه نمایش راه حل"
}, },
{ {
"label": "نمایش دکمه تلاش مجدد" "label": "Display retry button"
}, },
{ {
"label": "پیام عدم وجود نتایج", "label": "پیام عدم وجود نتایج",
"description": "متن نمایش داده شده در صفحه آخر، وقتی «نمایش نتایج» غیرفعال است", "description": "Text displayed on end page when \"Display results\" is disabled",
"default": "به پایان رسید" "default": "Finished"
}, },
{ {
"label": "سرصفحه بازخورد", "label": "Feedback heading",
"default": "نتیجه شما:", "default": "Your result:",
"description": "این سرصفحه در انتهای آزمون، وقتی کاربر به همه سؤالات پاسخ داد، نمایش داده خواهد شد." "description": "This heading will be displayed at the end of the quiz when the user has answered all questions."
}, },
{ {
"label": "بازخورد سراسری", "label": "Overall Feedback",
"fields": [ "fields": [
{ {
"widgets": [ "widgets": [
{ {
"label": "پیش‌فرض" "label": "Default"
} }
], ],
"label": "برای هر بازه نمره، بازخورد سفارشی تعریف کن", "label": "Define custom feedback for any score range",
"description": "مثال: ۰ - ۲۰ ٪ نمره بد، ۲۱ - ۹۱٪ نمره متوسط، ۹۱ - ۱۰۰ ٪ نمره عالی!", "description": "Example: 0-20% Bad score, 21-91% Average Score, 91-100% Great Score!",
"entity": "بازه", "entity": "range",
"field": { "field": {
"fields": [ "fields": [
{ {
"label": "بازه نمره" "label": "Score Range"
}, },
{}, {},
{ {
"label": "بازخورد برای بازه نمره تعریف شده", "label": "Feedback for defined score range",
"placeholder": "بازخورد را پر کنید" "placeholder": "Fill in the feedback"
} }
] ]
} }
@ -174,92 +170,88 @@
] ]
}, },
{ {
"label": "بازخورد پیشین", "label": "Old Feedback",
"fields": [ "fields": [
{ {
"label": "تبریک قبولی در آزمون", "label": "Quiz passed greeting",
"description": "اگر کاربر با موفقیت در آزمون قبول شده باشد، این متن در بالای نمره نمایش خواهد شد." "description": "This text will be displayed above the score if the user has successfully passed the quiz."
}, },
{ {
"label": "یادداشت قبولی", "label": "Passed comment",
"description": "اگر کاربر با موفقیت در آزمون قبول شده باشد، این یادداشت بعد از نمره نمایش داده خواهد شد." "description": "This comment will be displayed after the score if the user has successfully passed the quiz."
}, },
{ {
"label": "عنوان مردودی در آزمون", "label": "Quiz failed title",
"description": "اگر کاربر در آزمون مردود شود، این متن بالای نمره نمایش داده خواهد شد." "description": "This text will be displayed above the score if the user has failed the quiz."
}, },
{ {
"label": "یادداشت مردودی", "label": "Failed comment",
"description": "اگر کاربر در آزمون مردود شده باشد، این یادداشت بعد از نمره نمایش داده خواهد شد." "description": "This comment will be displayed after the score if the user has failed the quiz."
} }
] ]
}, },
{ {
"label": "برچسب دکمه پاسخ صحیح", "label": "Solution button label",
"default": "پاسخ صحیح را نشان بده", "default": "Show solution",
"description": "متن برای دکمه پاسخ صحیح." "description": "Text for the solution button."
}, },
{ {
"label": "برچسب دکمه تلاش مجدد", "label": "Retry button label",
"default": "تلاش مجدد", "default": "Retry",
"description": "متن برای دکمه تلاش مجدد." "description": "Text for the retry button."
}, },
{ {
"label": "متن دکمه پایان", "label": "Finish button text",
"default": "پایان" "default": "Finish"
}, },
{ {
"label": "Submit button text", "label": "Display video before quiz results"
"default": "Submit"
}, },
{ {
"label": "ویدئو را پیش از نتایج آزمون نمایش بده" "label": "Enable skip video button"
}, },
{ {
"label": "دکمه پرش از ویدئو را فعال کن" "label": "Skip video button label",
"default": "Skip video"
}, },
{ {
"label": "برچسب دکمه پرش از ویدئو", "label": "Passed video",
"default": "پرش از ویدئو" "description": "This video will be played if the user successfully passed the quiz."
}, },
{ {
"label": "ویدئو قبولی", "label": "Fail video",
"description": "اگر کاربر با موفقیت در آزمون قبول شود، این ویدئو پخش خواهد شد." "description": "This video will be played if the user fails the quiz."
},
{
"label": "ویدئو مردودی",
"description": "اگر کاربر در آزمون مردود شود، این ویدئو پخش خواهد شد."
} }
] ]
}, },
{ {
"label": "تنظیمات برای نمایش پاسخ صحیح و تلاش مجدد", "label": "Settings for \"Show solution\" and \"Retry\" buttons",
"fields": [ "fields": [
{ {
"label": "نمایش دکمه بررسی", "label": "Show \"Check\" buttons",
"description": "این گزینه تعیین می‌کند که آیا دکمه «بررسی» برای همه سؤال‌ها نمایش داده خواهد شد." "description": "This option determines if the \"Check\" button will be shown for all questions."
}, },
{ {
"label": "حذف تنظیم اختصاصی و ایجاد تنظیم سراسری دکمه نمایش پاسخ صحیح", "label": "Override \"Show Solution\" button",
"description": "این گزینه تعیین می‌کند که آیا دکمه «نمایش پاسخ صحیح» برای همه سؤال‌ها نشان داده خواهد شد، برای همه غیرفعال خواهد شد یا برای هر سؤال تنظیم خواهد شد.", "description": "This option determines if the \"Show Solution\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [ "options": [
{ {
"label": "فعال" "label": "Enabled"
}, },
{ {
"label": "غیرفعال" "label": "Disabled"
} }
] ]
}, },
{ {
"label": "حذف تنظیم اختصاصی و ایجاد تنظیم سراسری دکمه تلاش مجدد", "label": "Override \"Retry\" button",
"description": "این گزینه تعیین می‌کند که آیا دکمه «تلاش مجدد» برای همه سؤال‌ها نشان داده خواهد شد، برای همه غیرفعال خواهد شد یا برای هر سؤال تنظیم خواهد شد.", "description": "This option determines if the \"Retry\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [ "options": [
{ {
"label": "فعال" "label": "Enabled"
}, },
{ {
"label": "غیرفعال" "label": "Disabled"
} }
] ]
} }

View File

@ -75,10 +75,6 @@
"label": "Painikkeen Lopeta teksti", "label": "Painikkeen Lopeta teksti",
"default": "Lopeta" "default": "Lopeta"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Edistyminen", "label": "Edistyminen",
"description": "Tekstiä käytetään mikäli tekstimuotoinen edistymisen näyttäminen on valittuna.", "description": "Tekstiä käytetään mikäli tekstimuotoinen edistymisen näyttäminen on valittuna.",
@ -208,10 +204,6 @@
"label": "Painikkeen \"Lopeta\" teksti", "label": "Painikkeen \"Lopeta\" teksti",
"default": "Lopeta" "default": "Lopeta"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Näytä video ennen tuloksia" "label": "Näytä video ennen tuloksia"
}, },

View File

@ -75,10 +75,6 @@
"label": "Bouton Fin", "label": "Bouton Fin",
"default": "Terminer" "default": "Terminer"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Texte de progression", "label": "Texte de progression",
"description": "Texte utilisé si la progression textuelle a été sélectionnée.", "description": "Texte utilisé si la progression textuelle a été sélectionnée.",
@ -208,10 +204,6 @@
"label": "Texte pour le bouton de fin", "label": "Texte pour le bouton de fin",
"default": "Terminer" "default": "Terminer"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Afficher une vidéo avant l'affichage des résultats du quiz" "label": "Afficher une vidéo avant l'affichage des résultats du quiz"
}, },

View File

@ -1,269 +0,0 @@
{
"semantics": [
{
"label": "Quiz introduction",
"fields": [
{
"label": "Display introduction"
},
{
"label": "Title",
"description": "This title will be displayed above the introduction text."
},
{
"label": "Introduction text",
"description": "This text will be displayed before the quiz starts."
},
{
"label": "Start button text",
"default": "Tosaigh Tráth na gCeist."
},
{
"label": "Background image",
"description": "An optional background image for the introduction."
}
]
},
{
"label": "Background image",
"description": "An optional background image for the Question set."
},
{
"label": "Progress indicator",
"description": "Question set progress indicator style.",
"options": [
{
"label": "Textual"
},
{
"label": "Dots"
}
]
},
{
"label": "Pass percentage",
"description": "Percentage of Total score required for passing the quiz."
},
{
"label": "Questions",
"widgets": [
{
"label": "Default"
},
{
"label": "Textual"
}
],
"entity": "question",
"field": {
"label": "Question type",
"description": "Library for this question."
}
},
{
"label": "Interface texts in quiz",
"fields": [
{
"label": "Back button",
"default": "Previous question"
},
{
"label": "Next button",
"default": "Next question"
},
{
"label": "Finish button",
"default": "Críochnaigh"
},
{
"label": "Submit button",
"default": "Submit"
},
{
"label": "Progress text",
"description": "Text used if textual progress is selected.",
"default": "Ceist: @current as @total"
},
{
"label": "Label for jumping to a certain question",
"description": "You must use the placeholder '%d' instead of the question number, and %total instead of total amount of questions.",
"default": "Question %d of %total"
},
{
"label": "Copyright dialog question label",
"default": "Question"
},
{
"label": "Readspeaker progress",
"description": "May use @current and @total question variables",
"default": "Question @current of @total"
},
{
"label": "Unanswered question text",
"default": "Unanswered"
},
{
"label": "Answered question text",
"default": "Freagartha"
},
{
"label": "Current question text",
"default": "An cheist seo"
}
]
},
{
"label": "Disable backwards navigation",
"description": "This option will only allow you to move forward in Question Set"
},
{
"label": "Randomize questions",
"description": "Enable to randomize the order of questions on display."
},
{
"label": "Number of questions to be shown:",
"description": "Create a randomized batch of questions from the total."
},
{
"label": "Quiz finished",
"fields": [
{
"label": "Display results"
},
{
"label": "Display solution button"
},
{
"label": "Display retry button"
},
{
"label": "No results message",
"description": "Text displayed on end page when \"Display results\" is disabled",
"default": "Críochnaighe"
},
{
"label": "Feedback heading",
"default": "Do thoradh:",
"description": "This heading will be displayed at the end of the quiz when the user has answered all questions."
},
{
"label": "Overall Feedback",
"fields": [
{
"widgets": [
{
"label": "Default"
}
],
"label": "Define custom feedback for any score range",
"description": "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": "Old Feedback",
"fields": [
{
"label": "Quiz passed greeting",
"description": "This text will be displayed above the score if the user has successfully passed the quiz."
},
{
"label": "Passed comment",
"description": "This comment will be displayed after the score if the user has successfully passed the quiz."
},
{
"label": "Quiz failed title",
"description": "This text will be displayed above the score if the user has failed the quiz."
},
{
"label": "Failed comment",
"description": "This comment will be displayed after the score if the user has failed the quiz."
}
]
},
{
"label": "Solution button label",
"default": "Taispeáin an freagra",
"description": "Text for the solution button."
},
{
"label": "Retry button label",
"default": "Triail arís",
"description": "Text for the retry button."
},
{
"label": "Finish button text",
"default": "Críochnaigh"
},
{
"label": "Submit button text",
"default": "Submit"
},
{
"label": "Display video before quiz results"
},
{
"label": "Enable skip video button"
},
{
"label": "Skip video button label",
"default": "Scipeáil físeán"
},
{
"label": "Passed video",
"description": "This video will be played if the user successfully passed the quiz."
},
{
"label": "Fail video",
"description": "This video will be played if the user fails the quiz."
}
]
},
{
"label": "Settings for \"Seiceáil\", \"Taispeáin an freagra\" and \"Retry\" buttons",
"fields": [
{
"label": "Show \"Seiceáil\" buttons",
"description": "This option determines if the \"Seiceáil\" button will be shown for all questions."
},
{
"label": "Override \"Taispeáin an freagra\" button",
"description": "This option determines if the \"Taispeáin an freagra\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [
{
"label": "Enabled"
},
{
"label": "Disabled"
}
]
},
{
"label": "Override \"Retry\" button",
"description": "This option determines if the \"Retry\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [
{
"label": "Enabled"
},
{
"label": "Disabled"
}
]
}
]
}
]
}

View File

@ -1,269 +0,0 @@
{
"semantics": [
{
"label": "Introdución ao cuestionario",
"fields": [
{
"label": "Amosar introdución"
},
{
"label": "Título",
"description": "Este título amosarase enriba do texto de introdución."
},
{
"label": "Texto de introdución",
"description": "Este texto amosarase antes de que empece o questionario."
},
{
"label": "Texto para o botón empezar",
"default": "Empezar o Cuestionario"
},
{
"label": "Imaxe de fondo",
"description": "Unha imaxe de fondo opcional para a introdución."
}
]
},
{
"label": "Imaxe de fondo",
"description": "Unha imaxe de fondo opcional para o grupo de preguntas."
},
{
"label": "Indicador de progreso",
"description": "Estilo do indicador de progreso para o grupo de preguntas.",
"options": [
{
"label": "Textual"
},
{
"label": "Puntos"
}
]
},
{
"label": "Porcentaxe para aprobar",
"description": "Porcentaxe da puntuación total requirida para aprobar o cuestionario."
},
{
"label": "Preguntas",
"widgets": [
{
"label": "Por defecto"
},
{
"label": "Textual"
}
],
"entity": "pregunta",
"field": {
"label": "Tipo de pregunta",
"description": "Biblioteca para esta pregunta."
}
},
{
"label": "Textos da interface no cuestionario",
"fields": [
{
"label": "Botón atrás",
"default": "Pregunta anterior"
},
{
"label": "Botón seguinte",
"default": "Pregunta seguinte"
},
{
"label": "Botón rematar",
"default": "Rematar"
},
{
"label": "Submit button",
"default": "Submit"
},
{
"label": "Texto de progreso",
"description": "Texto usado ao seleccionar progreso textual.",
"default": "Pregunta: @current de @total preguntas"
},
{
"label": "Etiqueta para saltar a unha pregunta determinada",
"description": "Debes usar o marcador '%d' en lugar do número da pregunta, e %total en lugar do número total de preguntas.",
"default": "Pregunta %d de %total"
},
{
"label": "Etiqueta para o diálogo de Copyright da pregunta",
"default": "Pregunta"
},
{
"label": "Progreso do lector de pantalla",
"description": "Pódense usar as variables de pregunta @current e @total",
"default": "Pregunta @current de @total"
},
{
"label": "Texto para preguntas non contestadas",
"default": "Non contestada"
},
{
"label": "Texto para preguntas contestadas",
"default": "Contestada"
},
{
"label": "Texto para a pregunta actual",
"default": "Pregunta actual"
}
]
},
{
"label": "Desactivar a navegación cara atrás",
"description": "Este opción só permitirá o desprazamento cara adiante no Conxunto de Preguntas"
},
{
"label": "Aleatorizar as preguntas",
"description": "Activar para facer aleatoria a orde das preguntas amosadas."
},
{
"label": "Número de preguntas amosadas:",
"description": "Crea un grupo de preguntas aleatorias do total de preguntas."
},
{
"label": "Cuestionario rematado",
"fields": [
{
"label": "Amosar resultados"
},
{
"label": "Amosar botón de solución"
},
{
"label": "Amosar o botón reintentar"
},
{
"label": "Mensaxe para resultado non atopado",
"description": "Texto amosado ao final da páxina cando \"Amosar resultados\" está desactivado",
"default": "Rematado"
},
{
"label": "Cabeceira da retroalimentación",
"default": "O teu resultado:",
"description": "Amosarase esta cabeceira ao final do cuestionario cando o usuario acabe de contestar todas as preguntas."
},
{
"label": "Retroalimentación Xeral",
"fields": [
{
"widgets": [
{
"label": "Por defecto"
}
],
"label": "Define a retroalimentación personalizada para calquera rango de puntuación",
"description": "Exemplo: 0-20% Puntuación mala, 21-91% Puntuación media, 91-100% Puntuación xenial!",
"entity": "rango",
"field": {
"fields": [
{
"label": "Rango de puntuación"
},
{},
{
"label": "Retroalimentación para o rango de puntuación definido",
"placeholder": "Escribe a retroalimentación"
}
]
}
}
]
},
{
"label": "Antiga Retroalimentación",
"fields": [
{
"label": "Título para cuestionario aprobado",
"description": "Amosarase este texto enriba da puntuación se o ususario aproba o cuestionario."
},
{
"label": "Comentario para aprobado",
"description": "Este comentario amosarase despois da puntuación se o usuario aproba o cuestionario."
},
{
"label": "Título para cuestionario non aprobado",
"description": "Este texto amosarase enriba da puntuación se o usuario non aproba o cuestionario."
},
{
"label": "Comentario para non a probado",
"description": "Este comentario amosarase despois da puntuación seo usuario non aproba o cuestionario."
}
]
},
{
"label": "Etiqueta do botón da solución",
"default": "Amosar a solución",
"description": "Texto para o botón da solución."
},
{
"label": "Etiqueta para o botón reintentar",
"default": "Reintentar",
"description": "Texto para o botón reintentar."
},
{
"label": "Texto para o botón rematar",
"default": "Rematar"
},
{
"label": "Submit button text",
"default": "Submit"
},
{
"label": "Amosar vídeo antes dos resultados do cuestionario"
},
{
"label": "Activar botón saltar vídeo"
},
{
"label": "Etiqueta para o botón saltar vídeo",
"default": "Saltar vídeo"
},
{
"label": "Vídeo para aprobados",
"description": "Reproducirase este vídeo se o usuario aproba o cuestionario."
},
{
"label": "Vídeo para non aprobados",
"description": "Reproducirase este vídeo se o usuario non aproba o cuestionario."
}
]
},
{
"label": "Configuración para os botóns \"Amosar solución\" e \"Reintentar\"",
"fields": [
{
"label": "Amosar botóns \"Comprobar\"",
"description": "Esta opción determina se se amosa o botón \"Comprobar\" para todas as preguntas."
},
{
"label": "Anular botón \"Amosar solución\"",
"description": "Esta opción determina se se amosa o botón \"Amosar solución\" para todas as preguntas, se desactiva para todas ou se configura para cada unha individualmente.",
"options": [
{
"label": "Activado"
},
{
"label": "Desactivado"
}
]
},
{
"label": "Anular botón \"Reintentar\"",
"description": "Esta opción determina se se amosa o botón \"Reintentar\" para todas as preguntas, se desactíva para todas ou se configura para cada unha individualmente.",
"options": [
{
"label": "Activado"
},
{
"label": "Desactivado"
}
]
}
]
}
]
}

View File

@ -8,29 +8,29 @@
}, },
{ {
"label": "כותרת", "label": "כותרת",
"description": "כותרת זו תוצג מעל תיאור המבוא." "description": "כותרת זו תוצג מעל תיאור המבוא"
}, },
{ {
"label": "תיאור מבוא", "label": "תיאור מבוא",
"description": "תיאור זה יוצג לפני שהחידון מתחיל." "description": "תיאור זה יוצג לפני שהחידון מתחיל"
}, },
{ {
"label": "תיאור כפתור ההתחלה", "label": "תיאור כפתור ההתחלה ",
"default": "התחילו את החידון" "default": "התחילו את החידון"
}, },
{ {
"label": "תמונת רקע", "label": "תמונת רקע",
"description": "תמונת רקע אפשרית למבוא." "description": "תמונת רקע אפשרית למבוא"
} }
] ]
}, },
{ {
"label": "תמונת רקע", "label": "תמונת רקע",
"description": "תמונת רקע אפשרית עבור הגדרות השאלה." "description": "תמונת רקע אפשרית עבור הגדרות השאלה"
}, },
{ {
"label": "מחוון התקדמות", "label": "מחוון התקדמות",
"description": "הגדרות שאלה מסוג מחוון התקדמות.", "description": "הגדרות שאלה מסוג מחוון התקדמות",
"options": [ "options": [
{ {
"label": "מילולי" "label": "מילולי"
@ -57,7 +57,7 @@
"entity": "שאלה", "entity": "שאלה",
"field": { "field": {
"label": "סוג שאלה", "label": "סוג שאלה",
"description": "ספריה עבור שאלה זו." "description": "ספריה עבור שאלה זו"
} }
}, },
{ {
@ -75,14 +75,10 @@
"label": "כפתור סיום", "label": "כפתור סיום",
"default": "סיום" "default": "סיום"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "תוכן מתקדם", "label": "תוכן מתקדם",
"description": "תוכן שבו נעשה שימוש אם תוכן מתקדם נבחר.", "description": "תוכן שבו נעשה שימוש אם תוכן מתקדם נבחר",
"default": "שאלה: current@ מתוך total@ שאלות" "default": ""
}, },
{ {
"label": "תווית עבור קפיצה לשאלה מסוימת", "label": "תווית עבור קפיצה לשאלה מסוימת",
@ -95,7 +91,7 @@
}, },
{ {
"label": "Readspeaker progress", "label": "Readspeaker progress",
"description": "ניתן להשתמש במשתני השאלה current@ ו- total@", "description": "May use @current and @total question variables",
"default": "שאלה @current מתוך @total" "default": "שאלה @current מתוך @total"
}, },
{ {
@ -114,15 +110,15 @@
}, },
{ {
"label": "ניווט קדימה בלבד", "label": "ניווט קדימה בלבד",
"description": "הגדרה מאפשרת התקדמות ומעבר לשאלה הבאה בלבד" "description": "הגדרה מאפשרת התקדמות ומעבר לשאלה הבאה בלבד."
}, },
{ {
"label": "שאלות אקראיות", "label": "שאלות אקראיות",
"description": "מאפשר תצוגת סדר השאלות באופן אקראי." "description": "מאפשר תצוגת סדר השאלות באופן אקראי"
}, },
{ {
"label": "מספר השאלות שיוצגו:", "label": "מספר השאלות שיוצגו:",
"description": "יצירת סדרה של שאלות אקראיות מסך כל השאלות." "description": "יצירת סדרה של שאלות אקראיות מסך כל השאלות"
}, },
{ {
"label": "החידון הסתיים", "label": "החידון הסתיים",
@ -134,7 +130,7 @@
"label": "כפתור הצגת הפתרון" "label": "כפתור הצגת הפתרון"
}, },
{ {
"label": "הצגת כפתור \"נסו שוב\"" "label": "Display retry button"
}, },
{ {
"label": "אין הודעת תוצאות", "label": "אין הודעת תוצאות",
@ -144,7 +140,7 @@
{ {
"label": "כותרת המשוב", "label": "כותרת המשוב",
"default": "התוצאה שלכם:", "default": "התוצאה שלכם:",
"description": "כותרת זו תוצג בסיום החידון כאשר הנבחן ענה על כל השאלות." "description": "כותרת זו תוצג בסיום החידון כאשר הנבחן ענה על כל השאלות"
}, },
{ {
"label": "משוב כולל", "label": "משוב כולל",
@ -156,7 +152,7 @@
} }
], ],
"label": "יש להגדיר משוב מותאם אישית לכל טווח ניקוד", "label": "יש להגדיר משוב מותאם אישית לכל טווח ניקוד",
"description": "לדוגמא:0-20% ציון לא טוב,21-91% ציון ממוצע,91-100% ציון מעולה!", "description": "לדוגמא:0-20% ציון לא טוב,21-91% ציון ממוצע,91-100% ציון מעולה!\"",
"entity": "טווח", "entity": "טווח",
"field": { "field": {
"fields": [ "fields": [
@ -178,40 +174,36 @@
"fields": [ "fields": [
{ {
"label": "ברכת הצלחה בחידון", "label": "ברכת הצלחה בחידון",
"description": "תוכן זה יוצג מעל הניקוד אם הנבחן עבר בהצלחה את החידון." "description": "תוכן זה יוצג מעל הניקוד אם הנבחן עבר בהצלחה את החידון"
}, },
{ {
"label": "הערה עבור הצלחה בחידון", "label": "הערה עבור הצלחה בחידון ",
"description": "הערה זו תוצג מעל הניקוד, אם הנבחן עבר בהצלחה את החידון." "description": "הערה זו תוצג מעל הניקוד, אם הנבחן עבר בהצלחה את החידון"
}, },
{ {
"label": "כותרת כשלון בחידון", "label": "כותרת כשלון בחידון",
"description": "תוכן זה יוצג מעל הניקוד אם הנבחן נכשל בחידון." "description": "תוכן זה יוצג מעל הניקוד אם הנבחן נכשל בחידון"
}, },
{ {
"label": "הערה עבור כשלון בחידון", "label": "הערה עבור כשלון בחידון",
"description": "הערה זו תוצג מעל הניקוד, אם הנבחן נכשל בחידון." "description": "הערה זו תוצג מעל הניקוד, אם הנבחן נכשל בחידון"
} }
] ]
}, },
{ {
"label": "\"תווית כפתור \"הפתרון", "label": "\"תווית כפתור \"הפתרון",
"default": "הציגו פתרון", "default": "הציגו פתרון",
"description": "תאור עבור כפתור \"הפתרון\"." "description": "\"תוכן עבור כפתור \"הפתרון"
}, },
{ {
"label": "תווית כפתור נסו שוב", "label": "תווית כפתור נסו שוב",
"default": "נסו בשנית", "default": "נסו בשנית",
"description": "תוכן עבור כפתור \"נסו שוב\"." "description": "\"תוכן עבור כפתור \"נסו שוב"
}, },
{ {
"label": "\"תוכן כפתור \"סיום", "label": "\"תוכן כפתור \"סיום",
"default": "סיום" "default": "סיום"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "יש להציג וידאו לפני תוצאות החידון" "label": "יש להציג וידאו לפני תוצאות החידון"
}, },
@ -224,11 +216,11 @@
}, },
{ {
"label": "וידאו של הצלחה בחידון", "label": "וידאו של הצלחה בחידון",
"description": "וידאו זה יופעל במידה והנבחן יעבור בהצלחה את החידון." "description": "וידאו זה יופעל במידה והנבחן יעבור בהצלחה את החידון"
}, },
{ {
"label": "וידאו של כישלון בחידון", "label": "וידאו של כישלון בחידון",
"description": "סרטון זה יופעל במידה והנבחן ייכשל בחידון." "description": "וידאו זה יופעל במידה והנבחן יכשל בחידון"
} }
] ]
}, },
@ -236,12 +228,12 @@
"label": "הגדרות עבור כפתורי \"הציגו פתרון\" ו \"נסו בשנית\"", "label": "הגדרות עבור כפתורי \"הציגו פתרון\" ו \"נסו בשנית\"",
"fields": [ "fields": [
{ {
"label": "הציגו כפתורי \"נבחר\"", "label": "הציגו כפתורי \"נבחר\" ",
"description": "אפשרות זו קובעת אם הכפתור \"נבחר\" יוצג עבור כל השאלות." "description": "אפשרות זו קובעת אם הכפתור \"נבחר\" יוצג עבור כל השאלות."
}, },
{ {
"label": "עדכון כפתור \"תצוגת פתרון\"", "label": "עדכון כפתור \"תצוגת פתרון\"",
"description": "אפשרות זו קובעת האם הכפתור \"הצגת פתרון\" יוצג עבור כל השאלות, יכובה לכולן או יוגדר לכל שאלה בנפרד.", "description": "This option determines if the \"Show Solution\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [ "options": [
{ {
"label": "פעיל" "label": "פעיל"
@ -253,7 +245,7 @@
}, },
{ {
"label": "עדכון כפתור \"נסו שוב\"", "label": "עדכון כפתור \"נסו שוב\"",
"description": "אפשרות זו קובעת אם הכפתור \"נסו שוב\" יוצג עבור כל השאלות, יושבת עבור כל השאלות או יוגדר עבור כל שאלה בנפרד.", "description": "אפשרות זו קובעת אם הכפתור \"נסו שוב\" יוצג עבור כל השאלות, יושבת עבור כל השאלות או יוגדר עבור כל שאלה בנפרד.\n",
"options": [ "options": [
{ {
"label": "פעיל" "label": "פעיל"
@ -266,4 +258,4 @@
] ]
} }
] ]
} }

View File

@ -75,10 +75,6 @@
"label": "Finish button", "label": "Finish button",
"default": "Finish" "default": "Finish"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Progress text", "label": "Progress text",
"description": "Text used if textual progress is selected.", "description": "Text used if textual progress is selected.",
@ -208,10 +204,6 @@
"label": "Finish button text", "label": "Finish button text",
"default": "Finish" "default": "Finish"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Display video before quiz results" "label": "Display video before quiz results"
}, },

View File

@ -75,10 +75,6 @@
"label": "Pulsante fine", "label": "Pulsante fine",
"default": "Finito" "default": "Finito"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Testo di avanzamento", "label": "Testo di avanzamento",
"description": "Testo usato se è selezionato l'avanzamento testuale", "description": "Testo usato se è selezionato l'avanzamento testuale",
@ -208,10 +204,6 @@
"label": "Testo del pulsante di fine prova", "label": "Testo del pulsante di fine prova",
"default": "Finito" "default": "Finito"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Mostra il video prima dei risultati della prova" "label": "Mostra il video prima dei risultati della prova"
}, },

View File

@ -75,10 +75,6 @@
"label": "完了ボタン", "label": "完了ボタン",
"default": "完了" "default": "完了"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "進行状況のテキスト", "label": "進行状況のテキスト",
"description": "テキストによる進行状況を選択した場合に使用するテキスト。", "description": "テキストによる進行状況を選択した場合に使用するテキスト。",
@ -208,10 +204,6 @@
"label": "完了ボタンのテキスト", "label": "完了ボタンのテキスト",
"default": "完了" "default": "完了"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "クイズの結果の前にビデオを表示" "label": "クイズの結果の前にビデオを表示"
}, },

View File

@ -1,269 +0,0 @@
{
"semantics": [
{
"label": "Quiz introduction",
"fields": [
{
"label": "Display introduction"
},
{
"label": "Title",
"description": "This title will be displayed above the introduction text."
},
{
"label": "Introduction text",
"description": "This text will be displayed before the quiz starts."
},
{
"label": "Start button text",
"default": "ចាប់ផ្តើមកម្រងសំណួរ"
},
{
"label": "Background image",
"description": "An optional background image for the introduction."
}
]
},
{
"label": "Background image",
"description": "An optional background image for the Question set."
},
{
"label": "Progress indicator",
"description": "Question set progress indicator style.",
"options": [
{
"label": "Textual"
},
{
"label": "Dots"
}
]
},
{
"label": "Pass percentage",
"description": "Percentage of Total score required for passing the quiz."
},
{
"label": "Questions",
"widgets": [
{
"label": "Default"
},
{
"label": "Textual"
}
],
"entity": "question",
"field": {
"label": "Question type",
"description": "Library for this question."
}
},
{
"label": "Interface texts in quiz",
"fields": [
{
"label": "Back button",
"default": "សំណួរមុន"
},
{
"label": "Next button",
"default": "សំណួរបន្ទាប់"
},
{
"label": "Finish button",
"default": "បញ្ចប់"
},
{
"label": "Submit button",
"default": "Submit"
},
{
"label": "Progress text",
"description": "Text used if textual progress is selected.",
"default": "សំណួរ: @current ចំណោម @total សំណួរ"
},
{
"label": "Label for jumping to a certain question",
"description": "You must use the placeholder '%d' instead of the question number, and %total instead of total amount of questions.",
"default": "សំណួរទី %d ចំណោម %total"
},
{
"label": "Copyright dialog question label",
"default": "សំណួរ"
},
{
"label": "Readspeaker progress",
"description": "May use @current and @total question variables",
"default": "សំណួរទី @current ចំណោម @total"
},
{
"label": "Unanswered question text",
"default": "មិនបានឆ្លើយ"
},
{
"label": "Answered question text",
"default": "បានឆ្លើយ"
},
{
"label": "Current question text",
"default": "សំណួរបច្ចុប្បន្ន"
}
]
},
{
"label": "Disable backwards navigation",
"description": "This option will only allow you to move forward in Question Set"
},
{
"label": "Randomize questions",
"description": "Enable to randomize the order of questions on display."
},
{
"label": "Number of questions to be shown:",
"description": "Create a randomized batch of questions from the total."
},
{
"label": "Quiz finished",
"fields": [
{
"label": "Display results"
},
{
"label": "Display solution button"
},
{
"label": "Display retry button"
},
{
"label": "No results message",
"description": "Text displayed on end page when \"Display results\" is disabled",
"default": "បានបញ្ចប់"
},
{
"label": "Feedback heading",
"default": "លទ្ធផលរបស់អ្នក:",
"description": "This heading will be displayed at the end of the quiz when the user has answered all questions."
},
{
"label": "Overall Feedback",
"fields": [
{
"widgets": [
{
"label": "Default"
}
],
"label": "Define custom feedback for any score range",
"description": "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": "Old Feedback",
"fields": [
{
"label": "Quiz passed greeting",
"description": "This text will be displayed above the score if the user has successfully passed the quiz."
},
{
"label": "Passed comment",
"description": "This comment will be displayed after the score if the user has successfully passed the quiz."
},
{
"label": "Quiz failed title",
"description": "This text will be displayed above the score if the user has failed the quiz."
},
{
"label": "Failed comment",
"description": "This comment will be displayed after the score if the user has failed the quiz."
}
]
},
{
"label": "Solution button label",
"default": "បង្ហាញចម្លើយត្រឹមត្រូវ",
"description": "Text for the solution button."
},
{
"label": "Retry button label",
"default": "សាកម្តងទៀត",
"description": "Text for the retry button."
},
{
"label": "Finish button text",
"default": "បញ្ចប់"
},
{
"label": "Submit button text",
"default": "Submit"
},
{
"label": "Display video before quiz results"
},
{
"label": "Enable skip video button"
},
{
"label": "Skip video button label",
"default": "រំលងវីដេអូ"
},
{
"label": "Passed video",
"description": "This video will be played if the user successfully passed the quiz."
},
{
"label": "Fail video",
"description": "This video will be played if the user fails the quiz."
}
]
},
{
"label": "Settings for \"Show solution\" and \"Retry\" buttons",
"fields": [
{
"label": "Show \"Check\" buttons",
"description": "This option determines if the \"Check\" button will be shown for all questions."
},
{
"label": "Override \"Show Solution\" button",
"description": "This option determines if the \"Show Solution\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [
{
"label": "Enabled"
},
{
"label": "Disabled"
}
]
},
{
"label": "Override \"Retry\" button",
"description": "This option determines if the \"Retry\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [
{
"label": "Enabled"
},
{
"label": "Disabled"
}
]
}
]
}
]
}

View File

@ -1,172 +1,168 @@
{ {
"semantics": [ "semantics": [
{ {
"label": "퀴즈 소개", "label": "Quiz introduction",
"fields": [ "fields": [
{ {
"label": "소개 표시" "label": "Display introduction"
}, },
{ {
"label": "제목", "label": "Title",
"description": "이 제목은 소개 텍스트 위에 표시됨." "description": "This title will be displayed above the introduction text."
}, },
{ {
"label": "소개 글", "label": "Introduction text",
"description": "이 텍스트는 퀴즈가 시작하기 전에 표시됨." "description": "This text will be displayed before the quiz starts."
}, },
{ {
"label": "시작 단추 텍스트", "label": "Start button text",
"default": "퀴즈 시작" "default": "Start Quiz"
}, },
{ {
"label": "배경 이미지", "label": "Background image",
"description": "소개 배경 이미지(선택사항)" "description": "An optional background image for the introduction."
} }
] ]
}, },
{ {
"label": "배경 이미지", "label": "Background image",
"description": "문제 세트 배경 이미지(선택사항)" "description": "An optional background image for the Question set."
}, },
{ {
"label": "진행률 표시", "label": "Progress indicator",
"description": "문제 세트 진행률 표시 스타일.", "description": "Question set progress indicator style.",
"options": [ "options": [
{ {
"label": "텍스트 유형" "label": "Textual"
}, },
{ {
"label": "점 유형" "label": "Dots"
} }
] ]
}, },
{ {
"label": "통과 백분율", "label": "Pass percentage",
"description": "퀴즈 통과에 필요한 총점 백분율." "description": "Percentage of Total score required for passing the quiz."
}, },
{ {
"label": "문제", "label": "Questions",
"widgets": [ "widgets": [
{ {
"label": "기본값" "label": "Default"
}, },
{ {
"label": "텍스트 유형" "label": "Textual"
} }
], ],
"entity": "문제", "entity": "question",
"field": { "field": {
"label": "문제 유형", "label": "Question type",
"description": "이 문제에 대한 라이브러리." "description": "Library for this question."
} }
}, },
{ {
"label": "퀴즈의 인터페이스 텍스트", "label": "Interface texts in quiz",
"fields": [ "fields": [
{ {
"label": "뒤로 버튼", "label": "Back button",
"default": "이전 질문" "default": "Previous question"
}, },
{ {
"label": "다음 버튼", "label": "Next button",
"default": "다음 질문" "default": "Next question"
}, },
{ {
"label": "완료 단추", "label": "Finish button",
"default": "완료" "default": "Finish"
}, },
{ {
"label": "Submit button", "label": "Progress text",
"default": "Submit" "description": "Text used if textual progress is selected.",
"default": "Question: @current of @total questions"
}, },
{ {
"label": "진행률 텍스트", "label": "Label for jumping to a certain question",
"description": "텍스트형 진행률을 선택한 경우 사용되는 글자.", "description": "You must use the placeholder '%d' instead of the question number, and %total instead of total amount of questions.",
"default": "Question: 총 @total 질문 중 현재 @current" "default": "Question %d of %total"
}, },
{ {
"label": "특정 문제로 이동을 위한 라벨", "label": "Copyright dialog question label",
"description": "문항 번호 대신 자리 표시자 '%d'를 사용해야 하며, 총 문제 수 대신 %total을 사용해야 한다.", "default": "Question"
"default": "%total 중 %d 문제"
}, },
{ {
"label": "저작권 대화 문제 라벨", "label": "Readspeaker progress",
"default": "문제" "description": "May use @current and @total question variables",
"default": "Question @current of @total"
}, },
{ {
"label": "자동 문장 읽어 주기 기능에서 진행율", "label": "Unanswered question text",
"description": "@current 및 @total 문제 변수를 사용할 수 있음", "default": "Unanswered"
"default": "총 @total 중 현재 @current 질문"
}, },
{ {
"label": "미답변 문제 텍스트", "label": "Answered question text",
"default": "답변되지 않음" "default": "Answered"
}, },
{ {
"label": "답변 문제 텍스트", "label": "Current question text",
"default": "답변됨" "default": "Current question"
},
{
"label": "현재 질문 텍스트",
"default": "현재 질문"
} }
] ]
}, },
{ {
"label": "뒤로 돌아가기 비활성화", "label": "Disable backwards navigation",
"description": "이 옵션은 문제 세트에서 앞으로만 이동할 수 있도록 함" "description": "This option will only allow you to move forward in Question Set"
}, },
{ {
"label": "문제 무작위화", "label": "Randomize questions",
"description": "표시된 문제 순서를 무작위 순서로 변경할 수 있음." "description": "Enable to randomize the order of questions on display."
}, },
{ {
"label": "표시할 질문 수:", "label": "Number of questions to be shown:",
"description": "전체 문제에서 무작위화로 문제 세트를 만들기 만드세요." "description": "Create a randomized batch of questions from the total."
}, },
{ {
"label": "퀴즈 완료", "label": "Quiz finished",
"fields": [ "fields": [
{ {
"label": "결과 표시" "label": "Display results"
}, },
{ {
"label": "해답 버튼 표시" "label": "Display solution button"
}, },
{ {
"label": "재시도 버튼 표시" "label": "Display retry button"
}, },
{ {
"label": "결과 메시지 없음", "label": "No results message",
"description": "\"Display results\"가 비활성화된 경우 끝 페이지에 표시되는 텍스트", "description": "Text displayed on end page when \"Display results\" is disabled",
"default": "완료" "default": "Finished"
}, },
{ {
"label": "피드백 제목", "label": "Feedback heading",
"default": "결과:", "default": "Your result:",
"description": "이 제목은 사용자가 모든 질문에 답했을 때 퀴즈 끝에 표시됨." "description": "This heading will be displayed at the end of the quiz when the user has answered all questions."
}, },
{ {
"label": "전반적인 피드백", "label": "Overall Feedback",
"fields": [ "fields": [
{ {
"widgets": [ "widgets": [
{ {
"label": "기본값" "label": "Default"
} }
], ],
"label": "점수 범위에 대한 사용자 피드백 정의", "label": "Define custom feedback for any score range",
"description": "예: 0-20% 낮은 점수, 21-91% 평균 점수, 91-100% 높은 점수!", "description": "Example: 0-20% Bad score, 21-91% Average Score, 91-100% Great Score!",
"entity": "범위", "entity": "range",
"field": { "field": {
"fields": [ "fields": [
{ {
"label": "점수 범위" "label": "Score Range"
}, },
{}, {},
{ {
"label": "정의된 점수 범위에 대한 피드백", "label": "Feedback for defined score range",
"placeholder": "피드백 작성" "placeholder": "Fill in the feedback"
} }
] ]
} }
@ -174,96 +170,92 @@
] ]
}, },
{ {
"label": "피드백", "label": "Old Feedback",
"fields": [ "fields": [
{ {
"label": "통과한 퀴즈에 대한 메시지", "label": "Quiz passed greeting",
"description": "이 텍스트는 사용자가 퀴즈를 성공적으로 통과하면 점수 위에 표시됨." "description": "This text will be displayed above the score if the user has successfully passed the quiz."
}, },
{ {
"label": "통과에 대한 코멘트", "label": "Passed comment",
"description": "이 코멘트는 사용자가 퀴즈를 성공적으로 통과했다면 점수 뒤에 표시됨." "description": "This comment will be displayed after the score if the user has successfully passed the quiz."
}, },
{ {
"label": "실패한 퀴즈 텍스트", "label": "Quiz failed title",
"description": "이 텍스트는 사용자가 퀴즈에 실패했을 때 점수 위에 표시됨." "description": "This text will be displayed above the score if the user has failed the quiz."
}, },
{ {
"label": "퀴즈를 실패한 경우 코멘트", "label": "Failed comment",
"description": "이 코멘트는 사용자가 퀴즈에 실패했을 때 점수 뒤에 표시됨." "description": "This comment will be displayed after the score if the user has failed the quiz."
} }
] ]
}, },
{ {
"label": "해답 버튼 레이블", "label": "Solution button label",
"default": "해답 보이기", "default": "Show solution",
"description": "해답 버튼에 대한 텍스트." "description": "Text for the solution button."
}, },
{ {
"label": "재시도 버튼 라벨", "label": "Retry button label",
"default": "재시도", "default": "Retry",
"description": "재시도 버튼에 대한 텍스트." "description": "Text for the retry button."
}, },
{ {
"label": "완료 버튼 텍스트", "label": "Finish button text",
"default": "완료" "default": "Finish"
}, },
{ {
"label": "Submit button text", "label": "Display video before quiz results"
"default": "Submit"
}, },
{ {
"label": "퀴즈 결과 전에 비디오 표시" "label": "Enable skip video button"
}, },
{ {
"label": "비디오 건너뛰기 버튼 사용" "label": "Skip video button label",
"default": "Skip video"
}, },
{ {
"label": "비디오 건너뛰기 버튼 레이블", "label": "Passed video",
"default": "비디오 건너뛰기" "description": "This video will be played if the user successfully passed the quiz."
}, },
{ {
"label": "통과한 경우 비디오", "label": "Fail video",
"description": "이 동영상은 사용자가 퀴즈를 성공적으로 통과하면 재생됨." "description": "This video will be played if the user fails the quiz."
},
{
"label": "실패한 경우 비디오",
"description": "이 동영상은 사용자가 퀴즈에 실패하면 재생됨."
} }
] ]
}, },
{ {
"label": "\"Show solution\" 및 \"Retry\" 버튼 설정", "label": "Settings for \"Show solution\" and \"Retry\" buttons",
"fields": [ "fields": [
{ {
"label": "\"Check\"버튼 표시", "label": "Show \"Check\" buttons",
"description": "이 옵션은 모든 질문에 \"Check\" 버튼이 표시될지 여부를 결정함." "description": "This option determines if the \"Check\" button will be shown for all questions."
}, },
{ {
"label": "\"Sow Solution\" 버튼 재정의", "label": "Override \"Show Solution\" button",
"description": "이 옵션은 모든 질문에 대해 \"Show Solution\" 버튼을 표시할지 또는 각 질문에 대해 개별적으로 구성할지 결정", "description": "This option determines if the \"Show Solution\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [ "options": [
{ {
"label": "활성화" "label": "Enabled"
}, },
{ {
"label": "비활성화" "label": "Disabled"
} }
] ]
}, },
{ {
"label": "\"Retry\"버튼 재정의", "label": "Override \"Retry\" button",
"description": "이 옵션은 모든 질문에 대해 \"Retry\"버튼을 표시할지 아니면 모든 질문에 대해 개별적으로 구성할지 결정", "description": "This option determines if the \"Retry\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [ "options": [
{ {
"label": "활성화" "label": "Enabled"
}, },
{ {
"label": "비활성화" "label": "Disabled"
} }
] ]
} }
] ]
} }
] ]
} }

View File

@ -75,10 +75,6 @@
"label": "Avslutt-knappen", "label": "Avslutt-knappen",
"default": "Avslutt" "default": "Avslutt"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Fremgangstekst", "label": "Fremgangstekst",
"description": "Tekst brukt hvis tekstlig angivelse av fremdrift er valgt. Variabler: @current og @total.", "description": "Tekst brukt hvis tekstlig angivelse av fremdrift er valgt. Variabler: @current og @total.",
@ -208,10 +204,6 @@
"label": "Avslutt knappetekst", "label": "Avslutt knappetekst",
"default": "Bekreft" "default": "Bekreft"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Vis video før resultatene" "label": "Vis video før resultatene"
}, },

View File

@ -75,10 +75,6 @@
"label": "Beëindigings-knop", "label": "Beëindigings-knop",
"default": "Klaar" "default": "Klaar"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Tekst bij voortgang", "label": "Tekst bij voortgang",
"description": "Deze tekst wordt gebruikt als 'Tekst' als voortgangsindicator is geselecteerd.", "description": "Deze tekst wordt gebruikt als 'Tekst' als voortgangsindicator is geselecteerd.",
@ -134,7 +130,7 @@
"label": "Toon de oplossings-knop" "label": "Toon de oplossings-knop"
}, },
{ {
"label": "Toon opnieuw proberen-knop" "label": "Display retry button"
}, },
{ {
"label": "Geen resultaten bericht", "label": "Geen resultaten bericht",
@ -208,10 +204,6 @@
"label": "Tekst voor de beëindigings-knop", "label": "Tekst voor de beëindigings-knop",
"default": "Klaar" "default": "Klaar"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Toon video voor de quizresultaten" "label": "Toon video voor de quizresultaten"
}, },
@ -266,4 +258,4 @@
] ]
} }
] ]
} }

View File

@ -75,10 +75,6 @@
"label": "Avslutt-knappen", "label": "Avslutt-knappen",
"default": "Bekreft" "default": "Bekreft"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Fremgangstekst", "label": "Fremgangstekst",
"description": "Tekst brukt hvis tekstlig angivelse av fremdrift er valgt. Variabler: @current og @total", "description": "Tekst brukt hvis tekstlig angivelse av fremdrift er valgt. Variabler: @current og @total",
@ -96,7 +92,7 @@
{ {
"label": "Fremdriftstekst for hjelpemiddelteknologi", "label": "Fremdriftstekst for hjelpemiddelteknologi",
"description": "Kan bruke @current og @total variabler", "description": "Kan bruke @current og @total variabler",
"default": "Deloppgåve @current av @total" "default": "Deloppgave @current av @total"
}, },
{ {
"label": "Ikke svart på spørsmål-tekst", "label": "Ikke svart på spørsmål-tekst",
@ -104,7 +100,7 @@
}, },
{ {
"label": "Svart på spørsmål-tekst", "label": "Svart på spørsmål-tekst",
"default": "Svar gitt" "default": "Svar avgitt"
}, },
{ {
"label": "Aktivt spørsmål-tekst", "label": "Aktivt spørsmål-tekst",
@ -208,10 +204,6 @@
"label": "Tekst til \"Avslutt\" knapp", "label": "Tekst til \"Avslutt\" knapp",
"default": "Bekreft" "default": "Bekreft"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Vis video før resultata" "label": "Vis video før resultata"
}, },
@ -266,4 +258,4 @@
] ]
} }
] ]
} }

View File

@ -75,10 +75,6 @@
"label": "Przycisk zakończenia", "label": "Przycisk zakończenia",
"default": "Zakończ" "default": "Zakończ"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Tekst postępu", "label": "Tekst postępu",
"description": "Ten tekst zostanie wyświetlony, jeśli wybrana zostanie opcja wyświetlania postępu tekstowo.", "description": "Ten tekst zostanie wyświetlony, jeśli wybrana zostanie opcja wyświetlania postępu tekstowo.",
@ -134,7 +130,7 @@
"label": "Przycisk wyświetlania wyników" "label": "Przycisk wyświetlania wyników"
}, },
{ {
"label": "Wyświetl przycisk powtórzenia" "label": "Display retry button"
}, },
{ {
"label": "Informacja dla braku wyników", "label": "Informacja dla braku wyników",
@ -208,10 +204,6 @@
"label": "Etykieta przycisku zakończenia", "label": "Etykieta przycisku zakończenia",
"default": "Zakończ" "default": "Zakończ"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Odtwórz wideo przed ekranem wyników" "label": "Odtwórz wideo przed ekranem wyników"
}, },
@ -266,4 +258,4 @@
] ]
} }
] ]
} }

View File

@ -75,10 +75,6 @@
"label": "Botão para terminar", "label": "Botão para terminar",
"default": "Terminar" "default": "Terminar"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Texto do progresso", "label": "Texto do progresso",
"description": "Texto a utilizar se o progresso textual estiver ativo.", "description": "Texto a utilizar se o progresso textual estiver ativo.",
@ -208,10 +204,6 @@
"label": "Texto para o botão terminar", "label": "Texto para o botão terminar",
"default": "Terminar" "default": "Terminar"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Mostrar video antes dos resultados do questionário" "label": "Mostrar video antes dos resultados do questionário"
}, },

View File

@ -75,10 +75,6 @@
"label": "Finish button", "label": "Finish button",
"default": "Finish" "default": "Finish"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Progress text", "label": "Progress text",
"description": "Text used if textual progress is selected.", "description": "Text used if textual progress is selected.",
@ -208,10 +204,6 @@
"label": "Finish button text", "label": "Finish button text",
"default": "Finish" "default": "Finish"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Display video before quiz results" "label": "Display video before quiz results"
}, },

View File

@ -75,10 +75,6 @@
"label": "Кнопка Завершить", "label": "Кнопка Завершить",
"default": "Завершить" "default": "Завершить"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Текст прогресса", "label": "Текст прогресса",
"description": "Текст, используемый, если выбран текстовый прогресс.", "description": "Текст, используемый, если выбран текстовый прогресс.",
@ -208,10 +204,6 @@
"label": "Текст кнопки завершения", "label": "Текст кнопки завершения",
"default": "Завершить" "default": "Завершить"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Показать видео до результатов теста" "label": "Показать видео до результатов теста"
}, },

View File

@ -75,10 +75,6 @@
"label": "Besedilo gumba \"Potrdi\"", "label": "Besedilo gumba \"Potrdi\"",
"default": "Potrdi" "default": "Potrdi"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Besedilo o napredku", "label": "Besedilo o napredku",
"description": "Besedilo v primeru izbire tekstovnega indikatorja napredka.", "description": "Besedilo v primeru izbire tekstovnega indikatorja napredka.",
@ -197,21 +193,17 @@
{ {
"label": "Besedilo za gumb \"Prikaži rešitev\"", "label": "Besedilo za gumb \"Prikaži rešitev\"",
"default": "Prikaži rešitev", "default": "Prikaži rešitev",
"description": "Text for the solution button." "description": ""
}, },
{ {
"label": "Besedilo za gumb \"Poskusi ponovno\"", "label": "Besedilo za gumb \"Poskusi ponovno\"",
"default": "Poskusi ponovno", "default": "Poskusi ponovno",
"description": "Text for the retry button." "description": ""
}, },
{ {
"label": "Besedilo gumba \"Potrdi\"", "label": "Besedilo gumba \"Potrdi\"",
"default": "Potrdi" "default": "Potrdi"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Predvajaj videoposnetek ob zaključku kviza" "label": "Predvajaj videoposnetek ob zaključku kviza"
}, },

View File

@ -75,10 +75,6 @@
"label": "Finish button", "label": "Finish button",
"default": "Finish" "default": "Finish"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Progress text", "label": "Progress text",
"description": "Text used if textual progress is selected.", "description": "Text used if textual progress is selected.",
@ -208,10 +204,6 @@
"label": "Finish button text", "label": "Finish button text",
"default": "Finish" "default": "Finish"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Display video before quiz results" "label": "Display video before quiz results"
}, },

View File

@ -75,10 +75,6 @@
"label": "Finish button", "label": "Finish button",
"default": "Finish" "default": "Finish"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Progress text", "label": "Progress text",
"description": "Text used if textual progress is selected.", "description": "Text used if textual progress is selected.",
@ -208,10 +204,6 @@
"label": "Finish button text", "label": "Finish button text",
"default": "Finish" "default": "Finish"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Display video before quiz results" "label": "Display video before quiz results"
}, },

View File

@ -75,10 +75,6 @@
"label": "Finish button", "label": "Finish button",
"default": "Finish" "default": "Finish"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Progress text", "label": "Progress text",
"description": "Text used if textual progress is selected.", "description": "Text used if textual progress is selected.",
@ -208,10 +204,6 @@
"label": "Finish button text", "label": "Finish button text",
"default": "Finish" "default": "Finish"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Display video before quiz results" "label": "Display video before quiz results"
}, },

View File

@ -1,172 +1,168 @@
{ {
"semantics": [ "semantics": [
{ {
"label": "Увод у квиз", "label": "Quiz introduction",
"fields": [ "fields": [
{ {
"label": "Прикажи увод" "label": "Display introduction"
}, },
{ {
"label": "Наслов", "label": "Title",
"description": "Овај наслов ће бити приказан изнад уводног текста." "description": "This title will be displayed above the introduction text."
}, },
{ {
"label": "Уводни текст", "label": "Introduction text",
"description": "Овај текст ће се приказати пре почетка квиза." "description": "This text will be displayed before the quiz starts."
}, },
{ {
"label": "Текст дугма Старт", "label": "Start button text",
"default": "Покрени квиз" "default": "Start Quiz"
}, },
{ {
"label": "Позадинска слика", "label": "Background image",
"description": "Опционална позадинска слика за увод." "description": "An optional background image for the introduction."
} }
] ]
}, },
{ {
"label": "Позадинска слика", "label": "Background image",
"description": "Необавезна позадинска слика за скуп питања." "description": "An optional background image for the Question set."
}, },
{ {
"label": "Показатељ напретка", "label": "Progress indicator",
"description": "Стил индикатора напретка постављеног питања.", "description": "Question set progress indicator style.",
"options": [ "options": [
{ {
"label": "Текстуални" "label": "Textual"
}, },
{ {
"label": "Тачке" "label": "Dots"
} }
] ]
}, },
{ {
"label": "Проценат пролазности", "label": "Pass percentage",
"description": "Проценат укупне оцене потребне за полагање квиза." "description": "Percentage of Total score required for passing the quiz."
}, },
{ {
"label": "Питања", "label": "Questions",
"widgets": [ "widgets": [
{ {
"label": "Уобичајено" "label": "Default"
}, },
{ {
"label": "Текстуални" "label": "Textual"
} }
], ],
"entity": "question", "entity": "question",
"field": { "field": {
"label": "Тип питања", "label": "Question type",
"description": "Библиотека за ово питање." "description": "Library for this question."
} }
}, },
{ {
"label": "Интерфејс квиза", "label": "Interface texts in quiz",
"fields": [ "fields": [
{ {
"label": "Назад дугме", "label": "Back button",
"default": "Претходно питање" "default": "Previous question"
}, },
{ {
"label": "Следеће дугме", "label": "Next button",
"default": "Следеће питање" "default": "Next question"
}, },
{ {
"label": "Дугме Заврши", "label": "Finish button",
"default": "Заврши" "default": "Finish"
}, },
{ {
"label": "Submit button", "label": "Progress text",
"default": "Submit" "description": "Text used if textual progress is selected.",
"default": "Question: @current of @total questions"
}, },
{ {
"label": "Текст напретка", "label": "Label for jumping to a certain question",
"description": "Текст који се користи ако је одабран текстуални напредак.", "description": "You must use the placeholder '%d' instead of the question number, and %total instead of total amount of questions.",
"default": "Питање: @current од @total питања" "default": "Question %d of %total"
}, },
{ {
"label": "Ознака за прелазак на одређено питање", "label": "Copyright dialog question label",
"description": "Морате користити резервирано место '%d' уместо броја питања и %total уместо укупне количине питања.", "default": "Question"
"default": "Питање %d од %total"
}, },
{ {
"label": "Ознака са дијалогом о ауторским правима", "label": "Readspeaker progress",
"default": "Питање" "description": "May use @current and @total question variables",
"default": "Question @current of @total"
}, },
{ {
"label": "Напредак читача звучника", "label": "Unanswered question text",
"description": "Можете користити @current и @total променљиве", "default": "Unanswered"
"default": "Питање @current од @total"
}, },
{ {
"label": "Текст питања без одговора", "label": "Answered question text",
"default": "Без одговора" "default": "Answered"
}, },
{ {
"label": "Текст питања са одговором", "label": "Current question text",
"default": "Одговорио" "default": "Current question"
},
{
"label": "Текст тренутног питања",
"default": "Тренутно питање"
} }
] ]
}, },
{ {
"label": "Онемогућите навигацију уназад", "label": "Disable backwards navigation",
"description": "Ова опција ће вам омогућити само напред у Сету питања" "description": "This option will only allow you to move forward in Question Set"
}, },
{ {
"label": "Рандомизирајте питања", "label": "Randomize questions",
"description": "Омогућите случајни редослед приказаних питања." "description": "Enable to randomize the order of questions on display."
}, },
{ {
"label": "Број питања која треба приказати:", "label": "Number of questions to be shown:",
"description": "Направите насумичну серију питања од укупног броја." "description": "Create a randomized batch of questions from the total."
}, },
{ {
"label": "Квиз је завршен", "label": "Quiz finished",
"fields": [ "fields": [
{ {
"label": "Прикажи резултате" "label": "Display results"
}, },
{ {
"label": "Дугме за приказ решења" "label": "Display solution button"
}, },
{ {
"label": "Прикажи дугме за поновни покушај" "label": "Display retry button"
}, },
{ {
"label": "Нема резултата", "label": "No results message",
"description": "Текст се приказује на завршној страници када \"Прикажи резултате\" је онемогућено", "description": "Text displayed on end page when \"Display results\" is disabled",
"default": "Готово" "default": "Finished"
}, },
{ {
"label": "Наслов повратне информације", "label": "Feedback heading",
"default": "Ваш резултат:", "default": "Your result:",
"description": "Овај наслов ће се приказати на крају квиза када корисник одговори на сва питања." "description": "This heading will be displayed at the end of the quiz when the user has answered all questions."
}, },
{ {
"label": "Укупне повратне информације", "label": "Overall Feedback",
"fields": [ "fields": [
{ {
"widgets": [ "widgets": [
{ {
"label": "Уобичајено" "label": "Default"
} }
], ],
"label": "Дефинишите прилагођене повратне информације за било који опсег резултата", "label": "Define custom feedback for any score range",
"description": "Пример: 0-20% Лош резултат, 21-91% Просечан резултат, 91-100% Одличан резултат!", "description": "Example: 0-20% Bad score, 21-91% Average Score, 91-100% Great Score!",
"entity": "range", "entity": "range",
"field": { "field": {
"fields": [ "fields": [
{ {
"label": "Распон резултата" "label": "Score Range"
}, },
{}, {},
{ {
"label": "Повратне информације за дефинисани опсег резултата", "label": "Feedback for defined score range",
"placeholder": "Попуните повратне информације" "placeholder": "Fill in the feedback"
} }
] ]
} }
@ -174,96 +170,92 @@
] ]
}, },
{ {
"label": "Остале повратне информације", "label": "Old Feedback",
"fields": [ "fields": [
{ {
"label": "Квиз је завршен", "label": "Quiz passed greeting",
"description": "Овај текст ће бити приказан изнад резултата ако је корисник успешно прошао квиз." "description": "This text will be displayed above the score if the user has successfully passed the quiz."
}, },
{ {
"label": "Прошао коментар", "label": "Passed comment",
"description": "Овај коментар ће се приказати након резултата ако је корисник успешно прошао квиз." "description": "This comment will be displayed after the score if the user has successfully passed the quiz."
}, },
{ {
"label": "Квиз није успео", "label": "Quiz failed title",
"description": "Овај текст ће се приказати изнад резултата ако је корисник пао у квизу." "description": "This text will be displayed above the score if the user has failed the quiz."
}, },
{ {
"label": "Неуспели коментар", "label": "Failed comment",
"description": "Овај коментар ће се приказати након резултата ако је корисник пао у квизу." "description": "This comment will be displayed after the score if the user has failed the quiz."
} }
] ]
}, },
{ {
"label": "Ознака дугмета за решење", "label": "Solution button label",
"default": "Прикажи решења", "default": "Show solution",
"description": "Текст за дугме за решење." "description": "Text for the solution button."
}, },
{ {
"label": "Ознака дугмета - Покушај поново", "label": "Retry button label",
"default": "Покушај поново", "default": "Retry",
"description": "Текст за дугме за поновни покушај." "description": "Text for the retry button."
}, },
{ {
"label": "Текст дугмета - Заврши", "label": "Finish button text",
"default": "Заврши" "default": "Finish"
}, },
{ {
"label": "Submit button text", "label": "Display video before quiz results"
"default": "Submit"
}, },
{ {
"label": "Прикажите видео пре резултата квиза" "label": "Enable skip video button"
}, },
{ {
"label": "Омогући дугме за прескакање видео записа" "label": "Skip video button label",
"default": "Skip video"
}, },
{ {
"label": "Ознака за прескакање видеа", "label": "Passed video",
"default": "Прескочи видео" "description": "This video will be played if the user successfully passed the quiz."
}, },
{ {
"label": "Видео је прошао", "label": "Fail video",
"description": "Овај видео ће се репродуковати ако је корисник успешно прошао квиз." "description": "This video will be played if the user fails the quiz."
},
{
"label": "Неуспели видео",
"description": "Овај видео ће се репродуковати ако корисник није прошао квиз."
} }
] ]
}, },
{ {
"label": "Подешавања за \"Прикажи решења\" и \"Врати\" дугмиће", "label": "Settings for \"Show solution\" and \"Retry\" buttons",
"fields": [ "fields": [
{ {
"label": "Прикажи \"Провери\" дугме", "label": "Show \"Check\" buttons",
"description": "Ова опција одређује да ли ће \"Провери\" дугме ће бити приказано за сва питања." "description": "This option determines if the \"Check\" button will be shown for all questions."
}, },
{ {
"label": "Прегазити \"Прикажи решења\" дугме", "label": "Override \"Show Solution\" button",
"description": "Ова опција одређује да ли ће \"Прикажи решења\" дугме бити приказано за сва питања, онемогућено за сва или конфигурисано за свако питање појединачно.", "description": "This option determines if the \"Show Solution\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [ "options": [
{ {
"label": "Омогући" "label": "Enabled"
}, },
{ {
"label": "Онемогући" "label": "Disabled"
} }
] ]
}, },
{ {
"label": "Прегази \"Врати\" дугме", "label": "Override \"Retry\" button",
"description": "Ова опција одређује да ли ће \"Врати\" дугме бити приказано за сва питања, онемогућено за сва или конфигурисано за свако питање појединачно.", "description": "This option determines if the \"Retry\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [ "options": [
{ {
"label": "Омогући" "label": "Enabled"
}, },
{ {
"label": "Онемогући" "label": "Disabled"
} }
] ]
} }
] ]
} }
] ]
} }

View File

@ -1,7 +1,7 @@
{ {
"semantics": [ "semantics": [
{ {
"label": "Introduktion", "label": "Quiz introduktion",
"fields": [ "fields": [
{ {
"label": "Visa introduktion" "label": "Visa introduktion"
@ -75,10 +75,6 @@
"label": "Avsluta-knapp", "label": "Avsluta-knapp",
"default": "Avsluta" "default": "Avsluta"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Text för framsteg", "label": "Text för framsteg",
"description": "Text som används om textuella framsteg är valt.", "description": "Text som används om textuella framsteg är valt.",
@ -134,7 +130,7 @@
"label": "Visa rätt svar-knapp" "label": "Visa rätt svar-knapp"
}, },
{ {
"label": "Visa försök igen-knapp" "label": "Display retry button"
}, },
{ {
"label": "Meddelande vid inget resultat", "label": "Meddelande vid inget resultat",
@ -165,7 +161,7 @@
}, },
{}, {},
{ {
"label": "Feedback för detta poängintervall", "label": "Feedback för definierat poängintervall",
"placeholder": "Fyll i feedback" "placeholder": "Fyll i feedback"
} }
] ]
@ -208,10 +204,6 @@
"label": "Text för knappen Avsluta", "label": "Text för knappen Avsluta",
"default": "Avsluta" "default": "Avsluta"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Visa video före resultat från denna quiz" "label": "Visa video före resultat från denna quiz"
}, },
@ -228,16 +220,16 @@
}, },
{ {
"label": "Ej godkänt-video", "label": "Ej godkänt-video",
"description": "Denna video kommer att visas om användaren misslyckas med att nå godkänt på denna quiz." "description": "Denna video kommer att visas om användaren har misslyckats med att nå godkänt på denna quiz."
} }
] ]
}, },
{ {
"label": "Inställningar för knapparna \"Visa lösning\" och \"Försök igen\"", "label": "Inställningar för knapparna \"Visa rätt svar\" och \"Försök igen\"",
"fields": [ "fields": [
{ {
"label": "Visa \"Svara\"-knappar", "label": "Visa \"Rätta\" knappar",
"description": "Denna inställning avgör om knappen \"Svara\" (som visar om svaret var korrekt eller ej) ska visas på alla frågor." "description": "Denna inställning avgör om knappen \"Rätta\" ska visas på alla frågor."
}, },
{ {
"label": "Ignorera knapp \"Visa rätt svar\"", "label": "Ignorera knapp \"Visa rätt svar\"",
@ -252,8 +244,8 @@
] ]
}, },
{ {
"label": "Ignorera knapp \"Försök igen\"", "label": "Ignorera knapp \"Försök igen\" ",
"description": "Denna inställning avgör om knappen \"Försök igen\" ska visas på alla frågor, vara inaktiverad för alla frågor, eller konfigureras individuellt per fråga.", "description": "Denna inställning avgör om knappen \"Försök igen\" ska visas på alla frågor, vara inaktiverad för alla frågor, eller konfigureras individuellt per fråga",
"options": [ "options": [
{ {
"label": "Aktiverad" "label": "Aktiverad"
@ -266,4 +258,4 @@
] ]
} }
] ]
} }

View File

@ -1,51 +1,51 @@
{ {
"semantics": [ "semantics": [
{ {
"label": "Sınav (Quiz) Hakkında Bilgilendirme", "label": "Quiz introduction",
"fields": [ "fields": [
{ {
"label": "Bilgilendirmeyi göster" "label": "Display introduction"
}, },
{ {
"label": "Başlık", "label": "Title",
"description": "Bu başlık bilgilendirme metninin başlığıdır. " "description": "This title will be displayed above the introduction text."
}, },
{ {
"label": "Bilgilendirme metni", "label": "Giriş metni",
"description": "Sınav (quiz) başlamadan önce gösterlecek metin" "description": "This text will be displayed before the quiz starts."
}, },
{ {
"label": "Başla butonu metni", "label": "Start button text",
"default": "Sınavı başlat" "default": "Start Quiz"
}, },
{ {
"label": "Arka plan görseli", "label": "Background image",
"description": "Bilgilendirme bölümü için isterseniz arka plan görseli ekleyebilirsiniz." "description": "An optional background image for the introduction."
} }
] ]
}, },
{ {
"label": "Arka plan görseli", "label": "Background image",
"description": "Soru seti için isteğe bağlı arka plan görseli." "description": "An optional background image for the Question set."
}, },
{ {
"label": "İlerleme göstergeleri", "label": "Progress indicator",
"description": "Soru seti ilerleme göstergesi stili", "description": "Question set progress indicator style.",
"options": [ "options": [
{ {
"label": "Metinsel" "label": "Metin"
}, },
{ {
"label": "Noktalar" "label": "Dots"
} }
] ]
}, },
{ {
"label": "Geçme puanı (%)", "label": "Geçiş yüzdesi",
"description": "Sınavı (quiz) geçmek için gerekli toplam puan yüzdesi." "description": "Quizi geçmek için gerekli toplam puan yüzdesi."
}, },
{ {
"label": "Sorular", "label": "Questions",
"widgets": [ "widgets": [
{ {
"label": "Varsayılan" "label": "Varsayılan"
@ -54,119 +54,115 @@
"label": "Metin" "label": "Metin"
} }
], ],
"entity": "soru", "entity": "question",
"field": { "field": {
"label": "Soru türü", "label": "Question type",
"description": "Soru şablonlarından seçin" "description": "Library for this question."
} }
}, },
{ {
"label": "Test arayüz metinleri", "label": "Interface texts in quiz",
"fields": [ "fields": [
{ {
"label": "Geri butonu", "label": "Back button",
"default": "Önceki soru" "default": "Previous question"
}, },
{ {
"label": "Sonraki butonu", "label": "Next button",
"default": "Sonraki soru" "default": "Next question"
}, },
{ {
"label": "Bitir butonu", "label": "Finish button",
"default": "Bitir" "default": "Bitir"
}, },
{ {
"label": "Submit button", "label": "Progress text",
"default": "Submit" "description": "Text used if textual progress is selected.",
"default": "Question: @current of @total questions"
}, },
{ {
"label": "İlerleme metni", "label": "Label for jumping to a certain question",
"description": "İlerleme göstergesi olarak metin seçildiyse kullanılacak metin.", "description": "You must use the placeholder '%d' instead of the question number, and %total instead of total amount of questions.",
"default": "Soru: @current / @total" "default": "Question %d of %total"
}, },
{ {
"label": "Belirli bir soruya geçmek için etiket", "label": "Copyright dialog question label",
"description": "Soru numarası yerine '%d' yer tutucusunu ve toplam soru sayısı yerine de %total'ı kullanmalısınız.",
"default": "Soru %d / %total"
},
{
"label": "Telif hakkı iletişim kutusu soru etiketi",
"default": "Soru" "default": "Soru"
}, },
{ {
"label": "Okuyucu ilerleme durumu", "label": "Readspeaker progress",
"description": "@current ve @total soru değişkenleri kullanabilir", "description": "May use @current and @total question variables",
"default": "Soru @current / @total" "default": "Question @current of @total"
}, },
{ {
"label": "Yanıtlanmamış soru için metin", "label": "Unanswered question text",
"default": "Yanıtlanmadı" "default": "Unanswered"
}, },
{ {
"label": "Yanıtlanmış soru için metin", "label": "Answered question text",
"default": "Yanıtlandı" "default": "Answered"
}, },
{ {
"label": "Geçerli soru için metin", "label": "Current question text",
"default": "Geçerli soru" "default": "Current question"
} }
] ]
}, },
{ {
"label": "Geri gelmeyi engelle", "label": "Disable backwards navigation",
"description": "Bu seçenek soru setinde sadece ileri doğru gezmeye olanak verir önceki soruya dönemez." "description": "This option will only allow you to move forward in Question Set"
}, },
{ {
"label": "Rastgele Sorular", "label": "Randomize questions",
"description": "Soruların ekranda rastgele bir şekilde (her seferinde farklı sıralamada) gelmesi için etkinleştirin." "description": "Soruları sırasını ekranda rasgele gelmesi için etkinleştirin."
}, },
{ {
"label": "Sınavda sorulacak soru sayısı:", "label": "Number of questions to be shown:",
"description": "Soru havuzundan belirli sayıda rastgele soru seçmenizi sağlar." "description": "Create a randomized batch of questions from the total."
}, },
{ {
"label": "Sınav (quiz) bitti", "label": "Quiz finished",
"fields": [ "fields": [
{ {
"label": "Sonuçları göster" "label": "Display results"
}, },
{ {
"label": "Çözümü göster butonunu göster" "label": "Display solution button"
}, },
{ {
"label": "Yeniden dene butonunu göster" "label": "Display retry button"
}, },
{ {
"label": "Sonuç yok mesajı", "label": "No results message",
"description": " \"Sonuçları göster\" devre dışı bırakıldığında gösterilecek metin.", "description": "Text displayed on end page when \"Display results\" is disabled",
"default": "Bitti" "default": "Finished"
}, },
{ {
"label": "Geri bildirim başlığı", "label": "Feedback heading",
"default": "Sonucunuz:", "default": "Your result:",
"description": "Bu başlık, kullanıcı tüm soruları yanıtladığında sınavın sonunda görüntülenecektir." "description": "This heading will be displayed at the end of the quiz when the user has answered all questions."
}, },
{ {
"label": "Genel geri bildirim", "label": "Overall Feedback",
"fields": [ "fields": [
{ {
"widgets": [ "widgets": [
{ {
"label": "Varsayılan" "label": "Default"
} }
], ],
"label": "Herhangi bir puan aralığı için özel geri bildirim tanımlayabilirsiniz.", "label": "Define custom feedback for any score range",
"description": "Örnek: 0-44% Geliştirilmeli, 45-70% Orta, 70-100% İyi!", "description": "Example: 0-20% Bad score, 21-91% Average Score, 91-100% Great Score!",
"entity": "aralık", "entity": "range",
"field": { "field": {
"fields": [ "fields": [
{ {
"label": "Skor Aralığı" "label": "Score Range"
}, },
{}, {},
{ {
"label": "Tanımlanmış puan aralığı için geri bildirim", "label": "Feedback for defined score range",
"placeholder": "Geri bildirim için doldurun" "placeholder": "Fill in the feedback"
} }
] ]
} }
@ -174,97 +170,92 @@
] ]
}, },
{ {
"label": "Eski Geri Bildirim", "label": "Old Feedback",
"fields": [ "fields": [
{ {
"label": "Sınavı geçtiniz tebrikler", "label": "Quiz passed greeting",
"description": "Kullanıcı sınavı başarıyla geçerse puanının üzerinde bu metin görüntülenecektir." "description": "This text will be displayed above the score if the user has successfully passed the quiz."
}, },
{ {
"label": "Geçti yorumu", "label": "Passed comment",
"description": "Kullanıcı sınavı başarıyla geçtiyse puandan sonra bu yorum görüntülenecektir." "description": "This comment will be displayed after the score if the user has successfully passed the quiz."
}, },
{ {
"label": "Sınav başarısız başlığı", "label": "Quiz failed title",
"description": "Kullanıcı sınavda başarısız olursa puanının üzerinde bu metin görüntülenecektir." "description": "This text will be displayed above the score if the user has failed the quiz."
}, },
{ {
"label": "Kaldı yorumu", "label": "Failed comment",
"description": "Kullanıcı sınavda başarısız olursa puandan sonra bu yorum görüntülenecektir." "description": "This comment will be displayed after the score if the user has failed the quiz."
} }
] ]
}, },
{ {
"label": "Çözümü göster butonu etiketi", "label": "Solution button label",
"default": "Çözümü göster", "default": "Çözümü göster",
"description": "Çözümü göster butonu için etiket" "description": "Text for the solution button."
}, },
{ {
"label": "Yeniden dene butonu etiketi", "label": "Yeniden dene buton etiketi",
"default": "Yeniden Dene", "default": "Yeniden dene",
"description": "Yeniden dene butonu için etiket" "description": "Text for the retry button."
}, },
{ {
"label": "Bitir butonu için etiket", "label": "Finish button text",
"default": "Bitir" "default": "Bitir"
}, },
{ {
"label": "Submit button text", "label": "Display video before quiz results"
"default": "Submit"
}, },
{ {
"label": "Sınav sonuçlarından önce videoyu göster" "label": "Enable skip video button"
}, },
{ {
"label": "Videoyu atla düğmesini etkinleştir" "label": "Skip video button label",
"default": "Skip video"
}, },
{ {
"label": "Videoyu atla düğmesi etiketi", "label": "Passed video",
"default": "Videoyu Atla" "description": "This video will be played if the user successfully passed the quiz."
}, },
{ {
"label": "Geçti videosu", "label": "Fail video",
"description": "Bu video, kullanıcı sınavı başarıyla geçerse oynatılacaktır." "description": "This video will be played if the user fails the quiz."
},
{
"label": "Kaldı videosu",
"description": "Bu video, kullanıcı sınavda başarısız olursa oynatılacaktır."
} }
] ]
}, },
{ {
"label": "\"Çözümü göster\" ve \"Yeniden dene\" butonları için ayarlar", "label": "Settings for \"Show solution\" and \"Retry\" buttons",
"fields": [ "fields": [
{ {
"label": "\"Kontrol et\" butonlarını göster", "label": "Show \"Check\" buttons",
"description": "Bu seçenek, tüm sorular için \"Kontrol et\" butonunun gösterilip gösterilmeyeceğini belirler." "description": "This option determines if the \"Check\" button will be shown for all questions."
}, },
{ {
"label": "\"Çözümü göster\" butonunu etkinleştir.", "label": "Override \"Show Solution\" button",
"description": "Bu seçenek, \"Çözümü göster\" butonunun tüm sorular için gösterilip gösterilmeyeceğini, tümü için devre dışı bırakılıp bırakılmayacağını veya her soru için ayrı ayrı yapılandırılıp yapılandırılmayacağını belirler.", "description": "This option determines if the \"Show Solution\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [ "options": [
{ {
"label": "Etkinleştir" "label": "Enabled"
}, },
{ {
"label": "Devre dışı bırak" "label": "Disabled"
} }
] ]
}, },
{ {
"label": "Override \"Yeniden dene\" ", "label": "Override \"Retry\" button",
"description": "Bu seçenek, \"Yeniden dene\" butonunun tüm sorular için gösterilip gösterilmeyeceğini, tümü için devre dışı bırakılıp bırakılmayacağını veya her soru için ayrı ayrı yapılandırılıp yapılandırılmayacağını belirler.", "description": "This option determines if the \"Retry\" button will be shown for all questions, disabled for all or configured for each question individually.",
"options": [ "options": [
{ {
"label": "Etkinleştir" "label": "Enabled"
}, },
{ {
"label": "Devre dışı bırak" "label": "Disabled"
} }
] ]
} }
] ]
} }
] ]
} }

View File

@ -75,10 +75,6 @@
"label": "Кнопка Завершити", "label": "Кнопка Завершити",
"default": "Завершити" "default": "Завершити"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Текст прогресу", "label": "Текст прогресу",
"description": "Текст, який використовується якщо обрано текстовий прогрес.", "description": "Текст, який використовується якщо обрано текстовий прогрес.",
@ -208,10 +204,6 @@
"label": "Текст кнопки завершення", "label": "Текст кнопки завершення",
"default": "Завершити" "default": "Завершити"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Показати відео до результатів тесту" "label": "Показати відео до результатів тесту"
}, },

View File

@ -75,10 +75,6 @@
"label": "Finish button", "label": "Finish button",
"default": "Finish" "default": "Finish"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "Progress text", "label": "Progress text",
"description": "Text used if textual progress is selected.", "description": "Text used if textual progress is selected.",
@ -208,14 +204,6 @@
"label": "Finish button text", "label": "Finish button text",
"default": "Finish" "default": "Finish"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "Display video before quiz results" "label": "Display video before quiz results"
}, },

View File

@ -75,10 +75,6 @@
"label": "完成功能鈕名稱", "label": "完成功能鈕名稱",
"default": "完成" "default": "完成"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "進度", "label": "進度",
"description": "若進度指示選擇以文字方式呈現,則以文字方式顯示.", "description": "若進度指示選擇以文字方式呈現,則以文字方式顯示.",
@ -208,10 +204,6 @@
"label": "完成功能鈕名稱", "label": "完成功能鈕名稱",
"default": "完成" "default": "完成"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "在測驗結果前撥放影片" "label": "在測驗結果前撥放影片"
}, },

View File

@ -75,10 +75,6 @@
"label": "完成按鈕顯示文字", "label": "完成按鈕顯示文字",
"default": "完成" "default": "完成"
}, },
{
"label": "Submit button",
"default": "Submit"
},
{ {
"label": "進度顯示文字", "label": "進度顯示文字",
"description": "若進度指示選擇文字式時顯示的文字。", "description": "若進度指示選擇文字式時顯示的文字。",
@ -208,10 +204,6 @@
"label": "完成按鈕的顯示文字", "label": "完成按鈕的顯示文字",
"default": "完成" "default": "完成"
}, },
{
"label": "Submit button text",
"default": "Submit"
},
{ {
"label": "在測驗結果出現前顯示影片" "label": "在測驗結果出現前顯示影片"
}, },

View File

@ -4,7 +4,7 @@
"contentType": "question", "contentType": "question",
"majorVersion": 1, "majorVersion": 1,
"minorVersion": 17, "minorVersion": 17,
"patchVersion": 7, "patchVersion": 1,
"embedTypes": [ "embedTypes": [
"iframe" "iframe"
], ],
@ -71,4 +71,4 @@
"minorVersion": 0 "minorVersion": 0
} }
] ]
} }