+
this.handleKeyPress(evt, 'handleBack')}>
-
this.handleKeyPress(evt, 'handleSlideTransitionchange', 'none')}>
-
-
-
this.handleKeyPress(evt, 'handleSlideTransitionchange', 'convex')}>
-
-
-
-
this.handleKeyPress(evt, 'handleSlideTransitionchange', 'fade')}>
-
-
-
-
this.handleKeyPress(evt, 'handleSlideTransitionchange', 'slide')}>
-
-
-
-
this.handleKeyPress(evt, 'handleSlideTransitionchange', 'zoom')}>
-
-
-
-
this.handleKeyPress(evt, 'handleSlideTransitionchange', 'concave')}>
-
-
-
+
this.handleKeyPress(evt, 'handleSlideTransitionchange', 'none')}>
+
+
+
this.handleKeyPress(evt, 'handleSlideTransitionchange', 'convex')}>
+
+
+
+
this.handleKeyPress(evt, 'handleSlideTransitionchange', 'fade')}>
+
+
+
+
this.handleKeyPress(evt, 'handleSlideTransitionchange', 'slide')}>
+
+
+
+
this.handleKeyPress(evt, 'handleSlideTransitionchange', 'zoom')}>
+
+
+
+
this.handleKeyPress(evt, 'handleSlideTransitionchange', 'concave')}>
+
+
+
+ {/*
+
+
+
+
+
*/}
);
let normalContent = (
diff --git a/components/Deck/SlideEditLeftPanel/TransitionModal.js b/components/Deck/SlideEditLeftPanel/TransitionModal.js
new file mode 100644
index 000000000..2a7c0878a
--- /dev/null
+++ b/components/Deck/SlideEditLeftPanel/TransitionModal.js
@@ -0,0 +1,227 @@
+import { Button, Divider, Dropdown, Icon, Input, Modal, Popup, Segment } from 'semantic-ui-react';
+import {connectToStores} from 'fluxible-addons-react';
+import FocusTrap from 'focus-trap-react';
+import {FormattedMessage, defineMessages} from 'react-intl';
+import PropTypes from 'prop-types';
+import React from 'react';
+import SlideEditStore from '../../../stores/SlideEditStore';
+import changeSlideTransition from '../../../actions/slide/changeSlideTransition';
+
+
+
+class TransitionModal extends React.Component {
+ constructor(props) {
+ super(props);
+
+ this.state = {
+ modalOpen: false,
+ activeTrap: false,
+ transition: null
+ };
+
+ this.unmountTrap = this.unmountTrap.bind(this);
+ this.handleOpen = this.handleOpen.bind(this);
+ this.handleClose = this.handleClose.bind(this);
+
+ this.messages = defineMessages({
+ noTransitionMessage: {
+ id: 'transitionModal.noneMessage',
+ defaultMessage: 'No slide transition'
+ },
+ convexTransitionMessage: {
+ id: 'transitionModal.convexMessage',
+ defaultMessage: 'Convex'
+ },
+ fadeTransitionMessage: {
+ id: 'transitionModal.fadeMessage',
+ defaultMessage: 'Fade'
+ },
+ slideTransitionMessage: {
+ id: 'transitionModal.slideMessage',
+ defaultMessage: 'Slide'
+ },
+ zoomTransitionMessage: {
+ id: 'transitionModal.zoomMessage',
+ defaultMessage: 'Zoom'
+ },
+ concaveTransitionMessage: {
+ id: 'transitionModal.concaveMessage',
+ defaultMessage: 'Concave'
+ },
+ /////////////
+ question: {
+ id: 'transitionModal.question',
+ defaultMessage: 'You are able to add this transition to the full presentation or only to this slide. What do you prefer?'
+ },
+ cancel: {
+ id: 'transitionModal.cancel',
+ defaultMessage: 'Cancel'
+ },
+ applyFull: {
+ id: 'transitionModal.applyFull',
+ defaultMessage: 'Apply to the full presentation'
+ },
+ onlySlide: {
+ id: 'transitionModal.onlySlide',
+ defaultMessage: 'Apply only to this slide'
+ }
+
+ });
+ }
+
+ unmountTrap() {
+ if(this.state.activeTrap){
+ this.setState({ activeTrap: false });
+ $('#app').attr('aria-hidden','false');
+ }
+ }
+
+ handleOpen(){
+ $('#app').attr('aria-hidden', 'true');
+ this.setState({
+ modalOpen:true,
+ activeTrap:true,
+ transition: this.props.transition
+ });
+ }
+
+ handleClose() {
+ $('#app').attr('aria-hidden', 'false');
+ this.setState({
+ modalOpen: false,
+ activeTrap: false
+ });
+ }
+
+ handleTransitionType(type) {
+ this.context.executeAction(changeSlideTransition, {
+ slideTransition: this.props.transition,
+ transitionType: type
+ });
+ this.handleClose();
+ }
+
+ render() {
+ const headerStyle = {
+ 'textAlign': 'center'
+ };
+ let transitionName = '';
+ let modalTrigger = '';
+ let noTransition = false;
+ let imgSrc = '';
+ let alt = '';
+ switch (this.props.transition) {
+ case 'none':
+ transitionName = this.context.intl.formatMessage(this.messages.noTransitionMessage);
+ noTransition = true;
+ break;
+ case 'convex':
+ transitionName = this.context.intl.formatMessage(this.messages.convexTransitionMessage);
+ imgSrc = '/assets/images/slidetransitions/convex.gif';
+ alt = 'Convex slide transition';
+ break;
+ case 'fade':
+ transitionName = this.context.intl.formatMessage(this.messages.fadeTransitionMessage);
+ imgSrc = '/assets/images/slidetransitions/fade.gif';
+ alt = 'Fade slide transition';
+ break;
+ case 'slide':
+ transitionName = this.context.intl.formatMessage(this.messages.slideTransitionMessage);
+ imgSrc = '/assets/images/slidetransitions/slide.gif';
+ alt = 'Slide slide transition';
+ break;
+ case 'zoom':
+ transitionName = this.context.intl.formatMessage(this.messages.zoomTransitionMessage);
+ imgSrc = '/assets/images/slidetransitions/zoom.gif';
+ alt = 'Zoom slide transition';
+ break;
+ case 'concave':
+ transitionName = this.context.intl.formatMessage(this.messages.concaveTransitionMessage);
+ imgSrc = '/assets/images/slidetransitions/concave.gif';
+ alt = 'concave slide transition';
+ break;
+ }
+
+ if (noTransition) {
+ modalTrigger =
+
this.handleKeyPress(evt, 'handleSlideTransitionchange', this.props.transition)}>
+ {transitionName}
+ ;
+ } else {
+ modalTrigger =
+
this.handleKeyPress(evt, 'handleSlideTransitionchange', this.props.transition)}>
+ {transitionName}
+
+ ;
+ }
+
+
+ let focusTrapOptions = {
+ onDeactivate:this.unmountTrap,
+ clickOutsideDeactivates:true,
+ initialFocus: '#transitionModal' + this.props.transition + 'Description'
+ };
+ return (
+
+
+
+
+
+
+ {this.context.intl.formatMessage(this.messages.question)}
+
+
+
+
+
+
+
+
+
+
+ );
+ }
+
+}
+
+TransitionModal.contextTypes = {
+ executeAction: PropTypes.func.isRequired,
+ intl: PropTypes.object.isRequired
+};
+
+connectToStores(TransitionModal, [SlideEditStore], (context, props) => {
+ return {
+ SlideEditStore: context.getStore(SlideEditStore).getState()
+ };
+});
+
+export default TransitionModal;
diff --git a/components/DefaultHTMLLayout.js b/components/DefaultHTMLLayout.js
index d2560347f..db148a7fe 100644
--- a/components/DefaultHTMLLayout.js
+++ b/components/DefaultHTMLLayout.js
@@ -12,20 +12,12 @@ hook({
class DefaultHTMLLayout extends React.Component {
render() {
let user = this.props.context.getUser();
- let pageDescription = this.props.context.getStore(ApplicationStore).getPageDescription();
-
return (
{this.props.context.getStore(ApplicationStore).getPageTitle()}
-
-
-
-
- {pageDescription ?
: ''}
-
diff --git a/components/Import/ImportModal.js b/components/Import/ImportModal.js
index c6584a02b..b1f8500d5 100644
--- a/components/Import/ImportModal.js
+++ b/components/Import/ImportModal.js
@@ -73,6 +73,7 @@ class Import extends React.Component {
$('#import_file_chooser').val('');
}
handleOpen(){
+ this.props.savetags();
$('#app').attr('aria-hidden','true');
this.setState({
modalOpen:true,
@@ -127,7 +128,6 @@ class Import extends React.Component {
}
handleFileSelect(evt){
-
this.context.executeAction(importFinished, null);
//console.log(evt.target.files[0]);
diff --git a/configs/routes.js b/configs/routes.js
index 0ab12d7a9..f790fc42b 100644
--- a/configs/routes.js
+++ b/configs/routes.js
@@ -23,6 +23,7 @@ import loadImportFile from '../actions/loadImportFile';
import loadPresentation from '../actions/loadPresentation';
import loadAddDeck from '../actions/loadAddDeck';
import notFoundError from '../actions/error/notFoundError';
+import serviceUnavailable from '../actions/error/serviceUnavailable';
import loadResetPassword from '../actions/loadResetPassword';
import async from 'async';
import { chooseAction } from '../actions/user/userprofile/chooseAction';
@@ -381,7 +382,16 @@ export default {
handler: require('../components/Deck/DeckLandingPage'),
page: 'decklandingpage',
action: (context, payload, done) => {
- context.executeAction(loadDeck, payload, done);
+ context.executeAction(loadDeck, payload, (err) => {
+ if (err) {
+ if (err.statusCode === 404) {
+ return context.executeAction(notFoundError, payload, done);
+ } else {
+ return context.executeAction(serviceUnavailable, payload, done);
+ }
+ }
+ done();
+ });
}
},
@@ -397,13 +407,18 @@ export default {
},
(callback) => {
context.executeAction(loadDeckStats, {deckId: payload.params.id}, callback);
- },
+ }],
(err, result) => {
- if(err) console.log(err);
+ if (err) {
+ if (err.statusCode === 404) {
+ return context.executeAction(notFoundError, payload, done);
+ } else {
+ return context.executeAction(serviceUnavailable, payload, done);
+ }
+ }
done();
}
- ]);
-
+ );
}
},
@@ -429,7 +444,17 @@ export default {
}
}
- context.executeAction(loadDeck, payload, done);
+ context.executeAction(loadDeck, payload, (err) => {
+ if (err) {
+ // check for either 404 or 422. 422 is returned from deck service when the deck/slide combo do not match
+ if (err.statusCode === 404 || err.statusCode === 422) {
+ return context.executeAction(notFoundError, payload, done);
+ } else {
+ return context.executeAction(serviceUnavailable, payload, done);
+ }
+ }
+ done();
+ });
}
},
@@ -448,7 +473,7 @@ export default {
];
urlParts = urlParts.filter((u) => !!u);
- done({statusCode: '301', redirectURL: urlParts.join('/')});
+ done({statusCode: 301, redirectURL: urlParts.join('/')});
},
},
legacydeck: {
@@ -656,12 +681,18 @@ export default {
payload.params.sid = payload.params.slideID;//needs to be reset for loadPresentation
payload.params.language = payload.query.language;
context.executeAction(loadPresentation, payload, callback);
- },
+ }],
(err, result) => {
- if(err) console.log(err);
+ if (err) {
+ if (err.statusCode === 404) {
+ return context.executeAction(notFoundError, payload, done);
+ } else {
+ return context.executeAction(serviceUnavailable, payload, done);
+ }
+ }
done();
}
- ]);
+ );
}
},
presentationIE: {
@@ -683,12 +714,18 @@ export default {
// adding language to the params
payload.params.language = payload.query.language;
context.executeAction(loadPresentation, payload, callback);
- },
+ }],
(err, result) => {
- if(err) console.log(err);
+ if (err) {
+ if (err.statusCode === 404) {
+ return context.executeAction(notFoundError, payload, done);
+ } else {
+ return context.executeAction(serviceUnavailable, payload, done);
+ }
+ }
done();
}
- ]);
+ );
}
},
print: {
@@ -714,12 +751,18 @@ export default {
// adding language to the params
payload.params.language = payload.query.language;
context.executeAction(loadPresentation, payload, callback);
- },
+ }],
(err, result) => {
- if(err) console.log(err);
+ if (err) {
+ if (err.statusCode === 404) {
+ return context.executeAction(notFoundError, payload, done);
+ } else {
+ return context.executeAction(serviceUnavailable, payload, done);
+ }
+ }
done();
}
- ]);
+ );
}
},
oldSlugPresentation: {
@@ -735,7 +778,7 @@ export default {
];
urlParts = urlParts.filter((u) => !!u);
- done({statusCode: '301', redirectURL: urlParts.join('/')});
+ done({statusCode: 301, redirectURL: urlParts.join('/')});
},
},
neo4jguide: {
@@ -760,7 +803,7 @@ export default {
];
urlParts = urlParts.filter((u) => !!u);
- done({statusCode: '301', redirectURL: urlParts.join('/')});
+ done({statusCode: 301, redirectURL: urlParts.join('/')});
},
},
importfile: {
diff --git a/intl/ca.json b/intl/ca.json
index cf82b47f9..1e4873ef2 100644
--- a/intl/ca.json
+++ b/intl/ca.json
@@ -16,7 +16,7 @@
"AddDeck.swal.success_publish_deck_text": "Publish your deck for it to show in search results immediately (publishing occurs after a few seconds)",
"AddDeck.swal.error_title_text": "Error",
"AddDeck.swal.error_text": "There was a problem with importing this file. Please, try again.",
- "AddDeck.swal.error_confirm_text": "Close",
+ "AddDeck.swal.error_confirm_text": "Tancar",
"AddDeck.progress.failed": "Upload failed!",
"AddDeck.form.hint_title": "Please enter a title.",
"AddDeck.form.hint_language": "Please select a language.",
@@ -29,6 +29,9 @@
"AddDeck.form.label_themes": "Choose deck theme",
"AddDeck.form.label_description": "Description",
"add.help": "Help decks",
+ "AddDeck.sr.education": "Select education level of deck content",
+ "AddDeck.sr.subject": "Select subject of deck content from autocomplete. Multiple subjects can be selected",
+ "AddDeck.sr.tags": "Add tags or keywords for your deck. Multiple tags can be provided.",
"DeckProperty.Education.Choose": "Choose Education Level",
"DeckProperty.Tag.Topic.Choose": "Choose Subject",
"DeckProperty.Tag.Choose": "Choose Tags",
@@ -37,6 +40,9 @@
"AddDeck.form.label_terms2": "terms and conditions",
"AddDeck.form.label_terms3": "and that content I upload, create and edit can be published under a Creative Commons ShareAlike license.",
"AddDeck.form.label_termsimages": "I agree that images within my imported slides are in the public domain or made available under a Creative Commons Attribution (CC-BY or CC-BY-SA) license.",
+ "activationMessages.swalTitle": "Account activated",
+ "activationMessages.swalText": "Your account has been successfully activated. You are now able to login",
+ "activationMessages.swalConfirm": "Tancar",
"header.cookieBanner": "This website uses cookies.",
"CountryDropdown.placeholder": "Select your country",
"CountryDropdown.Afghanistan": "Afghanistan",
@@ -332,7 +338,172 @@
"CollectionsPanel.error.removeDeck": "An error occured while removing playlist from deck...",
"CollectionsPanel.error.adDeck": "An error occured while adding playlist to the deck...",
"CollectionsPanel.addToPlaylist": "Add deck to playlist",
+ "AddComment.form.comment_title_placeholder": "Title",
+ "AddComment.form.comment_text_placeholder": "Text",
+ "AddComment.form.label_comment_title": "Comment title",
+ "AddComment.form.label_comment_text": "Comment text",
+ "AddComment.form.button_submit": "Submit",
+ "AddComment.form.button_cancel": "Cancel",
+ "AddReply.form.reply_text_placeholder": "Text",
+ "AddReply.form.label_reply_title": "Reply title",
+ "AddReply.form.label_reply_text": "Reply text",
+ "AddReply.form.button_add": "Add Reply",
+ "Comment.form.revision_note": "revision",
+ "Comment.form.from_note": "from",
+ "Comment.form.comment_removed": "Comment was removed",
+ "Comment.form.delete_aria": "Delete comment",
+ "Comment.form.label_reply": "Reply",
+ "ContentDiscussionPanel.form.no_comments": "There are currently no comments for this",
+ "ContentDiscussionPanel.form.button_add": "Add comment",
+ "ContentDiscussionPanel.form.comments": "Comentaris",
+ "ContentChangeItem.swal.text": "This action will restore the slide to an earlier version. Do you want to continue?",
+ "ContentChangeItem.swal.confirmButtonText": "Yes, restore slide",
+ "ContentChangeItem.swal.cancelButtonText": "No",
+ "ContentChangeItem.form.add_description": "added",
+ "ContentChangeItem.form.copy_description": "created a duplicate of",
+ "ContentChangeItem.form.attach_description": "attached",
+ "ContentChangeItem.form.fork_description": "created a fork of deck",
+ "ContentChangeItem.form.translate_description_added": "added",
+ "ContentChangeItem.form.translate_description_translation": "translation for",
+ "ContentChangeItem.form.revise_description": "created a new version of",
+ "ContentChangeItem.form.rename_description_renamed": "renamed",
+ "ContentChangeItem.form.rename_description_to": "to",
+ "ContentChangeItem.form.revert_description_restored": "restored",
+ "ContentChangeItem.form.revert_description_to": "to an earlier version",
+ "ContentChangeItem.form.remove_description": "removed",
+ "ContentChangeItem.form.edit_description_slide_translation": "edited slide translation",
+ "ContentChangeItem.form.edit_description_slide": "edited slide",
+ "ContentChangeItem.form.move_description_slide": "moved the slide",
+ "ContentChangeItem.form.move_description_deck": "moved the deck",
+ "ContentChangeItem.form.move_description": "moved",
+ "ContentChangeItem.form.update_description": "updated deck",
+ "ContentChangeItem.form.default_description": "updated the deck",
+ "ContentChangeItem.form.button_compare": "Compare to current slide version",
+ "ContentChangeItem.form.button_restore": "Restore slide",
+ "ContentChangeItem.form.button_view": "View slide",
+ "ContentChangeItem.form.date_on": "on",
+ "ContentChangeItem.form.date_at": "at",
+ "DeckHistoryPanel.swal.text": "This action will create a new version for this deck. Do you want to continue?",
+ "DeckHistoryPanel.swal.confirmButtonText": "Yes, create a new version",
+ "DeckHistoryPanel.swal.cancelButtonText": "No",
+ "DeckHistoryPanel.form.button_aria": "Create a new version of this deck",
+ "DeckHistoryPanel.form.button_content": "Create a new version",
+ "DeckRevision.swal.text": "This action will restore the deck to an earlier version. Do you want to continue?",
+ "DeckRevision.swal.confirmButtonText": "Yes, restore deck",
+ "DeckRevision.swal.cancelButtonText": "No",
+ "DeckRevision.form.icon_aria_saved": "Saved at",
+ "DeckRevision.form.date_on": "on",
+ "DeckRevision.form.date_at": "at",
+ "DeckRevision.form.by": "by",
+ "DeckRevision.form.button_aria_show": "Show details",
+ "DeckRevision.form.version_changes": "Version changes",
+ "DeckRevision.form.button_aria_restore": "Restore deck",
+ "DeckRevision.form.button_aria_view": "View deck in new tab",
+ "DeckRevisionChanges.form.no_changes": "There are no changes for this version.",
+ "SlideHistoryPanel.form.no_changes": "There are no changes for this slide.",
+ "ContentModulesPanel.form.label_sources": "Sources",
+ "ContentModulesPanel.form.label_tags": "Tags",
+ "ContentModulesPanel.form.label_comments": "Comentaris",
+ "ContentModulesPanel.form.label_history": "History",
+ "ContentModulesPanel.form.label_usage": "Usage",
+ "ContentModulesPanel.form.label_questions": "Questions",
+ "ContentModulesPanel.form.label_playlists": "Playlists",
+ "ContentModulesPanel.form.aria_additional": "Additional deck tools",
+ "ContentModulesPanel.form.dropdown_text": "Tools",
+ "ContentModulesPanel.form.header": "Content Tools",
+ "ContentQuestionAdd.no_question": "Please, enter question",
+ "ContentQuestionAdd.no_answers": "Please, add answers",
+ "ContentQuestionAdd.form.question": "Question",
+ "ContentQuestionAdd.form.difficulty": "Difficulty",
+ "ContentQuestionAdd.form.difficulty_easy": "Easy",
+ "ContentQuestionAdd.form.difficulty_moderate": "Moderate",
+ "ContentQuestionAdd.form.difficulty_hard": "Hard",
+ "ContentQuestionAdd.form.answer_choices": "Answer Choices",
+ "ContentQuestionAdd.form.explanation": "Explanation (optional)",
+ "ContentQuestionAdd.form.exam_question": "This is an exam question",
+ "ContentQuestionAdd.form.button_save": "Save",
+ "ContentQuestionAdd.form.button_cancel": "Cancel",
+ "ContentQuestionAnswersList.form.button_answer_show": "Show answer",
+ "ContentQuestionAnswersList.form.button_answer_hide": "Hide answer",
+ "ContentQuestionAnswersList.form.button_edit": "Edit question",
+ "ContentQuestionAnswersList.form.explanation": "Explanation:",
+ "ContentQuestionEdit.no_question": "Please, enter question",
+ "ContentQuestionEdit.no_answers": "Please, add answers",
+ "ContentQuestionEdit.swal.text": "Delete this question. Are you sure?",
+ "ContentQuestionEdit.swal.confirmButtonText": "Yes, delete!",
+ "ContentQuestionEdit.form.question": "Question",
+ "ContentQuestionEdit.form.difficulty": "Difficulty",
+ "ContentQuestionEdit.form.difficulty_easy": "Easy",
+ "ContentQuestionEdit.form.difficulty_moderate": "Moderate",
+ "ContentQuestionEdit.form.difficulty_hard": "Hard",
+ "ContentQuestionEdit.form.answer_choices": "Answer Choices",
+ "ContentQuestionEdit.form.explanation": "Explanation (optional)",
+ "ContentQuestionEdit.form.exam_question": "This is an exam question",
+ "ContentQuestionEdit.form.button_save": "Save",
+ "ContentQuestionEdit.form.button_cancel": "Cancel",
+ "ContentQuestionEdit.form.button_delete": "Delete",
+ "ContentQuestionsItem.form.originally": "(originally from",
+ "ContentQuestionsPanel.form.no_questions": "There are currently no questions for this",
+ "ContentQuestionsPanel.form.button_exam": "Exam mode",
+ "ContentQuestionsPanel.form.button_select": "Select exam questions",
+ "ContentQuestionsPanel.form.button_add": "Add question",
+ "ContentQuestionsPanel.form.questions_header": "Questions",
+ "QuestionDownloadList.form.heading": "Select questions to download",
+ "QuestionDownloadList.form.button": "Select all",
+ "QuestionDownloadModal.form.download_aria": "Download Questions",
+ "QuestionDownloadModal.form.download_tooltip": "Download Questions as JSON format",
+ "QuestionDownloadModal.form.modal_description": "You can select one or more questions from this deck to download.",
+ "QuestionDownloadModal.form.button_cancel": "Cancel",
+ "QuestionDownloadModal.form.download_text": "Descarrega",
"questionpanel.handleDownloadQuestionsClick": "Download questions",
+ "QuestionDownloadModal.form.modal_header": "Download questions",
+ "ExamAnswersItem.form.answer_correct": "your answer was correct",
+ "ExamAnswersItem.form.answer_not_selected": "the correct answer which you did not select",
+ "ExamAnswersItem.form.answer_incorrect": "your answer was incorrect",
+ "ExamAnswersList.form.explanation": "Explanation:",
+ "ExamAnswersList.form.answer_incorrect": "Your answer to the question was incorrect",
+ "ExamList.swal.title": "Exam submitted",
+ "ExamList.swal.text": "Your score:",
+ "ExamList.form.button_submit": "Submit answers",
+ "ExamList.form.button_cancel": "Cancel",
+ "ExamPanel.form.no_questions": "There are currently no exam questions for this",
+ "ExamPanel.form.exam_mode": "Exam mode",
+ "ExamPanel.form.button_back": "Back",
+ "ExamQuestionsList.form.header": "Select exam questions",
+ "ExamQuestionsList.form.button_save": "Save",
+ "ExamQuestionsList.form.button_cancel": "Cancel",
+ "ContentUsageItem.form.by": "by",
+ "ContentUsageList.form.no_usage": "There is currently no usage of this",
+ "ContributorsPanel.form.no_contributors": "There are no contributors for this",
+ "ContributorsPanel.form.header": "Creator",
+ "ContributorsPanel.form.title": "Contributors",
+ "DataSourceItem.form.originally": "originally from slide",
+ "DataSourcePanel.form.no_sources": "There are currently no sources for this",
+ "DataSourcePanel.form.button_add": "Add source",
+ "DataSourcePanel.form.header": "Sources",
+ "DataSourcePanel.form.show_more": "Show more ...",
+ "EditDataSource.no_title": "This field cannot be empty.",
+ "EditDataSource.valid_url": "The URL must be a valid one.",
+ "EditDataSource.valid_year": "Enter a valid number for a Year, which is less or equal the current one.",
+ "EditDataSource.form.header_edit": "Edit source",
+ "EditDataSource.form.header_add": "Add source",
+ "EditDataSource.form.placeholder_title": "Title",
+ "EditDataSource.form.placeholder_authors": "Authors",
+ "EditDataSource.form.placeholder_year": "Year",
+ "EditDataSource.form.placeholder_comment": "Comment",
+ "EditDataSource.form.button_delete": "Delete",
+ "EditDataSource.form.type_webpage": "Web page",
+ "EditDataSource.form.type_webdocument": "Web document",
+ "EditDataSource.form.type_publication": "Publication",
+ "EditDataSource.form.type_person": "Person",
+ "EditDataSource.form.type_text": "Plain text",
+ "EditDataSource.form.label_type": "Type",
+ "EditDataSource.form.label_title": "Title",
+ "EditDataSource.form.label_authors": "Authors",
+ "EditDataSource.form.label_year": "Year",
+ "EditDataSource.form.label_comment": "Comment",
+ "EditDataSource.form.button_submit": "Submit",
+ "EditDataSource.form.button_cancel": "Cancel",
"RecommendedTags.header": "Recommended Tags",
"RecommendedTags.aria.add": "Add recommended tag",
"RecommendedTags.aria.dismiss": "Dismiss recommendation",
@@ -363,17 +534,17 @@
"ContentActionsHeader.loading": "Loading",
"downloadModal.downloadModal_header": "Download this deck",
"downloadModal.downloadModal_description": "Select the download file format:",
- "downloadModal.downloadModal_downloadButton": "Download",
+ "downloadModal.downloadModal_downloadButton": "Descarrega",
"downloadModal.downloadModal_cancelButton": "Cancel",
"downloadModal.downloadModal_HTML": "HTML (unzip and open index.html to access off-line presentation)",
- "embedModal.closeButton": "Close",
+ "embedModal.closeButton": "Tancar",
"embedModal.deckRadio": "Deck",
"embedModal.slideshowRadio": "Slideshow",
"embedModal.slideRadio": "Slide",
"embedModal.small": "Small",
"embedModal.medium": "Medium",
"embedModal.large": "Large",
- "embedModal.other": "Other",
+ "embedModal.other": "Altres",
"embedModal.embedHeader": "Embed SlideWiki deck \"{title}\"",
"embedModal.description": "Use the options to select how this deck will be displayed. Then copy the generated code into your site.",
"embedModal.embed": "Embed:",
@@ -393,11 +564,11 @@
"deckEditPanel.grantIt": "Grant it?",
"deckEditPanel.grantRights": "Grant rights",
"deckEditPanel.deny": "Deny",
- "deckEditPanel.close": "Close",
+ "deckEditPanel.close": "Tancar",
"DeckProperty.Education": "Education Level",
"DeckProperty.Tag.Topic": "Subject",
"GroupDetails.modalHeading": "Group details",
- "GroupDetails.close": "Close",
+ "GroupDetails.close": "Tancar",
"GroupDetails.groupCreator": "Group creator",
"GroupDetails.unknownCountry": "unknown country",
"GroupDetails.unknownOrganization": "Unknown organization",
@@ -405,7 +576,7 @@
"noPermissionModal.loading": "loading",
"noPermissionModal.error": "Error",
"noPermissionModal.errorMessage": "An error occured. Please try again later.",
- "noPermissionModal.close": "Close",
+ "noPermissionModal.close": "Tancar",
"noPermissionModal.info": "Info",
"noPermissionModal.alreadyRequested": "You already requested deck edit rights on this deck. Please wait until the deck owner reacts.",
"noPermissionModal.success": "Success",
@@ -447,7 +618,7 @@
"SlideContentEditor.saveChangesModalCancel": "No",
"SlideContentEditor.imageUploadErrorTitle": "Error",
"SlideContentEditor.imageUploadErrorText": "Uploading the image file failed. Please try it again and make sure that you select an image and that the file size is not too big. Also please make sure you did not upload an image twice.",
- "SlideContentEditor.imageUploadErrorConfirm": "Close",
+ "SlideContentEditor.imageUploadErrorConfirm": "Tancar",
"SlideContentEditor.SaveAfterSlideNameChangeModalTitle": "Save now or continue editing?",
"SlideContentEditor.SaveAfterSlideNameChangeModalText": "The slide name will be updated after saving the slide and exiting slide edit mode. Click \"yes\" to save the slide and exit edit mode. Click \"no\" to continue editing your slide.",
"SlideContentEditor.SaveAfterSlideNameChangeModalConfirm": "Yes, save and exit slide edit mode",
@@ -464,16 +635,36 @@
"DeckTranslationsModal.translate": "Create translation",
"DeckTranslationsModal.originLanguage": "Original Language:",
"DeckTranslationsModal.switchSR": "Create a new deck translation",
+ "SlideTranslationsModal.header": "Translate Slide",
+ "SlideTranslationsModal.chooseSourceLanguage": "Choose the source language...",
+ "SlideTranslationsModal.chooseTargetLanguage": "Choose the target language...",
+ "SlideTranslationsModal.sourceTranslation": "Current language:",
+ "SlideTranslationsModal.targetTranslation": "Target language:",
+ "SlideTranslationsModal.autoSelect": "Current and target language are automatically selected. You may alter manually if required.",
+ "SlideTranslationsModal.alternativeTranslation1": "We have a limited amount of automatic translation each month. Alternatively, you can use the...",
+ "SlideTranslationsModal.alternativeTranslation2": "...built-in translation feature, ...",
+ "SlideTranslationsModal.alternativeTranslation3": "...translation extension or “app”, or translate via one of the Mozilla Firefox translations extensions (...",
+ "SlideTranslationsModal.openOriginal": "To assist with translation, you can open the current version of this deck in a new browser tab via the Play button.",
+ "SlideTranslationsModal.sourceLanguageSearchOptions": "(start typing to find the source language)",
+ "SlideTranslationsModal.targetLanguageSearchOptions": "(start typing to find the target language)",
+ "SlideTranslationsModal.cancel": "Cancel",
+ "SlideTranslationsModal.translate": "Translate slide",
+ "SlideTranslationsModal.originLanguage": "Original Language:",
+ "SlideTranslationsModal.switchSR": "Start a new slide translation",
"InfoPanelInfoView.selectLanguage": "Select language",
+ "Stats.deckUserStatsTitle": "User Activity",
"similarContentItem.creator": "Creator",
"similarContentItem.likes": "Number of likes",
"similarContentItem.open_deck": "Open deck",
"similarContentItem.open_slideshow": "Open slideshow in new tab",
"similarContentPanel.panel_header": "Recommended Decks",
"similarContentPanel.panel_loading": "Loading",
+ "slideEditLeftPanel.transitionAlertTitle": "Changing Transition for the presentation",
+ "slideEditLeftPanel.transitionAlertContent": "This transition will be used for the transition to this slide, do you want to proceed?",
"editpanel.slideSizeCurrent": "(current: {size})",
"editpanel.back": "back",
"editpanel.embed": "Embed",
+ "editpanel.lti": "LTI",
"editpanel.table": "Table",
"editpanel.Maths": "Maths",
"editpanel.Code": "Code",
@@ -490,6 +681,14 @@
"editpanel.embedAdd": "Add to Slide",
"editpanel.embedNote": "Not all website owners allow their content to be embedded. Using embed code provided by the website you want to embed (instead of URL) often works best.",
"editpanel.embedNoteTerms": "Please note that our terms (e.g., on malicious code and commercial material) also strictly apply to any content on webpages that you embed.",
+ "editpanel.ltiKey": "LTI Key:",
+ "editpanel.ltiKeyMissingError": "missing LTI key",
+ "editpanel.ltiURL": "URL/Link to LTI content:",
+ "editpanel.ltiURLMissingError": "missing URL/link to content",
+ "editpanel.ltiWidth": "Width of LTI content:",
+ "editpanel.ltiHeight": "Height of LTI content:",
+ "editpanel.ltiAdd": "Add to Slide",
+ "editpanel.ltiNote": "Use an LTI URL and key.",
"editpanel.template2": "Empty document - Document-mode (non-canvas)",
"editpanel.template3": "Document with title - Document-mode (non-canvas)",
"editpanel.template31": "Document with rich text example - Document-mode (non-canvas)",
@@ -511,6 +710,7 @@
"editpanel.templateVMU": "VMU template - Title page",
"editpanel.slideTitleButton": "Change slide name",
"editpanel.slideSizeChange": "Change slide size",
+ "editpanel.slideTransition": "Slide Transition",
"editpanel.changeBackgroundColor": "Change Background Colour",
"editpanel.removeBackground": "Remove background",
"editpanel.titleMissingError": "Error: Slide name can not be empty",
@@ -526,6 +726,12 @@
"editpanel.slideSizeName720": "720p HDTV Wide XGA",
"editpanel.slideSizeWidescreen1080": "Widescreen (16:9) high",
"editpanel.slideSizeName1080": "1080p/1080i HDTV Blu-ray",
+ "transitionpanel.none": "No slide transition",
+ "transitionpanel.convex": "Convex",
+ "transitionpanel.fade": "Fade",
+ "transitionpanel.slide": "Slide",
+ "transitionpanel.zoom": "Zoom",
+ "transitionpanel.concave": "Concave",
"editpanel.addTextBox": "Add text box",
"editpanel.Image": "Add image",
"editpanel.Video": "Add video",
@@ -573,7 +779,7 @@
"AddDecksToCollectionModal.fromMyDecks": "From My Decks",
"AddDecksToCollectionModal.fromSlidewiki": "From Slidewiki",
"AddDecksToCollectionModal.button.add": "Add",
- "AddDecksToCollectionModal.button.close": "Close",
+ "AddDecksToCollectionModal.button.close": "Tancar",
"DecksList.loading": "Loading",
"DecksList.error": "An unexpected error occurred while fetching more decks",
"DecksList.noResults": "No results found",
@@ -585,7 +791,7 @@
"NewCollectionModal.field.usergroup": "User Group",
"NewCollectionModal.field.usergroup.placeholder": "Select User Group",
"NewCollectionModal.button.create": "Create",
- "NewCollectionModal.button.close": "Close",
+ "NewCollectionModal.button.close": "Tancar",
"NewCollectionModal.success.title": "New Playlist",
"NewCollectionModal.success.text": "We are creating a new Playlist...",
"UpdateCollectionModal.title": "Update Playlist",
@@ -596,7 +802,7 @@
"UpdateCollectionModal.field.usergroup": "User Group",
"UpdateCollectionModal.field.usergroup.placeholder": "Select User Group",
"UpdateCollectionModal.button.save": "Save",
- "UpdateCollectionModal.button.close": "Close",
+ "UpdateCollectionModal.button.close": "Tancar",
"UpdateCollectionModal.success.title": "Update Playlist",
"UpdateCollectionModal.success.text": "We are updating the Playlist...",
"UserCollections.error.text": "Error",
@@ -615,6 +821,20 @@
"UserCollections.collections.shared": "Shared Playlist",
"UserCollections.collections.delete.title": "Delete Playlist",
"UserCollections.collections.delete.text": "Are you sure you want to delete this playlist?",
+ "footer.sr.header": "Information about SlideWiki",
+ "footer.header": "About",
+ "footer.about": "About Us",
+ "footer.contact": "Contacte'ns",
+ "footer.guides": "Guides and Help",
+ "footer.accessibility": "Accessibility",
+ "footer.terms.header": "Terms & Conditions",
+ "footer.terms": "Terms",
+ "footer.license": "License",
+ "footer.imprint": "Imprint",
+ "footer.data": "Data Protection",
+ "footer.funding": "Funding",
+ "footer.funding.text": "The SlideWiki project has received funding from the European Union's Horizon 2020 research and innovation programme under grant agreement No 688095",
+ "footer.copyright": "Copyright © 2018 All Rights Reserved",
"header.signin": "Sign In",
"header.signin.mobile": "Sign In",
"header.mydecks.mobile": "Decks",
@@ -623,7 +843,7 @@
"header.mysettings.mobile": "Settings",
"header.mynotifications.mobile": "Notifications",
"header.logout.mobile": "Logout",
- "header.addDeck": "Add deck",
+ "header.addDeck": "Afig una Presentació",
"header.menu.homepage": "Homepage",
"header.menu.addDeck": "Add Deck",
"about.p5": "SlideWiki is an open-source development project available on {link_3}. You are free to use or adapt our source code (and in most cases the code of the third party libraries we use) to install your own version of SlideWiki for your organisation or on your website.",
@@ -757,20 +977,25 @@
"dataProtection.8.email": "data-protection(at)zv.fraunhofer.de",
"dataProtection.9.header": "9. Acceptance, validity and modification of data protection conditions",
"dataProtection.9.p1": "By using our Web site, you implicitly agree to accept the use of your personal data as specified above. This present statement of data protection conditions came into effect on October 1st, 2013. As our Web site evolves, and new technologies come into use, it may become necessary to amend the statement of data protection conditions. The Fraunhofer-Gesellschaft reserves the right to modify its data protection conditions at any time, with effect as of a future date. We recommend that you re-read the latest version from time to time.",
+ "decklist.featured.alt": "Featured Image.",
"decklist.decklanguage": "Default language",
+ "decklist.decknumberofslides": "Number of slides",
"decklist.forkcount": "Number of forks",
+ "decklist.likecount": "Number of likes",
+ "decklist.numberofshares": "Number of shares",
+ "decklist.numberofdownloads": "Number of downloads",
"decklist.featured.notavailable": "No featured decks available",
"decklist.recent.notavailable": "No recent decks available",
"decklist.meta.creator": "Creator",
"decklist.meta.date": "Last Modified",
- "featured.header": "Featured decks",
+ "featured.header": "Presentacions destacades",
"features.screenshot": "screenshot of slide editor interface.",
"features.2.p1": "SlideWiki is built on the Open Educational Resources (OER) ethos and all content is published under {navLink}. This means you can reuse and repurpose content from SlideWiki decks. SlideWiki allows you to create your own slides based on decks that have been published on SlideWiki by:",
- "features.4.shareDecks": "{strong} via social media or email.",
+ "features.4.shareDecks": "{strong} a través de xarxes socials o correu electònic",
"features.4.comments": "Add {strong} to decks and slides to interact with other learners.",
"features.4.download": "{strong} decks in PDF, ePub or SCORM format.",
"features.4.findMore": "To find out more about how to use SlideWiki and its many features, view our {link}.",
- "features.header": "Discover SlideWiki",
+ "features.header": "Descobreix SlideWiki",
"features.p1": "The goal of SlideWiki is to revolutionise how educational materials can be authored, shared and reused. By enabling authors and students to create and share slide decks as HTML in an open platform, communities around the world can benefit from materials created by world-leading educators on a wide range of topics.",
"features.1.header": "Create online slide decks",
"features.1.p1": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML to allow you to continue to edit and add new content.",
@@ -786,18 +1011,18 @@
"features.3.header": "Collaborative content authoring",
"features.3.p1": "SlideWiki allows authors and students to collaborate. Through managing editing rights, you can enable colleagues to edit and add to your decks.Comments and Questions (coming soon) allow students and readers to interact with your decks.",
"features.3.collaborate.header": "Collaborate to improve your decks",
- "features.3.collaborate.description": "Use Groups to allow colleagues, peers and associates to collaborate with editing and enhancing your deck.",
+ "features.3.collaborate.description": "Usa {strong} per veure una presentació a pantalla completa. Inclou un cronòmetre i una vista amb les notes de l'orador. ",
"features.3.review.header": "Review and revert changes within slides and decks",
"features.3.review.description": "A sophisticated revisioning model enables you and your co-editors to review and revert changes to slides and decks.",
"features.3.like.header": "Like decks and slides",
"features.3.like.description": "Encourage authors and students to see new content by liking useful decks and slides.",
"features.3.slideshow.header": "Slideshow mode",
"features.3.slideshow.description": "Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes view.",
- "features.4.header": "Supporting Knowledge Communities",
+ "features.4.header": "Suport a les Comunitats de Coneixement",
"features.4.description": "Through a range of interactive and open tools, SlideWiki aims to nurture knowledge communities around the world. Our goal is to significantly increase content available to a world-wide audience. By involve peer-educators in improving and maintaining the quality and attractiveness of your e-learning content SlideWiki can give you a platform to support knowledge communities. With SlideWiki we aim to dramatically improve the efficiency and effectiveness of the collaborative creation of rich learning material for online and offline use.",
- "features.4.shareDescks.strong": "Share decks",
- "features.4.comments.strong": "Comments",
- "features.4.download.strong": "Download",
+ "features.4.shareDescks.strong": "Compartir presentacions",
+ "features.4.comments.strong": "Comentaris",
+ "features.4.download.strong": "Descarrega",
"features.4.findMore.link": "help file deck",
"home.welcome": "Benvingut a SlideWiki",
"home.signUp": "Sign Up",
@@ -807,7 +1032,7 @@
"home.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics and education levels. Slides and presentations can be reused and adapted to suit your needs.",
"home.createSlides": "Create slides",
"home.createSlidesSubtitle": "Add and adapt course material",
- "home.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
+ "home.createSlidesContent": "Crea una presentació nova o importa diapositives de PowerPoint (*.pptx) o OpenDocument Presentation (*.odp) ja existents. Les diapositives que importes es convertiran a diapositives en HTML en les que seguir editant i afegint més diapositives. ",
"home.sharingSlides": "Share slides",
"home.sharingSlidesSubtitle": "Present, Share and Communicate",
"home.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
@@ -825,8 +1050,36 @@
"home.slideWikiAbout": "The SlideWiki Project",
"home.slideWikiAboutContent": "SlideWiki is an online slideshow tool that offers users the chance to create and collaborate on slides, assessments and to share content as structured open educational resources using a Creative Commons licence. With SlideWiki you can engage with your audience by collaborating with colleagues to co-design and co-create course materials and share your knowledge across the world. SlideWiki is an open-source platform, and all its content can be reused under Creative Commons CC-BY-SA license. SlideWiki development, large-scale trials and underlying research is funded from Framework Programme for Research and Innovation Horizon 2020 under grant agreement no 688095. The project involves 17 partners to develop, test and trial SlideWiki.",
"home.slideWikiAboutVisit": "visit the project website.",
- "home.myDecks": "My Decks.",
+ "home.myDecksLink": "My Decks",
"home.seeMoreDecks": "See more decks",
+ "home.leanrMoreSW": "Learn more about SlideWiki",
+ "home.featuredDeck": "Featured Deck",
+ "imprint.licensing.text": "Content on the SlideWiki OCW Authoring platform is licensed under the Creative Commons Attribution-ShareAlike 4.0 International (CC BY-SA 4.0), Creative Commons Attribution 4.0 International (CC BY 4.0), or Creative Commons 1.0 Universal Public Domain Dedication (CC0 1.0) – unless otherwise marked. See the CC {link_licenses} for more information.",
+ "imprint.software.text": "All of SlideWiki’s software code is Open Source software; please check our code repository.",
+ "imprint.header": "Imprint – also serves as provider identification according to § 5 Telemediengesetz (TMG)",
+ "imprint.provider": "Provider",
+ "imprint.representative": "Authorised Representative",
+ "imprint.representative.text": "Prof. Dr. Sören Auer (Director of TIB)",
+ "imprint.representative.text2": "Technische Informationsbibliothek (TIB) is a foundation of public law of the state of Lower Saxony.",
+ "imprint.authority": "Responsible Supervisory Authority",
+ "imprint.authority.text": "Ministry for Science and Culture of Lower Saxony",
+ "imprint.contact": "Contact",
+ "imprint.VAT": "VAT (sales tax) registration number",
+ "imprint.editorialOffice": "Editorial Office",
+ "imprint.copyright": "Copyright",
+ "imprint.copyright.text": "The layout of this website is protected under copyright, as are the graphics and all other contents contained in the website.",
+ "imprint.content": "Content Available",
+ "imprint.content.text1": "Provided as-is:",
+ "imprint.content.text2": "You acknowledge that we do not make any representations or warranties about the material, data, and information, such as data files, text, computer software, code, music, audio files or other sounds, photographs, videos, or other images (collectively, the “Content”) which you may have access to through your use of SlideWiki. Under no circumstances are we liable in any way for any Content, including, but not limited to: any infringing Content, any errors or omissions in Content, or for any loss or damage of any kind incurred as a result of the use of any Content posted, transmitted, linked from, or otherwise accessible through or made available via SlideWiki. You understand that by using SlideWiki, you may be exposed to Content that is offensive, indecent, or objectionable. You agree that you are solely responsible for your reuse of Content made available through SlideWiki. You should review the terms of the applicable license before you use the Content so that you know what you can and cannot do.",
+ "imprint.licensing": "Licensing",
+ "imprint.licenses.page": "licenses page",
+ "imprint.software": "SlideWiki Software",
+ "imprint.repository": "repository",
+ "imprint.content2": "Content Supplied by You",
+ "imprint.content2.text": "Your responsibility: You represent, warrant, and agree that no Content posted or otherwise shared by you on or through SlideWiki (“Your Content”), violates or infringes upon the rights of any third party, including copyright, trademark, privacy, publicity, or other personal or proprietary rights, breaches or conflicts with any obligation, such as a confidentiality obligation, or contains libelous, defamatory, or otherwise unlawful material.",
+ "imprint.licensing.2": "Licensing Your Content: You retain any copyright that you may have in Your Content. You hereby agree that Your Content: (a) is hereby licensed under the Creative Commons Attribution 4.0 License and may be used under the terms of that license or any later version of a Creative Commons Attribution License, or (b) is in the public domain (such as Content that is not copyrightable or Content you make available under CC0), or © if not owned by you, (i) is available under a Creative Commons Attribution 4.0 License or (ii) is a media file that is available under any Creative Commons license.",
+ "imprint.disclaimer": "Disclaimer",
+ "imprint.disclaimer.text": "We cannot assume any liability for the content of external pages. Solely the operators of those linked pages are responsible for their content.",
"licence.ccBySaLicenceLogo": "Creative Commons BY-SA License logo",
"licence.1.p2": "Find out more about the CC BY-SA and access the full license text by viewing the {link_1}.",
"licence.1.3.p2": "{link_1} lists sources of materials published under creative commons licenses. Some media services such as Flickr, YouTube and Vimeo publish some content under creative commons licenses. Content marked “All rights reserved” cannot be included in SlideWiki.",
@@ -858,6 +1111,19 @@
"licence.4.header": "Notices",
"licence.4.p1": "The SlideWiki website and its content are provided \"as is\". We offer no warranties, explicit or implied regarding any content, the webiste or the accuracy of any information. These license may not give you all of the permissions necessary for your intended use. For example, other rights such as publicity, privacy, or moral rights may limit how you use the material. We reserve the right to remove materials and content that we believe to infringe copyright and license requirements.",
"recent.header": "Recent decks added by users",
+ "staticPage.findSlides": "Find slides",
+ "staticPage.findSlidesSubtitle": "Explore the deck",
+ "staticPage.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics.",
+ "staticPage.createSlides": "Create slides",
+ "staticPage.createSlidesSubtitle": "Add and adapt course material",
+ "staticPage.createSlidesContent": "Create a new deck or import existing slides to create HTML slide decks.",
+ "staticPage.sharingSlides": "Share slides",
+ "staticPage.sharingSlidesSubtitle": "Present, Share and Communicate",
+ "staticPage.sharingSlidesContent": "Collaborate on decks with peers. Group decks in playlists and share via social media or email.",
+ "staticPage.getStarted": "Get started right away.",
+ "staticPage.signIn": "Sign in",
+ "staticPage.getStartedDescription": "Create an account to start creating and sharing your decks.",
+ "staticPage.myDecks": "My Decks.",
"terms.mainTitle": "Terms of us of SlideWiki",
"terms.summary": "This is a human-readable summary of the Terms of Use for SlideWiki (the project).",
"terms.disclaimer": "Disclaimer: This summary is not a part of the Terms of Use and is not a legal document. It is simply a handy reference for understanding the full terms. Think of it as the user-friendly interface to the legal language of our Terms of Use.",
@@ -881,44 +1147,31 @@
"terms.paragraph1": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Vivamus id nisl magna. Sed a metus vel dui vehicula viverra. Quisque sed tellus at justo semper dictum. Nullam at rutrum leo. Vivamus at aliquam metus. Aliquam nec nunc in libero posuere hendrerit nec at lacus. Nunc malesuada lobortis tortor nec porta. Cras vulputate mollis nisi, at sollicitudin quam eleifend ac. Nam sed venenatis turpis. Sed vestibulum malesuada nunc vitae ultricies. Donec bibendum ultrices facilisis. Mauris sollicitudin mi et vulputate rhoncus.",
"terms.paragraph2": "Mauris tincidunt, urna non aliquam dapibus, enim metus varius tellus, non dignissim urna odio ac augue. Fusce id lacinia ipsum, id egestas dui. Suspendisse nec quam vel mi tincidunt bibendum a vel mauris. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia Curae; Proin magna elit, molestie eu libero ut, bibendum facilisis turpis. Mauris sem lorem, dignissim a ex sit amet, suscipit fermentum turpis. Integer porttitor arcu non porttitor faucibus. Fusce nisi risus, rutrum vitae vulputate vitae, consectetur et nunc. Aliquam placerat ipsum felis, nec fermentum arcu sagittis nec. Aenean imperdiet laoreet quam ac placerat. Ut accumsan tristique elementum. Etiam congue venenatis lorem, malesuada tristique mauris congue vel. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Nam tincidunt libero a nisi consequat sodales.",
"terms.paragraph3": "Aliquam vitae velit iaculis, vestibulum felis eu, lacinia risus. Donec mollis enim nec accumsan tristique. Morbi dapibus condimentum erat quis placerat. Integer velit augue, sodales quis scelerisque nec, facilisis nec velit. Maecenas rhoncus sagittis lectus, vel feugiat nulla aliquet quis. Quisque condimentum sapien nec eros tristique, vitae pulvinar sem tempus. Nulla ut odio id elit accumsan interdum. Maecenas sagittis sed sem a malesuada. Vivamus venenatis ex sed ex pretium, et pellentesque purus vehicula. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egesta",
- "terms.findSlides": "Find slides",
- "terms.findSlidesSubtitle": "Explore the deck lorem ipsum",
- "terms.findSlidesContent": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Aenean eget elit sapien. Nunc semper urna in lectus consectetur fermentum. Vestibulum eu sem pulvinar, sollicitudin ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet aliquam n ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet.",
- "terms.createSlides": "Create slides",
- "terms.createSlidesSubtitle": "Learn how to create slides with SlideWiki",
- "terms.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
- "terms.sharingSlides": "Sharing slides",
- "terms.sharingSlidesSubtitle": "Present, Share and Communicate",
- "terms.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
- "terms.getStarted": "Get started right away.",
- "terms.signIn": "Sign in",
- "terms.getStartedDescription": "Create an account to start creating and sharing your decks.",
- "terms.myDecks": "My Decks.",
"welcome.3.slideshowMode": "Use the {strong} to view a deck as a slideshow. Includes a timer and speaker notes&apo; view.",
- "welcome.3.shareDecks": "{strong} via social media or email.",
+ "welcome.3.shareDecks": "{strong} a través de xarxes socials o correu electònic",
"welcome.3.comments": "Add {strong} to decks and slides to interact with other learners.",
"welcome.3.download": "{download} decks in PDF, ePub or SCORM format.",
- "welcome.header": "Welcome to SlideWiki",
+ "welcome.header": "Benvingut a SlideWiki",
"welcome.div1": "Thank you for signing up to SlideWiki. Now your account has been created, you can get started with creating, enhancing and sharing open educational resources.",
- "welcome.1.header": "1. Create a deck",
- "welcome.1.p1": "Start creating your own slide deck by selecting the Add deck button.",
- "welcome.1.addDeckButton": "Add deck",
- "welcome.1.p2": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
- "welcome.1.p3": "Need more inspiration to make your own slides? Why not search or browse throughexisting SlideWiki decks.",
- "welcome.2.header": "2. Reuse, Repurpose and Collaborate",
- "welcome.2.p1": "Want to enhance your decks? SlideWiki allows you to create your own slides based on decks that have been published on SlideWiki.",
- "welcome.2.createCopy.header": "Create a copy of a deck",
- "welcome.2.createCopy.description": "Use the Fork function to create your own copy of an existing deck.",
- "welcome.2.appendSlides.header": "Append slides and decks to your deck",
- "welcome.2.appendSlides.description": "Add slides from other decks using the Append function. Or Append a deck to embed a set of slides as a sub-deck.",
- "welcome.2.collaborate.header": "Collaborate to improve your deck",
- "welcome.2.collaborate.description": "Use Groups to allow colleagues, peers and associates to collaborate with editing and enhancing your deck.",
- "welcome.3.header": "3. Present, Share and Communicate",
- "welcome.3.p1": "There are many ways that you and your students can engage and interact with slides and decks.",
+ "welcome.1.header": "1. Crea una presentació",
+ "welcome.1.p1": "Comença creant la teua pròpia diapositiva seleccionant el botó \\\"Afig una Presentació\\\".",
+ "welcome.1.addDeckButton": "Afig una Presentació",
+ "welcome.1.p2": "Crea una presentació nova o importa diapositives de PowerPoint (*.pptx) o OpenDocument Presentation (*.odp) ja existents. Les diapositives que importes es convertiran a diapositives en HTML en les que seguir editant i afegint més diapositives. ",
+ "welcome.1.p3": "Necessites més inspiració per a realitzar les teues pròpies diapositives? Per què no cercar o navegar a través de les presentacions ja existents en SlideWiki?",
+ "welcome.2.header": "2. Reutilitza, Reorienta i Col·labora",
+ "welcome.2.p1": "Vols millorar les teues presentacions? SlideWiki et permet crear les teues pròpies diapositives basant-te en presentacions ja publicades en SlideWiki.",
+ "welcome.2.createCopy.header": "Crea una còpia d'una presentació",
+ "welcome.2.createCopy.description": "Usa la funció Bifurcació per a crear la teua pròpia còpia d'una presentació existent.",
+ "welcome.2.appendSlides.header": "Adjunta diapositivas y presentaciones a tu presentación",
+ "welcome.2.appendSlides.description": "Afig diapositives des d'altres presentacions usant la funció Adjuntar. També pots Adjuntar una presentació per a embeure un conjunt de diapositives i convertir-les en una sub-presentació.",
+ "welcome.2.collaborate.header": "Col·labora per a millorar la teua presentació",
+ "welcome.2.collaborate.description": "Usa {strong} per veure una presentació a pantalla completa. Inclou un cronòmetre i una vista amb les notes de l'orador. ",
+ "welcome.3.header": "3. Presenta, Comparteix i Comunica",
+ "welcome.3.p1": "Hi ha moltes formes en que tu i els teus estudiants podeu connectar-se i interactuar amb les diapositives i les presentacions. ",
"welcome.3.slideshowMode.strong": "Slideshow mode",
- "welcome.shareDecks.strong": "Share decks",
- "welcome.3.comments.strong": "Comments",
- "welcome.3.download.strong": "Download",
+ "welcome.shareDecks.strong": "Compartir presentacions",
+ "welcome.3.comments.strong": "Comentaris",
+ "welcome.3.download.strong": "Descarrega",
"importFileModal.modal_header": "Upload your presentation",
"importFileModal.swal_button": "Accept",
"importFileModal.swal_message": "This file is not supported. Please, remember only pptx, odp, and zip (HTML download) files are supported.",
@@ -934,12 +1187,16 @@
"LoginModal.placeholder.email": "Correu electrònic",
"LoginModal.placeholder.password": "Contrasenya",
"userSignIn.headerText": "Sign In",
- "LoginModal.label.email": "E-Mail",
- "LoginModal.label.password": "Password",
+ "LoginModal.aria.google": "sign in with your Google account",
+ "LoginModal.aria.github": "sign in with your Github account",
+ "LoginModal.label.email": "Correu electrònic",
+ "LoginModal.label.password": "Contrasenya",
"LoginModal.button.signIn": "Sign In",
"LoginModal.text.iCannotAccessMyAccount": "I can not access my account",
"LoginModal.text.dontHaveAnAccount": "Don't have an account? Sign up here.",
- "LoginModal.button.close": "Close",
+ "LoginModal.button.close": "Tancar",
+ "Migrate.text1": "We are merging your user account. This will take just a few seconds.",
+ "Migrate.text2": "You will be directed to next view.",
"resetPassword.mailprompt": "Please enter your email address",
"resetPassword.mailprompt2": "Please enter a valid email address",
"resetPassword.mailreprompt": "Please reenter your email address",
@@ -947,7 +1204,7 @@
"resetPassword.captchaprompt": "Please verify that you're a human",
"resetPassword.swalTitle1": "Success!",
"resetPassword.swalText1": "Your password is now an automated created one. Please check your inbox.",
- "resetPassword.swalClose1": "Close",
+ "resetPassword.swalClose1": "Tancar",
"resetPassword.swalTitle2": "Error",
"resetPassword.swalText2": "There was a special error. The page will now be reloaded.",
"resetPassword.swalButton2": "Reload page",
@@ -961,6 +1218,19 @@
"SSOSignIn.errormessage.isForbidden": "Migration is not possible with this user. Please start all over again.",
"SSOSignIn.errormessage.accountNotFound": "This account was not prepared for migration. Please start all over again.",
"SSOSignIn.errormessage.badImplementation": "An unknown error occurred.",
+ "socialLogin.text1": "We are acquiring your data. This will take just a few seconds.",
+ "socialLogin.text2": "This window will close automatically.",
+ "UserMenuDropdown.mydecks": "My Decks",
+ "UserMenuDropdown.decks": "Decks",
+ "UserMenuDropdown.myplaylists": "My Playlists",
+ "UserMenuDropdown.playlists": "Playlists",
+ "UserMenuDropdown.mygroups": "My Groups",
+ "UserMenuDropdown.groups": "Groups",
+ "UserMenuDropdown.mySettings": "My Settings",
+ "UserMenuDropdown.settings": "Settings",
+ "UserMenuDropdown.myNotifications": "My Notifications",
+ "UserMenuDropdown.notifications": "Notifications",
+ "UserMenuDropdown.signout": "Sign Out",
"paintModal.title": "Draw your own SVG image",
"paintModal.primaryColourInput": "Primary colour:",
"paintModal.secondaryColourInput": "Secondary colour:",
@@ -1016,9 +1286,9 @@
"reportModal.cancel_button": "Cancel",
"reportModal.swal_title": "Deck Report",
"reportModal.send_swal_text": "Report sent. Thank you!",
- "reportModal.send_swal_button": "Close",
+ "reportModal.send_swal_button": "Tancar",
"reportModal.send_swal_error_text": "An error occured while sending the report. Please try again later.",
- "reportModal.send_swal_error_button": "Close",
+ "reportModal.send_swal_error_button": "Tancar",
"HeaderSearchBox.placeholder": "Search",
"KeywordsInputWithFilter.allContentOption": "All Content",
"KeywordsInputWithFilter.titleOption": "Title",
@@ -1054,9 +1324,13 @@
"SearchPanel.filters.tags.title": "Tags",
"SearchPanel.filters.tags.placeholder": "Select Tags",
"SearchPanel.button.submit": "Submit",
+ "DeckFilter.Tag.Topic": "Subject",
+ "DeckFilter.Education": "Education Level",
"Facets.languagesFacet": "Languages",
"Facets.ownersFacet": "Owners",
"Facets.tagsFacet": "Tags",
+ "Facets.educationLevelFacet": "Education Levels",
+ "Facets.topicsFacet": "Subjects",
"Facets.showMore": "show more",
"Facets.showLess": "show less",
"SearchResultsItem.otherVersions.deck": "Deck Version {index}: {title}",
@@ -1085,12 +1359,12 @@
"Stats.activityType.edits": "Edits",
"Stats.activityType.likes": "Likes",
"Stats.activityType.views": "Views",
- "SSOSignIn.errormessage.isSPAM": "Your account was marked as SPAM thus you are not able to sign in. Contact us directly for reactivation.",
- "SSOSignIn.errormessage.credentialsNotFound": "The credentials are unknown. Please retry with another input.",
- "SSOSignIn.errormessage.deactivatedOrUnactivated": "Your user account either have to be activated via the activation link in your email or is deactivated in general.",
+ "SSOSignIn.errormessage.isSPAM": "El seu compte ha sigut marcada com SPAM, per açò no pot accedir. Contacte amb nosaltres directament per reactivar-la.",
+ "SSOSignIn.errormessage.credentialsNotFound": "No reconeixem les credencials. Per favor, intente-ho de nou amb una altra entrada. ",
+ "SSOSignIn.errormessage.deactivatedOrUnactivated": "El seu compte d'usuari o bé ha de ser activada a través de l'enllaç enviat al seu correu electrònic, o està desactivada totalment. ",
"CategoryBox.personalSettings": "Personal settings",
"CategoryBox.profile": "Profile",
- "CategoryBox.account": "Account",
+ "CategoryBox.account": "Accounts",
"CategoryBox.authorizedAccounts": "Authorized Accounts & Services",
"CategoryBox.userStats": "User Stats",
"CategoryBox.groups": "Groups",
@@ -1107,7 +1381,7 @@
"ChangePersonalData.fistname": "Firstname",
"ChangePersonalData.lastname": "Lastname",
"ChangePersonalData.displayName": "Display name",
- "ChangePersonalData.email": "E-Mail",
+ "ChangePersonalData.email": "Correu electrònic",
"ChangePersonalData.uilanguage": "User Interface Language",
"ChangePersonalData.country": "Country",
"ChangePersonalData.organization": "Organization",
@@ -1142,6 +1416,7 @@
"user.deckcard.opendeck": "Open deck",
"user.deckcard.slideshow": "Open slideshow in new tab",
"user.deckcard.unlisted": "Unlisted",
+ "user.populardecks.notavailable": "No decks available",
"Integration.swalTitle3": "Error",
"Integration.swalText3": "The provider hasn't been disabled, because something unexpected happened. Please try again later.",
"Integration.swalbutton3": "Confirmed",
@@ -1152,7 +1427,7 @@
"Integration.swalText2": "You are not allowed to disable all providers.",
"Integration.swalbutton2": "Confirmed",
"Integration.swalTitle1": "Error",
- "Integration.swalText1": "The data from {provider} was incomplete. In case you want to use this provider, please add an e-mail address at the provider itself and try again at SlideWiki.",
+ "Integration.swalText1": "La informació de el {provider} està incompleta. En cas vostè desitge usar aquest proveïdor, per favor anyada un compte de correu electrònic directament en el proveïdor i intente-ho de nou en SlideWiki.",
"Integration.swalbutton1": "Confirm",
"Integration.text_providerEnabled": "This provider is enabled and you may use it.",
"Integration.text_providerDisabled": "This provider is currently disabled. To enable it, click on the button next to it.",
@@ -1164,7 +1439,8 @@
"Integration.disableGithub": "Disable",
"Integration.enableGithub": "Enable",
"Integration.loading": "loading",
- "user.populardecks.notavailable": "No decks available",
+ "Integration.ltis": "Learning Services (LTIs)",
+ "Integration.myLTIs": "My Learning Services",
"user.userProfile.privatePublicProfile.allStatus": "All",
"user.userProfile.privatePublicProfile.publicStatus": "Published",
"user.userProfile.privatePublicProfile.hiddenStatus": "Unlisted",
@@ -1187,7 +1463,7 @@
"UserMenu.stats": "User Stats",
"UserGroups.error": "Error",
"UserGroups.unknownError": "Unknown error while saving.",
- "UserGroups.close": "Close",
+ "UserGroups.close": "Tancar",
"UserGroups.msgError": "Error while deleting the group",
"UserGroups.msgErrorLeaving": "Error while leaving the group",
"UserGroups.member": "Member",
@@ -1202,7 +1478,7 @@
"UserProfile.swalTitle2": "Your Account has been deleted",
"UserProfile.swalTitle3": "Error",
"UserProfile.swalText3": "Something went wrong",
- "UserProfile.swalButton3": "Ok",
+ "UserProfile.swalButton3": "Acceptar",
"UserProfile.exchangePicture": "Exchange picture",
"UserProfile.alterData": "Alter my personal data",
"UserProfile.changePassword": "Change password",
@@ -1214,7 +1490,15 @@
"user.userRecommendations.lastUpdated": "Last updated",
"user.userRecommendations.creationDate": "Creation date",
"user.userRecommendations.title": "Title",
+ "Stats.userStatsTitle": "User Statistics",
"Stats.tagCloudTitle": "Popular Tags",
+ "Stats.userEngagementTitle": "User Engagement Overview",
+ "Stats.activeEngagement": "Active Engagement",
+ "Stats.passiveEngagement": "Passive Engagement",
+ "Stats.socialEngagement": "Social Engagement",
+ "Stats.activeEngagementDesc": "The degree of active participation based on the user's content creation history",
+ "Stats.passiveEngagementDesc": "The degree of passive participation based on the user's content usage",
+ "Stats.socialEngagementDesc": "The degree of social interaction through SW content",
"UserRegistration.firstName_prompt": "Please enter your first name",
"UserRegistration.lastName_prompt": "Please enter your last name",
"UserRegistration.userName_prompt": "Please select your username",
@@ -1235,11 +1519,11 @@
"UserRegistration.swal_text": "Signing up with this provider failed because you are already registered at SlideWiki with this provider. Either sign in or sign up with another provider if you wish to create a new account.",
"UserRegistration.swal_confirmButton": "Login",
"UserRegistration.swal_cancelButton": "Register",
- "UserRegistration.swal2_confirmButton": "Ok",
+ "UserRegistration.swal2_confirmButton": "Acceptar",
"UserRegistration.swal2_text": "These provider credentials are already used by a deactivated user. To reactivate a specific user please contact us directly.",
"UserRegistration.swal3_title": "Thanks for signing up!",
"UserRegistration.swal3_text": "Thank you. You have successfully registered. Please sign in with your new credentials.",
- "UserRegistration.swal3_confirmButton": "Close",
+ "UserRegistration.swal3_confirmButton": "Tancar",
"UserRegistration.swal4_title": "Error!",
"UserRegistration.swal5_title": "Error",
"UserRegistration.swal5_text": "The data from",
@@ -1253,17 +1537,22 @@
"UserRegistration.modal_termText2": "Terms",
"UserRegistration.modal_termLinkTitle": "Sign-up terms and conditions",
"UserRegistration.modal_subtitle2": "Or complete the registration form",
- "UserRegistration.form_firstName": "First name",
- "UserRegistration.form_lastName": "Last name",
+ "UserRegistration.form_firstName": "Nom",
+ "UserRegistration.form_lastName": "Cognoms",
"UserRegistration.form_userName": "User name",
"UserRegistration.form_email": "Email",
"UserRegistration.form_reenterEmail": "Re-enter email",
- "UserRegistration.form_password": "Password",
+ "UserRegistration.form_password": "Contrasenya",
"UserRegistration.form_reenterPassword": "Re-enter password",
"UserRegistration.form_submitButton": "Sign Up",
"UserRegistration.form_terms": "By clicking Sign Up, you agree to our",
"UserRegistration.form_terms2": "Terms",
"UserRegistration.noAccess": "I can not access my account",
+ "UserRegistration.emailRegistered": "This E-Mail has already been registered by someone else. Please use another one.",
+ "UserRegistration.usernameRegistered": "This Username has already been registered by someone else. Please choose another one.",
+ "UserRegistration.username.suggestion": "Here are some suggestions:",
+ "UserRegistration.SSO.title": "Sign up with an account of another SlideWiki instance",
+ "UserRegistration.SSO.aria": "Sign up with another SlideWiki instance",
"UserRegistrationSocial.firstnameprompt": "Please enter your first name",
"UserRegistrationSocial.lastnameprompt": "Please enter your last name",
"UserRegistrationSocial.usernameprompt": "Please select your username",
@@ -1278,6 +1567,7 @@
"UserRegistrationSocial.confirm": "OK",
"UserRegistrationSocial.emailNotAllowed": "This E-Mail has already been used by someone else. Please choose another one.",
"UserRegistrationSocial.usernameNotAllowed": "This Username has already been used by someone else. Please choose another one.",
+ "UserRegistrationSocial.usernamesuggestion": "Here are some suggestions:",
"UserRegistrationSocial.validate": "Validate user information",
"UserRegistrationSocial.fname": "First name *",
"UserRegistrationSocial.lname": "Last name *",
@@ -1304,7 +1594,7 @@
"GroupDecks.header.sharedDecks": "Shared decks edited by this group",
"UserGroupEdit.error": "Error",
"UserGroupEdit.unknownError": "Unknown error while saving.",
- "UserGroupEdit.close": "Close",
+ "UserGroupEdit.close": "Tancar",
"UserGroupEdit.messageGroupName": "Group name required.",
"UserGroupEdit.createGroup": "Create Group",
"UserGroupEdit.editGroup": "Edit Group",
@@ -1331,4 +1621,4 @@
"GroupMenu.settings": "Group Settings",
"GroupMenu.stats": "Group Stats",
"UserGroupPage.goBack": "Return to My Groups List"
-}
+}
\ No newline at end of file
diff --git a/intl/cy.json b/intl/cy.json
index 54b432314..e5edba944 100644
--- a/intl/cy.json
+++ b/intl/cy.json
@@ -29,6 +29,9 @@
"AddDeck.form.label_themes": "Choose deck theme",
"AddDeck.form.label_description": "Description",
"add.help": "Help decks",
+ "AddDeck.sr.education": "Select education level of deck content",
+ "AddDeck.sr.subject": "Select subject of deck content from autocomplete. Multiple subjects can be selected",
+ "AddDeck.sr.tags": "Add tags or keywords for your deck. Multiple tags can be provided.",
"DeckProperty.Education.Choose": "Choose Education Level",
"DeckProperty.Tag.Topic.Choose": "Choose Subject",
"DeckProperty.Tag.Choose": "Choose Tags",
@@ -37,6 +40,9 @@
"AddDeck.form.label_terms2": "terms and conditions",
"AddDeck.form.label_terms3": "and that content I upload, create and edit can be published under a Creative Commons ShareAlike license.",
"AddDeck.form.label_termsimages": "I agree that images within my imported slides are in the public domain or made available under a Creative Commons Attribution (CC-BY or CC-BY-SA) license.",
+ "activationMessages.swalTitle": "Account activated",
+ "activationMessages.swalText": "Your account has been successfully activated. You are now able to login",
+ "activationMessages.swalConfirm": "Close",
"header.cookieBanner": "This website uses cookies.",
"CountryDropdown.placeholder": "Select your country",
"CountryDropdown.Afghanistan": "Afghanistan",
@@ -332,7 +338,172 @@
"CollectionsPanel.error.removeDeck": "An error occured while removing playlist from deck...",
"CollectionsPanel.error.adDeck": "An error occured while adding playlist to the deck...",
"CollectionsPanel.addToPlaylist": "Add deck to playlist",
+ "AddComment.form.comment_title_placeholder": "Title",
+ "AddComment.form.comment_text_placeholder": "Text",
+ "AddComment.form.label_comment_title": "Comment title",
+ "AddComment.form.label_comment_text": "Comment text",
+ "AddComment.form.button_submit": "Submit",
+ "AddComment.form.button_cancel": "Cancel",
+ "AddReply.form.reply_text_placeholder": "Text",
+ "AddReply.form.label_reply_title": "Reply title",
+ "AddReply.form.label_reply_text": "Reply text",
+ "AddReply.form.button_add": "Add Reply",
+ "Comment.form.revision_note": "revision",
+ "Comment.form.from_note": "from",
+ "Comment.form.comment_removed": "Comment was removed",
+ "Comment.form.delete_aria": "Delete comment",
+ "Comment.form.label_reply": "Reply",
+ "ContentDiscussionPanel.form.no_comments": "There are currently no comments for this",
+ "ContentDiscussionPanel.form.button_add": "Add comment",
+ "ContentDiscussionPanel.form.comments": "Comments",
+ "ContentChangeItem.swal.text": "This action will restore the slide to an earlier version. Do you want to continue?",
+ "ContentChangeItem.swal.confirmButtonText": "Yes, restore slide",
+ "ContentChangeItem.swal.cancelButtonText": "No",
+ "ContentChangeItem.form.add_description": "added",
+ "ContentChangeItem.form.copy_description": "created a duplicate of",
+ "ContentChangeItem.form.attach_description": "attached",
+ "ContentChangeItem.form.fork_description": "created a fork of deck",
+ "ContentChangeItem.form.translate_description_added": "added",
+ "ContentChangeItem.form.translate_description_translation": "translation for",
+ "ContentChangeItem.form.revise_description": "created a new version of",
+ "ContentChangeItem.form.rename_description_renamed": "renamed",
+ "ContentChangeItem.form.rename_description_to": "to",
+ "ContentChangeItem.form.revert_description_restored": "restored",
+ "ContentChangeItem.form.revert_description_to": "to an earlier version",
+ "ContentChangeItem.form.remove_description": "removed",
+ "ContentChangeItem.form.edit_description_slide_translation": "edited slide translation",
+ "ContentChangeItem.form.edit_description_slide": "edited slide",
+ "ContentChangeItem.form.move_description_slide": "moved the slide",
+ "ContentChangeItem.form.move_description_deck": "moved the deck",
+ "ContentChangeItem.form.move_description": "moved",
+ "ContentChangeItem.form.update_description": "updated deck",
+ "ContentChangeItem.form.default_description": "updated the deck",
+ "ContentChangeItem.form.button_compare": "Compare to current slide version",
+ "ContentChangeItem.form.button_restore": "Restore slide",
+ "ContentChangeItem.form.button_view": "View slide",
+ "ContentChangeItem.form.date_on": "on",
+ "ContentChangeItem.form.date_at": "at",
+ "DeckHistoryPanel.swal.text": "This action will create a new version for this deck. Do you want to continue?",
+ "DeckHistoryPanel.swal.confirmButtonText": "Yes, create a new version",
+ "DeckHistoryPanel.swal.cancelButtonText": "No",
+ "DeckHistoryPanel.form.button_aria": "Create a new version of this deck",
+ "DeckHistoryPanel.form.button_content": "Create a new version",
+ "DeckRevision.swal.text": "This action will restore the deck to an earlier version. Do you want to continue?",
+ "DeckRevision.swal.confirmButtonText": "Yes, restore deck",
+ "DeckRevision.swal.cancelButtonText": "No",
+ "DeckRevision.form.icon_aria_saved": "Saved at",
+ "DeckRevision.form.date_on": "on",
+ "DeckRevision.form.date_at": "at",
+ "DeckRevision.form.by": "by",
+ "DeckRevision.form.button_aria_show": "Show details",
+ "DeckRevision.form.version_changes": "Version changes",
+ "DeckRevision.form.button_aria_restore": "Restore deck",
+ "DeckRevision.form.button_aria_view": "View deck in new tab",
+ "DeckRevisionChanges.form.no_changes": "There are no changes for this version.",
+ "SlideHistoryPanel.form.no_changes": "There are no changes for this slide.",
+ "ContentModulesPanel.form.label_sources": "Sources",
+ "ContentModulesPanel.form.label_tags": "Tags",
+ "ContentModulesPanel.form.label_comments": "Comments",
+ "ContentModulesPanel.form.label_history": "History",
+ "ContentModulesPanel.form.label_usage": "Usage",
+ "ContentModulesPanel.form.label_questions": "Questions",
+ "ContentModulesPanel.form.label_playlists": "Playlists",
+ "ContentModulesPanel.form.aria_additional": "Additional deck tools",
+ "ContentModulesPanel.form.dropdown_text": "Tools",
+ "ContentModulesPanel.form.header": "Content Tools",
+ "ContentQuestionAdd.no_question": "Please, enter question",
+ "ContentQuestionAdd.no_answers": "Please, add answers",
+ "ContentQuestionAdd.form.question": "Question",
+ "ContentQuestionAdd.form.difficulty": "Difficulty",
+ "ContentQuestionAdd.form.difficulty_easy": "Easy",
+ "ContentQuestionAdd.form.difficulty_moderate": "Moderate",
+ "ContentQuestionAdd.form.difficulty_hard": "Hard",
+ "ContentQuestionAdd.form.answer_choices": "Answer Choices",
+ "ContentQuestionAdd.form.explanation": "Explanation (optional)",
+ "ContentQuestionAdd.form.exam_question": "This is an exam question",
+ "ContentQuestionAdd.form.button_save": "Save",
+ "ContentQuestionAdd.form.button_cancel": "Cancel",
+ "ContentQuestionAnswersList.form.button_answer_show": "Show answer",
+ "ContentQuestionAnswersList.form.button_answer_hide": "Hide answer",
+ "ContentQuestionAnswersList.form.button_edit": "Edit question",
+ "ContentQuestionAnswersList.form.explanation": "Explanation:",
+ "ContentQuestionEdit.no_question": "Please, enter question",
+ "ContentQuestionEdit.no_answers": "Please, add answers",
+ "ContentQuestionEdit.swal.text": "Delete this question. Are you sure?",
+ "ContentQuestionEdit.swal.confirmButtonText": "Yes, delete!",
+ "ContentQuestionEdit.form.question": "Question",
+ "ContentQuestionEdit.form.difficulty": "Difficulty",
+ "ContentQuestionEdit.form.difficulty_easy": "Easy",
+ "ContentQuestionEdit.form.difficulty_moderate": "Moderate",
+ "ContentQuestionEdit.form.difficulty_hard": "Hard",
+ "ContentQuestionEdit.form.answer_choices": "Answer Choices",
+ "ContentQuestionEdit.form.explanation": "Explanation (optional)",
+ "ContentQuestionEdit.form.exam_question": "This is an exam question",
+ "ContentQuestionEdit.form.button_save": "Save",
+ "ContentQuestionEdit.form.button_cancel": "Cancel",
+ "ContentQuestionEdit.form.button_delete": "Delete",
+ "ContentQuestionsItem.form.originally": "(originally from",
+ "ContentQuestionsPanel.form.no_questions": "There are currently no questions for this",
+ "ContentQuestionsPanel.form.button_exam": "Exam mode",
+ "ContentQuestionsPanel.form.button_select": "Select exam questions",
+ "ContentQuestionsPanel.form.button_add": "Add question",
+ "ContentQuestionsPanel.form.questions_header": "Questions",
+ "QuestionDownloadList.form.heading": "Select questions to download",
+ "QuestionDownloadList.form.button": "Select all",
+ "QuestionDownloadModal.form.download_aria": "Download Questions",
+ "QuestionDownloadModal.form.download_tooltip": "Download Questions as JSON format",
+ "QuestionDownloadModal.form.modal_description": "You can select one or more questions from this deck to download.",
+ "QuestionDownloadModal.form.button_cancel": "Cancel",
+ "QuestionDownloadModal.form.download_text": "Download",
"questionpanel.handleDownloadQuestionsClick": "Download questions",
+ "QuestionDownloadModal.form.modal_header": "Download questions",
+ "ExamAnswersItem.form.answer_correct": "your answer was correct",
+ "ExamAnswersItem.form.answer_not_selected": "the correct answer which you did not select",
+ "ExamAnswersItem.form.answer_incorrect": "your answer was incorrect",
+ "ExamAnswersList.form.explanation": "Explanation:",
+ "ExamAnswersList.form.answer_incorrect": "Your answer to the question was incorrect",
+ "ExamList.swal.title": "Exam submitted",
+ "ExamList.swal.text": "Your score:",
+ "ExamList.form.button_submit": "Submit answers",
+ "ExamList.form.button_cancel": "Cancel",
+ "ExamPanel.form.no_questions": "There are currently no exam questions for this",
+ "ExamPanel.form.exam_mode": "Exam mode",
+ "ExamPanel.form.button_back": "Back",
+ "ExamQuestionsList.form.header": "Select exam questions",
+ "ExamQuestionsList.form.button_save": "Save",
+ "ExamQuestionsList.form.button_cancel": "Cancel",
+ "ContentUsageItem.form.by": "by",
+ "ContentUsageList.form.no_usage": "There is currently no usage of this",
+ "ContributorsPanel.form.no_contributors": "There are no contributors for this",
+ "ContributorsPanel.form.header": "Creator",
+ "ContributorsPanel.form.title": "Contributors",
+ "DataSourceItem.form.originally": "originally from slide",
+ "DataSourcePanel.form.no_sources": "There are currently no sources for this",
+ "DataSourcePanel.form.button_add": "Add source",
+ "DataSourcePanel.form.header": "Sources",
+ "DataSourcePanel.form.show_more": "Show more ...",
+ "EditDataSource.no_title": "This field cannot be empty.",
+ "EditDataSource.valid_url": "The URL must be a valid one.",
+ "EditDataSource.valid_year": "Enter a valid number for a Year, which is less or equal the current one.",
+ "EditDataSource.form.header_edit": "Edit source",
+ "EditDataSource.form.header_add": "Add source",
+ "EditDataSource.form.placeholder_title": "Title",
+ "EditDataSource.form.placeholder_authors": "Authors",
+ "EditDataSource.form.placeholder_year": "Year",
+ "EditDataSource.form.placeholder_comment": "Comment",
+ "EditDataSource.form.button_delete": "Delete",
+ "EditDataSource.form.type_webpage": "Web page",
+ "EditDataSource.form.type_webdocument": "Web document",
+ "EditDataSource.form.type_publication": "Publication",
+ "EditDataSource.form.type_person": "Person",
+ "EditDataSource.form.type_text": "Plain text",
+ "EditDataSource.form.label_type": "Type",
+ "EditDataSource.form.label_title": "Title",
+ "EditDataSource.form.label_authors": "Authors",
+ "EditDataSource.form.label_year": "Year",
+ "EditDataSource.form.label_comment": "Comment",
+ "EditDataSource.form.button_submit": "Submit",
+ "EditDataSource.form.button_cancel": "Cancel",
"RecommendedTags.header": "Recommended Tags",
"RecommendedTags.aria.add": "Add recommended tag",
"RecommendedTags.aria.dismiss": "Dismiss recommendation",
@@ -464,16 +635,36 @@
"DeckTranslationsModal.translate": "Create translation",
"DeckTranslationsModal.originLanguage": "Original Language:",
"DeckTranslationsModal.switchSR": "Create a new deck translation",
+ "SlideTranslationsModal.header": "Translate Slide",
+ "SlideTranslationsModal.chooseSourceLanguage": "Choose the source language...",
+ "SlideTranslationsModal.chooseTargetLanguage": "Choose the target language...",
+ "SlideTranslationsModal.sourceTranslation": "Current language:",
+ "SlideTranslationsModal.targetTranslation": "Target language:",
+ "SlideTranslationsModal.autoSelect": "Current and target language are automatically selected. You may alter manually if required.",
+ "SlideTranslationsModal.alternativeTranslation1": "We have a limited amount of automatic translation each month. Alternatively, you can use the...",
+ "SlideTranslationsModal.alternativeTranslation2": "...built-in translation feature, ...",
+ "SlideTranslationsModal.alternativeTranslation3": "...translation extension or “app”, or translate via one of the Mozilla Firefox translations extensions (...",
+ "SlideTranslationsModal.openOriginal": "To assist with translation, you can open the current version of this deck in a new browser tab via the Play button.",
+ "SlideTranslationsModal.sourceLanguageSearchOptions": "(start typing to find the source language)",
+ "SlideTranslationsModal.targetLanguageSearchOptions": "(start typing to find the target language)",
+ "SlideTranslationsModal.cancel": "Cancel",
+ "SlideTranslationsModal.translate": "Translate slide",
+ "SlideTranslationsModal.originLanguage": "Original Language:",
+ "SlideTranslationsModal.switchSR": "Start a new slide translation",
"InfoPanelInfoView.selectLanguage": "Select language",
+ "Stats.deckUserStatsTitle": "User Activity",
"similarContentItem.creator": "Creator",
"similarContentItem.likes": "Number of likes",
"similarContentItem.open_deck": "Open deck",
"similarContentItem.open_slideshow": "Open slideshow in new tab",
"similarContentPanel.panel_header": "Recommended Decks",
"similarContentPanel.panel_loading": "Loading",
+ "slideEditLeftPanel.transitionAlertTitle": "Changing Transition for the presentation",
+ "slideEditLeftPanel.transitionAlertContent": "This transition will be used for the transition to this slide, do you want to proceed?",
"editpanel.slideSizeCurrent": "(current: {size})",
"editpanel.back": "back",
"editpanel.embed": "Embed",
+ "editpanel.lti": "LTI",
"editpanel.table": "Table",
"editpanel.Maths": "Maths",
"editpanel.Code": "Code",
@@ -490,6 +681,14 @@
"editpanel.embedAdd": "Add to Slide",
"editpanel.embedNote": "Not all website owners allow their content to be embedded. Using embed code provided by the website you want to embed (instead of URL) often works best.",
"editpanel.embedNoteTerms": "Please note that our terms (e.g., on malicious code and commercial material) also strictly apply to any content on webpages that you embed.",
+ "editpanel.ltiKey": "LTI Key:",
+ "editpanel.ltiKeyMissingError": "missing LTI key",
+ "editpanel.ltiURL": "URL/Link to LTI content:",
+ "editpanel.ltiURLMissingError": "missing URL/link to content",
+ "editpanel.ltiWidth": "Width of LTI content:",
+ "editpanel.ltiHeight": "Height of LTI content:",
+ "editpanel.ltiAdd": "Add to Slide",
+ "editpanel.ltiNote": "Use an LTI URL and key.",
"editpanel.template2": "Empty document - Document-mode (non-canvas)",
"editpanel.template3": "Document with title - Document-mode (non-canvas)",
"editpanel.template31": "Document with rich text example - Document-mode (non-canvas)",
@@ -511,6 +710,7 @@
"editpanel.templateVMU": "VMU template - Title page",
"editpanel.slideTitleButton": "Change slide name",
"editpanel.slideSizeChange": "Change slide size",
+ "editpanel.slideTransition": "Slide Transition",
"editpanel.changeBackgroundColor": "Change Background Colour",
"editpanel.removeBackground": "Remove background",
"editpanel.titleMissingError": "Error: Slide name can not be empty",
@@ -526,6 +726,12 @@
"editpanel.slideSizeName720": "720p HDTV Wide XGA",
"editpanel.slideSizeWidescreen1080": "Widescreen (16:9) high",
"editpanel.slideSizeName1080": "1080p/1080i HDTV Blu-ray",
+ "transitionpanel.none": "No slide transition",
+ "transitionpanel.convex": "Convex",
+ "transitionpanel.fade": "Fade",
+ "transitionpanel.slide": "Slide",
+ "transitionpanel.zoom": "Zoom",
+ "transitionpanel.concave": "Concave",
"editpanel.addTextBox": "Add text box",
"editpanel.Image": "Add image",
"editpanel.Video": "Add video",
@@ -615,6 +821,20 @@
"UserCollections.collections.shared": "Shared Playlist",
"UserCollections.collections.delete.title": "Delete Playlist",
"UserCollections.collections.delete.text": "Are you sure you want to delete this playlist?",
+ "footer.sr.header": "Information about SlideWiki",
+ "footer.header": "About",
+ "footer.about": "About Us",
+ "footer.contact": "Contact Us",
+ "footer.guides": "Guides and Help",
+ "footer.accessibility": "Accessibility",
+ "footer.terms.header": "Terms & Conditions",
+ "footer.terms": "Terms",
+ "footer.license": "License",
+ "footer.imprint": "Imprint",
+ "footer.data": "Data Protection",
+ "footer.funding": "Funding",
+ "footer.funding.text": "The SlideWiki project has received funding from the European Union's Horizon 2020 research and innovation programme under grant agreement No 688095",
+ "footer.copyright": "Copyright © 2018 All Rights Reserved",
"header.signin": "Sign In",
"header.signin.mobile": "Sign In",
"header.mydecks.mobile": "Decks",
@@ -757,8 +977,13 @@
"dataProtection.8.email": "data-protection(at)zv.fraunhofer.de",
"dataProtection.9.header": "9. Acceptance, validity and modification of data protection conditions",
"dataProtection.9.p1": "By using our Web site, you implicitly agree to accept the use of your personal data as specified above. This present statement of data protection conditions came into effect on October 1st, 2013. As our Web site evolves, and new technologies come into use, it may become necessary to amend the statement of data protection conditions. The Fraunhofer-Gesellschaft reserves the right to modify its data protection conditions at any time, with effect as of a future date. We recommend that you re-read the latest version from time to time.",
+ "decklist.featured.alt": "Featured Image.",
"decklist.decklanguage": "Default language",
+ "decklist.decknumberofslides": "Number of slides",
"decklist.forkcount": "Number of forks",
+ "decklist.likecount": "Number of likes",
+ "decklist.numberofshares": "Number of shares",
+ "decklist.numberofdownloads": "Number of downloads",
"decklist.featured.notavailable": "No featured decks available",
"decklist.recent.notavailable": "No recent decks available",
"decklist.meta.creator": "Creator",
@@ -799,7 +1024,7 @@
"features.4.comments.strong": "Comments",
"features.4.download.strong": "Download",
"features.4.findMore.link": "help file deck",
- "home.welcome": "Welcome to SlideWiki",
+ "home.welcome": "Croeso i SlideWiki",
"home.signUp": "Sign Up",
"home.learnMore": "Learn More",
"home.findSlides": "Find slides",
@@ -825,8 +1050,36 @@
"home.slideWikiAbout": "The SlideWiki Project",
"home.slideWikiAboutContent": "SlideWiki is an online slideshow tool that offers users the chance to create and collaborate on slides, assessments and to share content as structured open educational resources using a Creative Commons licence. With SlideWiki you can engage with your audience by collaborating with colleagues to co-design and co-create course materials and share your knowledge across the world. SlideWiki is an open-source platform, and all its content can be reused under Creative Commons CC-BY-SA license. SlideWiki development, large-scale trials and underlying research is funded from Framework Programme for Research and Innovation Horizon 2020 under grant agreement no 688095. The project involves 17 partners to develop, test and trial SlideWiki.",
"home.slideWikiAboutVisit": "visit the project website.",
- "home.myDecks": "My Decks.",
+ "home.myDecksLink": "My Decks",
"home.seeMoreDecks": "See more decks",
+ "home.leanrMoreSW": "Learn more about SlideWiki",
+ "home.featuredDeck": "Featured Deck",
+ "imprint.licensing.text": "Content on the SlideWiki OCW Authoring platform is licensed under the Creative Commons Attribution-ShareAlike 4.0 International (CC BY-SA 4.0), Creative Commons Attribution 4.0 International (CC BY 4.0), or Creative Commons 1.0 Universal Public Domain Dedication (CC0 1.0) – unless otherwise marked. See the CC {link_licenses} for more information.",
+ "imprint.software.text": "All of SlideWiki’s software code is Open Source software; please check our code repository.",
+ "imprint.header": "Imprint – also serves as provider identification according to § 5 Telemediengesetz (TMG)",
+ "imprint.provider": "Provider",
+ "imprint.representative": "Authorised Representative",
+ "imprint.representative.text": "Prof. Dr. Sören Auer (Director of TIB)",
+ "imprint.representative.text2": "Technische Informationsbibliothek (TIB) is a foundation of public law of the state of Lower Saxony.",
+ "imprint.authority": "Responsible Supervisory Authority",
+ "imprint.authority.text": "Ministry for Science and Culture of Lower Saxony",
+ "imprint.contact": "Contact",
+ "imprint.VAT": "VAT (sales tax) registration number",
+ "imprint.editorialOffice": "Editorial Office",
+ "imprint.copyright": "Copyright",
+ "imprint.copyright.text": "The layout of this website is protected under copyright, as are the graphics and all other contents contained in the website.",
+ "imprint.content": "Content Available",
+ "imprint.content.text1": "Provided as-is:",
+ "imprint.content.text2": "You acknowledge that we do not make any representations or warranties about the material, data, and information, such as data files, text, computer software, code, music, audio files or other sounds, photographs, videos, or other images (collectively, the “Content”) which you may have access to through your use of SlideWiki. Under no circumstances are we liable in any way for any Content, including, but not limited to: any infringing Content, any errors or omissions in Content, or for any loss or damage of any kind incurred as a result of the use of any Content posted, transmitted, linked from, or otherwise accessible through or made available via SlideWiki. You understand that by using SlideWiki, you may be exposed to Content that is offensive, indecent, or objectionable. You agree that you are solely responsible for your reuse of Content made available through SlideWiki. You should review the terms of the applicable license before you use the Content so that you know what you can and cannot do.",
+ "imprint.licensing": "Licensing",
+ "imprint.licenses.page": "licenses page",
+ "imprint.software": "SlideWiki Software",
+ "imprint.repository": "repository",
+ "imprint.content2": "Content Supplied by You",
+ "imprint.content2.text": "Your responsibility: You represent, warrant, and agree that no Content posted or otherwise shared by you on or through SlideWiki (“Your Content”), violates or infringes upon the rights of any third party, including copyright, trademark, privacy, publicity, or other personal or proprietary rights, breaches or conflicts with any obligation, such as a confidentiality obligation, or contains libelous, defamatory, or otherwise unlawful material.",
+ "imprint.licensing.2": "Licensing Your Content: You retain any copyright that you may have in Your Content. You hereby agree that Your Content: (a) is hereby licensed under the Creative Commons Attribution 4.0 License and may be used under the terms of that license or any later version of a Creative Commons Attribution License, or (b) is in the public domain (such as Content that is not copyrightable or Content you make available under CC0), or © if not owned by you, (i) is available under a Creative Commons Attribution 4.0 License or (ii) is a media file that is available under any Creative Commons license.",
+ "imprint.disclaimer": "Disclaimer",
+ "imprint.disclaimer.text": "We cannot assume any liability for the content of external pages. Solely the operators of those linked pages are responsible for their content.",
"licence.ccBySaLicenceLogo": "Creative Commons BY-SA License logo",
"licence.1.p2": "Find out more about the CC BY-SA and access the full license text by viewing the {link_1}.",
"licence.1.3.p2": "{link_1} lists sources of materials published under creative commons licenses. Some media services such as Flickr, YouTube and Vimeo publish some content under creative commons licenses. Content marked “All rights reserved” cannot be included in SlideWiki.",
@@ -858,6 +1111,19 @@
"licence.4.header": "Notices",
"licence.4.p1": "The SlideWiki website and its content are provided \"as is\". We offer no warranties, explicit or implied regarding any content, the webiste or the accuracy of any information. These license may not give you all of the permissions necessary for your intended use. For example, other rights such as publicity, privacy, or moral rights may limit how you use the material. We reserve the right to remove materials and content that we believe to infringe copyright and license requirements.",
"recent.header": "Recent decks added by users",
+ "staticPage.findSlides": "Find slides",
+ "staticPage.findSlidesSubtitle": "Explore the deck",
+ "staticPage.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics.",
+ "staticPage.createSlides": "Create slides",
+ "staticPage.createSlidesSubtitle": "Add and adapt course material",
+ "staticPage.createSlidesContent": "Create a new deck or import existing slides to create HTML slide decks.",
+ "staticPage.sharingSlides": "Share slides",
+ "staticPage.sharingSlidesSubtitle": "Present, Share and Communicate",
+ "staticPage.sharingSlidesContent": "Collaborate on decks with peers. Group decks in playlists and share via social media or email.",
+ "staticPage.getStarted": "Get started right away.",
+ "staticPage.signIn": "Sign in",
+ "staticPage.getStartedDescription": "Create an account to start creating and sharing your decks.",
+ "staticPage.myDecks": "My Decks.",
"terms.mainTitle": "Terms of us of SlideWiki",
"terms.summary": "This is a human-readable summary of the Terms of Use for SlideWiki (the project).",
"terms.disclaimer": "Disclaimer: This summary is not a part of the Terms of Use and is not a legal document. It is simply a handy reference for understanding the full terms. Think of it as the user-friendly interface to the legal language of our Terms of Use.",
@@ -881,24 +1147,11 @@
"terms.paragraph1": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Vivamus id nisl magna. Sed a metus vel dui vehicula viverra. Quisque sed tellus at justo semper dictum. Nullam at rutrum leo. Vivamus at aliquam metus. Aliquam nec nunc in libero posuere hendrerit nec at lacus. Nunc malesuada lobortis tortor nec porta. Cras vulputate mollis nisi, at sollicitudin quam eleifend ac. Nam sed venenatis turpis. Sed vestibulum malesuada nunc vitae ultricies. Donec bibendum ultrices facilisis. Mauris sollicitudin mi et vulputate rhoncus.",
"terms.paragraph2": "Mauris tincidunt, urna non aliquam dapibus, enim metus varius tellus, non dignissim urna odio ac augue. Fusce id lacinia ipsum, id egestas dui. Suspendisse nec quam vel mi tincidunt bibendum a vel mauris. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia Curae; Proin magna elit, molestie eu libero ut, bibendum facilisis turpis. Mauris sem lorem, dignissim a ex sit amet, suscipit fermentum turpis. Integer porttitor arcu non porttitor faucibus. Fusce nisi risus, rutrum vitae vulputate vitae, consectetur et nunc. Aliquam placerat ipsum felis, nec fermentum arcu sagittis nec. Aenean imperdiet laoreet quam ac placerat. Ut accumsan tristique elementum. Etiam congue venenatis lorem, malesuada tristique mauris congue vel. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Nam tincidunt libero a nisi consequat sodales.",
"terms.paragraph3": "Aliquam vitae velit iaculis, vestibulum felis eu, lacinia risus. Donec mollis enim nec accumsan tristique. Morbi dapibus condimentum erat quis placerat. Integer velit augue, sodales quis scelerisque nec, facilisis nec velit. Maecenas rhoncus sagittis lectus, vel feugiat nulla aliquet quis. Quisque condimentum sapien nec eros tristique, vitae pulvinar sem tempus. Nulla ut odio id elit accumsan interdum. Maecenas sagittis sed sem a malesuada. Vivamus venenatis ex sed ex pretium, et pellentesque purus vehicula. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egesta",
- "terms.findSlides": "Find slides",
- "terms.findSlidesSubtitle": "Explore the deck lorem ipsum",
- "terms.findSlidesContent": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Aenean eget elit sapien. Nunc semper urna in lectus consectetur fermentum. Vestibulum eu sem pulvinar, sollicitudin ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet aliquam n ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet.",
- "terms.createSlides": "Create slides",
- "terms.createSlidesSubtitle": "Learn how to create slides with SlideWiki",
- "terms.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
- "terms.sharingSlides": "Sharing slides",
- "terms.sharingSlidesSubtitle": "Present, Share and Communicate",
- "terms.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
- "terms.getStarted": "Get started right away.",
- "terms.signIn": "Sign in",
- "terms.getStartedDescription": "Create an account to start creating and sharing your decks.",
- "terms.myDecks": "My Decks.",
"welcome.3.slideshowMode": "Use the {strong} to view a deck as a slideshow. Includes a timer and speaker notes&apo; view.",
"welcome.3.shareDecks": "{strong} via social media or email.",
"welcome.3.comments": "Add {strong} to decks and slides to interact with other learners.",
"welcome.3.download": "{download} decks in PDF, ePub or SCORM format.",
- "welcome.header": "Welcome to SlideWiki",
+ "welcome.header": "Croeso i SlideWiki",
"welcome.div1": "Thank you for signing up to SlideWiki. Now your account has been created, you can get started with creating, enhancing and sharing open educational resources.",
"welcome.1.header": "1. Create a deck",
"welcome.1.p1": "Start creating your own slide deck by selecting the Add deck button.",
@@ -934,12 +1187,16 @@
"LoginModal.placeholder.email": "E-Mail",
"LoginModal.placeholder.password": "Password",
"userSignIn.headerText": "Sign In",
+ "LoginModal.aria.google": "sign in with your Google account",
+ "LoginModal.aria.github": "sign in with your Github account",
"LoginModal.label.email": "E-Mail",
"LoginModal.label.password": "Password",
"LoginModal.button.signIn": "Sign In",
"LoginModal.text.iCannotAccessMyAccount": "I can not access my account",
"LoginModal.text.dontHaveAnAccount": "Don't have an account? Sign up here.",
"LoginModal.button.close": "Close",
+ "Migrate.text1": "We are merging your user account. This will take just a few seconds.",
+ "Migrate.text2": "You will be directed to next view.",
"resetPassword.mailprompt": "Please enter your email address",
"resetPassword.mailprompt2": "Please enter a valid email address",
"resetPassword.mailreprompt": "Please reenter your email address",
@@ -961,6 +1218,19 @@
"SSOSignIn.errormessage.isForbidden": "Migration is not possible with this user. Please start all over again.",
"SSOSignIn.errormessage.accountNotFound": "This account was not prepared for migration. Please start all over again.",
"SSOSignIn.errormessage.badImplementation": "An unknown error occurred.",
+ "socialLogin.text1": "We are acquiring your data. This will take just a few seconds.",
+ "socialLogin.text2": "This window will close automatically.",
+ "UserMenuDropdown.mydecks": "My Decks",
+ "UserMenuDropdown.decks": "Decks",
+ "UserMenuDropdown.myplaylists": "My Playlists",
+ "UserMenuDropdown.playlists": "Playlists",
+ "UserMenuDropdown.mygroups": "My Groups",
+ "UserMenuDropdown.groups": "Groups",
+ "UserMenuDropdown.mySettings": "My Settings",
+ "UserMenuDropdown.settings": "Settings",
+ "UserMenuDropdown.myNotifications": "My Notifications",
+ "UserMenuDropdown.notifications": "Notifications",
+ "UserMenuDropdown.signout": "Sign Out",
"paintModal.title": "Draw your own SVG image",
"paintModal.primaryColourInput": "Primary colour:",
"paintModal.secondaryColourInput": "Secondary colour:",
@@ -1054,9 +1324,13 @@
"SearchPanel.filters.tags.title": "Tags",
"SearchPanel.filters.tags.placeholder": "Select Tags",
"SearchPanel.button.submit": "Submit",
+ "DeckFilter.Tag.Topic": "Subject",
+ "DeckFilter.Education": "Education Level",
"Facets.languagesFacet": "Languages",
"Facets.ownersFacet": "Owners",
"Facets.tagsFacet": "Tags",
+ "Facets.educationLevelFacet": "Education Levels",
+ "Facets.topicsFacet": "Subjects",
"Facets.showMore": "show more",
"Facets.showLess": "show less",
"SearchResultsItem.otherVersions.deck": "Deck Version {index}: {title}",
@@ -1090,8 +1364,8 @@
"SSOSignIn.errormessage.deactivatedOrUnactivated": "Your user account either have to be activated via the activation link in your email or is deactivated in general.",
"CategoryBox.personalSettings": "Personal settings",
"CategoryBox.profile": "Profile",
- "CategoryBox.account": "Account",
- "CategoryBox.authorizedAccounts": "Authorized Accounts",
+ "CategoryBox.account": "Accounts",
+ "CategoryBox.authorizedAccounts": "Authorized Accounts & Services",
"CategoryBox.userStats": "User Stats",
"CategoryBox.groups": "Groups",
"CategoryBox.myGroups": "My Groups",
@@ -1142,6 +1416,7 @@
"user.deckcard.opendeck": "Open deck",
"user.deckcard.slideshow": "Open slideshow in new tab",
"user.deckcard.unlisted": "Unlisted",
+ "user.populardecks.notavailable": "No decks available",
"Integration.swalTitle3": "Error",
"Integration.swalText3": "The provider hasn't been disabled, because something unexpected happened. Please try again later.",
"Integration.swalbutton3": "Confirmed",
@@ -1164,7 +1439,8 @@
"Integration.disableGithub": "Disable",
"Integration.enableGithub": "Enable",
"Integration.loading": "loading",
- "user.populardecks.notavailable": "No decks available",
+ "Integration.ltis": "Learning Services (LTIs)",
+ "Integration.myLTIs": "My Learning Services",
"user.userProfile.privatePublicProfile.allStatus": "All",
"user.userProfile.privatePublicProfile.publicStatus": "Published",
"user.userProfile.privatePublicProfile.hiddenStatus": "Unlisted",
@@ -1214,7 +1490,15 @@
"user.userRecommendations.lastUpdated": "Last updated",
"user.userRecommendations.creationDate": "Creation date",
"user.userRecommendations.title": "Title",
+ "Stats.userStatsTitle": "User Statistics",
"Stats.tagCloudTitle": "Popular Tags",
+ "Stats.userEngagementTitle": "User Engagement Overview",
+ "Stats.activeEngagement": "Active Engagement",
+ "Stats.passiveEngagement": "Passive Engagement",
+ "Stats.socialEngagement": "Social Engagement",
+ "Stats.activeEngagementDesc": "The degree of active participation based on the user's content creation history",
+ "Stats.passiveEngagementDesc": "The degree of passive participation based on the user's content usage",
+ "Stats.socialEngagementDesc": "The degree of social interaction through SW content",
"UserRegistration.firstName_prompt": "Please enter your first name",
"UserRegistration.lastName_prompt": "Please enter your last name",
"UserRegistration.userName_prompt": "Please select your username",
@@ -1264,6 +1548,11 @@
"UserRegistration.form_terms": "By clicking Sign Up, you agree to our",
"UserRegistration.form_terms2": "Terms",
"UserRegistration.noAccess": "I can not access my account",
+ "UserRegistration.emailRegistered": "This E-Mail has already been registered by someone else. Please use another one.",
+ "UserRegistration.usernameRegistered": "This Username has already been registered by someone else. Please choose another one.",
+ "UserRegistration.username.suggestion": "Here are some suggestions:",
+ "UserRegistration.SSO.title": "Sign up with an account of another SlideWiki instance",
+ "UserRegistration.SSO.aria": "Sign up with another SlideWiki instance",
"UserRegistrationSocial.firstnameprompt": "Please enter your first name",
"UserRegistrationSocial.lastnameprompt": "Please enter your last name",
"UserRegistrationSocial.usernameprompt": "Please select your username",
@@ -1278,6 +1567,7 @@
"UserRegistrationSocial.confirm": "OK",
"UserRegistrationSocial.emailNotAllowed": "This E-Mail has already been used by someone else. Please choose another one.",
"UserRegistrationSocial.usernameNotAllowed": "This Username has already been used by someone else. Please choose another one.",
+ "UserRegistrationSocial.usernamesuggestion": "Here are some suggestions:",
"UserRegistrationSocial.validate": "Validate user information",
"UserRegistrationSocial.fname": "First name *",
"UserRegistrationSocial.lname": "Last name *",
diff --git a/intl/de.json b/intl/de.json
index 0bb86b8f6..dbdd85853 100644
--- a/intl/de.json
+++ b/intl/de.json
@@ -8,7 +8,7 @@
"AddDeck.progress.slides": "Folien",
"AddDeck.swal.success_title_text": "Präsentation erzeugt!",
"AddDeck.swal.success_text": "Die ausgewählte Datei wurde importiert und eine neue Präsentation wurde erzeugt.",
- "AddDeck.swal.preview_text": "Here is a preview of your slides. It may take a few seconds for the images to be created. You can use the tab key to move through the images.",
+ "AddDeck.swal.preview_text": "Hier ist eine Vorschau auf Ihre Folien. Es kann einige Sekunden dauern, bis die Bilder erstellt wurden. Mit der Tabulatortaste können Sie sich durch die Bilder bewegen.",
"AddDeck.swal.success_text_extra": "Dieses neue Deck ist nicht für andere sichtbar, d.h. es ist nicht in Ihrer \"Meine Präsentationen\" Seite oder den Suchergebnissen verfügbar bis Sie es manuell veröffentlichen.",
"AddDeck.swal.success_confirm_text": "Vollständiger Import",
"AddDeck.swal.success_reject_text": "Erneut versuchen",
@@ -22,13 +22,16 @@
"AddDeck.form.hint_language": "Wählen Sie bitte eine Sprache aus.",
"AddDeck.form.selected_message": "(Ausgewählt für den Upload: {filename})",
"AddDeck.form.button_create": "Erzeuge eine Präsentation",
- "AddDeck.form.metadata": "Please select from the following lists to specify the education level and subject area of your deck. You can find out more about these options in our {link_help}.",
+ "AddDeck.form.metadata": "Bitte wählen Sie aus den folgenden Listen, um den Bildungsstand und das Fachgebiet Ihres Decks anzugeben. Mehr über diese Möglichkeiten erfahren Sie in unserer {link_help}.",
"AddDeck.form.heading": "Füge eine Präsentation zu SlideWiki hinzu",
"AddDeck.form.label_title": "Titel",
"AddDeck.form.label_language": "Sprache",
"AddDeck.form.label_themes": "Wählen Sie ein Präsentationsmotiv",
"AddDeck.form.label_description": "Beschreibung",
"add.help": "Hilfspräsentationen",
+ "AddDeck.sr.education": "Wählen Sie den Bildungsgrad des Deck-Inhalts aus",
+ "AddDeck.sr.subject": "Wählen Sie das Thema des Deck-Inhalts aus der automatischen Vervollständigung aus. Mehrere Themen können ausgewählt werden",
+ "AddDeck.sr.tags": "Füge Tags oder Keywords zum Deck hinzu. Es können mehrere Tags verwendet werden..",
"DeckProperty.Education.Choose": "Wählen Sie den Bildungsstand",
"DeckProperty.Tag.Topic.Choose": "Wählen Sie das Thema",
"DeckProperty.Tag.Choose": "Wählen SIe die Tags",
@@ -37,6 +40,9 @@
"AddDeck.form.label_terms2": "Bedingungen und Konditionen",
"AddDeck.form.label_terms3": "und den Inhalt den ich hochlade, erzeuge und bearbeite, kann unter der Creative Commons ShareAlike Lizenz veröffentlicht werden.",
"AddDeck.form.label_termsimages": "Ich stimme zu, dass Bilder in meinen importierten Folien frei verfügbar sind oder unter einer Creative Commons Attribution Lizenz (CC-BY or CC-BY-SA) stehen.",
+ "activationMessages.swalTitle": "Konto aktiviert",
+ "activationMessages.swalText": "Ihr Konto wurde erfolgreich aktiviert. Sie können sich nun einloggen.",
+ "activationMessages.swalConfirm": "Schließen",
"header.cookieBanner": "Diese Website verwendet cookies.",
"CountryDropdown.placeholder": "Wählen Sie Ihr Land aus",
"CountryDropdown.Afghanistan": "Afghanistan",
@@ -55,79 +61,79 @@
"CountryDropdown.Azerbaijan": "Aserbaidschan",
"CountryDropdown.Bahamas": "Bahamas",
"CountryDropdown.Bahrain": "Bahrain",
- "CountryDropdown.Bangladesh": "Bangladesh",
+ "CountryDropdown.Bangladesh": "Bangladesch",
"CountryDropdown.Barbados": "Barbados",
- "CountryDropdown.Belarus": "Belarus",
- "CountryDropdown.Belgium": "Belgium",
+ "CountryDropdown.Belarus": "Weißrussland",
+ "CountryDropdown.Belgium": "Belgien",
"CountryDropdown.Belize": "Belize",
"CountryDropdown.Benin": "Benin",
"CountryDropdown.Bermuda": "Bermuda",
"CountryDropdown.Bhutan": "Bhutan",
- "CountryDropdown.Bolivia": "Bolivia",
+ "CountryDropdown.Bolivia": "Bolivien",
"CountryDropdown.Bonaire": "Bonaire",
- "CountryDropdown.Bosnia_and_Herzegovina": "Bosnia & Herzegovina",
+ "CountryDropdown.Bosnia_and_Herzegovina": "Bosnien & Herzegowina",
"CountryDropdown.Botswana": "Botswana",
- "CountryDropdown.Brazil": "Brazil",
- "CountryDropdown.British_Indian_Ocean_Ter": "British Indian Ocean Ter",
+ "CountryDropdown.Brazil": "Brasilien",
+ "CountryDropdown.British_Indian_Ocean_Ter": "Britischer Indischer Ozean Ter",
"CountryDropdown.Brunei": "Brunei",
- "CountryDropdown.Bulgaria": "Bulgaria",
+ "CountryDropdown.Bulgaria": "Bulgarien",
"CountryDropdown.Burkina_Faso": "Burkina Faso",
"CountryDropdown.Burundi": "Burundi",
- "CountryDropdown.Cambodia": "Cambodia",
- "CountryDropdown.Cameroon": "Cameroon",
- "CountryDropdown.Canada": "Canada",
- "CountryDropdown.Canary_Islands": "Canary Islands",
- "CountryDropdown.Cape_Verde": "Cape Verde",
- "CountryDropdown.Cayman_Islands": "Cayman Islands",
- "CountryDropdown.Central_African_Republic": "Central African Republic",
- "CountryDropdown.Chad": "Chad",
- "CountryDropdown.Channel_Islands": "Channel Islands",
+ "CountryDropdown.Cambodia": "Kambodscha",
+ "CountryDropdown.Cameroon": "Kamerun",
+ "CountryDropdown.Canada": "Kanada",
+ "CountryDropdown.Canary_Islands": "Kanarische Inseln",
+ "CountryDropdown.Cape_Verde": "Kap Verde",
+ "CountryDropdown.Cayman_Islands": "Cayman Inseln",
+ "CountryDropdown.Central_African_Republic": "Zentralafrikanische Republik",
+ "CountryDropdown.Chad": "Tschad",
+ "CountryDropdown.Channel_Islands": "Kanalinseln",
"CountryDropdown.Chile": "Chile",
"CountryDropdown.China": "China",
- "CountryDropdown.Christmas_Island": "Christmas Island",
- "CountryDropdown.Cocos_Island": "Cocos Island",
- "CountryDropdown.Colombia": "Colombia",
- "CountryDropdown.Comoros": "Comoros",
- "CountryDropdown.Congo": "Congo",
- "CountryDropdown.Cook_Islands": "Cook Islands",
+ "CountryDropdown.Christmas_Island": "Weihnachtsinsel",
+ "CountryDropdown.Cocos_Island": "Cocos Insel",
+ "CountryDropdown.Colombia": "Kolumbien",
+ "CountryDropdown.Comoros": "Komoren",
+ "CountryDropdown.Congo": "Kongo",
+ "CountryDropdown.Cook_Islands": "Cook-Inseln",
"CountryDropdown.Costa_Rica": "Costa Rica",
- "CountryDropdown.Croatia": "Croatia",
+ "CountryDropdown.Croatia": "Kroatien",
"CountryDropdown.Cuba": "Cuba",
"CountryDropdown.Curacao": "Curacao",
- "CountryDropdown.Cyprus": "Cyprus",
- "CountryDropdown.Czech_Republic": "Czech Republic",
- "CountryDropdown.Denmark": "Denmark",
- "CountryDropdown.Djibouti": "Djibouti",
+ "CountryDropdown.Cyprus": "Zypern",
+ "CountryDropdown.Czech_Republic": "Tschechien",
+ "CountryDropdown.Denmark": "Dänemark",
+ "CountryDropdown.Djibouti": "Dschibuti",
"CountryDropdown.Dominica": "Dominica",
- "CountryDropdown.Dominican_Republic": "Dominican Republic",
- "CountryDropdown.East_Timor": "East Timor",
+ "CountryDropdown.Dominican_Republic": "Dominikanische Republik",
+ "CountryDropdown.East_Timor": "Osttimor",
"CountryDropdown.Ecuador": "Ecuador",
- "CountryDropdown.Egypt": "Egypt",
+ "CountryDropdown.Egypt": "Ägypten",
"CountryDropdown.El_Salvador": "El Salvador",
- "CountryDropdown.Equatorial_Guinea": "Equatorial Guinea",
+ "CountryDropdown.Equatorial_Guinea": "Äquatorialguinea",
"CountryDropdown.Eritrea": "Eritrea",
- "CountryDropdown.Estonia": "Estonia",
- "CountryDropdown.Ethiopia": "Ethiopia",
- "CountryDropdown.Falkland_Islands": "Falkland Islands",
- "CountryDropdown.Faroe_Islands": "Faroe Islands",
- "CountryDropdown.Fiji": "Fiji",
- "CountryDropdown.Finland": "Finland",
- "CountryDropdown.France": "France",
- "CountryDropdown.French_Guiana": "French Guiana",
- "CountryDropdown.French_Polynesia": "French Polynesia",
- "CountryDropdown.French_Southern_Ter": "French Southern Ter",
- "CountryDropdown.Gabon": "Gabon",
+ "CountryDropdown.Estonia": "Estland",
+ "CountryDropdown.Ethiopia": "Äthiopien",
+ "CountryDropdown.Falkland_Islands": "Falklandinseln",
+ "CountryDropdown.Faroe_Islands": "Färöer Inseln",
+ "CountryDropdown.Fiji": "Fidschi",
+ "CountryDropdown.Finland": "Finnland",
+ "CountryDropdown.France": "Frankreich",
+ "CountryDropdown.French_Guiana": "Französisch-Guayana",
+ "CountryDropdown.French_Polynesia": "Französisch-Polynesien",
+ "CountryDropdown.French_Southern_Ter": "Französisch Südterritorium",
+ "CountryDropdown.Gabon": "Gabun",
"CountryDropdown.Gambia": "Gambia",
"CountryDropdown.Georgia": "Georgia",
- "CountryDropdown.Germany": "Germany",
+ "CountryDropdown.Germany": "Deutschland",
"CountryDropdown.Ghana": "Ghana",
"CountryDropdown.Gibraltar": "Gibraltar",
- "CountryDropdown.Great_Britain": "Great Britain",
- "CountryDropdown.Greece": "Greece",
- "CountryDropdown.Greenland": "Greenland",
+ "CountryDropdown.Great_Britain": "Großbritannien",
+ "CountryDropdown.Greece": "Griechenland",
+ "CountryDropdown.Greenland": "Grönland",
"CountryDropdown.Grenada": "Grenada",
"CountryDropdown.Guadeloupe": "Guadeloupe",
- "CountryDropdown.Guam": "Guam",
+ "CountryDropdown.Guam": "Guadeloupe",
"CountryDropdown.Guatemala": "Guatemala",
"CountryDropdown.Guinea": "Guinea",
"CountryDropdown.Guyana": "Guyana",
@@ -135,91 +141,91 @@
"CountryDropdown.Hawaii": "Hawaii",
"CountryDropdown.Honduras": "Honduras",
"CountryDropdown.Hong_Kong": "Hong Kong",
- "CountryDropdown.Hungary": "Hungary",
- "CountryDropdown.Iceland": "Iceland",
- "CountryDropdown.India": "India",
- "CountryDropdown.Indonesia": "Indonesia",
+ "CountryDropdown.Hungary": "Ungarn",
+ "CountryDropdown.Iceland": "Island",
+ "CountryDropdown.India": "Indien",
+ "CountryDropdown.Indonesia": "Indonesien",
"CountryDropdown.Iran": "Iran",
"CountryDropdown.Iraq": "Iraq",
- "CountryDropdown.Ireland": "Ireland",
+ "CountryDropdown.Ireland": "Irland",
"CountryDropdown.Isle_of_Man": "Isle of Man",
"CountryDropdown.Israel": "Israel",
- "CountryDropdown.Italy": "Italy",
- "CountryDropdown.Jamaica": "Jamaica",
+ "CountryDropdown.Italy": "Italien",
+ "CountryDropdown.Jamaica": "Jamaika",
"CountryDropdown.Japan": "Japan",
- "CountryDropdown.Jordan": "Jordan",
- "CountryDropdown.Kazakhstan": "Kazakhstan",
- "CountryDropdown.Kenya": "Kenya",
+ "CountryDropdown.Jordan": "Jordanien",
+ "CountryDropdown.Kazakhstan": "Kasachstan",
+ "CountryDropdown.Kenya": "Kenia",
"CountryDropdown.Kiribati": "Kiribati",
- "CountryDropdown.Korea_North": "Korea North",
- "CountryDropdown.Korea_South": "Korea South",
+ "CountryDropdown.Korea_North": "Nordkorea",
+ "CountryDropdown.Korea_South": "Südkorea",
"CountryDropdown.Kuwait": "Kuwait",
- "CountryDropdown.Kyrgyzstan": "Kyrgyzstan",
+ "CountryDropdown.Kyrgyzstan": "Kirgisistan",
"CountryDropdown.Laos": "Laos",
- "CountryDropdown.Latvia": "Latvia",
- "CountryDropdown.Lebanon": "Lebanon",
+ "CountryDropdown.Latvia": "Lettland",
+ "CountryDropdown.Lebanon": "Libanon",
"CountryDropdown.Lesotho": "Lesotho",
"CountryDropdown.Liberia": "Liberia",
- "CountryDropdown.Libya": "Libya",
+ "CountryDropdown.Libya": "Libyen",
"CountryDropdown.Liechtenstein": "Liechtenstein",
- "CountryDropdown.Lithuania": "Lithuania",
- "CountryDropdown.Luxembourg": "Luxembourg",
+ "CountryDropdown.Lithuania": "Litauen",
+ "CountryDropdown.Luxembourg": "Luxemburg",
"CountryDropdown.Macau": "Macau",
- "CountryDropdown.Macedonia": "Macedonia",
- "CountryDropdown.Madagascar": "Madagascar",
+ "CountryDropdown.Macedonia": "Mazedonien",
+ "CountryDropdown.Madagascar": "Madagaskar",
"CountryDropdown.Malaysia": "Malaysia",
"CountryDropdown.Malawi": "Malawi",
- "CountryDropdown.Maldives": "Maldives",
+ "CountryDropdown.Maldives": "Malediven",
"CountryDropdown.Mali": "Mali",
"CountryDropdown.Malta": "Malta",
- "CountryDropdown.Marshall_Islands": "Marshall Islands",
+ "CountryDropdown.Marshall_Islands": "Marshallinseln",
"CountryDropdown.Martinique": "Martinique",
- "CountryDropdown.Mauritania": "Mauritania",
+ "CountryDropdown.Mauritania": "Mauretanien",
"CountryDropdown.Mauritius": "Mauritius",
"CountryDropdown.Mayotte": "Mayotte",
"CountryDropdown.Mexico": "Mexico",
- "CountryDropdown.Midway_Islands": "Midway Islands",
- "CountryDropdown.Moldova": "Moldova",
+ "CountryDropdown.Midway_Islands": "Midway-Inseln",
+ "CountryDropdown.Moldova": "Moldawien",
"CountryDropdown.Monaco": "Monaco",
- "CountryDropdown.Mongolia": "Mongolia",
+ "CountryDropdown.Mongolia": "Mongolei",
"CountryDropdown.Montserrat": "Montserrat",
- "CountryDropdown.Morocco": "Morocco",
- "CountryDropdown.Mozambique": "Mozambique",
+ "CountryDropdown.Morocco": "Marokko",
+ "CountryDropdown.Mozambique": "Mosambik",
"CountryDropdown.Myanmar": "Myanmar",
"CountryDropdown.Nambia": "Nambia",
"CountryDropdown.Nauru": "Nauru",
"CountryDropdown.Nepal": "Nepal",
- "CountryDropdown.Netherland_Antilles": "Netherland Antilles",
- "CountryDropdown.Netherlands_Holland_Europe": "Netherlands (Holland, Europe)",
+ "CountryDropdown.Netherland_Antilles": "Niederländische Antillen",
+ "CountryDropdown.Netherlands_Holland_Europe": "Niederlande (Holland, Europa)",
"CountryDropdown.Nevis": "Nevis",
- "CountryDropdown.New_Caledonia": "New Caledonia",
- "CountryDropdown.New_Zealand": "New Zealand",
+ "CountryDropdown.New_Caledonia": "Neukaledonien",
+ "CountryDropdown.New_Zealand": "Neuseeland",
"CountryDropdown.Nicaragua": "Nicaragua",
"CountryDropdown.Niger": "Niger",
"CountryDropdown.Nigeria": "Nigeria",
"CountryDropdown.Niue": "Niue",
- "CountryDropdown.Norfolk_Island": "Norfolk Island",
- "CountryDropdown.Norway": "Norway",
+ "CountryDropdown.Norfolk_Island": "Norfolkinsel",
+ "CountryDropdown.Norway": "Norwegen",
"CountryDropdown.Oman": "Oman",
"CountryDropdown.Pakistan": "Pakistan",
- "CountryDropdown.Palau_Island": "Palau Island",
- "CountryDropdown.Palestine": "Palestine",
+ "CountryDropdown.Palau_Island": "Palau Insel",
+ "CountryDropdown.Palestine": "Palästina",
"CountryDropdown.Panama": "Panama",
- "CountryDropdown.Papua_New_Guinea": "Papua New Guinea",
+ "CountryDropdown.Papua_New_Guinea": "Papua-Neuguinea",
"CountryDropdown.Paraguay": "Paraguay",
"CountryDropdown.Peru": "Peru",
- "CountryDropdown.Philippines": "Philippines",
- "CountryDropdown.Pitcairn_Island": "Pitcairn Island",
- "CountryDropdown.Poland": "Poland",
+ "CountryDropdown.Philippines": "Philippinen",
+ "CountryDropdown.Pitcairn_Island": "Pitcairn Insel",
+ "CountryDropdown.Poland": "Polen",
"CountryDropdown.Portugal": "Portugal",
"CountryDropdown.Puerto_Rico": "Puerto Rico",
- "CountryDropdown.Qatar": "Qatar",
- "CountryDropdown.Republic_of_Montenegro": "Republic of Montenegro",
- "CountryDropdown.Republic_of_Serbia": "Republic of Serbia",
- "CountryDropdown.Reunion": "Reunion",
- "CountryDropdown.Romania": "Romania",
- "CountryDropdown.Russia": "Russia",
- "CountryDropdown.Rwanda": "Rwanda",
+ "CountryDropdown.Qatar": "Katar",
+ "CountryDropdown.Republic_of_Montenegro": "Republik Montenegro",
+ "CountryDropdown.Republic_of_Serbia": "Serbische Republik",
+ "CountryDropdown.Reunion": "Wiedervereinigung",
+ "CountryDropdown.Romania": "Rumänien",
+ "CountryDropdown.Russia": "Russland",
+ "CountryDropdown.Rwanda": "Ruanda",
"CountryDropdown.St_Barthelemy": "St Barthelemy",
"CountryDropdown.St_Eustatius": "St Eustatius",
"CountryDropdown.St_Helena": "St Helena",
@@ -227,64 +233,64 @@
"CountryDropdown.St_Lucia": "St Lucia",
"CountryDropdown.St_Maarten": "St Maarten",
"CountryDropdown.St_Pierre_and_Miquelon": "St Pierre & Miquelon",
- "CountryDropdown.St_Vincent_and_Grenadines": "St Vincent & Grenadines",
+ "CountryDropdown.St_Vincent_and_Grenadines": "St. Vincent und Grenadinen",
"CountryDropdown.Saipan": "Saipan",
"CountryDropdown.Samoa": "Samoa",
- "CountryDropdown.Samoa_American": "Samoa American",
+ "CountryDropdown.Samoa_American": "Samoa Amerikanisch",
"CountryDropdown.San_Marino": "San Marino",
"CountryDropdown.Sao_Tome_and_Principe": "Sao Tome & Principe",
- "CountryDropdown.Saudi_Arabia": "Saudi Arabia",
+ "CountryDropdown.Saudi_Arabia": "Saudi-Arabien",
"CountryDropdown.Senegal": "Senegal",
- "CountryDropdown.Serbia": "Serbia",
- "CountryDropdown.Seychelles": "Seychelles",
+ "CountryDropdown.Serbia": "Serbien",
+ "CountryDropdown.Seychelles": "Seychellen",
"CountryDropdown.Sierra_Leone": "Sierra Leone",
- "CountryDropdown.Singapore": "Singapore",
- "CountryDropdown.Slovakia": "Slovakia",
- "CountryDropdown.Slovenia": "Slovenia",
- "CountryDropdown.Solomon_Islands": "Solomon Islands",
+ "CountryDropdown.Singapore": "Singapur",
+ "CountryDropdown.Slovakia": "Slowakei",
+ "CountryDropdown.Slovenia": "Slowenien",
+ "CountryDropdown.Solomon_Islands": "Salomon-Inseln",
"CountryDropdown.Somalia": "Somalia",
- "CountryDropdown.South_Africa": "South Africa",
- "CountryDropdown.Spain": "Spain",
+ "CountryDropdown.South_Africa": "Südafrika",
+ "CountryDropdown.Spain": "Spanien",
"CountryDropdown.Sri_Lanka": "Sri Lanka",
"CountryDropdown.Sudan": "Sudan",
- "CountryDropdown.Suriname": "Suriname",
- "CountryDropdown.Swaziland": "Swaziland",
- "CountryDropdown.Sweden": "Sweden",
- "CountryDropdown.Switzerland": "Switzerland",
- "CountryDropdown.Syria": "Syria",
+ "CountryDropdown.Suriname": "Surinam",
+ "CountryDropdown.Swaziland": "Swasiland",
+ "CountryDropdown.Sweden": "Schweden",
+ "CountryDropdown.Switzerland": "Schweiz",
+ "CountryDropdown.Syria": "Syrien",
"CountryDropdown.Tahiti": "Tahiti",
"CountryDropdown.Taiwan": "Taiwan",
- "CountryDropdown.Tajikistan": "Tajikistan",
- "CountryDropdown.Tanzania": "Tanzania",
+ "CountryDropdown.Tajikistan": "Tadschikistan",
+ "CountryDropdown.Tanzania": "Tansania",
"CountryDropdown.Thailand": "Thailand",
"CountryDropdown.Togo": "Togo",
"CountryDropdown.Tokelau": "Tokelau",
"CountryDropdown.Tonga": "Tonga",
"CountryDropdown.Trinidad_and_Tobago": "Trinidad & Tobago",
- "CountryDropdown.Tunisia": "Tunisia",
- "CountryDropdown.Turkey": "Turkey",
+ "CountryDropdown.Tunisia": "Tunesien",
+ "CountryDropdown.Turkey": "Türkei",
"CountryDropdown.Turkmenistan": "Turkmenistan",
- "CountryDropdown.Turks_and_Caicos_Is": "Turks & Caicos Is",
+ "CountryDropdown.Turks_and_Caicos_Is": "Turks- und Caicos-Inseln",
"CountryDropdown.Tuvalu": "Tuvalu",
"CountryDropdown.Uganda": "Uganda",
- "CountryDropdown.Ukraine": "Ukraine",
- "CountryDropdown.United_Arab_Emirates": "United Arab Emirates",
- "CountryDropdown.United_Kingdom": "United Kingdom",
- "CountryDropdown.United_States_of_America": "United States of America",
+ "CountryDropdown.Ukraine": "Uganda",
+ "CountryDropdown.United_Arab_Emirates": "Vereinigte Arabische Emirate",
+ "CountryDropdown.United_Kingdom": "Vereinigtes Königreich",
+ "CountryDropdown.United_States_of_America": "Vereinigte Staaten von Amerika",
"CountryDropdown.Uruguay": "Uruguay",
- "CountryDropdown.Uzbekistan": "Uzbekistan",
+ "CountryDropdown.Uzbekistan": "Usbekistan",
"CountryDropdown.Vanuatu": "Vanuatu",
- "CountryDropdown.Vatican_City_State": "Vatican City State",
+ "CountryDropdown.Vatican_City_State": "Vatikanstadt Staat",
"CountryDropdown.Venezuela": "Venezuela",
"CountryDropdown.Vietnam": "Vietnam",
- "CountryDropdown.Virgin_Islands_Brit": "Virgin Islands (Brit)",
- "CountryDropdown.Virgin_Islands_USA": "Virgin Islands (USA)",
+ "CountryDropdown.Virgin_Islands_Brit": "Jungferninseln (Britisch)",
+ "CountryDropdown.Virgin_Islands_USA": "Jungferninseln (USA)",
"CountryDropdown.Wake_Island": "Wake Island",
"CountryDropdown.Wallis_and_Futana_Is": "Wallis & Futana Is",
- "CountryDropdown.Yemen": "Yemen",
+ "CountryDropdown.Yemen": "Jemen",
"CountryDropdown.Zaire": "Zaire",
- "CountryDropdown.Zambia": "Zambia",
- "CountryDropdown.Zimbabwe": "Zimbabwe",
+ "CountryDropdown.Zambia": "Sambia",
+ "CountryDropdown.Zimbabwe": "Simbabwe",
"LanguageDropdown.english": "Englisch",
"LanguageDropdown.tooltip": "Zukünftig wird es mehr geben",
"LanguageDropdown.placeholder": "Wählen Sie Ihre Sprache aus",
@@ -332,7 +338,172 @@
"CollectionsPanel.error.removeDeck": "Es ist ein Fehler beim entfernen der Zusammenstellung von der Präsentation aufgetreten...",
"CollectionsPanel.error.adDeck": "Es ist ein Fehler beim hinzufügen der Zusammenstellung zu der Präsentation aufgetreten...",
"CollectionsPanel.addToPlaylist": "Füge Präsentation der Zusammenstellung hinzu",
+ "AddComment.form.comment_title_placeholder": "Titel",
+ "AddComment.form.comment_text_placeholder": "Text",
+ "AddComment.form.label_comment_title": "Kommentar-Titel",
+ "AddComment.form.label_comment_text": "Kommentar-Text",
+ "AddComment.form.button_submit": "Absenden",
+ "AddComment.form.button_cancel": "Abbruch",
+ "AddReply.form.reply_text_placeholder": "Text",
+ "AddReply.form.label_reply_title": "Antwort-Titel",
+ "AddReply.form.label_reply_text": "Antwort-Text",
+ "AddReply.form.button_add": "Antwort hinzufügen",
+ "Comment.form.revision_note": "Überarbeitung",
+ "Comment.form.from_note": "von",
+ "Comment.form.comment_removed": "Kommentar wurde entfernt",
+ "Comment.form.delete_aria": "Kommentar löschen",
+ "Comment.form.label_reply": "Antwort",
+ "ContentDiscussionPanel.form.no_comments": "Zu diesem Thema gibt es derzeit keine Kommentare.",
+ "ContentDiscussionPanel.form.button_add": "Kommentar hinzufügen",
+ "ContentDiscussionPanel.form.comments": "Kommentare",
+ "ContentChangeItem.swal.text": "Diese Aktion stellt die Folie auf eine frühere Version zurück. Wollen Sie fortfahren?",
+ "ContentChangeItem.swal.confirmButtonText": "Ja, Folie zurücksetzen",
+ "ContentChangeItem.swal.cancelButtonText": "Nein",
+ "ContentChangeItem.form.add_description": "hinzugefügt",
+ "ContentChangeItem.form.copy_description": "erstellte ein Duplikat von",
+ "ContentChangeItem.form.attach_description": "angefügt",
+ "ContentChangeItem.form.fork_description": "eine Fork des Decks erstellt",
+ "ContentChangeItem.form.translate_description_added": "hinzugefügt",
+ "ContentChangeItem.form.translate_description_translation": "Übersetzung für",
+ "ContentChangeItem.form.revise_description": "eine neue Version wurde erzeugt",
+ "ContentChangeItem.form.rename_description_renamed": "umbenannt",
+ "ContentChangeItem.form.rename_description_to": "zu",
+ "ContentChangeItem.form.revert_description_restored": "wiederhergestellt",
+ "ContentChangeItem.form.revert_description_to": "auf eine frühere Version",
+ "ContentChangeItem.form.remove_description": "entfernt",
+ "ContentChangeItem.form.edit_description_slide_translation": "bearbeitete Folienübersetzung",
+ "ContentChangeItem.form.edit_description_slide": "bearbeitete Folie",
+ "ContentChangeItem.form.move_description_slide": "Folie wurde bewegt",
+ "ContentChangeItem.form.move_description_deck": "Deck wurde bewegt",
+ "ContentChangeItem.form.move_description": "bewegt",
+ "ContentChangeItem.form.update_description": "aktualisiertes Deck",
+ "ContentChangeItem.form.default_description": "das Deck aktualisiert",
+ "ContentChangeItem.form.button_compare": "Vergleiche mit der aktuellen Folienversion",
+ "ContentChangeItem.form.button_restore": "Folie wiederherstellen",
+ "ContentChangeItem.form.button_view": "Folie ansehen",
+ "ContentChangeItem.form.date_on": "auf",
+ "ContentChangeItem.form.date_at": "bei",
+ "DeckHistoryPanel.swal.text": "Diese Aktion erstellt eine neue Version dieses Decks. Wollen sie fortfahren?",
+ "DeckHistoryPanel.swal.confirmButtonText": "Ja, erzeuge eine neue Version",
+ "DeckHistoryPanel.swal.cancelButtonText": "Nein",
+ "DeckHistoryPanel.form.button_aria": "Erzeuge eine neue Version dieses Decks",
+ "DeckHistoryPanel.form.button_content": "erzeuge eine neue Version",
+ "DeckRevision.swal.text": "Diese Aktion stellt das Deck auf eine frühere Version zurück. Wollen sie fortfahren?",
+ "DeckRevision.swal.confirmButtonText": "Ja, stelle das Deck wieder her.",
+ "DeckRevision.swal.cancelButtonText": "Nein",
+ "DeckRevision.form.icon_aria_saved": "Gespeichert unter",
+ "DeckRevision.form.date_on": "auf",
+ "DeckRevision.form.date_at": "bei",
+ "DeckRevision.form.by": "by",
+ "DeckRevision.form.button_aria_show": "zeige Details",
+ "DeckRevision.form.version_changes": "Versionsänderungen",
+ "DeckRevision.form.button_aria_restore": "stelle die Präsentation wieder her.",
+ "DeckRevision.form.button_aria_view": "Präsentation in neuem Tab ansehen",
+ "DeckRevisionChanges.form.no_changes": "There are no changes for this version.",
+ "SlideHistoryPanel.form.no_changes": "There are no changes for this slide.",
+ "ContentModulesPanel.form.label_sources": "Quellen",
+ "ContentModulesPanel.form.label_tags": "Markierungen",
+ "ContentModulesPanel.form.label_comments": "Kommentare",
+ "ContentModulesPanel.form.label_history": "History",
+ "ContentModulesPanel.form.label_usage": "Nutzung",
+ "ContentModulesPanel.form.label_questions": "Fragen",
+ "ContentModulesPanel.form.label_playlists": "Zusammenstellungen",
+ "ContentModulesPanel.form.aria_additional": "Additional deck tools",
+ "ContentModulesPanel.form.dropdown_text": "Werkzeuge",
+ "ContentModulesPanel.form.header": "Content Tools",
+ "ContentQuestionAdd.no_question": "Bitte, geben sie eine Frage ein",
+ "ContentQuestionAdd.no_answers": "Please, add answers",
+ "ContentQuestionAdd.form.question": "Frage",
+ "ContentQuestionAdd.form.difficulty": "schwierig",
+ "ContentQuestionAdd.form.difficulty_easy": "leicht",
+ "ContentQuestionAdd.form.difficulty_moderate": "mittelschwer",
+ "ContentQuestionAdd.form.difficulty_hard": "schwer",
+ "ContentQuestionAdd.form.answer_choices": "Answer Choices",
+ "ContentQuestionAdd.form.explanation": "Erklärung (optional)",
+ "ContentQuestionAdd.form.exam_question": "This is an exam question",
+ "ContentQuestionAdd.form.button_save": "Speichern",
+ "ContentQuestionAdd.form.button_cancel": "Abbruch",
+ "ContentQuestionAnswersList.form.button_answer_show": "zeige Antworten",
+ "ContentQuestionAnswersList.form.button_answer_hide": "Hide answer",
+ "ContentQuestionAnswersList.form.button_edit": "editiere Frage",
+ "ContentQuestionAnswersList.form.explanation": "Erklärung:",
+ "ContentQuestionEdit.no_question": "Bitte, geben sie eine Frage ein",
+ "ContentQuestionEdit.no_answers": "Please, add answers",
+ "ContentQuestionEdit.swal.text": "Delete this question. Are you sure?",
+ "ContentQuestionEdit.swal.confirmButtonText": "Yes, delete!",
+ "ContentQuestionEdit.form.question": "Frage",
+ "ContentQuestionEdit.form.difficulty": "schwierig",
+ "ContentQuestionEdit.form.difficulty_easy": "leicht",
+ "ContentQuestionEdit.form.difficulty_moderate": "mittelschwer",
+ "ContentQuestionEdit.form.difficulty_hard": "schwer",
+ "ContentQuestionEdit.form.answer_choices": "Answer Choices",
+ "ContentQuestionEdit.form.explanation": "Erklärung (optional)",
+ "ContentQuestionEdit.form.exam_question": "This is an exam question",
+ "ContentQuestionEdit.form.button_save": "Speichern",
+ "ContentQuestionEdit.form.button_cancel": "Abbruch",
+ "ContentQuestionEdit.form.button_delete": "Löschen",
+ "ContentQuestionsItem.form.originally": "(originally from",
+ "ContentQuestionsPanel.form.no_questions": "There are currently no questions for this",
+ "ContentQuestionsPanel.form.button_exam": "Exam mode",
+ "ContentQuestionsPanel.form.button_select": "Select exam questions",
+ "ContentQuestionsPanel.form.button_add": "Add question",
+ "ContentQuestionsPanel.form.questions_header": "Fragen",
+ "QuestionDownloadList.form.heading": "Select questions to download",
+ "QuestionDownloadList.form.button": "Select all",
+ "QuestionDownloadModal.form.download_aria": "Download Questions",
+ "QuestionDownloadModal.form.download_tooltip": "Download Questions as JSON format",
+ "QuestionDownloadModal.form.modal_description": "You can select one or more questions from this deck to download.",
+ "QuestionDownloadModal.form.button_cancel": "Abbruch",
+ "QuestionDownloadModal.form.download_text": "Herunterladen",
"questionpanel.handleDownloadQuestionsClick": "Fragen herunterladen",
+ "QuestionDownloadModal.form.modal_header": "Fragen herunterladen",
+ "ExamAnswersItem.form.answer_correct": "your answer was correct",
+ "ExamAnswersItem.form.answer_not_selected": "the correct answer which you did not select",
+ "ExamAnswersItem.form.answer_incorrect": "your answer was incorrect",
+ "ExamAnswersList.form.explanation": "Erklärung:",
+ "ExamAnswersList.form.answer_incorrect": "Your answer to the question was incorrect",
+ "ExamList.swal.title": "Exam submitted",
+ "ExamList.swal.text": "Your score:",
+ "ExamList.form.button_submit": "Übermittle Antworten:",
+ "ExamList.form.button_cancel": "Abbruch",
+ "ExamPanel.form.no_questions": "There are currently no exam questions for this",
+ "ExamPanel.form.exam_mode": "Exam mode",
+ "ExamPanel.form.button_back": "zurück",
+ "ExamQuestionsList.form.header": "Select exam questions",
+ "ExamQuestionsList.form.button_save": "Speichern",
+ "ExamQuestionsList.form.button_cancel": "Abbruch",
+ "ContentUsageItem.form.by": "by",
+ "ContentUsageList.form.no_usage": "There is currently no usage of this",
+ "ContributorsPanel.form.no_contributors": "There are no contributors for this",
+ "ContributorsPanel.form.header": "Ersteller",
+ "ContributorsPanel.form.title": "Contributors",
+ "DataSourceItem.form.originally": "originally from slide",
+ "DataSourcePanel.form.no_sources": "There are currently no sources for this",
+ "DataSourcePanel.form.button_add": "Add source",
+ "DataSourcePanel.form.header": "Quellen",
+ "DataSourcePanel.form.show_more": "Show more ...",
+ "EditDataSource.no_title": "This field cannot be empty.",
+ "EditDataSource.valid_url": "The URL must be a valid one.",
+ "EditDataSource.valid_year": "Enter a valid number for a Year, which is less or equal the current one.",
+ "EditDataSource.form.header_edit": "Edit source",
+ "EditDataSource.form.header_add": "Add source",
+ "EditDataSource.form.placeholder_title": "Titel",
+ "EditDataSource.form.placeholder_authors": "Authors",
+ "EditDataSource.form.placeholder_year": "Year",
+ "EditDataSource.form.placeholder_comment": "Comment",
+ "EditDataSource.form.button_delete": "Löschen",
+ "EditDataSource.form.type_webpage": "Web page",
+ "EditDataSource.form.type_webdocument": "Web document",
+ "EditDataSource.form.type_publication": "Publication",
+ "EditDataSource.form.type_person": "Person",
+ "EditDataSource.form.type_text": "Plain text",
+ "EditDataSource.form.label_type": "Type",
+ "EditDataSource.form.label_title": "Titel",
+ "EditDataSource.form.label_authors": "Authors",
+ "EditDataSource.form.label_year": "Year",
+ "EditDataSource.form.label_comment": "Comment",
+ "EditDataSource.form.button_submit": "Absenden",
+ "EditDataSource.form.button_cancel": "Abbruch",
"RecommendedTags.header": "Empfohlene Tags",
"RecommendedTags.aria.add": "Füge empfohlenen Tag hinzu",
"RecommendedTags.aria.dismiss": "Empfehlung ablehnen",
@@ -375,9 +546,9 @@
"embedModal.large": "Groß",
"embedModal.other": "Anderes",
"embedModal.embedHeader": "Embed SlideWiki deck \"{title}\"",
- "embedModal.description": "Use the options to select how this deck will be displayed. Then copy the generated code into your site.",
+ "embedModal.description": "Verwenden Sie die Optionen, um auszuwählen, wie dieses Deck angezeigt wird. Kopieren Sie dann den generierten Code in Ihre Website.",
"embedModal.embed": "Embed:",
- "embedModal.size": "Size:",
+ "embedModal.size": "Größe:",
"embedModal.widthLabel": "Breite des eingebetteten Inhaltes",
"embedModal.heightLabel": "Höhe des eingebetteten Inhaltes",
"deckEditPanel.loading": "laden",
@@ -394,7 +565,7 @@
"deckEditPanel.grantRights": "Gewähre Rechte",
"deckEditPanel.deny": "Ablehnen",
"deckEditPanel.close": "Schließen",
- "DeckProperty.Education": "Education Level",
+ "DeckProperty.Education": "Ausbildungsstand",
"DeckProperty.Tag.Topic": "Subject",
"GroupDetails.modalHeading": "Gruppendetails",
"GroupDetails.close": "Schließen",
@@ -456,40 +627,68 @@
"SlideContentEditor.deleteModalText": "Sind Sie sich sicher, dass Sie dieses Element löschen wollen?",
"SlideContentEditor.deleteModalConfirm": "Ja",
"SlideContentEditor.deleteModalCancel": "Nein",
- "DeckTranslationsModal.header": "Start new deck translations",
+ "DeckTranslationsModal.header": "starte eine neue Übersetzung der Präsentation",
"DeckTranslationsModal.chooseLanguage": "Wählen Sie die Zielsprache aus ...",
- "DeckTranslationsModal.startTranslation": "Create a new translation:",
+ "DeckTranslationsModal.startTranslation": "erzeuge eine neue Übersetzung",
"DeckTranslationsModal.startTranslationSearchOptions": "(start typing to find your language in its native name)",
"DeckTranslationsModal.cancel": "Abbruch",
"DeckTranslationsModal.translate": "Übersetzung anlegen",
"DeckTranslationsModal.originLanguage": "Originalsprache: ",
"DeckTranslationsModal.switchSR": "Create a new deck translation",
- "InfoPanelInfoView.selectLanguage": "Select language",
- "similarContentItem.creator": "Creator",
- "similarContentItem.likes": "Number of likes",
- "similarContentItem.open_deck": "Open deck",
+ "SlideTranslationsModal.header": "übersetze die Folie",
+ "SlideTranslationsModal.chooseSourceLanguage": "Choose the source language...",
+ "SlideTranslationsModal.chooseTargetLanguage": "Wählen Sie die Zielsprache aus ...",
+ "SlideTranslationsModal.sourceTranslation": "aktuelle Sprache",
+ "SlideTranslationsModal.targetTranslation": "Zielsprache",
+ "SlideTranslationsModal.autoSelect": "Die aktuelle und die Zielsprache werden automatisch ausgewählt. Sie können das bei Bedarf manuell ändern.",
+ "SlideTranslationsModal.alternativeTranslation1": "Wir haben jeden Monat eine begrenzte Anzahl von automatischen Übersetzungen. Alternativ können Sie auch die Funktion.....",
+ "SlideTranslationsModal.alternativeTranslation2": "...eingebaute Übersetzungsfunktion, .....",
+ "SlideTranslationsModal.alternativeTranslation3": "...Übersetzungserweiterung oder \"App\", oder übersetzen Sie über eine der Mozilla Firefox Übersetzungserweiterungen (.....",
+ "SlideTranslationsModal.openOriginal": "Um die Übersetzung zu erleichtern, können Sie die aktuelle Version dieser Präsentation in einem neuen Browser-Tab über die Schaltfläche Play öffnen.",
+ "SlideTranslationsModal.sourceLanguageSearchOptions": "(Beginnen Sie mit der Eingabe, um die Quellsprache zu finden)",
+ "SlideTranslationsModal.targetLanguageSearchOptions": "(beginnen Sie mit der Eingabe, um die Zielsprache zu finden)",
+ "SlideTranslationsModal.cancel": "Abbruch",
+ "SlideTranslationsModal.translate": "übersetze Folie",
+ "SlideTranslationsModal.originLanguage": "Originalsprache: ",
+ "SlideTranslationsModal.switchSR": "starte eine neue Übersetzung der Folie",
+ "InfoPanelInfoView.selectLanguage": "wählen Sie die Sprache aus",
+ "Stats.deckUserStatsTitle": "Benutzeraktivität",
+ "similarContentItem.creator": "Ersteller",
+ "similarContentItem.likes": "Anzahl der likes",
+ "similarContentItem.open_deck": "öffne deck",
"similarContentItem.open_slideshow": "Open slideshow in new tab",
- "similarContentPanel.panel_header": "Recommended Decks",
- "similarContentPanel.panel_loading": "Loading",
+ "similarContentPanel.panel_header": "Empfohlene Präsentationen",
+ "similarContentPanel.panel_loading": "Lädt",
+ "slideEditLeftPanel.transitionAlertTitle": "Changing Transition for the presentation",
+ "slideEditLeftPanel.transitionAlertContent": "This transition will be used for the transition to this slide, do you want to proceed?",
"editpanel.slideSizeCurrent": "(current: {size})",
"editpanel.back": "zurück",
"editpanel.embed": "Einbetten",
+ "editpanel.lti": "LTI",
"editpanel.table": "Tabelle",
"editpanel.Maths": "Mathematisches",
"editpanel.Code": "Code",
"editpanel.HTMLeditor": "HTML Editor",
- "editpanel.embedTitle": "Title of embedded content:",
- "editpanel.EmbedTitleMissingError": "Missing title of embedded content",
+ "editpanel.embedTitle": "Titel des eingebetteten Inhalts:",
+ "editpanel.EmbedTitleMissingError": "fehlender Titel des eingebetteten Inhalts:",
"editpanel.embedWidth": "Breite des eingebetteten Inhaltes: ",
"editpanel.embedHeight": "Höhe des eingebetteten Inhaltes: ",
"editpanel.embedURL": "URL/Link zum eingebetteten Inhalt: ",
"editpanel.URLMissingError": "fehlende URL / fehlender Link zum Inhalt",
"editpanel.embedCode": "Code um Inhalt einzubetten: ",
- "editpanel.embedCodeNote": "(any title in embedded code fragment is replaced with title above for accessibility purposes. Any width and height definition in the Iframe will however be adopted.)",
+ "editpanel.embedCodeNote": "(jeder Titel im eingebetteten Codefragment wird aus Gründen der Barrierefreiheit durch den obigen Titel ersetzt. Jede Definition von Breite und Höhe im Iframe wird jedoch übernommen.)",
"editpanel.embedCodeMissingError": "fehlender einbettungs Code",
"editpanel.embedAdd": "Füge zur Folie hinzu",
- "editpanel.embedNote": "Not all website owners allow their content to be embedded. Using embed code provided by the website you want to embed (instead of URL) often works best.",
- "editpanel.embedNoteTerms": "Please note that our terms (e.g., on malicious code and commercial material) also strictly apply to any content on webpages that you embed.",
+ "editpanel.embedNote": "Nicht alle Website-Besitzer erlauben die Einbindung ihrer Inhalte. Die Verwendung von Embed-Code, der von der Website bereitgestellt wird, die Sie einbetten möchten (anstelle von URL), funktioniert oft am besten.",
+ "editpanel.embedNoteTerms": "Bitte beachten Sie, dass unsere Bedingungen (z.B. für bösartigen Code und kommerzielles Material) auch für alle Inhalte auf Webseiten, die Sie einbetten, gelten.",
+ "editpanel.ltiKey": "LTI Key:",
+ "editpanel.ltiKeyMissingError": "missing LTI key",
+ "editpanel.ltiURL": "URL/Link to LTI content:",
+ "editpanel.ltiURLMissingError": "fehlende URL / fehlender Link zum Inhalt",
+ "editpanel.ltiWidth": "Width of LTI content:",
+ "editpanel.ltiHeight": "Height of LTI content:",
+ "editpanel.ltiAdd": "Füge zur Folie hinzu",
+ "editpanel.ltiNote": "Use an LTI URL and key.",
"editpanel.template2": "Leeres Dokument - Dokumentenmodus (kein Canvas)",
"editpanel.template3": "Dokument mit Titel - Dokumentenmodus (kein Canvas)",
"editpanel.template31": "Dokument mit reichhaltigen Testbeispielen - Dokumentenmodus (kein Canvas)",
@@ -511,6 +710,7 @@
"editpanel.templateVMU": "VMU template - Title page",
"editpanel.slideTitleButton": "Ändere Folienname",
"editpanel.slideSizeChange": "Change slide size",
+ "editpanel.slideTransition": "Slide Transition",
"editpanel.changeBackgroundColor": "Change Background Colour",
"editpanel.removeBackground": "Remove background",
"editpanel.titleMissingError": "Fehler: Folienname darf nicht leer sein",
@@ -526,6 +726,12 @@
"editpanel.slideSizeName720": "720p HDTV Wide XGA",
"editpanel.slideSizeWidescreen1080": "Breitbild (16:9) hoch",
"editpanel.slideSizeName1080": "1080p/1080i HDTV Blu-ray",
+ "transitionpanel.none": "No slide transition",
+ "transitionpanel.convex": "Convex",
+ "transitionpanel.fade": "Fade",
+ "transitionpanel.slide": "Folie",
+ "transitionpanel.zoom": "Zoom",
+ "transitionpanel.concave": "Concave",
"editpanel.addTextBox": "Textbox hinzufügen",
"editpanel.Image": "Bild hinzufügen",
"editpanel.Video": "Video hinzufügen",
@@ -535,46 +741,46 @@
"editpanel.Help": "Hilfe",
"CollectionDecksReorder.moveup": "Nach oben bewegen",
"CollectionDecksReorder.movedown": "Nach unten bewegen",
- "CollectionDecksReorder.remove": "Remove",
- "CollectionDecksReorder.noDescription": "No description provided",
+ "CollectionDecksReorder.remove": "Entfernen",
+ "CollectionDecksReorder.noDescription": "Keine Beschreibung vorhanden",
"CollectionPanel.error.reorder": "Es ist ein Fehler beim aktualisieren der Reihenfolge in der Zusammenstellung aufgetreten...",
"CollectionPanel.title": "Zusammenstellung",
"CollectionPanel.creator": "Ersteller",
"CollectionPanel.date": "Datum",
"CollectionPanel.decks.title": "Präsentationen in der Zusammenstellung",
- "CollectionPanel.decks.edit": "Edit",
+ "CollectionPanel.decks.edit": "Bearbeiten",
"CollectionPanel.decks.edit.header": "Edit Playlist",
"CollectionPanel.save.reorder": "Speichern",
- "CollectionPanel.cancel.reorder": "Cancel",
+ "CollectionPanel.cancel.reorder": "Abbruch",
"CollectionPanel.sort.default": "Standardreihenfolge",
"CollectionPanel.sort.lastUpdated": "Zuletzt bearbeitet",
"CollectionPanel.sort.date": "Erstellungsdatum",
"CollectionPanel.sort.title": "Titel",
"UserCollections.collections.subscribe": "Subscribe to this playlist",
"UserCollections.collections.unsubscribe": "You are subscribed to this playlist, click to unsubscribe",
- "GroupCollections.error.text": "Error",
- "GroupCollections.error.read": "An error occurred while fetching playlists. Please try again later.",
- "GroupCollections.error.delete": "An error occurred while deleting playlist...",
- "GroupCollections.error.create": "An error occurred while creating playlist....",
- "GroupCollections.error.update": "An error occured while updating playlist...",
- "GroupCollections.collections.empty": "No playlists available",
- "GroupCollections.collections.create": "Create new Playlist",
- "GroupCollections.collections.delete": "Delete Playlist",
- "GroupCollections.collections.settings": "Playlist Settings",
- "GroupCollections.collections.mycollections": "Playlists",
+ "GroupCollections.error.text": "Fehler",
+ "GroupCollections.error.read": "Es ist ein Fehler beim herunterladen der Zusammenstellungen aufgetreten. Bitte versuchen sie es später noch einmal.",
+ "GroupCollections.error.delete": "Es ist ein Fehler beim löschen einer Zusammenstellung aufgetreten...",
+ "GroupCollections.error.create": "Es ist ein Fehler beim erstellen einer Zusammenstellung aufgetreten...",
+ "GroupCollections.error.update": "Es ist ein Fehler beim aktualisieren einer Zusammenstellung aufgetreten...",
+ "GroupCollections.collections.empty": "Keine Zusammenstellungen verfügbar",
+ "GroupCollections.collections.create": "Neue Zusammenstellung anlegen",
+ "GroupCollections.collections.delete": "Zusammenstellung löschen",
+ "GroupCollections.collections.settings": "Zusammenstellungseinstelliungen",
+ "GroupCollections.collections.mycollections": "Zusammenstellungen",
"GroupCollections.collections.owned": "Groups Playlists",
"GroupCollections.collections.group": "Playlists linked to this group",
- "GroupCollections.deck": "deck",
- "GroupCollections.decks": "decks",
- "GroupCollections.collections.shared": "Shared Playlist",
- "GroupCollections.collections.delete.title": "Delete Playlist",
- "GroupCollections.collections.delete.text": "Are you sure you want to delete this playlist?",
+ "GroupCollections.deck": "Präsentation",
+ "GroupCollections.decks": "Präsentationen",
+ "GroupCollections.collections.shared": "Geteilte Zusammenstellungen",
+ "GroupCollections.collections.delete.title": "Zusammenstellung löschen",
+ "GroupCollections.collections.delete.text": "Sind sie sich sicher das sie diese Zusammenstellung löschen wollen?",
"AddDecksToCollectionModal.title": "Add decks to playlist",
"AddDecksToCollectionModal.fromMyDecks": "From My Decks",
"AddDecksToCollectionModal.fromSlidewiki": "From Slidewiki",
- "AddDecksToCollectionModal.button.add": "Add",
- "AddDecksToCollectionModal.button.close": "Close",
- "DecksList.loading": "Loading",
+ "AddDecksToCollectionModal.button.add": "Hinzufügen",
+ "AddDecksToCollectionModal.button.close": "Schließen",
+ "DecksList.loading": "Lädt",
"DecksList.error": "An unexpected error occurred while fetching more decks",
"DecksList.noResults": "No results found",
"NewCollectionModal.title": "Neue Zusammenstellung anlegen",
@@ -615,10 +821,24 @@
"UserCollections.collections.shared": "Geteilte Zusammenstellungen",
"UserCollections.collections.delete.title": "Zusammenstellung löschen",
"UserCollections.collections.delete.text": "Sind sie sich sicher das sie diese Zusammenstellung löschen wollen?",
+ "footer.sr.header": "Information about SlideWiki",
+ "footer.header": "About",
+ "footer.about": "About Us",
+ "footer.contact": "Kontaktanfrage",
+ "footer.guides": "Guides and Help",
+ "footer.accessibility": "Accessibility",
+ "footer.terms.header": "Terms & Conditions",
+ "footer.terms": "Bedingungen",
+ "footer.license": "License",
+ "footer.imprint": "Imprint",
+ "footer.data": "Data Protection",
+ "footer.funding": "Funding",
+ "footer.funding.text": "The SlideWiki project has received funding from the European Union's Horizon 2020 research and innovation programme under grant agreement No 688095",
+ "footer.copyright": "Copyright © 2018 All Rights Reserved",
"header.signin": "Anmelden",
- "header.signin.mobile": "Sign In",
+ "header.signin.mobile": "Anmelden",
"header.mydecks.mobile": "Präsentationen",
- "header.myplaylists.mobile": "Playlists",
+ "header.myplaylists.mobile": "Zusammenstellungen",
"header.mygroups.mobile": "Gruppen",
"header.mysettings.mobile": "Einstellungen",
"header.mynotifications.mobile": "Benachrichtigungen",
@@ -715,10 +935,10 @@
"contactUs.send_swal_error_text": "An error occured while contacting us. Please try again later.",
"contactUs.send_swal_error_button": "Schließen",
"dataProtection.header": "Statement of Data Protection Conditions",
- "dataProtection.p1": "The Fraunhofer-Gesellschaft zur Förderung der angewandten Forschung e.V. (Fraunhofer-Gesellschaft) takes the protection of your personal data very seriously. When we process the personal data that is collected during your visits to our Web site, we always observe the rules laid down in the applicable data protection laws. Your data will not be disclosed publicly by us, nor transferred to any third parties without your consent.",
- "dataProtection.p2": "In the following sections, we explain what types of data we record when you visit our Web site, and precisely how they are used:",
+ "dataProtection.p1": "Die Fraunhofer-Gesellschaft zur Förderung der angewandten Forschung e.V. (Fraunhofer-Gesellschaft) nimmt den Schutz Ihrer personenbezogenen Daten sehr ernst. Bei der Verarbeitung der personenbezogenen Daten, die während Ihres Besuchs auf unserer Website erfasst werden, beachten wir stets die Bestimmungen der geltenden Datenschutzgesetze. Ihre Daten werden von uns weder veröffentlicht noch ohne Ihre Zustimmung an Dritte weitergegeben.",
+ "dataProtection.p2": "In den folgenden Abschnitten erläutern wir, welche Arten von Daten wir beim Besuch unserer Website erfassen und wie sie genau verwendet werden:",
"dataProtection.1.header": "1. Recording and processing of data in connection with access over the Internet",
- "dataProtection.1.p1": "When you visit our Web site, our Web server makes a temporary record of each access and stores it in a log file. The following data are recorded, and stored until an automatic deletion date:",
+ "dataProtection.1.p1": "Wenn Sie unsere Website besuchen, zeichnet unser Webserver jeden Zugriff temporär auf und speichert ihn in einer Protokolldatei. Die folgenden Daten werden aufgezeichnet und bis zu einem automatischen Löschdatum gespeichert:",
"dataProtection.1.p1.ol.ipAddress": "IP address of the requesting processor",
"dataProtection.1.p1.ol.dateTime": "Date and time of access",
"dataProtection.1.p1.ol.nameAndUrl": "Name and URL of the downloaded file",
@@ -727,50 +947,55 @@
"dataProtection.1.p1.ol.data": "Data identifying the browser software and operating system",
"dataProtection.1.p1.ol.site": "Web site from which our site was accessed",
"dataProtection.1.p1.ol.ispName": "Name of your Internet service provider",
- "dataProtection.1.p2": "The purpose of recording these data is to allow use of the Web site (connection setup), for system security, for technical administration of the network infrastructure and in order to optimize our Internet service. The IP address is only evaluated in the event of fraudulent access to the network infrastructure of the Fraunhofer-Gesellschaft.",
- "dataProtection.1.p3": "Apart from the special cases cited above, we do not process personal data without first obtaining your explicit consent to do so. Pseudonymous user profiles can be created as stated under web analysis (see below).",
+ "dataProtection.1.p2": "Die Erfassung dieser Daten dient der Nutzung der Website (Verbindungsaufbau), der Systemsicherheit, der technischen Administration der Netzwerkinfrastruktur und der Optimierung unseres Internetangebots. Die Auswertung der IP-Adresse erfolgt nur bei betrügerischem Zugriff auf die Netzwerkinfrastruktur der Fraunhofer-Gesellschaft.",
+ "dataProtection.1.p3": "Abgesehen von den oben genannten Sonderfällen verarbeiten wir keine personenbezogenen Daten, ohne vorher Ihre ausdrückliche Zustimmung einzuholen. Pseudonyme Nutzerprofile können wie unter Webanalyse beschrieben erstellt werden (siehe unten).",
"dataProtection.2.header": "2. Orders",
- "dataProtection.2.p1": "If you order information material or other goods via our website, we will use the address data provided only for the purpose of processing your order.",
+ "dataProtection.2.p1": "Wenn Sie über unsere Website Informationsmaterial oder andere Waren bestellen, verwenden wir die angegebenen Adressdaten nur für die Abwicklung Ihrer Bestellung.",
"dataProtection.3.header": "3. Use and transfer of personal data",
- "dataProtection.3.p1": "All use of your personal data is confined to the purposes stated above, and is only undertaken to the extent necessary for these purposes. Your data is not disclosed to third parties. Personal data will not be transferred to government bodies or public authorities except in order to comply with mandatory national legislation or if the transfer of such data should be necessary in order to take legal action in cases of fraudulent access to our network infrastructure. Personal data will not be transferred for any other purpose.",
- "dataProtection.4.header": "4. Consent to use data in other contexts",
- "dataProtection.4.p1": "The use of certain services on our website, such as newsletters or discussion forums, may require prior registration and involves a more substantial processing of personal data, such as longer-term storage of e-mail addresses, user IDs and passwords. We use such data only insofar as it has been sent to us by you in person and you have given us your express prior consent for this use. For example, we request your consent separately in the following cases:",
+ "dataProtection.3.p1": "Jede Verwendung Ihrer personenbezogenen Daten ist auf die oben genannten Zwecke beschränkt und wird nur in dem für diese Zwecke erforderlichen Umfang vorgenommen. Eine Weitergabe Ihrer Daten an Dritte erfolgt nicht. Personenbezogene Daten werden nicht an Regierungsstellen oder Behörden weitergegeben, es sei denn, dies geschieht zur Einhaltung zwingender nationaler Rechtsvorschriften oder wenn die Übermittlung dieser Daten erforderlich ist, um rechtliche Schritte im Falle eines betrügerischen Zugangs zu unserer Netzinfrastruktur einzuleiten. Eine Weitergabe personenbezogener Daten zu anderen Zwecken erfolgt nicht.",
+ "dataProtection.4.header": "4. Einwilligung zur Verwendung der Daten in anderen Kontexten",
+ "dataProtection.4.p1": "Die Nutzung bestimmter Dienste auf unserer Website, wie z.B. Newsletter oder Diskussionsforen, kann eine vorherige Registrierung erfordern und beinhaltet eine umfangreichere Verarbeitung personenbezogener Daten, wie z.B. die längerfristige Speicherung von E-Mail-Adressen, Benutzer-IDs und Passwörtern. Wir verwenden diese Daten nur, soweit sie von Ihnen persönlich an uns übermittelt wurden und Sie uns Ihre ausdrückliche vorherige Zustimmung zu dieser Nutzung erteilt haben. So bitten wir beispielsweise in den folgenden Fällen um Ihre Zustimmung:",
"dataProtection.4.1.header": "4.1 Newsletters and press distribution",
"dataProtection.4.1.p1": "In order to register for a newsletter service provided by the Fraunhofer-Gesellschaft, we need at least your e-mail address so that we know where to send the newsletter. All other information you supply is on a voluntary basis, and will be only if you give your consent, for example to contact you directly or clear up questions concerning your e-mail address. If you request delivery by post, we need your postal address. If you ask to be included on a press distribution list, we need to know which publication you work for, to allow us to check whether specific publications are actually receiving our press material.",
"dataProtection.4.1.p2": "As a general rule, we employ the double opt-in method for the registration. In other words, after you have registered for the service and informed us of your e-mail address, you will receive an e-mail in return from us, containing a link that you must use to confirm your registration. Your registration and confirmation will be recorded. The newsletter will not be sent until this has been done. This procedure is used to ensure that only you yourself can register with the newsletter service under the specified e-mail address. You must confirm your registration as soon as possible after receiving our e-mail, otherwise your registration and e-mail address will be erased from our database. Until we receive your confirmation, our newsletter service will refuse to accept any other registration requests using this e-mail address.",
- "dataProtection.4.1.p3": "You can cancel subscriptions to our newsletters at any time. To do so, either send us an e-mail or follow the link at the end of the newsletter.",
+ "dataProtection.4.1.p3": "Sie können unsere Newsletter jederzeit abbestellen. Senden Sie uns dazu entweder eine E-Mail oder folgen Sie dem Link am Ende des Newsletters.",
"dataProtection.4.2.header": "4.2 Visitors’ books and forums",
"dataProtection.4.2.p1": "If you wish to sign up for an Internet forum run by the Fraunhofer-Gesellschaft, we need at least a user ID, a password, and your e-mail address. For your own protection, the registration procedure for this type of service, like that for the newsletters, involves you confirming your request using the link contained in the e-mail we send you and you giving your consent to the use of further personal data where this is necessary to use the forum.",
- "dataProtection.4.2.p2": "You can cancel your registration for this type of service at any time, by sending us an e-mail via the Web page offering the service.",
+ "dataProtection.4.2.p2": "Sie können Ihre Registrierung für diese Art von Dienst jederzeit widerrufen, indem Sie uns eine E-Mail über die Webseite senden, die den Dienst anbietet.",
"dataProtection.4.2.p3": "As a general rule, the content of visitors’ books and forums is not subject to any form of monitoring by the Fraunhofer-Gesellschaft. Nevertheless, we reserve the right to delete posted contributions and to prohibit users from further use of the service at our own discretion, especially in cases where posted content contravenes the law or is deemed incompatible with the objectives of the Fraunhofer-Gesellschaft.",
"dataProtection.5.header": "5. Cookies",
"dataProtection.5.p1": "We don’t normally use cookies on our Web site, but in certain exceptional cases we may use cookies which place technical session-control data in your browser’s memory. These data are automatically erased at the latest when you close your browser. If, exceptionally, one of our applications requires the storage of personal data in a cookie, for instance a user ID, we will point out you to it.",
"dataProtection.5.p2": "Of course, it is perfectly possible to consult our Web site without the use of cookies. Please note, however, that most browsers are programmed to accept cookies in their default configuration. You can prevent this by changing the appropriate setting in the browser options. If you set the browser to refuse all cookies, this may restrict your use of certain functions on our Web site.",
- "dataProtection.6.header": "6. Security",
+ "dataProtection.6.header": "6. Sicherheit",
"dataProtection.6.p1": "The Fraunhofer-Gesellschaft implements technical and organizational security measures to safeguard stored personal data against inadvertent or deliberate manipulation, loss or destruction and against access by unauthorized persons. Our security measures are continuously improved in line with technological progress.",
- "dataProtection.7.header": "7. Links to Web sites operated by other providers",
+ "dataProtection.7.header": "7. Links zu Websites anderer Anbieter",
"dataProtection.7.p1": "Our Web pages may contain links to other providers’ Web pages. We would like to point out that this statement of data protection conditions applies exclusively to the Web pages managed by the Fraunhofer-Gesellschaft. We have no way of influencing the practices of other providers with respect to data protection, nor do we carry out any checks to ensure that they conform with the relevant legislation.",
- "dataProtection.8.header": "8. Right to information and contact data",
+ "dataProtection.8.header": "8. Auskunftsrecht und Kontaktdaten",
"dataProtection.8.p1": "You have a legal right to inspect any stored data concerning your person, and also the right to demand their correction or deletion, and to withdraw your consent for their further use.",
"dataProtection.8.p2": "In some cases, if you are a registered user of certain services provided by the Fraunhofer-Gesellschaft, we offer you the possibility of inspecting these data online, and even of deleting or modifying the data yourself, via a user account.",
"dataProtection.8.p3": "If you wish to obtain information on your personal data, or want us to correct or erase such data, or if you have any other questions concerning the use of personal data held by us, please contact:",
"dataProtection.8.email": "data-protection(at)zv.fraunhofer.de",
- "dataProtection.9.header": "9. Acceptance, validity and modification of data protection conditions",
+ "dataProtection.9.header": "9. Akzeptanz, Gültigkeit und Änderung der Datenschutzbestimmungen",
"dataProtection.9.p1": "By using our Web site, you implicitly agree to accept the use of your personal data as specified above. This present statement of data protection conditions came into effect on October 1st, 2013. As our Web site evolves, and new technologies come into use, it may become necessary to amend the statement of data protection conditions. The Fraunhofer-Gesellschaft reserves the right to modify its data protection conditions at any time, with effect as of a future date. We recommend that you re-read the latest version from time to time.",
- "decklist.decklanguage": "Default language",
+ "decklist.featured.alt": "Featured Image.",
+ "decklist.decklanguage": "Standardsprache",
+ "decklist.decknumberofslides": "Anzahl der Folien",
"decklist.forkcount": "Number of forks",
+ "decklist.likecount": "Anzahl der likes",
+ "decklist.numberofshares": "Number of shares",
+ "decklist.numberofdownloads": "Anzahl der downloads",
"decklist.featured.notavailable": "No featured decks available",
"decklist.recent.notavailable": "No recent decks available",
- "decklist.meta.creator": "Creator",
- "decklist.meta.date": "Last Modified",
- "featured.header": "Featured decks",
- "features.screenshot": "screenshot of slide editor interface.",
+ "decklist.meta.creator": "Ersteller",
+ "decklist.meta.date": "zuletzt geändert",
+ "featured.header": "Hervorgehobene Präsentationen",
+ "features.screenshot": "Screenshot der Oberfläche des Folieneditors.",
"features.2.p1": "SlideWiki is built on the Open Educational Resources (OER) ethos and all content is published under {navLink}. This means you can reuse and repurpose content from SlideWiki decks. SlideWiki allows you to create your own slides based on decks that have been published on SlideWiki by:",
- "features.4.shareDecks": "{strong} via social media or email.",
+ "features.4.shareDecks": "{strong} über soziale Medien oder per E-Mail.",
"features.4.comments": "Füge {strong} zu Foliensätzen hinzu und interagiere mit anderen Lernenden.",
"features.4.download": "{strong}-Möglichkeiten gibt es im PDF, EPUB und im SCORM-Format.",
- "features.4.findMore": "To find out more about how to use SlideWiki and its many features, view our {link}.",
- "features.header": "Discover SlideWiki",
+ "features.4.findMore": "Um mehr darüber zu erfahren, wie Sie SlideWiki und seine vielen Funktionen nutzen können, folgen Sie unserem {link}.",
+ "features.header": "Entdecke SlideWiki",
"features.p1": "The goal of SlideWiki is to revolutionise how educational materials can be authored, shared and reused. By enabling authors and students to create and share slide decks as HTML in an open platform, communities around the world can benefit from materials created by world-leading educators on a wide range of topics.",
"features.1.header": "Create online slide decks",
"features.1.p1": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML to allow you to continue to edit and add new content.",
@@ -800,20 +1025,20 @@
"features.4.download.strong": "Herunterladen",
"features.4.findMore.link": "help file deck",
"home.welcome": "Willkommen bei SlideWiki",
- "home.signUp": "Sign Up",
- "home.learnMore": "Learn More",
+ "home.signUp": "Registrieren",
+ "home.learnMore": "Erfahren Sie mehr",
"home.findSlides": "Find slides",
- "home.findSlidesSubtitle": "Explore the deck",
+ "home.findSlidesSubtitle": "Erkunden Sie die Präsentation",
"home.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics and education levels. Slides and presentations can be reused and adapted to suit your needs.",
- "home.createSlides": "Create slides",
- "home.createSlidesSubtitle": "Add and adapt course material",
- "home.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
- "home.sharingSlides": "Share slides",
+ "home.createSlides": "Folien erstellen",
+ "home.createSlidesSubtitle": "Hinzufügen und Anpassen von Kursmaterial",
+ "home.createSlidesContent": "Erstelle eine neue Präsentation oder importiere Folien von PowerPoint (*.pptx) oder OpenDocument Präsentationen (*.odp). Deine importierten Folien werden zu HTML umgewandelt, damit du sie hier bearbeiten und neue Folien ergänzen kannst.",
+ "home.sharingSlides": "Folien teilen",
"home.sharingSlidesSubtitle": "Present, Share and Communicate",
"home.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
- "home.getStarted": "Get started right away.",
- "home.signIn": "Sign in",
- "home.getStartedDescription": "Create an account to start creating and sharing your decks.",
+ "home.getStarted": "Fangen Sie sofort an.",
+ "home.signIn": "Anmelden",
+ "home.getStartedDescription": "Erstellen Sie ein Konto, um mit der Erstellung und Bereitstellung Ihrer Decks zu beginnen.",
"home.decks": "Open educational resources for all learning environments",
"home.schools": "Schools",
"home.schoolsContent": "Decks for teachers and students. Proin ultricies malesuada mi, id tincidunt ligula imperdiet non. Etiam tristique, odio vitae accumsan hendrerit, libero augue.",
@@ -825,8 +1050,36 @@
"home.slideWikiAbout": "The SlideWiki Project",
"home.slideWikiAboutContent": "SlideWiki is an online slideshow tool that offers users the chance to create and collaborate on slides, assessments and to share content as structured open educational resources using a Creative Commons licence. With SlideWiki you can engage with your audience by collaborating with colleagues to co-design and co-create course materials and share your knowledge across the world. SlideWiki is an open-source platform, and all its content can be reused under Creative Commons CC-BY-SA license. SlideWiki development, large-scale trials and underlying research is funded from Framework Programme for Research and Innovation Horizon 2020 under grant agreement no 688095. The project involves 17 partners to develop, test and trial SlideWiki.",
"home.slideWikiAboutVisit": "visit the project website.",
- "home.myDecks": "My Decks.",
+ "home.myDecksLink": "Meine Präsentationen",
"home.seeMoreDecks": "See more decks",
+ "home.leanrMoreSW": "Learn more about SlideWiki",
+ "home.featuredDeck": "Featured Deck",
+ "imprint.licensing.text": "Content on the SlideWiki OCW Authoring platform is licensed under the Creative Commons Attribution-ShareAlike 4.0 International (CC BY-SA 4.0), Creative Commons Attribution 4.0 International (CC BY 4.0), or Creative Commons 1.0 Universal Public Domain Dedication (CC0 1.0) – unless otherwise marked. See the CC {link_licenses} for more information.",
+ "imprint.software.text": "All of SlideWiki’s software code is Open Source software; please check our code repository.",
+ "imprint.header": "Imprint – also serves as provider identification according to § 5 Telemediengesetz (TMG)",
+ "imprint.provider": "Provider",
+ "imprint.representative": "Authorised Representative",
+ "imprint.representative.text": "Prof. Dr. Sören Auer (Director of TIB)",
+ "imprint.representative.text2": "Technische Informationsbibliothek (TIB) is a foundation of public law of the state of Lower Saxony.",
+ "imprint.authority": "Responsible Supervisory Authority",
+ "imprint.authority.text": "Ministry for Science and Culture of Lower Saxony",
+ "imprint.contact": "Contact",
+ "imprint.VAT": "VAT (sales tax) registration number",
+ "imprint.editorialOffice": "Editorial Office",
+ "imprint.copyright": "Copyright",
+ "imprint.copyright.text": "The layout of this website is protected under copyright, as are the graphics and all other contents contained in the website.",
+ "imprint.content": "Content Available",
+ "imprint.content.text1": "Provided as-is:",
+ "imprint.content.text2": "You acknowledge that we do not make any representations or warranties about the material, data, and information, such as data files, text, computer software, code, music, audio files or other sounds, photographs, videos, or other images (collectively, the “Content”) which you may have access to through your use of SlideWiki. Under no circumstances are we liable in any way for any Content, including, but not limited to: any infringing Content, any errors or omissions in Content, or for any loss or damage of any kind incurred as a result of the use of any Content posted, transmitted, linked from, or otherwise accessible through or made available via SlideWiki. You understand that by using SlideWiki, you may be exposed to Content that is offensive, indecent, or objectionable. You agree that you are solely responsible for your reuse of Content made available through SlideWiki. You should review the terms of the applicable license before you use the Content so that you know what you can and cannot do.",
+ "imprint.licensing": "Licensing",
+ "imprint.licenses.page": "licenses page",
+ "imprint.software": "SlideWiki Software",
+ "imprint.repository": "repository",
+ "imprint.content2": "Content Supplied by You",
+ "imprint.content2.text": "Your responsibility: You represent, warrant, and agree that no Content posted or otherwise shared by you on or through SlideWiki (“Your Content”), violates or infringes upon the rights of any third party, including copyright, trademark, privacy, publicity, or other personal or proprietary rights, breaches or conflicts with any obligation, such as a confidentiality obligation, or contains libelous, defamatory, or otherwise unlawful material.",
+ "imprint.licensing.2": "Licensing Your Content: You retain any copyright that you may have in Your Content. You hereby agree that Your Content: (a) is hereby licensed under the Creative Commons Attribution 4.0 License and may be used under the terms of that license or any later version of a Creative Commons Attribution License, or (b) is in the public domain (such as Content that is not copyrightable or Content you make available under CC0), or © if not owned by you, (i) is available under a Creative Commons Attribution 4.0 License or (ii) is a media file that is available under any Creative Commons license.",
+ "imprint.disclaimer": "Disclaimer",
+ "imprint.disclaimer.text": "We cannot assume any liability for the content of external pages. Solely the operators of those linked pages are responsible for their content.",
"licence.ccBySaLicenceLogo": "Creative Commons BY-SA License logo",
"licence.1.p2": "Find out more about the CC BY-SA and access the full license text by viewing the {link_1}.",
"licence.1.3.p2": "{link_1} lists sources of materials published under creative commons licenses. Some media services such as Flickr, YouTube and Vimeo publish some content under creative commons licenses. Content marked “All rights reserved” cannot be included in SlideWiki.",
@@ -858,6 +1111,19 @@
"licence.4.header": "Notices",
"licence.4.p1": "The SlideWiki website and its content are provided \"as is\". We offer no warranties, explicit or implied regarding any content, the webiste or the accuracy of any information. These license may not give you all of the permissions necessary for your intended use. For example, other rights such as publicity, privacy, or moral rights may limit how you use the material. We reserve the right to remove materials and content that we believe to infringe copyright and license requirements.",
"recent.header": "Recent decks added by users",
+ "staticPage.findSlides": "Find slides",
+ "staticPage.findSlidesSubtitle": "Erkunden Sie die Präsentation",
+ "staticPage.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics.",
+ "staticPage.createSlides": "Folien erstellen",
+ "staticPage.createSlidesSubtitle": "Hinzufügen und Anpassen von Kursmaterial",
+ "staticPage.createSlidesContent": "Create a new deck or import existing slides to create HTML slide decks.",
+ "staticPage.sharingSlides": "Folien teilen",
+ "staticPage.sharingSlidesSubtitle": "Present, Share and Communicate",
+ "staticPage.sharingSlidesContent": "Collaborate on decks with peers. Group decks in playlists and share via social media or email.",
+ "staticPage.getStarted": "Fangen Sie sofort an.",
+ "staticPage.signIn": "Anmelden",
+ "staticPage.getStartedDescription": "Erstellen Sie ein Konto, um mit der Erstellung und Bereitstellung Ihrer Decks zu beginnen.",
+ "staticPage.myDecks": "My Decks.",
"terms.mainTitle": "Terms of us of SlideWiki",
"terms.summary": "This is a human-readable summary of the Terms of Use for SlideWiki (the project).",
"terms.disclaimer": "Disclaimer: This summary is not a part of the Terms of Use and is not a legal document. It is simply a handy reference for understanding the full terms. Think of it as the user-friendly interface to the legal language of our Terms of Use.",
@@ -881,19 +1147,6 @@
"terms.paragraph1": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Vivamus id nisl magna. Sed a metus vel dui vehicula viverra. Quisque sed tellus at justo semper dictum. Nullam at rutrum leo. Vivamus at aliquam metus. Aliquam nec nunc in libero posuere hendrerit nec at lacus. Nunc malesuada lobortis tortor nec porta. Cras vulputate mollis nisi, at sollicitudin quam eleifend ac. Nam sed venenatis turpis. Sed vestibulum malesuada nunc vitae ultricies. Donec bibendum ultrices facilisis. Mauris sollicitudin mi et vulputate rhoncus.",
"terms.paragraph2": "Mauris tincidunt, urna non aliquam dapibus, enim metus varius tellus, non dignissim urna odio ac augue. Fusce id lacinia ipsum, id egestas dui. Suspendisse nec quam vel mi tincidunt bibendum a vel mauris. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia Curae; Proin magna elit, molestie eu libero ut, bibendum facilisis turpis. Mauris sem lorem, dignissim a ex sit amet, suscipit fermentum turpis. Integer porttitor arcu non porttitor faucibus. Fusce nisi risus, rutrum vitae vulputate vitae, consectetur et nunc. Aliquam placerat ipsum felis, nec fermentum arcu sagittis nec. Aenean imperdiet laoreet quam ac placerat. Ut accumsan tristique elementum. Etiam congue venenatis lorem, malesuada tristique mauris congue vel. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Nam tincidunt libero a nisi consequat sodales.",
"terms.paragraph3": "Aliquam vitae velit iaculis, vestibulum felis eu, lacinia risus. Donec mollis enim nec accumsan tristique. Morbi dapibus condimentum erat quis placerat. Integer velit augue, sodales quis scelerisque nec, facilisis nec velit. Maecenas rhoncus sagittis lectus, vel feugiat nulla aliquet quis. Quisque condimentum sapien nec eros tristique, vitae pulvinar sem tempus. Nulla ut odio id elit accumsan interdum. Maecenas sagittis sed sem a malesuada. Vivamus venenatis ex sed ex pretium, et pellentesque purus vehicula. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egesta",
- "terms.findSlides": "Find slides",
- "terms.findSlidesSubtitle": "Explore the deck lorem ipsum",
- "terms.findSlidesContent": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Aenean eget elit sapien. Nunc semper urna in lectus consectetur fermentum. Vestibulum eu sem pulvinar, sollicitudin ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet aliquam n ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet.",
- "terms.createSlides": "Create slides",
- "terms.createSlidesSubtitle": "Learn how to create slides with SlideWiki",
- "terms.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
- "terms.sharingSlides": "Sharing slides",
- "terms.sharingSlidesSubtitle": "Present, Share and Communicate",
- "terms.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
- "terms.getStarted": "Get started right away.",
- "terms.signIn": "Sign in",
- "terms.getStartedDescription": "Create an account to start creating and sharing your decks.",
- "terms.myDecks": "My Decks.",
"welcome.3.slideshowMode": "Verwende den {strong} um eine Präsentation vorzustellen. Diese Ansicht enthält eine Kontrolluhr und zeigt Sprechernotizen an.",
"welcome.3.shareDecks": "{strong} über soziale Medien oder per E-Mail.",
"welcome.3.comments": "Füge {strong} zu Foliensätzen hinzu und interagiere mit anderen Lernenden.",
@@ -934,12 +1187,16 @@
"LoginModal.placeholder.email": "E-Mail Adresse",
"LoginModal.placeholder.password": "Passwort",
"userSignIn.headerText": "Anmelden",
+ "LoginModal.aria.google": "sign in with your Google account",
+ "LoginModal.aria.github": "sign in with your Github account",
"LoginModal.label.email": "E-Mail Adresse",
"LoginModal.label.password": "Passwort",
"LoginModal.button.signIn": "Anmelden",
"LoginModal.text.iCannotAccessMyAccount": "Ich habe keinen Zugang zu meinem Account",
"LoginModal.text.dontHaveAnAccount": "Sie haben keinen Account? Registrieren Sie sich hier.",
"LoginModal.button.close": "Schließen",
+ "Migrate.text1": "We are merging your user account. This will take just a few seconds.",
+ "Migrate.text2": "You will be directed to next view.",
"resetPassword.mailprompt": "Geben Sie bitte Ihre E-Mail Adresse ein",
"resetPassword.mailprompt2": "Geben Sie bitte eine gültige E-Mail Adresse ein",
"resetPassword.mailreprompt": "Geben Sie bitte Ihre E-Mail Adresse erneut ein",
@@ -961,6 +1218,19 @@
"SSOSignIn.errormessage.isForbidden": "Der Umzug des Nutzerkontos ist nicht möglich. Bitte versuchen sie es noch einmal.",
"SSOSignIn.errormessage.accountNotFound": "Dieses Nutzerkonto wurde noch nicht für einen Umzug vorbereitet. Bitte versuchen sie es noch einmal.",
"SSOSignIn.errormessage.badImplementation": "Es ist ein unbekannter Fehler aufgetreten.",
+ "socialLogin.text1": "We are acquiring your data. This will take just a few seconds.",
+ "socialLogin.text2": "This window will close automatically.",
+ "UserMenuDropdown.mydecks": "Meine Präsentationen",
+ "UserMenuDropdown.decks": "Präsentationen",
+ "UserMenuDropdown.myplaylists": "My Playlists",
+ "UserMenuDropdown.playlists": "Zusammenstellungen",
+ "UserMenuDropdown.mygroups": "Meine Gruppen",
+ "UserMenuDropdown.groups": "Gruppen",
+ "UserMenuDropdown.mySettings": "Meine Einstellungen",
+ "UserMenuDropdown.settings": "Einstellungen",
+ "UserMenuDropdown.myNotifications": "Meine Benachrichtigungen",
+ "UserMenuDropdown.notifications": "Benachrichtigungen",
+ "UserMenuDropdown.signout": "Abmelden",
"paintModal.title": "Draw your own SVG image",
"paintModal.primaryColourInput": "Primary colour:",
"paintModal.secondaryColourInput": "Secondary colour:",
@@ -968,9 +1238,9 @@
"paintModal.transparencyInput": "Object Transparency:",
"paintModal.drawingMode": "Drawing Mode",
"paintModal.selectMode": "Select Mode",
- "paintModal.addToSlide": "Add to Slide",
+ "paintModal.addToSlide": "Füge zur Folie hinzu",
"oaintModal.paintHeading": "Draw and Paint",
- "paintModal.licenseHeading": "License information",
+ "paintModal.licenseHeading": "Lizenzinformationen",
"paintModal.undo": "Undo",
"paintModal.redo": "Redo",
"paintModal.bringForwards": "Bring Forwards",
@@ -984,24 +1254,24 @@
"paintModal.addTriangle": "Add Triangle",
"paintModal.addArrow": "Add Arrow",
"paintModal.instruction": "Draw inside the canvas using the tools provided.",
- "paintModal.copyrightholder": "Copyrightholder",
- "paintModal.imageAttribution": "Image created by/ attributed to:",
- "paintModal.imageTitle": "Title:",
- "paintModal.imageTitleAria": "Title of the image",
+ "paintModal.copyrightholder": "Rechteinhaber",
+ "paintModal.imageAttribution": "Schöpfer des Bildes:",
+ "paintModal.imageTitle": "Titel:",
+ "paintModal.imageTitleAria": "Bildtitel",
"paintModal.imageDescription": "Description/Alt Text:",
- "paintModal.imageDescriptionAria": "Description of the image",
- "paintModal.imageDescriptionQuestion": "What does the picture mean?",
+ "paintModal.imageDescriptionAria": "Bildbeschreibung",
+ "paintModal.imageDescriptionQuestion": "Was bedeutet dieses Bild?",
"paintModal.chooseLicense": "Choose a license:",
- "paintModal.selectLicense": "Select a license",
- "paintModal.agreementAria": "Agree to terms and conditions",
- "paintModal.agreement1": "I confirm that I have the rights to upload this image as per the SlideWiki",
- "paintModal.agreement2": "terms and conditions",
- "paintModal.agreement3": "and that the",
- "paintModal.agreement4": "license information",
- "paintModal.agreement5": "I have provided is correct.",
+ "paintModal.selectLicense": "Wählen Sie eine Lizenz aus",
+ "paintModal.agreementAria": "Ich stimme den Bedingungen und Konditionen zu",
+ "paintModal.agreement1": "Ich bestätige, dass ich die Rechte habe dieses Bild hochzuladen unter den SlideWiki",
+ "paintModal.agreement2": "Bedingungen und Konditionen",
+ "paintModal.agreement3": "und das die",
+ "paintModal.agreement4": "Lizenzinformation",
+ "paintModal.agreement5": "die ich bereitgestellt habe korrekt sind.",
"paintModal.paintButton": "Paint",
- "paintModal.upload": "Upload",
- "paintModal.cancel": "Cancel",
+ "paintModal.upload": "Hochladen",
+ "paintModal.cancel": "Abbruch",
"reportModal.input_name": "Name",
"reportModal.modal_title": "Einen Rechtsverstoß oder Missbrauch melden",
"reportModal.modal_title_2": "Inhalt",
@@ -1021,9 +1291,9 @@
"reportModal.send_swal_error_button": "Schließen",
"HeaderSearchBox.placeholder": "Suchen",
"KeywordsInputWithFilter.allContentOption": "All Content",
- "KeywordsInputWithFilter.titleOption": "Title",
- "KeywordsInputWithFilter.descriptionOption": "Description",
- "KeywordsInputWithFilter.contentOption": "Content",
+ "KeywordsInputWithFilter.titleOption": "Titel",
+ "KeywordsInputWithFilter.descriptionOption": "Beschreibung",
+ "KeywordsInputWithFilter.contentOption": "Inhalt",
"SearchPanel.header": "Search SlideWiki",
"SearchPanel.searchTerm": "Suchterme",
"SearchPanel.KeywordsInput.placeholder": "Type your search terms here",
@@ -1054,16 +1324,20 @@
"SearchPanel.filters.tags.title": "Markierungen",
"SearchPanel.filters.tags.placeholder": "Markierungen auswählen",
"SearchPanel.button.submit": "Absenden",
+ "DeckFilter.Tag.Topic": "Subject",
+ "DeckFilter.Education": "Ausbildungsstand",
"Facets.languagesFacet": "Languages",
"Facets.ownersFacet": "Owners",
- "Facets.tagsFacet": "Tags",
+ "Facets.tagsFacet": "Markierungen",
+ "Facets.educationLevelFacet": "Education Levels",
+ "Facets.topicsFacet": "Subjects",
"Facets.showMore": "show more",
"Facets.showLess": "show less",
"SearchResultsItem.otherVersions.deck": "Präsentationsversion {index}: {title}",
"SearchResultsItem.otherVersions.slide": "Ebenfalls in Präsentationen: {title}",
"SearchResultsItem.by": "by",
"SearchResultsItem.lastModified": "Last modified",
- "SearchResultsItem.description": "Description",
+ "SearchResultsItem.description": "Beschreibung",
"SearchResultsItem.otherVersionsMsg": "Other versions available ({count})",
"SearchResultsItem.otherVersionsHeader": "Other matching versions",
"SearchResultsPanel.sort.relevance": "Relevanz",
@@ -1090,8 +1364,8 @@
"SSOSignIn.errormessage.deactivatedOrUnactivated": "Ihr Nutzerkonto muss entweder noch über den ihnen zugesandten Link aktiviert werden oder wurde von uns deaktiviert.",
"CategoryBox.personalSettings": "Persönliche Einstellungen",
"CategoryBox.profile": "Profil",
- "CategoryBox.account": "Account",
- "CategoryBox.authorizedAccounts": "Autorisierte Accounts",
+ "CategoryBox.account": "Accounts",
+ "CategoryBox.authorizedAccounts": "Authorized Accounts & Services",
"CategoryBox.userStats": "User Stats",
"CategoryBox.groups": "Gruppen",
"CategoryBox.myGroups": "Meine Gruppen",
@@ -1137,11 +1411,12 @@
"DeactivateAccount.modalSubmit": "Deaktiviere Account",
"user.deck.linkLabelUnlisted": "Unlisted deck: {title}. Last updated {update} ago",
"user.deck.linkLabel": "Deck: {title}. Last updated {update} ago",
- "user.deckcard.likesnumber": "Number of likes",
- "user.deckcard.lastupdate": "Last updated",
- "user.deckcard.opendeck": "Open deck",
+ "user.deckcard.likesnumber": "Anzahl der likes",
+ "user.deckcard.lastupdate": "Zuletzt bearbeitet",
+ "user.deckcard.opendeck": "öffne deck",
"user.deckcard.slideshow": "Open slideshow in new tab",
"user.deckcard.unlisted": "Unlisted",
+ "user.populardecks.notavailable": "No decks available",
"Integration.swalTitle3": "Fehler",
"Integration.swalText3": "Der Anbieter wurde nicht deaktiviert, da etwas unerwartetes passiert ist. Versuchen SIe es später erneut.",
"Integration.swalbutton3": "Bestätigt",
@@ -1164,7 +1439,8 @@
"Integration.disableGithub": "Deaktivieren",
"Integration.enableGithub": "Aktivieren",
"Integration.loading": "laden",
- "user.populardecks.notavailable": "No decks available",
+ "Integration.ltis": "Learning Services (LTIs)",
+ "Integration.myLTIs": "My Learning Services",
"user.userProfile.privatePublicProfile.allStatus": "All",
"user.userProfile.privatePublicProfile.publicStatus": "Published",
"user.userProfile.privatePublicProfile.hiddenStatus": "Unlisted",
@@ -1175,8 +1451,8 @@
"UserDecks.header.myDecks": "Meine Präsentationen",
"UserDecks.header.ownedDecks": "Eigene Präsentationen",
"UserDecks.header.sharedDecks": "Geteilte Präsentationen",
- "user.userProfile.userDecks.loadMore": "Load More",
- "user.userProfile.userDecks.loading": "Loading",
+ "user.userProfile.userDecks.loadMore": "Mehr",
+ "user.userProfile.userDecks.loading": "Lädt",
"user.userProfile.userDecks.error": "An unexpected error occurred while fetching more decks",
"UserMenu.myDecks": "Meine Präsentationen",
"UserMenu.ownedDecks": "Eigene Präsentationen",
@@ -1191,9 +1467,9 @@
"UserGroups.msgError": "Beim löschen einer Gruppe ist ein Fehler aufgetreten",
"UserGroups.msgErrorLeaving": "Beim verlassen einer Gruppe ist ein Fehler aufgetreten",
"UserGroups.member": "Member",
- "UserGroups.members": "Members",
+ "UserGroups.members": "Mitglieder",
"UserGroups.groupSettings": "Gruppeneinstellungen",
- "UserGroups.groupDetails": "Group details",
+ "UserGroups.groupDetails": "Gruppendetails",
"UserGroups.notAGroupmember": "Kein Mitglied einer Gruppe.",
"UserGroups.loading": "Lädt",
"UserGroups.groups": "Gruppen",
@@ -1208,13 +1484,21 @@
"UserProfile.changePassword": "Passwort ändern",
"UserProfile.deactivateAccount": "Deaktiviere Account",
"user.userRecommendations.changeOrder": "change order",
- "user.userRecommendations.loading": "Loading",
- "user.userRecommendations.recommendedDecks": "Recommended Decks",
+ "user.userRecommendations.loading": "Lädt",
+ "user.userRecommendations.recommendedDecks": "Empfohlene Präsentationen",
"user.userRecommendations.ranking": "Ranking",
- "user.userRecommendations.lastUpdated": "Last updated",
- "user.userRecommendations.creationDate": "Creation date",
- "user.userRecommendations.title": "Title",
+ "user.userRecommendations.lastUpdated": "Zuletzt bearbeitet",
+ "user.userRecommendations.creationDate": "Erstellungsdatum",
+ "user.userRecommendations.title": "Titel",
+ "Stats.userStatsTitle": "User Statistics",
"Stats.tagCloudTitle": "Popular Tags",
+ "Stats.userEngagementTitle": "User Engagement Overview",
+ "Stats.activeEngagement": "Active Engagement",
+ "Stats.passiveEngagement": "Passive Engagement",
+ "Stats.socialEngagement": "Social Engagement",
+ "Stats.activeEngagementDesc": "The degree of active participation based on the user's content creation history",
+ "Stats.passiveEngagementDesc": "The degree of passive participation based on the user's content usage",
+ "Stats.socialEngagementDesc": "The degree of social interaction through SW content",
"UserRegistration.firstName_prompt": "Geben Sie bitte Ihren Vornamen ein",
"UserRegistration.lastName_prompt": "Geben Sie bitte Ihren Nachnamen ein",
"UserRegistration.userName_prompt": "Wählen Sie bitte Ihren Benutzernamen",
@@ -1264,6 +1548,11 @@
"UserRegistration.form_terms": "Wenn Sie auf Registrieren klicken, erhalten wir Ihre Zustimmung zu den",
"UserRegistration.form_terms2": "Bedingungen",
"UserRegistration.noAccess": "Ich habe keinen Zugang zu meinem Account",
+ "UserRegistration.emailRegistered": "This E-Mail has already been registered by someone else. Please use another one.",
+ "UserRegistration.usernameRegistered": "This Username has already been registered by someone else. Please choose another one.",
+ "UserRegistration.username.suggestion": "Here are some suggestions:",
+ "UserRegistration.SSO.title": "Sign up with an account of another SlideWiki instance",
+ "UserRegistration.SSO.aria": "Sign up with another SlideWiki instance",
"UserRegistrationSocial.firstnameprompt": "Geben Sie bitte Ihren Vornamen ein",
"UserRegistrationSocial.lastnameprompt": "Geben Sie bitte Ihren Nachnamen ein",
"UserRegistrationSocial.usernameprompt": "Wählen Sie bitte Ihren Benutzernamen",
@@ -1278,6 +1567,7 @@
"UserRegistrationSocial.confirm": "OK",
"UserRegistrationSocial.emailNotAllowed": "Diese E-Mail Adresse wird bereits verwendet. Bitte wählen Sie eine andere.",
"UserRegistrationSocial.usernameNotAllowed": "Dieser Benutzername wird bereits verwendet. Bitte wählen Sie einen anderen.",
+ "UserRegistrationSocial.usernamesuggestion": "Here are some suggestions:",
"UserRegistrationSocial.validate": "Überprüfe Benutzerinformationen",
"UserRegistrationSocial.fname": "Vorname *",
"UserRegistrationSocial.lname": "Nachname *",
@@ -1286,21 +1576,21 @@
"UserRegistrationSocial.signup": "Registrieren",
"UserRegistrationSocial.account": "Ich habe keinen Zugang zu meinem Account",
"UserRegistrationSocial.cancel": "Abbrechen",
- "ChangePicture.Groups.modalTitle": "Big file",
- "ChangePicture.Groups.modalText": "The selected file is quite big (> 10MB). This could cause problems like a white profile picture. You should upload a smaller picture if you notice strange things.",
- "ChangePicture.Groups.modalTitle2": "Wrong file type",
- "ChangePicture.Groups.modalText2": "You have selected a file type that we currently do not support",
- "ChangePicture.Group.upload": "Upload new Image",
- "ChangePicture.Group.remove": "Remove Image",
- "ChangeGroupPictureModal.modalTitle": "Photo selection not processible!",
- "ChangeGroupPictureModal.modalText": "Sorry, we could not process your chosen selection. Please try again with a different photo or selection.",
+ "ChangePicture.Groups.modalTitle": "Große Datei",
+ "ChangePicture.Groups.modalText": "Die ausgewählte Datei ist zu groß (> 10MB). Dies könnte Probleme wie weiße Profilbilder auslösen. Sie sollten ein kleineres Bild hochladen, falls Sie etwas seltsames in dieser Hinsicht bemerken.",
+ "ChangePicture.Groups.modalTitle2": "Falscher Dateityp",
+ "ChangePicture.Groups.modalText2": "Sie haben einen Dateitypen ausgewählt den wir momentan nicht unterstützen",
+ "ChangePicture.Group.upload": "Lade neues Bild hoch",
+ "ChangePicture.Group.remove": "Entferne Bild",
+ "ChangeGroupPictureModal.modalTitle": "Bildauswahl kann nicht verarbeitet werden",
+ "ChangeGroupPictureModal.modalText": "Wir konnten die Auswahl leider nicht übernehmen. Bitte versuchen sie es mit einem anderem Bild noch einmal.",
"ChangeGroupPictureModal.description": "This modal is used to crop and save a picture meant to be used as a group picture.",
- "ChangeGroupPictureModal.cancel": "Cancel",
- "ChangeGroupPictureModal.save": "Save",
- "ChangeGroupPictureModal.modalHeader": "Crop your image",
- "GroupDecks.sort.lastUpdated": "Last updated",
- "GroupDecks.sort.date": "Creation date",
- "GroupDecks.sort.title": "Title",
+ "ChangeGroupPictureModal.cancel": "Abbruch",
+ "ChangeGroupPictureModal.save": "Speichern",
+ "ChangeGroupPictureModal.modalHeader": "Schneiden SIe Ihr Bild zurecht",
+ "GroupDecks.sort.lastUpdated": "Zuletzt bearbeitet",
+ "GroupDecks.sort.date": "Erstellungsdatum",
+ "GroupDecks.sort.title": "Titel",
"GroupDecks.header.sharedDecks": "Shared decks edited by this group",
"UserGroupEdit.error": "Fehler",
"UserGroupEdit.unknownError": "Unbekannter Fehler des Speichervorgangs.",
@@ -1320,12 +1610,12 @@
"UserGroupEdit.leaveGroup": "Leave Group",
"UserGroupEdit.loading": "Lädt",
"UserGroupEdit.members": "Mitglieder",
- "UserGroupEdit.details": "Group details",
+ "UserGroupEdit.details": "Gruppendetails",
"UserGroupEdit.unsavedChangesAlert": "You have unsaved changes. If you do not save the group, it will not be updated. Are you sure you want to exit this page?",
"UserGroupEdit.joined": "Hinzugefügt vor {time}",
"GroupDetails.exchangePicture": "Group picture",
"Stats.membersStatsTitle": "Member Activity",
- "GroupMenu.members": "Members",
+ "GroupMenu.members": "Mitglieder",
"GroupMenu.sharedDecks": "Group Shared Decks",
"GroupMenu.collections": "Group Playlists",
"GroupMenu.settings": "Group Settings",
diff --git a/intl/el.json b/intl/el.json
index 8ea1e010f..518a8b646 100644
--- a/intl/el.json
+++ b/intl/el.json
@@ -11,7 +11,7 @@
"AddDeck.swal.preview_text": "Here is a preview of your slides. It may take a few seconds for the images to be created. You can use the tab key to move through the images.",
"AddDeck.swal.success_text_extra": "This new deck will not be visible to others in your decks page or in search results until published.",
"AddDeck.swal.success_confirm_text": "Complete import",
- "AddDeck.swal.success_reject_text": "Try again",
+ "AddDeck.swal.success_reject_text": "Προσπάθησε ξανά",
"AddDeck.swal.success_imported_slides_text": "Imported slides:",
"AddDeck.swal.success_publish_deck_text": "Publish your deck for it to show in search results immediately (publishing occurs after a few seconds)",
"AddDeck.swal.error_title_text": "Σφάλμα",
@@ -29,6 +29,9 @@
"AddDeck.form.label_themes": "Επέλεξε θέμα για τη δέσμη παρουσιάσεων",
"AddDeck.form.label_description": "Περιγραφή",
"add.help": "Help decks",
+ "AddDeck.sr.education": "Select education level of deck content",
+ "AddDeck.sr.subject": "Select subject of deck content from autocomplete. Multiple subjects can be selected",
+ "AddDeck.sr.tags": "Add tags or keywords for your deck. Multiple tags can be provided.",
"DeckProperty.Education.Choose": "Choose Education Level",
"DeckProperty.Tag.Topic.Choose": "Choose Subject",
"DeckProperty.Tag.Choose": "Choose Tags",
@@ -37,6 +40,9 @@
"AddDeck.form.label_terms2": "Όροι και προϋποθέσεις",
"AddDeck.form.label_terms3": "και το περιεχόμενο αυτό που ανεβάζω, δημιουργώ και επεξεργάζομαι μπορεί να δημοσιευτεί με άδεια Creative Commons ShareAlike.",
"AddDeck.form.label_termsimages": "Συμφωνώ ότι οι εικόνες των εισαγόμενων διαφανειών ανήκουν στο κοινό κτήμα ή διατίθενται υπό την άδεια Creative Commons Attribution (CC-BY ή CC-BY-SA).",
+ "activationMessages.swalTitle": "Account activated",
+ "activationMessages.swalText": "Your account has been successfully activated. You are now able to login",
+ "activationMessages.swalConfirm": "Κλείσιμο",
"header.cookieBanner": "This website uses cookies.",
"CountryDropdown.placeholder": "Επέλεξε τη χώρα σου",
"CountryDropdown.Afghanistan": "Αφγανιστάν",
@@ -288,64 +294,229 @@
"LanguageDropdown.english": "Αγγλικά",
"LanguageDropdown.tooltip": "Θα υπάρχουν περισσότερα στο μέλλον",
"LanguageDropdown.placeholder": "Επέλεξε τη γλώσσα σου",
- "uploadMediaModal.swal_error_title": "Error",
+ "uploadMediaModal.swal_error_title": "Σφάλμα",
"uploadMediaModal.swal_error_text": "Reading the selected file failed. Check you privileges and try again",
"uploadMediaModal.drop_message1": "Drop a file directly from your filebrowser here to upload it.",
"uploadMediaModal.drop_message2": "Alternatively, click",
"uploadMediaModal.drop_message3": "or anywhere around this text to select a file to upload.",
"uploadMediaModal.drop_message4": "Not the right image? Click on the image to upload another one.",
"uploadMediaModal.upload_button_aria": "select file to upload",
- "uploadMediaModal.upload_button_label": "choose file",
+ "uploadMediaModal.upload_button_label": "επέλεξε φάκελο",
"uploadMediaModal.modal_heading1": "Add image - upload image file from your computer",
"uploadMediaModal.modal_description1": "This modal is used to upload media files and to provide additional information about these.",
"uploadMediaModal.modal_heading2": "License information",
"uploadMediaModal.modal_description2": "Please confirm the title, alt text and licence for this image.",
"uploadMediaModal.copyrightHolder_label": "Image created by/ attributed to:",
"uploadMediaModal.copyrightHolder_aria_label": "Copyrightholder",
- "uploadMediaModal.media_title_label": "Title:",
- "uploadMediaModal.media_title_aria": "Title of the image",
+ "uploadMediaModal.media_title_label": "Τίτλος:",
+ "uploadMediaModal.media_title_aria": "Τίτλος εικόνας",
"uploadMediaModal.media_altText_label": "Description/Alt",
- "uploadMediaModal.media_altText_aria": "Description of the image",
+ "uploadMediaModal.media_altText_aria": "Περιγραφή εικόνας",
"uploadMediaModal.media_altText_content": "What does the picture mean?",
- "uploadMediaModal.licence_label": "Select a license:",
- "uploadMediaModal.licence_content": "Select a license",
+ "uploadMediaModal.licence_label": "Επέλεξε μια άδεια:",
+ "uploadMediaModal.licence_content": "Επέλεξε μια άδεια",
"uploadMediaModal.media_terms_aria": "Agree to terms and conditions",
"uploadMediaModal.media_terms_label1": "I confirm that I have the rights to upload this image as per the SlideWiki",
- "uploadMediaModal.media_terms_label2": "terms and conditions",
+ "uploadMediaModal.media_terms_label2": "Όροι και προϋποθέσεις",
"uploadMediaModal.media_terms_label3": "and that the",
"uploadMediaModal.media_terms_label4": "license information",
"uploadMediaModal.media_terms_label5": "I have provided is correct.",
- "uploadMediaModal.submit_button_text1": "Next",
+ "uploadMediaModal.submit_button_text1": "Επόμενο",
"uploadMediaModal.submit_button_text2": "Upload",
"uploadMediaModal.loading_text": "Loading",
- "uploadMediaModal.cancel_button": "Cancel",
+ "uploadMediaModal.cancel_button": "Ακύρωση",
"uploadMediaModal.background_aria": "Use as background image?",
"uploadMediaModal.background_message1": "Use as background image?",
"CollectionsList.partOfPlaylists": "This deck is part of the following playlists",
- "CollectionsListItem.removeTooltip": "Remove",
+ "CollectionsListItem.removeTooltip": "Αφαίρεση",
"CollectionsListItem.removeAria": "Remove current deck from collection",
"CollectionsListItem.noDescription": "No description provided",
"CollectionsPanel.header": "Playlists",
"CollectionsPanel.createCollection": "Add to new playlist",
"CollectionsPanel.ariaCreateCollection": "Add to new playlist",
- "CollectionsPanel.error.title": "Error",
+ "CollectionsPanel.error.title": "Σφάλμα",
"CollectionsPanel.error.removeDeck": "An error occured while removing playlist from deck...",
"CollectionsPanel.error.adDeck": "An error occured while adding playlist to the deck...",
"CollectionsPanel.addToPlaylist": "Add deck to playlist",
+ "AddComment.form.comment_title_placeholder": "Τίτλος",
+ "AddComment.form.comment_text_placeholder": "Text",
+ "AddComment.form.label_comment_title": "Comment title",
+ "AddComment.form.label_comment_text": "Comment text",
+ "AddComment.form.button_submit": " Υποβολή",
+ "AddComment.form.button_cancel": "Ακύρωση",
+ "AddReply.form.reply_text_placeholder": "Text",
+ "AddReply.form.label_reply_title": "Reply title",
+ "AddReply.form.label_reply_text": "Reply text",
+ "AddReply.form.button_add": "Add Reply",
+ "Comment.form.revision_note": "revision",
+ "Comment.form.from_note": "from",
+ "Comment.form.comment_removed": "Comment was removed",
+ "Comment.form.delete_aria": "Delete comment",
+ "Comment.form.label_reply": "Reply",
+ "ContentDiscussionPanel.form.no_comments": "There are currently no comments for this",
+ "ContentDiscussionPanel.form.button_add": "Add comment",
+ "ContentDiscussionPanel.form.comments": "Σχόλια",
+ "ContentChangeItem.swal.text": "This action will restore the slide to an earlier version. Do you want to continue?",
+ "ContentChangeItem.swal.confirmButtonText": "Yes, restore slide",
+ "ContentChangeItem.swal.cancelButtonText": "Όχι",
+ "ContentChangeItem.form.add_description": "added",
+ "ContentChangeItem.form.copy_description": "created a duplicate of",
+ "ContentChangeItem.form.attach_description": "attached",
+ "ContentChangeItem.form.fork_description": "created a fork of deck",
+ "ContentChangeItem.form.translate_description_added": "added",
+ "ContentChangeItem.form.translate_description_translation": "translation for",
+ "ContentChangeItem.form.revise_description": "created a new version of",
+ "ContentChangeItem.form.rename_description_renamed": "renamed",
+ "ContentChangeItem.form.rename_description_to": "to",
+ "ContentChangeItem.form.revert_description_restored": "restored",
+ "ContentChangeItem.form.revert_description_to": "to an earlier version",
+ "ContentChangeItem.form.remove_description": "removed",
+ "ContentChangeItem.form.edit_description_slide_translation": "edited slide translation",
+ "ContentChangeItem.form.edit_description_slide": "edited slide",
+ "ContentChangeItem.form.move_description_slide": "moved the slide",
+ "ContentChangeItem.form.move_description_deck": "moved the deck",
+ "ContentChangeItem.form.move_description": "moved",
+ "ContentChangeItem.form.update_description": "updated deck",
+ "ContentChangeItem.form.default_description": "updated the deck",
+ "ContentChangeItem.form.button_compare": "Compare to current slide version",
+ "ContentChangeItem.form.button_restore": "Restore slide",
+ "ContentChangeItem.form.button_view": "View slide",
+ "ContentChangeItem.form.date_on": "on",
+ "ContentChangeItem.form.date_at": "at",
+ "DeckHistoryPanel.swal.text": "This action will create a new version for this deck. Do you want to continue?",
+ "DeckHistoryPanel.swal.confirmButtonText": "Yes, create a new version",
+ "DeckHistoryPanel.swal.cancelButtonText": "Όχι",
+ "DeckHistoryPanel.form.button_aria": "Create a new version of this deck",
+ "DeckHistoryPanel.form.button_content": "Create a new version",
+ "DeckRevision.swal.text": "This action will restore the deck to an earlier version. Do you want to continue?",
+ "DeckRevision.swal.confirmButtonText": "Yes, restore deck",
+ "DeckRevision.swal.cancelButtonText": "Όχι",
+ "DeckRevision.form.icon_aria_saved": "Saved at",
+ "DeckRevision.form.date_on": "on",
+ "DeckRevision.form.date_at": "at",
+ "DeckRevision.form.by": "by",
+ "DeckRevision.form.button_aria_show": "Show details",
+ "DeckRevision.form.version_changes": "Version changes",
+ "DeckRevision.form.button_aria_restore": "Restore deck",
+ "DeckRevision.form.button_aria_view": "View deck in new tab",
+ "DeckRevisionChanges.form.no_changes": "There are no changes for this version.",
+ "SlideHistoryPanel.form.no_changes": "There are no changes for this slide.",
+ "ContentModulesPanel.form.label_sources": "Sources",
+ "ContentModulesPanel.form.label_tags": "Ετικέτες",
+ "ContentModulesPanel.form.label_comments": "Σχόλια",
+ "ContentModulesPanel.form.label_history": "History",
+ "ContentModulesPanel.form.label_usage": "Usage",
+ "ContentModulesPanel.form.label_questions": "Questions",
+ "ContentModulesPanel.form.label_playlists": "Playlists",
+ "ContentModulesPanel.form.aria_additional": "Additional deck tools",
+ "ContentModulesPanel.form.dropdown_text": "Tools",
+ "ContentModulesPanel.form.header": "Content Tools",
+ "ContentQuestionAdd.no_question": "Please, enter question",
+ "ContentQuestionAdd.no_answers": "Please, add answers",
+ "ContentQuestionAdd.form.question": "Question",
+ "ContentQuestionAdd.form.difficulty": "Difficulty",
+ "ContentQuestionAdd.form.difficulty_easy": "Easy",
+ "ContentQuestionAdd.form.difficulty_moderate": "Moderate",
+ "ContentQuestionAdd.form.difficulty_hard": "Hard",
+ "ContentQuestionAdd.form.answer_choices": "Answer Choices",
+ "ContentQuestionAdd.form.explanation": "Explanation (optional)",
+ "ContentQuestionAdd.form.exam_question": "This is an exam question",
+ "ContentQuestionAdd.form.button_save": "Αποθήκευση",
+ "ContentQuestionAdd.form.button_cancel": "Ακύρωση",
+ "ContentQuestionAnswersList.form.button_answer_show": "Show answer",
+ "ContentQuestionAnswersList.form.button_answer_hide": "Hide answer",
+ "ContentQuestionAnswersList.form.button_edit": "Edit question",
+ "ContentQuestionAnswersList.form.explanation": "Explanation:",
+ "ContentQuestionEdit.no_question": "Please, enter question",
+ "ContentQuestionEdit.no_answers": "Please, add answers",
+ "ContentQuestionEdit.swal.text": "Delete this question. Are you sure?",
+ "ContentQuestionEdit.swal.confirmButtonText": "Yes, delete!",
+ "ContentQuestionEdit.form.question": "Question",
+ "ContentQuestionEdit.form.difficulty": "Difficulty",
+ "ContentQuestionEdit.form.difficulty_easy": "Easy",
+ "ContentQuestionEdit.form.difficulty_moderate": "Moderate",
+ "ContentQuestionEdit.form.difficulty_hard": "Hard",
+ "ContentQuestionEdit.form.answer_choices": "Answer Choices",
+ "ContentQuestionEdit.form.explanation": "Explanation (optional)",
+ "ContentQuestionEdit.form.exam_question": "This is an exam question",
+ "ContentQuestionEdit.form.button_save": "Αποθήκευση",
+ "ContentQuestionEdit.form.button_cancel": "Ακύρωση",
+ "ContentQuestionEdit.form.button_delete": "Διαγραφή",
+ "ContentQuestionsItem.form.originally": "(originally from",
+ "ContentQuestionsPanel.form.no_questions": "There are currently no questions for this",
+ "ContentQuestionsPanel.form.button_exam": "Exam mode",
+ "ContentQuestionsPanel.form.button_select": "Select exam questions",
+ "ContentQuestionsPanel.form.button_add": "Add question",
+ "ContentQuestionsPanel.form.questions_header": "Questions",
+ "QuestionDownloadList.form.heading": "Select questions to download",
+ "QuestionDownloadList.form.button": "Select all",
+ "QuestionDownloadModal.form.download_aria": "Download Questions",
+ "QuestionDownloadModal.form.download_tooltip": "Download Questions as JSON format",
+ "QuestionDownloadModal.form.modal_description": "You can select one or more questions from this deck to download.",
+ "QuestionDownloadModal.form.button_cancel": "Ακύρωση",
+ "QuestionDownloadModal.form.download_text": "Λήψη",
"questionpanel.handleDownloadQuestionsClick": "Download questions",
+ "QuestionDownloadModal.form.modal_header": "Download questions",
+ "ExamAnswersItem.form.answer_correct": "your answer was correct",
+ "ExamAnswersItem.form.answer_not_selected": "the correct answer which you did not select",
+ "ExamAnswersItem.form.answer_incorrect": "your answer was incorrect",
+ "ExamAnswersList.form.explanation": "Explanation:",
+ "ExamAnswersList.form.answer_incorrect": "Your answer to the question was incorrect",
+ "ExamList.swal.title": "Exam submitted",
+ "ExamList.swal.text": "Your score:",
+ "ExamList.form.button_submit": "Submit answers",
+ "ExamList.form.button_cancel": "Ακύρωση",
+ "ExamPanel.form.no_questions": "There are currently no exam questions for this",
+ "ExamPanel.form.exam_mode": "Exam mode",
+ "ExamPanel.form.button_back": "Back",
+ "ExamQuestionsList.form.header": "Select exam questions",
+ "ExamQuestionsList.form.button_save": "Αποθήκευση",
+ "ExamQuestionsList.form.button_cancel": "Ακύρωση",
+ "ContentUsageItem.form.by": "by",
+ "ContentUsageList.form.no_usage": "There is currently no usage of this",
+ "ContributorsPanel.form.no_contributors": "There are no contributors for this",
+ "ContributorsPanel.form.header": "Δημιουργός",
+ "ContributorsPanel.form.title": "Contributors",
+ "DataSourceItem.form.originally": "originally from slide",
+ "DataSourcePanel.form.no_sources": "There are currently no sources for this",
+ "DataSourcePanel.form.button_add": "Add source",
+ "DataSourcePanel.form.header": "Sources",
+ "DataSourcePanel.form.show_more": "Show more ...",
+ "EditDataSource.no_title": "This field cannot be empty.",
+ "EditDataSource.valid_url": "The URL must be a valid one.",
+ "EditDataSource.valid_year": "Enter a valid number for a Year, which is less or equal the current one.",
+ "EditDataSource.form.header_edit": "Edit source",
+ "EditDataSource.form.header_add": "Add source",
+ "EditDataSource.form.placeholder_title": "Τίτλος",
+ "EditDataSource.form.placeholder_authors": "Authors",
+ "EditDataSource.form.placeholder_year": "Year",
+ "EditDataSource.form.placeholder_comment": "Comment",
+ "EditDataSource.form.button_delete": "Διαγραφή",
+ "EditDataSource.form.type_webpage": "Web page",
+ "EditDataSource.form.type_webdocument": "Web document",
+ "EditDataSource.form.type_publication": "Publication",
+ "EditDataSource.form.type_person": "Person",
+ "EditDataSource.form.type_text": "Plain text",
+ "EditDataSource.form.label_type": "Type",
+ "EditDataSource.form.label_title": "Τίτλος",
+ "EditDataSource.form.label_authors": "Authors",
+ "EditDataSource.form.label_year": "Year",
+ "EditDataSource.form.label_comment": "Comment",
+ "EditDataSource.form.button_submit": " Υποβολή",
+ "EditDataSource.form.button_cancel": "Ακύρωση",
"RecommendedTags.header": "Recommended Tags",
"RecommendedTags.aria.add": "Add recommended tag",
"RecommendedTags.aria.dismiss": "Dismiss recommendation",
"RecommendedTags.aria.viewDecksWithTag": "View decks with this tag",
- "TagsPanel.header": "Tags",
- "TagsPanel.edit": "Edit",
- "TagsPanel.save": "Save",
- "TagsPanel.cancel": "Cancel",
+ "TagsPanel.header": "Ετικέτες",
+ "TagsPanel.edit": "Επεξεργασία",
+ "TagsPanel.save": "Αποθήκευση",
+ "TagsPanel.cancel": "Ακύρωση",
"TagsPanel.aria.edit": "Edit tags",
"TagsPanel.aria.save": "Save tags",
"TagsPanel.aria.cancel": "Cancel tags",
"TagsPanel.TagInput.placeholder": "Insert new tags",
- "editpanel.handleAddQuestionsClick": "Add questions",
+ "editpanel.handleAddQuestionsClick": "Πρόσθεσε ερωτήσεις",
"slidesModal.attachSlidesDescriptionStep1": "You can attach one or more slides from another deck. First select your deck containing the slides or search SlideWiki for a deck. We advise a maximum of 50 slides per (sub)deck for maximal performance/speed for viewing your presentation. You can also separate a large presentation, for example, a series of lectures, into a deck collection.",
"slidesModal.attachSlidesDescriptionStep2": "Select slides to attach. We advise a maximum of 50 slides per (sub)deck for maximal performance/speed for viewing your presentation. You can also separate a large presentation, for example, a series of lectures, into a deck collection.",
"subDeckModal.attachSubdeckModalDescription": "Select a deck to attach from your My Decks list or search SlideWiki. We recommend that decks have a maximum of 50 slides per (sub)deck for optimum performance when viewing your presentation. If you wish to collate lots of decks then we recommend creating a playlist.",
@@ -358,59 +529,59 @@
"ContentActionsHeader.addDeckButtonAriaText": "Add sub-deck",
"ContentActionsHeader.duplicateAriaText": "Duplicate slide",
"ContentActionsHeader.deleteAriaText": "Delete slide",
- "ContentActionsHeader.language": "Language",
- "ContentActionsHeader.translation": "Translation",
+ "ContentActionsHeader.language": "Γλώσσες",
+ "ContentActionsHeader.translation": "Μετάφραση",
"ContentActionsHeader.loading": "Loading",
"downloadModal.downloadModal_header": "Κατέβασε αυτή τη δέσμη παρουσιάσεων",
"downloadModal.downloadModal_description": "Επέλεξε τον τύπο αρχείου που θες να κατεβάσεις:",
"downloadModal.downloadModal_downloadButton": "Λήψη",
"downloadModal.downloadModal_cancelButton": "Ακύρωση",
"downloadModal.downloadModal_HTML": "HTML (unzip and open index.html to access off-line presentation)",
- "embedModal.closeButton": "Close",
- "embedModal.deckRadio": "Deck",
+ "embedModal.closeButton": "Κλείσιμο",
+ "embedModal.deckRadio": "Δέσμη παρουσιάσεων",
"embedModal.slideshowRadio": "Slideshow",
- "embedModal.slideRadio": "Slide",
- "embedModal.small": "Small",
- "embedModal.medium": "Medium",
- "embedModal.large": "Large",
- "embedModal.other": "Other",
+ "embedModal.slideRadio": "Διαφάνεια",
+ "embedModal.small": "Μικρό",
+ "embedModal.medium": "Μεσαίο",
+ "embedModal.large": "Μεγάλο",
+ "embedModal.other": "Άλλο",
"embedModal.embedHeader": "Embed SlideWiki deck \"{title}\"",
"embedModal.description": "Use the options to select how this deck will be displayed. Then copy the generated code into your site.",
"embedModal.embed": "Embed:",
- "embedModal.size": "Size:",
+ "embedModal.size": "Μέγεθος:",
"embedModal.widthLabel": "Width of embedded content",
"embedModal.heightLabel": "Height of embedded content",
"deckEditPanel.loading": "loading",
- "deckEditPanel.error": "Error",
- "deckEditPanel.info": "Information",
+ "deckEditPanel.error": "Σφάλμα",
+ "deckEditPanel.info": "Πληροφορίες",
"deckEditPanel.notTheDeckOwner": "You are not the deck owner, thus you are not allowed to change the deck edit rights.",
- "deckEditPanel.confirm": "Confirm",
+ "deckEditPanel.confirm": "Επιβεβαίωση",
"deckEditPanel.deckOwnerAndRights": "You are the owner of the deck, thus you already have edit rights.",
"deckEditPanel.alreadyGranted": "Edit rights were already granted to the user.",
- "deckEditPanel.organization": ", organization:",
+ "deckEditPanel.organization": ", οργανισμός:",
"deckEditPanel.requestedDeckEditRights": "Requested deck edit rights",
"deckEditPanel.theFollowingUserRequested": "The following user requested edit rights on deck",
"deckEditPanel.grantIt": "Grant it?",
"deckEditPanel.grantRights": "Grant rights",
"deckEditPanel.deny": "Deny",
- "deckEditPanel.close": "Close",
+ "deckEditPanel.close": "Κλείσιμο",
"DeckProperty.Education": "Education Level",
"DeckProperty.Tag.Topic": "Subject",
"GroupDetails.modalHeading": "Group details",
- "GroupDetails.close": "Close",
+ "GroupDetails.close": "Κλείσιμο",
"GroupDetails.groupCreator": "Group creator",
"GroupDetails.unknownCountry": "unknown country",
"GroupDetails.unknownOrganization": "Unknown organization",
"GroupDetails.linkHint": "The username is a link which will open a new browser tab. Close it when you want to go back to this page.",
"noPermissionModal.loading": "loading",
- "noPermissionModal.error": "Error",
+ "noPermissionModal.error": "Σφάλμα",
"noPermissionModal.errorMessage": "An error occured. Please try again later.",
- "noPermissionModal.close": "Close",
+ "noPermissionModal.close": "Κλείσιμο",
"noPermissionModal.info": "Info",
"noPermissionModal.alreadyRequested": "You already requested deck edit rights on this deck. Please wait until the deck owner reacts.",
"noPermissionModal.success": "Success",
"noPermissionModal.requestSuccessfullySend": "The request was send. Please wait until the deck owner reacts.",
- "noPermissionModal.ok": "OK",
+ "noPermissionModal.ok": "ΟΚ",
"noPermissionModal.viewOnlyVersion": "View-only version",
"noPermissionModal.viewOnlyVersionText": "You are viewing an older version of this deck, which is not available for editing. You can visit the most recent version so you can edit the deck.",
"noPermissionModal.gotoLastVersion": "Go to the latest version",
@@ -460,20 +631,40 @@
"DeckTranslationsModal.chooseLanguage": "Choose the target language...",
"DeckTranslationsModal.startTranslation": "Create a new translation:",
"DeckTranslationsModal.startTranslationSearchOptions": "(start typing to find your language in its native name)",
- "DeckTranslationsModal.cancel": "Cancel",
- "DeckTranslationsModal.translate": "Create translation",
+ "DeckTranslationsModal.cancel": "Ακύρωση",
+ "DeckTranslationsModal.translate": "Δημιούργησε μετάφραση",
"DeckTranslationsModal.originLanguage": "Original Language:",
"DeckTranslationsModal.switchSR": "Create a new deck translation",
- "InfoPanelInfoView.selectLanguage": "Select language",
- "similarContentItem.creator": "Creator",
+ "SlideTranslationsModal.header": "Translate Slide",
+ "SlideTranslationsModal.chooseSourceLanguage": "Choose the source language...",
+ "SlideTranslationsModal.chooseTargetLanguage": "Choose the target language...",
+ "SlideTranslationsModal.sourceTranslation": "Current language:",
+ "SlideTranslationsModal.targetTranslation": "Target language:",
+ "SlideTranslationsModal.autoSelect": "Current and target language are automatically selected. You may alter manually if required.",
+ "SlideTranslationsModal.alternativeTranslation1": "We have a limited amount of automatic translation each month. Alternatively, you can use the...",
+ "SlideTranslationsModal.alternativeTranslation2": "...built-in translation feature, ...",
+ "SlideTranslationsModal.alternativeTranslation3": "...translation extension or “app”, or translate via one of the Mozilla Firefox translations extensions (...",
+ "SlideTranslationsModal.openOriginal": "To assist with translation, you can open the current version of this deck in a new browser tab via the Play button.",
+ "SlideTranslationsModal.sourceLanguageSearchOptions": "(start typing to find the source language)",
+ "SlideTranslationsModal.targetLanguageSearchOptions": "(start typing to find the target language)",
+ "SlideTranslationsModal.cancel": "Ακύρωση",
+ "SlideTranslationsModal.translate": "Translate slide",
+ "SlideTranslationsModal.originLanguage": "Original Language:",
+ "SlideTranslationsModal.switchSR": "Start a new slide translation",
+ "InfoPanelInfoView.selectLanguage": "Επέλεξε γλώσσα",
+ "Stats.deckUserStatsTitle": "User Activity",
+ "similarContentItem.creator": "Δημιουργός",
"similarContentItem.likes": "Number of likes",
"similarContentItem.open_deck": "Open deck",
"similarContentItem.open_slideshow": "Open slideshow in new tab",
"similarContentPanel.panel_header": "Recommended Decks",
"similarContentPanel.panel_loading": "Loading",
+ "slideEditLeftPanel.transitionAlertTitle": "Changing Transition for the presentation",
+ "slideEditLeftPanel.transitionAlertContent": "This transition will be used for the transition to this slide, do you want to proceed?",
"editpanel.slideSizeCurrent": "(current: {size})",
"editpanel.back": "πίσω",
"editpanel.embed": "Ενσωμάτωση",
+ "editpanel.lti": "LTI",
"editpanel.table": "Πίνακας",
"editpanel.Maths": "Maths",
"editpanel.Code": "Κώδικας",
@@ -490,6 +681,14 @@
"editpanel.embedAdd": "Πρόσθεσε στη διαφάνεια",
"editpanel.embedNote": "Not all website owners allow their content to be embedded. Using embed code provided by the website you want to embed (instead of URL) often works best.",
"editpanel.embedNoteTerms": "Please note that our terms (e.g., on malicious code and commercial material) also strictly apply to any content on webpages that you embed.",
+ "editpanel.ltiKey": "LTI Key:",
+ "editpanel.ltiKeyMissingError": "missing LTI key",
+ "editpanel.ltiURL": "URL/Link to LTI content:",
+ "editpanel.ltiURLMissingError": "missing URL/link to content",
+ "editpanel.ltiWidth": "Width of LTI content:",
+ "editpanel.ltiHeight": "Height of LTI content:",
+ "editpanel.ltiAdd": "Πρόσθεσε στη διαφάνεια",
+ "editpanel.ltiNote": "Use an LTI URL and key.",
"editpanel.template2": "Empty document - Document-mode (non-canvas)",
"editpanel.template3": "Document with title - Document-mode (non-canvas)",
"editpanel.template31": "Document with rich text example - Document-mode (non-canvas)",
@@ -511,6 +710,7 @@
"editpanel.templateVMU": "VMU template - Title page",
"editpanel.slideTitleButton": "Change slide name",
"editpanel.slideSizeChange": "Change slide size",
+ "editpanel.slideTransition": "Slide Transition",
"editpanel.changeBackgroundColor": "Change Background Colour",
"editpanel.removeBackground": "Remove background",
"editpanel.titleMissingError": "Error: Slide name can not be empty",
@@ -526,33 +726,39 @@
"editpanel.slideSizeName720": "720p HDTV Wide XGA",
"editpanel.slideSizeWidescreen1080": "Widescreen (16:9) high",
"editpanel.slideSizeName1080": "1080p/1080i HDTV Blu-ray",
+ "transitionpanel.none": "No slide transition",
+ "transitionpanel.convex": "Convex",
+ "transitionpanel.fade": "Fade",
+ "transitionpanel.slide": "Διαφάνεια",
+ "transitionpanel.zoom": "Zoom",
+ "transitionpanel.concave": "Concave",
"editpanel.addTextBox": "Προσθήκη πλαισίου κειμένου",
- "editpanel.Image": "Add image",
- "editpanel.Video": "Add video",
- "editpanel.Other": "Add other",
+ "editpanel.Image": "Πρόσθεσε εικόνα",
+ "editpanel.Video": "Πρόσθεσε βίντεο",
+ "editpanel.Other": "Πρόσθεσε άλλο",
"editpanel.Template": "Πρότυπο",
"editpanel.Properties": "Ιδιότητες",
"editpanel.Help": "Βοήθεια",
"CollectionDecksReorder.moveup": "Move Up",
"CollectionDecksReorder.movedown": "Move Down",
- "CollectionDecksReorder.remove": "Remove",
+ "CollectionDecksReorder.remove": "Αφαίρεση",
"CollectionDecksReorder.noDescription": "No description provided",
"CollectionPanel.error.reorder": "An error occurred while updating deck order in the playlist...",
"CollectionPanel.title": "Playlist",
- "CollectionPanel.creator": "Creator",
- "CollectionPanel.date": "Date",
+ "CollectionPanel.creator": "Δημιουργός",
+ "CollectionPanel.date": "Ημερομηνία",
"CollectionPanel.decks.title": "Decks in Playlist",
- "CollectionPanel.decks.edit": "Edit",
+ "CollectionPanel.decks.edit": "Επεξεργασία",
"CollectionPanel.decks.edit.header": "Edit Playlist",
- "CollectionPanel.save.reorder": "Save",
- "CollectionPanel.cancel.reorder": "Cancel",
+ "CollectionPanel.save.reorder": "Αποθήκευση",
+ "CollectionPanel.cancel.reorder": "Ακύρωση",
"CollectionPanel.sort.default": "Default Order",
"CollectionPanel.sort.lastUpdated": "Last updated",
"CollectionPanel.sort.date": "Ημερομηνία δημιουργίας",
"CollectionPanel.sort.title": "Τίτλος",
"UserCollections.collections.subscribe": "Subscribe to this playlist",
"UserCollections.collections.unsubscribe": "You are subscribed to this playlist, click to unsubscribe",
- "GroupCollections.error.text": "Error",
+ "GroupCollections.error.text": "Σφάλμα",
"GroupCollections.error.read": "An error occurred while fetching playlists. Please try again later.",
"GroupCollections.error.delete": "An error occurred while deleting playlist...",
"GroupCollections.error.create": "An error occurred while creating playlist....",
@@ -571,9 +777,9 @@
"GroupCollections.collections.delete.text": "Are you sure you want to delete this playlist?",
"AddDecksToCollectionModal.title": "Add decks to playlist",
"AddDecksToCollectionModal.fromMyDecks": "From My Decks",
- "AddDecksToCollectionModal.fromSlidewiki": "From Slidewiki",
- "AddDecksToCollectionModal.button.add": "Add",
- "AddDecksToCollectionModal.button.close": "Close",
+ "AddDecksToCollectionModal.fromSlidewiki": "Από το SlideWiki",
+ "AddDecksToCollectionModal.button.add": "Πρόσθεσε",
+ "AddDecksToCollectionModal.button.close": "Κλείσιμο",
"DecksList.loading": "Loading",
"DecksList.error": "An unexpected error occurred while fetching more decks",
"DecksList.noResults": "No results found",
@@ -584,8 +790,8 @@
"NewCollectionModal.field.description.placeholder": "Playlist Description",
"NewCollectionModal.field.usergroup": "User Group",
"NewCollectionModal.field.usergroup.placeholder": "Select User Group",
- "NewCollectionModal.button.create": "Create",
- "NewCollectionModal.button.close": "Close",
+ "NewCollectionModal.button.create": "Δημιούργησε",
+ "NewCollectionModal.button.close": "Κλείσιμο",
"NewCollectionModal.success.title": "New Playlist",
"NewCollectionModal.success.text": "We are creating a new Playlist...",
"UpdateCollectionModal.title": "Update Playlist",
@@ -595,8 +801,8 @@
"UpdateCollectionModal.field.description.placeholder": "Playlist Description",
"UpdateCollectionModal.field.usergroup": "User Group",
"UpdateCollectionModal.field.usergroup.placeholder": "Select User Group",
- "UpdateCollectionModal.button.save": "Save",
- "UpdateCollectionModal.button.close": "Close",
+ "UpdateCollectionModal.button.save": "Αποθήκευση",
+ "UpdateCollectionModal.button.close": "Κλείσιμο",
"UpdateCollectionModal.success.title": "Update Playlist",
"UpdateCollectionModal.success.text": "We are updating the Playlist...",
"UserCollections.error.text": "Σφάλμα",
@@ -615,11 +821,25 @@
"UserCollections.collections.shared": "Shared Playlist",
"UserCollections.collections.delete.title": "Delete Playlist",
"UserCollections.collections.delete.text": "Are you sure you want to delete this playlist?",
+ "footer.sr.header": "Information about SlideWiki",
+ "footer.header": "About",
+ "footer.about": "About Us",
+ "footer.contact": "Επικοινωνήστε μαζί μας",
+ "footer.guides": "Guides and Help",
+ "footer.accessibility": "Accessibility",
+ "footer.terms.header": "Terms & Conditions",
+ "footer.terms": "Όρους χρήσης μας",
+ "footer.license": "License",
+ "footer.imprint": "Imprint",
+ "footer.data": "Data Protection",
+ "footer.funding": "Funding",
+ "footer.funding.text": "The SlideWiki project has received funding from the European Union's Horizon 2020 research and innovation programme under grant agreement No 688095",
+ "footer.copyright": "Copyright © 2018 All Rights Reserved",
"header.signin": "Σύνδεση",
- "header.signin.mobile": "Sign In",
+ "header.signin.mobile": "Σύνδεση",
"header.mydecks.mobile": "Decks",
"header.myplaylists.mobile": "Playlists",
- "header.mygroups.mobile": "Groups",
+ "header.mygroups.mobile": "Ομάδες",
"header.mysettings.mobile": "Settings",
"header.mynotifications.mobile": "Notifications",
"header.logout.mobile": "Αποσύνδεση",
@@ -633,7 +853,7 @@
"about.p1": "SlideWiki is an online slideshow tool that offers users the chance to create and collaborate on slides, assessments and to share content as structured open educational resources using a Creative Commons licence. With SlideWiki you can engage with your audience by collaborating with colleagues to co-design and co-create course materials and share your knowledge across the world.",
"about.p2": "SlideWiki empowers communities of educators to author, share and re-use sophisticated educational content in a truly collaborative way. Existing presentations can be imported and transformed into interactive courses using HTML. Slides can be supplements with comments, links to sources and materials as well as questions to help learners.",
"about.p3": "With SlideWiki we aim to make open educational content dramatically more accessible, interactive and engaging. All the content published on SlideWiki is made available under the Creative Common CC-BY-SA 4.0 licence which means that you can share, repurpose and reuse content for your own purposes. This means that you can revise, adapt and re-mix any slides and decks on SlideWiki. If you like a deck, simply Fork it to create your own copy; if you are looking for new content you can attached slides or embed decks created by others. All changes to slides within SlideWiki are tracked, making it easy to see who has created the materials and aid collaboration with co-authors.",
- "about.functionality": "With SlideWiki you can:",
+ "about.functionality": "Με το SlideWiki μπορείς να:",
"about.functionality.import": "Import existing slide decks from PowerPoint and OpenOffice formats.",
"about.functionality.wysiwig": "Use the online, collaborative WYSIWYG slide authoring tools.",
"about.functionality.collaborate": "Create and edit decks collaborative with colleagues.",
@@ -757,11 +977,16 @@
"dataProtection.8.email": "data-protection(at)zv.fraunhofer.de",
"dataProtection.9.header": "9. Αποδοχή, εγκυρότητα και τροποποίηση των όρων προστασίας δεδομένων",
"dataProtection.9.p1": "Χρησιμοποιώντας τον ιστότοπό μας, συμφωνείτε σιωπηρά να αποδεχτείτε τη χρήση των προσωπικών σας δεδομένων, όπως ορίζεται παραπάνω. Αυτή η παρούσα δήλωση των όρων προστασίας δεδομένων τέθηκε σε ισχύ την 1η Οκτωβρίου 2013. Καθώς εξελίσσεται ο ιστότοπός μας και μπαίνουν σε χρήση νέες τεχνολογίες, ίσως χρειαστεί να τροποποιηθεί η δήλωση των όρων προστασίας δεδομένων. Η Fraunhofer-Gesellschaft διατηρεί το δικαίωμα να τροποποιεί ανά πάσα στιγμή τους όρους προστασίας δεδομένων της, με ισχύ από μια μελλοντική ημερομηνία. Σας συνιστούμε να διαβάσετε εκ νέου την πιο πρόσφατη έκδοση κατά διαστήματα.",
+ "decklist.featured.alt": "Featured Image.",
"decklist.decklanguage": "Default language",
+ "decklist.decknumberofslides": "Number of slides",
"decklist.forkcount": "Number of forks",
+ "decklist.likecount": "Number of likes",
+ "decklist.numberofshares": "Number of shares",
+ "decklist.numberofdownloads": "Number of downloads",
"decklist.featured.notavailable": "No featured decks available",
"decklist.recent.notavailable": "No recent decks available",
- "decklist.meta.creator": "Creator",
+ "decklist.meta.creator": "Δημιουργός",
"decklist.meta.date": "Last Modified",
"featured.header": "Επιλεγμένες δέσμες διαφανειών",
"features.screenshot": "screenshot of slide editor interface.",
@@ -793,26 +1018,26 @@
"features.3.like.description": "Encourage authors and students to see new content by liking useful decks and slides.",
"features.3.slideshow.header": "Λειτουργία παρουσίασης οθόνης",
"features.3.slideshow.description": "Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes view.",
- "features.4.header": "Supporting Knowledge Communities",
+ "features.4.header": " Υποστήριξη κοινοτήτων γνώσης",
"features.4.description": "Μέσω μιας σειράς διαδραστικών και ανοιχτών εργαλείων, το SlideWiki στοχεύει να καλλιεργήσει κοινότητες γνώσης σε όλο τον κόσμο. Στόχος μας είναι να αυξήσουμε σημαντικά το περιεχόμενο που είναι διαθέσιμο σε παγκόσμιο ακροατήριο. Με την συμμετοχή των εκπαιδευτικών στη βελτίωση και τη διατήρηση της ποιότητας και της ελκυστικότητας του περιεχομένου της ηλεκτρονικής μάθησης, το SlideWiki μπορεί να σας δώσει μια πλατφόρμα υποστήριξης των κοινοτήτων γνώσης. Με το SlideWiki επιδιώκουμε να βελτιώσουμε δραματικά την αποτελεσματικότητα και την αποτελεσματικότητα της δημιουργίας συνεργατικών και πλούσιων εκπαιδευτικών υλικών για χρήση εντός και εκτός σύνδεσης στο διαδίκτυο.",
"features.4.shareDescks.strong": "Μοιραστείτε δέσμες παρουσιάσεων ",
"features.4.comments.strong": "Σχόλια",
"features.4.download.strong": "Λήψη",
"features.4.findMore.link": "help file deck",
"home.welcome": "Καλωσορίσατε στο SlideWiki",
- "home.signUp": "Sign Up",
+ "home.signUp": "Εγγραφή",
"home.learnMore": "Learn More",
"home.findSlides": "Find slides",
"home.findSlidesSubtitle": "Explore the deck",
"home.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics and education levels. Slides and presentations can be reused and adapted to suit your needs.",
"home.createSlides": "Create slides",
"home.createSlidesSubtitle": "Add and adapt course material",
- "home.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
+ "home.createSlidesContent": "Δημιουργήστε μια νέα δέσμη ή εισάγετε υπάρχουσες διαφάνειες από αρχεία παρουσιάσεων PowerPoint (*.pptx) ή OpenDocument (*.odp). Οι εισηγμένες διαφάνειες σας θα μετατραπούν σε διαφάνειες HTML και έτσι θα μπορείτε να συνεχίσετε να τις επεξεργάζεστε και να δημιουργείτε νέες διαφάνειες.",
"home.sharingSlides": "Share slides",
"home.sharingSlidesSubtitle": "Present, Share and Communicate",
"home.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
"home.getStarted": "Get started right away.",
- "home.signIn": "Sign in",
+ "home.signIn": "Σύνδεση",
"home.getStartedDescription": "Create an account to start creating and sharing your decks.",
"home.decks": "Open educational resources for all learning environments",
"home.schools": "Schools",
@@ -825,8 +1050,36 @@
"home.slideWikiAbout": "The SlideWiki Project",
"home.slideWikiAboutContent": "SlideWiki is an online slideshow tool that offers users the chance to create and collaborate on slides, assessments and to share content as structured open educational resources using a Creative Commons licence. With SlideWiki you can engage with your audience by collaborating with colleagues to co-design and co-create course materials and share your knowledge across the world. SlideWiki is an open-source platform, and all its content can be reused under Creative Commons CC-BY-SA license. SlideWiki development, large-scale trials and underlying research is funded from Framework Programme for Research and Innovation Horizon 2020 under grant agreement no 688095. The project involves 17 partners to develop, test and trial SlideWiki.",
"home.slideWikiAboutVisit": "visit the project website.",
- "home.myDecks": "My Decks.",
+ "home.myDecksLink": "Η δέσμες παρουσιάσεων μου",
"home.seeMoreDecks": "See more decks",
+ "home.leanrMoreSW": "Learn more about SlideWiki",
+ "home.featuredDeck": "Featured Deck",
+ "imprint.licensing.text": "Content on the SlideWiki OCW Authoring platform is licensed under the Creative Commons Attribution-ShareAlike 4.0 International (CC BY-SA 4.0), Creative Commons Attribution 4.0 International (CC BY 4.0), or Creative Commons 1.0 Universal Public Domain Dedication (CC0 1.0) – unless otherwise marked. See the CC {link_licenses} for more information.",
+ "imprint.software.text": "All of SlideWiki’s software code is Open Source software; please check our code repository.",
+ "imprint.header": "Imprint – also serves as provider identification according to § 5 Telemediengesetz (TMG)",
+ "imprint.provider": "Provider",
+ "imprint.representative": "Authorised Representative",
+ "imprint.representative.text": "Prof. Dr. Sören Auer (Director of TIB)",
+ "imprint.representative.text2": "Technische Informationsbibliothek (TIB) is a foundation of public law of the state of Lower Saxony.",
+ "imprint.authority": "Responsible Supervisory Authority",
+ "imprint.authority.text": "Ministry for Science and Culture of Lower Saxony",
+ "imprint.contact": "Contact",
+ "imprint.VAT": "VAT (sales tax) registration number",
+ "imprint.editorialOffice": "Editorial Office",
+ "imprint.copyright": "Copyright",
+ "imprint.copyright.text": "The layout of this website is protected under copyright, as are the graphics and all other contents contained in the website.",
+ "imprint.content": "Content Available",
+ "imprint.content.text1": "Provided as-is:",
+ "imprint.content.text2": "You acknowledge that we do not make any representations or warranties about the material, data, and information, such as data files, text, computer software, code, music, audio files or other sounds, photographs, videos, or other images (collectively, the “Content”) which you may have access to through your use of SlideWiki. Under no circumstances are we liable in any way for any Content, including, but not limited to: any infringing Content, any errors or omissions in Content, or for any loss or damage of any kind incurred as a result of the use of any Content posted, transmitted, linked from, or otherwise accessible through or made available via SlideWiki. You understand that by using SlideWiki, you may be exposed to Content that is offensive, indecent, or objectionable. You agree that you are solely responsible for your reuse of Content made available through SlideWiki. You should review the terms of the applicable license before you use the Content so that you know what you can and cannot do.",
+ "imprint.licensing": "Licensing",
+ "imprint.licenses.page": "licenses page",
+ "imprint.software": "SlideWiki Software",
+ "imprint.repository": "repository",
+ "imprint.content2": "Content Supplied by You",
+ "imprint.content2.text": "Your responsibility: You represent, warrant, and agree that no Content posted or otherwise shared by you on or through SlideWiki (“Your Content”), violates or infringes upon the rights of any third party, including copyright, trademark, privacy, publicity, or other personal or proprietary rights, breaches or conflicts with any obligation, such as a confidentiality obligation, or contains libelous, defamatory, or otherwise unlawful material.",
+ "imprint.licensing.2": "Licensing Your Content: You retain any copyright that you may have in Your Content. You hereby agree that Your Content: (a) is hereby licensed under the Creative Commons Attribution 4.0 License and may be used under the terms of that license or any later version of a Creative Commons Attribution License, or (b) is in the public domain (such as Content that is not copyrightable or Content you make available under CC0), or © if not owned by you, (i) is available under a Creative Commons Attribution 4.0 License or (ii) is a media file that is available under any Creative Commons license.",
+ "imprint.disclaimer": "Disclaimer",
+ "imprint.disclaimer.text": "We cannot assume any liability for the content of external pages. Solely the operators of those linked pages are responsible for their content.",
"licence.ccBySaLicenceLogo": "Λογότυπο άδειας Creative Commons BY-SA",
"licence.1.p2": "Μάθετε περισσότερα για την άδεια CC BY-SA και αποκτήστε πρόσβαση στο πλήρες κείμενό της στον ακόλουθο σύνδεσμο {link_1}.",
"licence.1.3.p2": "Το {link_1} αναφέρει τις πηγές περιεχομένου που έχουν δημοσιευτεί κάτω από τις άδειες creative commons . Ορισμένες υπηρεσίες πολυμέσων όπως το Flickr, το YouTube και το Vimeo δημοσιεύουν κάποιο περιεχόμενο υπό άδειες creative commons. Το περιεχόμενο με την ένδειξη \"All rights reserved\" δεν μπορεί να συμπεριληφθεί στο SlideWiki.",
@@ -858,9 +1111,22 @@
"licence.4.header": "Σημειώσεις",
"licence.4.p1": "Ο ιστότοπος του SlideWiki και το περιεχόμενό του παρέχονται \"όπως είναι\". Δεν προσφέρουμε καμία εγγύηση, ρητή ή σιωπηρή σχετικά με οποιοδήποτε περιεχόμενο, τον ιστότοπο ή την ακρίβεια οποιασδήποτε πληροφορίας. Αυτή η άδεια χρήσης ενδέχεται να μην σας δώσει όλα τα απαραίτητα δικαιώματα για την προβλεπόμενη χρήση σας. Για παράδειγμα, άλλα δικαιώματα όπως η δημοσιότητα, η ιδιωτικότητα ή τα ηθικά δικαιώματα ενδέχεται να περιορίζουν τον τρόπο με τον οποίο χρησιμοποιείτε το υλικό. Διατηρούμε το δικαίωμα να αφαιρέσουμε υλικά και περιεχόμενο που πιστεύουμε ότι παραβιάζουν τις απαιτήσεις περί πνευματικών δικαιωμάτων και αδειών χρήσης.",
"recent.header": "Πρόσφατες δέσμες διαφανειών",
+ "staticPage.findSlides": "Find slides",
+ "staticPage.findSlidesSubtitle": "Explore the deck",
+ "staticPage.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics.",
+ "staticPage.createSlides": "Create slides",
+ "staticPage.createSlidesSubtitle": "Add and adapt course material",
+ "staticPage.createSlidesContent": "Create a new deck or import existing slides to create HTML slide decks.",
+ "staticPage.sharingSlides": "Share slides",
+ "staticPage.sharingSlidesSubtitle": "Present, Share and Communicate",
+ "staticPage.sharingSlidesContent": "Collaborate on decks with peers. Group decks in playlists and share via social media or email.",
+ "staticPage.getStarted": "Get started right away.",
+ "staticPage.signIn": "Σύνδεση",
+ "staticPage.getStartedDescription": "Create an account to start creating and sharing your decks.",
+ "staticPage.myDecks": "My Decks.",
"terms.mainTitle": "Terms of us of SlideWiki",
"terms.summary": "This is a human-readable summary of the Terms of Use for SlideWiki (the project).",
- "terms.disclaimer": "Disclaimer: This summary is not a part of the Terms of Use and is not a legal document. It is simply a handy reference for understanding the full terms. Think of it as the user-friendly interface to the legal language of our Terms of Use.",
+ "terms.disclaimer": "Αποποίηση: Αυτή η περίληψη δεν αποτελεί μέρος των Όρων Χρήσης και δεν αποτελεί νομικό έγγραφο. Είναι απλά μια πρακτική αναφορά για την κατανόηση των πλήρων όρων. Σκεφτείτε το ως φιλική προς το χρήστη διεπαφή με τη νομική γλώσσα των Όρων Χρήσης.",
"terms.missionTitle": "Part of our mission is to:",
"terms.mission1": "Empower and engage people around the world to collect and develop educational content and either publish it under a free license or dedicate it to the public domain.",
"terms.mission2": "Disseminate this content effectively and globally, free of charge.",
@@ -881,73 +1147,64 @@
"terms.paragraph1": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Vivamus id nisl magna. Sed a metus vel dui vehicula viverra. Quisque sed tellus at justo semper dictum. Nullam at rutrum leo. Vivamus at aliquam metus. Aliquam nec nunc in libero posuere hendrerit nec at lacus. Nunc malesuada lobortis tortor nec porta. Cras vulputate mollis nisi, at sollicitudin quam eleifend ac. Nam sed venenatis turpis. Sed vestibulum malesuada nunc vitae ultricies. Donec bibendum ultrices facilisis. Mauris sollicitudin mi et vulputate rhoncus.",
"terms.paragraph2": "Mauris tincidunt, urna non aliquam dapibus, enim metus varius tellus, non dignissim urna odio ac augue. Fusce id lacinia ipsum, id egestas dui. Suspendisse nec quam vel mi tincidunt bibendum a vel mauris. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia Curae; Proin magna elit, molestie eu libero ut, bibendum facilisis turpis. Mauris sem lorem, dignissim a ex sit amet, suscipit fermentum turpis. Integer porttitor arcu non porttitor faucibus. Fusce nisi risus, rutrum vitae vulputate vitae, consectetur et nunc. Aliquam placerat ipsum felis, nec fermentum arcu sagittis nec. Aenean imperdiet laoreet quam ac placerat. Ut accumsan tristique elementum. Etiam congue venenatis lorem, malesuada tristique mauris congue vel. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Nam tincidunt libero a nisi consequat sodales.",
"terms.paragraph3": "Aliquam vitae velit iaculis, vestibulum felis eu, lacinia risus. Donec mollis enim nec accumsan tristique. Morbi dapibus condimentum erat quis placerat. Integer velit augue, sodales quis scelerisque nec, facilisis nec velit. Maecenas rhoncus sagittis lectus, vel feugiat nulla aliquet quis. Quisque condimentum sapien nec eros tristique, vitae pulvinar sem tempus. Nulla ut odio id elit accumsan interdum. Maecenas sagittis sed sem a malesuada. Vivamus venenatis ex sed ex pretium, et pellentesque purus vehicula. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egesta",
- "terms.findSlides": "Find slides",
- "terms.findSlidesSubtitle": "Explore the deck lorem ipsum",
- "terms.findSlidesContent": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Aenean eget elit sapien. Nunc semper urna in lectus consectetur fermentum. Vestibulum eu sem pulvinar, sollicitudin ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet aliquam n ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet.",
- "terms.createSlides": "Create slides",
- "terms.createSlidesSubtitle": "Learn how to create slides with SlideWiki",
- "terms.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
- "terms.sharingSlides": "Sharing slides",
- "terms.sharingSlidesSubtitle": "Present, Share and Communicate",
- "terms.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
- "terms.getStarted": "Get started right away.",
- "terms.signIn": "Sign in",
- "terms.getStartedDescription": "Create an account to start creating and sharing your decks.",
- "terms.myDecks": "My Decks.",
"welcome.3.slideshowMode": "Use the {strong} to view a deck as a slideshow. Includes a timer and speaker notes&apo; view.",
- "welcome.3.shareDecks": "{strong} via social media or email.",
- "welcome.3.comments": "Add {strong} to decks and slides to interact with other learners.",
+ "welcome.3.shareDecks": "{strong} μέσα κοινωνικής δικτύωσης ή email.",
+ "welcome.3.comments": "Προσθέστε {strong} σε δέσμες και διαφάνειες για να αλληλεπιδράσετε με άλλους μαθητές.",
"welcome.3.download": "{download} decks in PDF, ePub or SCORM format.",
"welcome.header": "Καλώς ήρθες στο SlideWiki",
"welcome.div1": "Thank you for signing up to SlideWiki. Now your account has been created, you can get started with creating, enhancing and sharing open educational resources.",
"welcome.1.header": "1. Δημιουργία μιας δέσμης διαφανειών",
- "welcome.1.p1": "Start creating your own slide deck by selecting the Add deck button.",
- "welcome.1.addDeckButton": "Add deck",
- "welcome.1.p2": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
- "welcome.1.p3": "Need more inspiration to make your own slides? Why not search or browse throughexisting SlideWiki decks.",
- "welcome.2.header": "2. Reuse, Repurpose and Collaborate",
- "welcome.2.p1": "Want to enhance your decks? SlideWiki allows you to create your own slides based on decks that have been published on SlideWiki.",
- "welcome.2.createCopy.header": "Create a copy of a deck",
- "welcome.2.createCopy.description": "Use the Fork function to create your own copy of an existing deck.",
- "welcome.2.appendSlides.header": "Append slides and decks to your deck",
- "welcome.2.appendSlides.description": "Add slides from other decks using the Append function. Or Append a deck to embed a set of slides as a sub-deck.",
- "welcome.2.collaborate.header": "Collaborate to improve your deck",
- "welcome.2.collaborate.description": "Use Groups to allow colleagues, peers and associates to collaborate with editing and enhancing your deck.",
- "welcome.3.header": "3. Present, Share and Communicate",
- "welcome.3.p1": "There are many ways that you and your students can engage and interact with slides and decks.",
+ "welcome.1.p1": "Ξεκινήστε να δημιουργείτε την δική σας δέσμη διαφανειών επιλέγοντας το κουμπί Προσθήκη δέσμης.",
+ "welcome.1.addDeckButton": "Πρόσθεσε δέσμη παρουσιάσεων",
+ "welcome.1.p2": "Δημιουργήστε μια νέα δέσμη ή εισάγετε υπάρχουσες διαφάνειες από αρχεία παρουσιάσεων PowerPoint (*.pptx) ή OpenDocument (*.odp). Οι εισηγμένες διαφάνειες σας θα μετατραπούν σε διαφάνειες HTML και έτσι θα μπορείτε να συνεχίσετε να τις επεξεργάζεστε και να δημιουργείτε νέες διαφάνειες.",
+ "welcome.1.p3": "Χρειάζεστε περισσότερη έμπνευση για εμπλουτίσετε τις διαφάνειες σας; Μπορείτε να αναζητήσετε περιεχόμενο ή να πλοηγηθείτε στις υπάρχουσες δέσμες διαφανειών του SlideWiki",
+ "welcome.2.header": "2. Επαναχρησιμοποιήστε, δημιουργήστε και συνεργαστείτε",
+ "welcome.2.p1": "Θέλετε να βελτιώσετε τις δέσμες παρουσιάσεων σας; Το SlideWiki σας επιτρέπει να δημιουργήσετε τις διαφάνειες σας βασιζόμενοι σε παρουσιάσεις που έχουν ήδη δημοσιευθεί στο SlideWiki.",
+ "welcome.2.createCopy.header": "Δημιουργία αντιγράφου μιας δέσμης",
+ "welcome.2.createCopy.description": "Χρησιμοποιήστε τη λειτουργία Fork για αν δημιουργήσετε ένα αντίγραφο μιας υπάρχουσας δέσμης διαφανειών.",
+ "welcome.2.appendSlides.header": "Προσθέστε διαφάνειες και δέσμες παρουσιάσεων στη δέσμη παρουσιάσεων σας",
+ "welcome.2.appendSlides.description": "Προσθέστε διαφάνειες από άλλες δέσμες μέσω της λειτουργίας Προσθήκη. Ακόμα μέσω της Προσθήκης, μπορείτε να ενσωματώσετε μια δέσμη παρουσιάσεων ως μια υπο-δέσμη στη δέσμη σας",
+ "welcome.2.collaborate.header": "Συνεργαστείτε για να βελτιώσετε την δέσμη των διαφανειών σας",
+ "welcome.2.collaborate.description": "Χρησιμοποιήστε τις Ομάδες, για να επιτρέψετε στους συναδέλφους και τους συνεργάτες σας, να συνεργαστούν μαζί σας στην επεξεργασία και την βελτίωση της δέσμης των διαφανειών σας, ",
+ "welcome.3.header": "3. Παρουσιάστε, μοιραστείτε και επικοινωνήστε",
+ "welcome.3.p1": "Υπάρχουν πολλοί τρόποι με τους οποίους μπορείτε να αλληλεπιδράσετε με τις διαφάνειες και τις δέσμες διαφανειών, εσείς και οι μαθητές σας",
"welcome.3.slideshowMode.strong": "Λειτουργία προβολής διαφανειών",
- "welcome.shareDecks.strong": "Share decks",
+ "welcome.shareDecks.strong": "Μοιραστείτε δέσμες παρουσιάσεων ",
"welcome.3.comments.strong": "Σχόλια",
- "welcome.3.download.strong": "Download",
+ "welcome.3.download.strong": "Λήψη",
"importFileModal.modal_header": "Upload your presentation",
"importFileModal.swal_button": "Accept",
"importFileModal.swal_message": "This file is not supported. Please, remember only pptx, odp, and zip (HTML download) files are supported.",
- "importFileModal.modal_selectButton": "Select file",
+ "importFileModal.modal_selectButton": "Επιλέξτε φάκελο",
"importFileModal.modal_uploadButton": "Upload",
"importFileModal.modal_explanation1": "Select your presentation file and upload it to SlideWiki.",
"importFileModal.modal_explanation2": "Only PowerPoint (.pptx), OpenOffice (.odp) and SlideWiki HTML (.zip - previously downloaded/exported) are supported (Max size:",
- "importFileModal.modal_cancelButton": "Cancel",
+ "importFileModal.modal_cancelButton": "Ακύρωση",
"userSignIn.errormessage.isSPAM": "Ο λογαριασμός σας έχει επισημανθεί ως SPAM με αποτέλεσμα να μην μπορείτε να συνδεθείτε. Επικοινωνήστε μαζί μας για επανενεργοποίηση. ",
"userSignIn.errormessage.notFound": "Άγνωστα διαπιστευτήρια. Παρακαλώ προσπαθήστε ξανά με άλλα στοιχεία.",
"userSignIn.errormessage.deactivatedOrUnactivated": "Ο λογαριασμός σας είτε δεν έχει ενεργοποιηθεί μέσω του δεσμού ενεργοποίησης που στάλθηκε στο email σας, ή έχει απενεργοποιηθεί.",
"LoginModal.text.incompleteProviderData": "Τα δεδομένα από τον {provider} δεν ήταν ολοκληρωμένα, Στην περίπτωση που θέλετε να χρησιμοποιήσετε αυτόν τον πάροχο, προσθέστε μια διεύθυνση email στον ίδιο τον πάροχο και προσπαθήστε ξανά στο SlideWiki.",
"LoginModal.placeholder.email": "E-Mail",
"LoginModal.placeholder.password": "Κωδικός",
- "userSignIn.headerText": "Sign In",
+ "userSignIn.headerText": "Σύνδεση",
+ "LoginModal.aria.google": "sign in with your Google account",
+ "LoginModal.aria.github": "sign in with your Github account",
"LoginModal.label.email": "E-Mail",
"LoginModal.label.password": "Κωδικός",
"LoginModal.button.signIn": "Σύνδεση",
"LoginModal.text.iCannotAccessMyAccount": "Δεν μπορώ να συνδεθώ στο λογαριασμό μου",
"LoginModal.text.dontHaveAnAccount": "Δεν έχετε λογαριασμό; Εγγραφείτε εδώ.",
- "LoginModal.button.close": "Close",
- "resetPassword.mailprompt": "Please enter your email address",
- "resetPassword.mailprompt2": "Please enter a valid email address",
+ "LoginModal.button.close": "Κλείσιμο",
+ "Migrate.text1": "We are merging your user account. This will take just a few seconds.",
+ "Migrate.text2": "You will be directed to next view.",
+ "resetPassword.mailprompt": "Παρακαλώ εισάγετε τη διεύθυνση email σας",
+ "resetPassword.mailprompt2": "Παρακαλώ χρησιμοποιήστε μια έγκυρη διεύθυνση email",
"resetPassword.mailreprompt": "Please reenter your email address",
"resetPassword.mailreprompt2": "Your emails do not match",
"resetPassword.captchaprompt": "Please verify that you're a human",
"resetPassword.swalTitle1": "Success!",
"resetPassword.swalText1": "Your password is now an automated created one. Please check your inbox.",
- "resetPassword.swalClose1": "Close",
+ "resetPassword.swalClose1": "Κλείσιμο",
"resetPassword.swalTitle2": "Σφάλμα",
"resetPassword.swalText2": "There was a special error. The page will now be reloaded.",
"resetPassword.swalButton2": "Reload page",
@@ -961,6 +1218,19 @@
"SSOSignIn.errormessage.isForbidden": "Migration is not possible with this user. Please start all over again.",
"SSOSignIn.errormessage.accountNotFound": "This account was not prepared for migration. Please start all over again.",
"SSOSignIn.errormessage.badImplementation": "An unknown error occurred.",
+ "socialLogin.text1": "We are acquiring your data. This will take just a few seconds.",
+ "socialLogin.text2": "This window will close automatically.",
+ "UserMenuDropdown.mydecks": "Η δέσμες παρουσιάσεων μου",
+ "UserMenuDropdown.decks": "Decks",
+ "UserMenuDropdown.myplaylists": "My Playlists",
+ "UserMenuDropdown.playlists": "Playlists",
+ "UserMenuDropdown.mygroups": "Οι ομάδες μου",
+ "UserMenuDropdown.groups": "Ομάδες",
+ "UserMenuDropdown.mySettings": "Οι ρυθμίσεις μου",
+ "UserMenuDropdown.settings": "Settings",
+ "UserMenuDropdown.myNotifications": "Οι ειδοποιήσεις μου",
+ "UserMenuDropdown.notifications": "Notifications",
+ "UserMenuDropdown.signout": "Αποσύνδεση",
"paintModal.title": "Draw your own SVG image",
"paintModal.primaryColourInput": "Primary colour:",
"paintModal.secondaryColourInput": "Secondary colour:",
@@ -968,7 +1238,7 @@
"paintModal.transparencyInput": "Object Transparency:",
"paintModal.drawingMode": "Drawing Mode",
"paintModal.selectMode": "Select Mode",
- "paintModal.addToSlide": "Add to Slide",
+ "paintModal.addToSlide": "Πρόσθεσε στη διαφάνεια",
"oaintModal.paintHeading": "Draw and Paint",
"paintModal.licenseHeading": "License information",
"paintModal.undo": "Undo",
@@ -986,22 +1256,22 @@
"paintModal.instruction": "Draw inside the canvas using the tools provided.",
"paintModal.copyrightholder": "Copyrightholder",
"paintModal.imageAttribution": "Image created by/ attributed to:",
- "paintModal.imageTitle": "Title:",
- "paintModal.imageTitleAria": "Title of the image",
+ "paintModal.imageTitle": "Τίτλος:",
+ "paintModal.imageTitleAria": "Τίτλος εικόνας",
"paintModal.imageDescription": "Description/Alt Text:",
- "paintModal.imageDescriptionAria": "Description of the image",
+ "paintModal.imageDescriptionAria": "Περιγραφή εικόνας",
"paintModal.imageDescriptionQuestion": "What does the picture mean?",
"paintModal.chooseLicense": "Choose a license:",
- "paintModal.selectLicense": "Select a license",
+ "paintModal.selectLicense": "Επέλεξε μια άδεια",
"paintModal.agreementAria": "Agree to terms and conditions",
"paintModal.agreement1": "I confirm that I have the rights to upload this image as per the SlideWiki",
- "paintModal.agreement2": "terms and conditions",
+ "paintModal.agreement2": "Όροι και προϋποθέσεις",
"paintModal.agreement3": "and that the",
"paintModal.agreement4": "license information",
"paintModal.agreement5": "I have provided is correct.",
"paintModal.paintButton": "Paint",
"paintModal.upload": "Upload",
- "paintModal.cancel": "Cancel",
+ "paintModal.cancel": "Ακύρωση",
"reportModal.input_name": "Όνομα",
"reportModal.modal_title": "Report legal or spam issue with",
"reportModal.modal_title_2": "περιεχόμενο",
@@ -1016,14 +1286,14 @@
"reportModal.cancel_button": "Ακύρωση",
"reportModal.swal_title": "Deck Report",
"reportModal.send_swal_text": "Η αναφορά στάλθηκε. Ευχαριστούμε!",
- "reportModal.send_swal_button": "Close",
+ "reportModal.send_swal_button": "Κλείσιμο",
"reportModal.send_swal_error_text": "An error occured while sending the report. Please try again later.",
- "reportModal.send_swal_error_button": "Close",
+ "reportModal.send_swal_error_button": "Κλείσιμο",
"HeaderSearchBox.placeholder": "Αναζήτηση",
"KeywordsInputWithFilter.allContentOption": "All Content",
- "KeywordsInputWithFilter.titleOption": "Title",
- "KeywordsInputWithFilter.descriptionOption": "Description",
- "KeywordsInputWithFilter.contentOption": "Content",
+ "KeywordsInputWithFilter.titleOption": "Τίτλος",
+ "KeywordsInputWithFilter.descriptionOption": "Περιγραφή",
+ "KeywordsInputWithFilter.contentOption": "Περιεχόμενο",
"SearchPanel.header": "Search SlideWiki",
"SearchPanel.searchTerm": "Όροι αναζήτησης",
"SearchPanel.KeywordsInput.placeholder": "Type your search terms here",
@@ -1054,16 +1324,20 @@
"SearchPanel.filters.tags.title": "Ετικέτες",
"SearchPanel.filters.tags.placeholder": "Επιλέξτε Ετικέτες",
"SearchPanel.button.submit": " Υποβολή",
+ "DeckFilter.Tag.Topic": "Subject",
+ "DeckFilter.Education": "Education Level",
"Facets.languagesFacet": "Languages",
"Facets.ownersFacet": "Owners",
- "Facets.tagsFacet": "Tags",
+ "Facets.tagsFacet": "Ετικέτες",
+ "Facets.educationLevelFacet": "Education Levels",
+ "Facets.topicsFacet": "Subjects",
"Facets.showMore": "show more",
"Facets.showLess": "show less",
"SearchResultsItem.otherVersions.deck": "Deck Version {index}: {title}",
"SearchResultsItem.otherVersions.slide": "Also in Deck: {title}",
"SearchResultsItem.by": "by",
"SearchResultsItem.lastModified": "Last modified",
- "SearchResultsItem.description": "Description",
+ "SearchResultsItem.description": "Περιγραφή",
"SearchResultsItem.otherVersionsMsg": "Other versions available ({count})",
"SearchResultsItem.otherVersionsHeader": "Other matching versions",
"SearchResultsPanel.sort.relevance": "Relevance",
@@ -1085,24 +1359,24 @@
"Stats.activityType.edits": "Edits",
"Stats.activityType.likes": "Likes",
"Stats.activityType.views": "Views",
- "SSOSignIn.errormessage.isSPAM": "Your account was marked as SPAM thus you are not able to sign in. Contact us directly for reactivation.",
- "SSOSignIn.errormessage.credentialsNotFound": "The credentials are unknown. Please retry with another input.",
- "SSOSignIn.errormessage.deactivatedOrUnactivated": "Your user account either have to be activated via the activation link in your email or is deactivated in general.",
+ "SSOSignIn.errormessage.isSPAM": "Ο λογαριασμός σας έχει επισημανθεί ως SPAM με αποτέλεσμα να μην μπορείτε να συνδεθείτε. Επικοινωνήστε μαζί μας για επανενεργοποίηση. ",
+ "SSOSignIn.errormessage.credentialsNotFound": "Άγνωστα διαπιστευτήρια. Παρακαλώ προσπαθήστε ξανά με άλλα στοιχεία.",
+ "SSOSignIn.errormessage.deactivatedOrUnactivated": "Ο λογαριασμός σας είτε δεν έχει ενεργοποιηθεί μέσω του δεσμού ενεργοποίησης που στάλθηκε στο email σας, ή έχει απενεργοποιηθεί.",
"CategoryBox.personalSettings": "Προσωπικές Ρυθμίσεις",
"CategoryBox.profile": "Προφίλ",
- "CategoryBox.account": "Λογαριασμός",
+ "CategoryBox.account": "Accounts",
"CategoryBox.authorizedAccounts": "Authorized Accounts & Services",
"CategoryBox.userStats": "User Stats",
"CategoryBox.groups": "Ομάδες",
"CategoryBox.myGroups": "Οι ομάδες μου",
"ChangePassword.passwordMismatch": "Your passwords do not match",
"ChangePassword.passwordToolTipp": "This is not the password you entered before - Please try again",
- "ChangePassword.newPasswordTitle": "Your password should contain 8 characters or more",
+ "ChangePassword.newPasswordTitle": "Ο κωδικός πρέπει να αποτελείται από τουλάχιστον 8 χαρακτήρες",
"ChangePassword.oldPassword": "Old Password",
"ChangePassword.newPassword": "Νέος κωδικός",
"ChangePassword.retypePassword": "Retype Password",
"ChangePassword.submitPassword": "Υποβολή Κωδικού",
- "ChangePersonalData.emailNotAllowed": "This E-Mail has already been used by someone else. Please choose another one.",
+ "ChangePersonalData.emailNotAllowed": "Αυτό το E-Mail χρησιμοποιείται ήδη. Επιλέξτε κάποιο άλλο",
"ChangePersonalData.tooltipp": "Λίγα Λόγια για εσένα - Μέγιστο 120 χαρακτήρες",
"ChangePersonalData.fistname": "Όνομα",
"ChangePersonalData.lastname": "Επίθετο",
@@ -1142,6 +1416,7 @@
"user.deckcard.opendeck": "Open deck",
"user.deckcard.slideshow": "Open slideshow in new tab",
"user.deckcard.unlisted": "Unlisted",
+ "user.populardecks.notavailable": "No decks available",
"Integration.swalTitle3": "Σφάλμα",
"Integration.swalText3": "The provider hasn't been disabled, because something unexpected happened. Please try again later.",
"Integration.swalbutton3": "Επιβεβαιώθηκε",
@@ -1152,11 +1427,11 @@
"Integration.swalText2": "You are not allowed to disable all providers.",
"Integration.swalbutton2": "Επιβεβαιώθηκε",
"Integration.swalTitle1": "Σφάλμα",
- "Integration.swalText1": "The data from {provider} was incomplete. In case you want to use this provider, please add an e-mail address at the provider itself and try again at SlideWiki.",
+ "Integration.swalText1": "Τα δεδομένα από τον {provider} δεν ήταν ολοκληρωμένα, Στην περίπτωση που θέλετε να χρησιμοποιήσετε αυτόν τον πάροχο, προσθέστε μια διεύθυνση email στον ίδιο τον πάροχο και προσπαθήστε ξανά στο SlideWiki.",
"Integration.swalbutton1": "Επιβεβαίωση",
"Integration.text_providerEnabled": "This provider is enabled and you may use it.",
"Integration.text_providerDisabled": "This provider is currently disabled. To enable it, click on the button next to it.",
- "Integration.hint": "Hint",
+ "Integration.hint": "Υπόδειξη",
"Integration.hintText": "Το SlideWiki παρέχει τη δυνατότητα σύνδεσης σε πολλούς παρόχους (σύντομα θα προστεθούν νέες λειτουργίες). Για να χρησιμοποιήσετε συγκεκριμένο πάροχο πρέπει να ενεργοποιήσετε τον πάροχο ξεχωριστά. Η ενεργοποίηση ενός παρόχου θα ανοίξει ένα νέο παράθυρο για να συνδεθείτε. Συνδεθείτε και μην κλείσετε το ανοιχτό παράθυρο, καθώς θα κλείσει αυτόματα.",
"Integration.loginProvider": "Login Provider",
"Integration.disableGoogle": "Απενεργοποίηση",
@@ -1164,30 +1439,31 @@
"Integration.disableGithub": "Απενεργοποίηση",
"Integration.enableGithub": "Ενεργοποίηση",
"Integration.loading": "loading",
- "user.populardecks.notavailable": "No decks available",
+ "Integration.ltis": "Learning Services (LTIs)",
+ "Integration.myLTIs": "My Learning Services",
"user.userProfile.privatePublicProfile.allStatus": "All",
"user.userProfile.privatePublicProfile.publicStatus": "Published",
"user.userProfile.privatePublicProfile.hiddenStatus": "Unlisted",
"user.userProfile.privatePublicProfile.publicationStatus": "Publication status",
"UserDecks.sort.lastUpdated": "Last updated",
- "UserDecks.sort.date": "Creation date",
- "UserDecks.sort.title": "Title",
- "UserDecks.header.myDecks": "My Decks",
+ "UserDecks.sort.date": "Ημερομηνία δημιουργίας",
+ "UserDecks.sort.title": "Τίτλος",
+ "UserDecks.header.myDecks": "Η δέσμες παρουσιάσεων μου",
"UserDecks.header.ownedDecks": "Owned Decks",
"UserDecks.header.sharedDecks": "Shared Decks",
- "user.userProfile.userDecks.loadMore": "Load More",
+ "user.userProfile.userDecks.loadMore": "Περισσότερα",
"user.userProfile.userDecks.loading": "Loading",
"user.userProfile.userDecks.error": "An unexpected error occurred while fetching more decks",
- "UserMenu.myDecks": "My Decks",
+ "UserMenu.myDecks": "Η δέσμες παρουσιάσεων μου",
"UserMenu.ownedDecks": "Owned Decks",
"UserMenu.sharedDecks": "Shared Decks",
"UserMenu.collections": "Playlists",
"UserMenu.ownedCollections": "Owned Playlists",
"UserMenu.recommendedDecks": "Recommended Decks",
"UserMenu.stats": "User Stats",
- "UserGroups.error": "Error",
+ "UserGroups.error": "Σφάλμα",
"UserGroups.unknownError": "Unknown error while saving.",
- "UserGroups.close": "Close",
+ "UserGroups.close": "Κλείσιμο",
"UserGroups.msgError": "Error while deleting the group",
"UserGroups.msgErrorLeaving": "Error while leaving the group",
"UserGroups.member": "Member",
@@ -1196,7 +1472,7 @@
"UserGroups.groupDetails": "Group details",
"UserGroups.notAGroupmember": "Not a member of a group.",
"UserGroups.loading": "Loading",
- "UserGroups.groups": "Groups",
+ "UserGroups.groups": "Ομάδες",
"UserGroups.createGroup": "Create new group",
"UserProfile.swalTitle1": "Οι αλλαγές έχουν εφαρμοστεί",
"UserProfile.swalTitle2": "Ο λογαριασμός σας έχει διαγραφεί",
@@ -1212,18 +1488,26 @@
"user.userRecommendations.recommendedDecks": "Recommended Decks",
"user.userRecommendations.ranking": "Ranking",
"user.userRecommendations.lastUpdated": "Last updated",
- "user.userRecommendations.creationDate": "Creation date",
- "user.userRecommendations.title": "Title",
+ "user.userRecommendations.creationDate": "Ημερομηνία δημιουργίας",
+ "user.userRecommendations.title": "Τίτλος",
+ "Stats.userStatsTitle": "User Statistics",
"Stats.tagCloudTitle": "Popular Tags",
- "UserRegistration.firstName_prompt": "Please enter your first name",
- "UserRegistration.lastName_prompt": "Please enter your last name",
- "UserRegistration.userName_prompt": "Please select your username",
+ "Stats.userEngagementTitle": "User Engagement Overview",
+ "Stats.activeEngagement": "Active Engagement",
+ "Stats.passiveEngagement": "Passive Engagement",
+ "Stats.socialEngagement": "Social Engagement",
+ "Stats.activeEngagementDesc": "The degree of active participation based on the user's content creation history",
+ "Stats.passiveEngagementDesc": "The degree of passive participation based on the user's content usage",
+ "Stats.socialEngagementDesc": "The degree of social interaction through SW content",
+ "UserRegistration.firstName_prompt": "Παρακαλώ εισάγετε το όνομά σας",
+ "UserRegistration.lastName_prompt": "Παρακαλώ εισάγετε το επίεθετό σας",
+ "UserRegistration.userName_prompt": "Παρακαλώ επιλέξτε το όνομα χρήστη σας",
"UserRegistration.uniqueUsername_error": "Αυτό το όνομα χρήστη χρησιμοποιείται ήδη",
"UserRegistration.maxLengthUsername_error": "Το όνομα χρήστη δε μπορεί να είναι μεγαλύτερο από 64 χαρακτήρες",
"UserRegistration.wrongExpressionUsername_error": "The username must contain only alphanumeric characters plus the following: _ . - ~",
- "UserRegistration.email_prompt": "Please enter your email address",
- "UserRegistration.wrongExpressionEmail_error": "Please enter a valid email address",
- "UserRegistration.uniqueEmail_error": "The email address is already in use",
+ "UserRegistration.email_prompt": "Παρακαλώ εισάγετε τη διεύθυνση email σας",
+ "UserRegistration.wrongExpressionEmail_error": "Παρακαλώ χρησιμοποιήστε μια έγκυρη διεύθυνση email",
+ "UserRegistration.uniqueEmail_error": "Αυτή η διεύθυνση email χρησιμοποιείται ήδη",
"UserRegistration.reenteremail_prompt": "Please re-enter your email address",
"noMatchReenteremail_error": "Your email address does not match",
"UserRegistration.password_prompt": "Please enter a password",
@@ -1231,7 +1515,7 @@
"UserRegistration.reenterPassword_prompt": "Please enter your password again",
"UserRegistration.noMatchReenterPassword_error": "Your password does not match",
"UserRegistration.recaptcha_prompt": "Please verify that you are a human",
- "UserRegistration.swal_title": "Information",
+ "UserRegistration.swal_title": "Πληροφορίες",
"UserRegistration.swal_text": "Signing up with this provider failed because you are already registered at SlideWiki with this provider. Either sign in or sign up with another provider if you wish to create a new account.",
"UserRegistration.swal_confirmButton": "Σύνδεση",
"UserRegistration.swal_cancelButton": "Εγγραφή",
@@ -1250,7 +1534,7 @@
"UserRegistration.modal_googleButton": "Εγγραφή με Google",
"UserRegistration.modal_githubButton": "Εγγραφή με Github",
"UserRegistration.modal_termText1": "Κάνοντας κλικ στο Social Provider, συμφωνείτε με τους",
- "UserRegistration.modal_termText2": "Terms",
+ "UserRegistration.modal_termText2": "Όρους χρήσης μας",
"UserRegistration.modal_termLinkTitle": "Όροι και προϋποθέσεις δημιουργίας λογαριασμού",
"UserRegistration.modal_subtitle2": "Or complete the registration form",
"UserRegistration.form_firstName": "Όνομα",
@@ -1264,6 +1548,11 @@
"UserRegistration.form_terms": "Κάνοντας κλικ στο κουμπί της Σύνδεσης, συμφωνείτε με τους",
"UserRegistration.form_terms2": "Όρους χρήσης μας",
"UserRegistration.noAccess": "Δεν έχω πρόσβαση στο λογαριασμό μου",
+ "UserRegistration.emailRegistered": "This E-Mail has already been registered by someone else. Please use another one.",
+ "UserRegistration.usernameRegistered": "This Username has already been registered by someone else. Please choose another one.",
+ "UserRegistration.username.suggestion": "Here are some suggestions:",
+ "UserRegistration.SSO.title": "Sign up with an account of another SlideWiki instance",
+ "UserRegistration.SSO.aria": "Sign up with another SlideWiki instance",
"UserRegistrationSocial.firstnameprompt": "Παρακαλώ εισάγετε το όνομά σας",
"UserRegistrationSocial.lastnameprompt": "Παρακαλώ εισάγετε το επίθετό σας",
"UserRegistrationSocial.usernameprompt": "Παρακαλώ επιλέξτε το όνομα χρήστη σας",
@@ -1275,9 +1564,10 @@
"UserRegistrationSocial.mailprompt3": "Αυτή η διεύθυνση email χρησιμοποιείται ήδη",
"UserRegistrationSocial.genericError": "An error occured. Please try again later.",
"UserRegistrationSocial.error": "Social Login Error",
- "UserRegistrationSocial.confirm": "OK",
+ "UserRegistrationSocial.confirm": "ΟΚ",
"UserRegistrationSocial.emailNotAllowed": "Αυτό το E-Mail χρησιμοποιείται ήδη. Επιλέξτε κάποιο άλλο",
"UserRegistrationSocial.usernameNotAllowed": "Το όνομα χρήστη χρησιμοποιείται ήδη. Επιλέξτε κάποιο άλλο",
+ "UserRegistrationSocial.usernamesuggestion": "Here are some suggestions:",
"UserRegistrationSocial.validate": "Επιβεβαίωση πληροφοριών χρήστη",
"UserRegistrationSocial.fname": "Όνομα *",
"UserRegistrationSocial.lname": "Επίθετο *",
@@ -1286,25 +1576,25 @@
"UserRegistrationSocial.signup": "Δημιουργία λογαριασμού",
"UserRegistrationSocial.account": "Δεν έχω πρόσβαση στο λογαριασμό μου",
"UserRegistrationSocial.cancel": "Ακύρωση",
- "ChangePicture.Groups.modalTitle": "Big file",
+ "ChangePicture.Groups.modalTitle": "Μεγάλος φάκελος",
"ChangePicture.Groups.modalText": "The selected file is quite big (> 10MB). This could cause problems like a white profile picture. You should upload a smaller picture if you notice strange things.",
- "ChangePicture.Groups.modalTitle2": "Wrong file type",
+ "ChangePicture.Groups.modalTitle2": "Λάθος τύπος αρχείου",
"ChangePicture.Groups.modalText2": "You have selected a file type that we currently do not support",
- "ChangePicture.Group.upload": "Upload new Image",
- "ChangePicture.Group.remove": "Remove Image",
+ "ChangePicture.Group.upload": "Ανέβασε νέα εικόνα",
+ "ChangePicture.Group.remove": "Αφαίρεση φωτογραφίας",
"ChangeGroupPictureModal.modalTitle": "Photo selection not processible!",
"ChangeGroupPictureModal.modalText": "Sorry, we could not process your chosen selection. Please try again with a different photo or selection.",
"ChangeGroupPictureModal.description": "This modal is used to crop and save a picture meant to be used as a group picture.",
- "ChangeGroupPictureModal.cancel": "Cancel",
- "ChangeGroupPictureModal.save": "Save",
- "ChangeGroupPictureModal.modalHeader": "Crop your image",
+ "ChangeGroupPictureModal.cancel": "Ακύρωση",
+ "ChangeGroupPictureModal.save": "Αποθήκευση",
+ "ChangeGroupPictureModal.modalHeader": "Περικοπή της εικόνας σας",
"GroupDecks.sort.lastUpdated": "Last updated",
- "GroupDecks.sort.date": "Creation date",
- "GroupDecks.sort.title": "Title",
+ "GroupDecks.sort.date": "Ημερομηνία δημιουργίας",
+ "GroupDecks.sort.title": "Τίτλος",
"GroupDecks.header.sharedDecks": "Shared decks edited by this group",
- "UserGroupEdit.error": "Error",
+ "UserGroupEdit.error": "Σφάλμα",
"UserGroupEdit.unknownError": "Unknown error while saving.",
- "UserGroupEdit.close": "Close",
+ "UserGroupEdit.close": "Κλείσιμο",
"UserGroupEdit.messageGroupName": "Group name required.",
"UserGroupEdit.createGroup": "Create Group",
"UserGroupEdit.editGroup": "Edit Group",
@@ -1313,7 +1603,7 @@
"UserGroupEdit.unknownOrganization": "Unknown organization",
"UserGroupEdit.unknownCountry": "Unknown country",
"UserGroupEdit.groupName": "Group Name",
- "UserGroupEdit.description": "Description",
+ "UserGroupEdit.description": "Περιγραφή",
"UserGroupEdit.addUser": "Add user",
"UserGroupEdit.saveGroup": "Save Group",
"UserGroupEdit.deleteGroup": "Delete Group",
@@ -1331,4 +1621,4 @@
"GroupMenu.settings": "Group Settings",
"GroupMenu.stats": "Group Stats",
"UserGroupPage.goBack": "Return to My Groups List"
-}
+}
\ No newline at end of file
diff --git a/intl/en.json b/intl/en.json
index 5b582f92f..b7d5c8020 100644
--- a/intl/en.json
+++ b/intl/en.json
@@ -29,6 +29,9 @@
"AddDeck.form.label_themes": "Choose deck theme",
"AddDeck.form.label_description": "Description",
"add.help": "Help decks",
+ "AddDeck.sr.education": "Select education level of deck content",
+ "AddDeck.sr.subject": "Select subject of deck content from autocomplete. Multiple subjects can be selected",
+ "AddDeck.sr.tags": "Add tags or keywords for your deck. Multiple tags can be provided.",
"DeckProperty.Education.Choose": "Choose Education Level",
"DeckProperty.Tag.Topic.Choose": "Choose Subject",
"DeckProperty.Tag.Choose": "Choose Tags",
@@ -37,6 +40,9 @@
"AddDeck.form.label_terms2": "terms and conditions",
"AddDeck.form.label_terms3": "and I agree that content I upload, create and edit can be published under a Creative Commons ShareAlike license.",
"AddDeck.form.label_termsimages": "I agree that images within my imported slides are in the public domain or made available under a Creative Commons Attribution (CC-BY or CC-BY-SA) license.",
+ "activationMessages.swalTitle": "Account activated",
+ "activationMessages.swalText": "Your account has been successfully activated. You are now able to login",
+ "activationMessages.swalConfirm": "Close",
"header.cookieBanner": "This website uses cookies.",
"CountryDropdown.placeholder": "Select your country",
"CountryDropdown.Afghanistan": "Afghanistan",
@@ -332,7 +338,172 @@
"CollectionsPanel.error.removeDeck": "An error occured while removing playlist from deck...",
"CollectionsPanel.error.adDeck": "An error occured while adding playlist to the deck...",
"CollectionsPanel.addToPlaylist": "Add deck to playlist",
+ "AddComment.form.comment_title_placeholder": "Title",
+ "AddComment.form.comment_text_placeholder": "Text",
+ "AddComment.form.label_comment_title": "Comment title",
+ "AddComment.form.label_comment_text": "Comment text",
+ "AddComment.form.button_submit": "Submit",
+ "AddComment.form.button_cancel": "Cancel",
+ "AddReply.form.reply_text_placeholder": "Text",
+ "AddReply.form.label_reply_title": "Reply title",
+ "AddReply.form.label_reply_text": "Reply text",
+ "AddReply.form.button_add": "Add Reply",
+ "Comment.form.revision_note": "revision",
+ "Comment.form.from_note": "from",
+ "Comment.form.comment_removed": "Comment was removed",
+ "Comment.form.delete_aria": "Delete comment",
+ "Comment.form.label_reply": "Reply",
+ "ContentDiscussionPanel.form.no_comments": "There are currently no comments for this",
+ "ContentDiscussionPanel.form.button_add": "Add comment",
+ "ContentDiscussionPanel.form.comments": "Comments",
+ "ContentChangeItem.swal.text": "This action will restore the slide to an earlier version. Do you want to continue?",
+ "ContentChangeItem.swal.confirmButtonText": "Yes, restore slide",
+ "ContentChangeItem.swal.cancelButtonText": "No",
+ "ContentChangeItem.form.add_description": "added",
+ "ContentChangeItem.form.copy_description": "created a duplicate of",
+ "ContentChangeItem.form.attach_description": "attached",
+ "ContentChangeItem.form.fork_description": "created a fork of deck",
+ "ContentChangeItem.form.translate_description_added": "added",
+ "ContentChangeItem.form.translate_description_translation": "translation for",
+ "ContentChangeItem.form.revise_description": "created a new version of",
+ "ContentChangeItem.form.rename_description_renamed": "renamed",
+ "ContentChangeItem.form.rename_description_to": "to",
+ "ContentChangeItem.form.revert_description_restored": "restored",
+ "ContentChangeItem.form.revert_description_to": "to an earlier version",
+ "ContentChangeItem.form.remove_description": "removed",
+ "ContentChangeItem.form.edit_description_slide_translation": "edited slide translation",
+ "ContentChangeItem.form.edit_description_slide": "edited slide",
+ "ContentChangeItem.form.move_description_slide": "moved the slide",
+ "ContentChangeItem.form.move_description_deck": "moved the deck",
+ "ContentChangeItem.form.move_description": "moved",
+ "ContentChangeItem.form.update_description": "updated deck",
+ "ContentChangeItem.form.default_description": "updated the deck",
+ "ContentChangeItem.form.button_compare": "Compare to current slide version",
+ "ContentChangeItem.form.button_restore": "Restore slide",
+ "ContentChangeItem.form.button_view": "View slide",
+ "ContentChangeItem.form.date_on": "on",
+ "ContentChangeItem.form.date_at": "at",
+ "DeckHistoryPanel.swal.text": "This action will create a new version for this deck. Do you want to continue?",
+ "DeckHistoryPanel.swal.confirmButtonText": "Yes, create a new version",
+ "DeckHistoryPanel.swal.cancelButtonText": "No",
+ "DeckHistoryPanel.form.button_aria": "Create a new version of this deck",
+ "DeckHistoryPanel.form.button_content": "Create a new version",
+ "DeckRevision.swal.text": "This action will restore the deck to an earlier version. Do you want to continue?",
+ "DeckRevision.swal.confirmButtonText": "Yes, restore deck",
+ "DeckRevision.swal.cancelButtonText": "No",
+ "DeckRevision.form.icon_aria_saved": "Saved at",
+ "DeckRevision.form.date_on": "on",
+ "DeckRevision.form.date_at": "at",
+ "DeckRevision.form.by": "by",
+ "DeckRevision.form.button_aria_show": "Show details",
+ "DeckRevision.form.version_changes": "Version changes",
+ "DeckRevision.form.button_aria_restore": "Restore deck",
+ "DeckRevision.form.button_aria_view": "View deck in new tab",
+ "DeckRevisionChanges.form.no_changes": "There are no changes for this version.",
+ "SlideHistoryPanel.form.no_changes": "There are no changes for this slide.",
+ "ContentModulesPanel.form.label_sources": "Sources",
+ "ContentModulesPanel.form.label_tags": "Tags",
+ "ContentModulesPanel.form.label_comments": "Comments",
+ "ContentModulesPanel.form.label_history": "History",
+ "ContentModulesPanel.form.label_usage": "Usage",
+ "ContentModulesPanel.form.label_questions": "Questions",
+ "ContentModulesPanel.form.label_playlists": "Playlists",
+ "ContentModulesPanel.form.aria_additional": "Additional deck tools",
+ "ContentModulesPanel.form.dropdown_text": "Tools",
+ "ContentModulesPanel.form.header": "Content Tools",
+ "ContentQuestionAdd.no_question": "Please, enter question",
+ "ContentQuestionAdd.no_answers": "Please, add answers",
+ "ContentQuestionAdd.form.question": "Question",
+ "ContentQuestionAdd.form.difficulty": "Difficulty",
+ "ContentQuestionAdd.form.difficulty_easy": "Easy",
+ "ContentQuestionAdd.form.difficulty_moderate": "Moderate",
+ "ContentQuestionAdd.form.difficulty_hard": "Hard",
+ "ContentQuestionAdd.form.answer_choices": "Answer Choices",
+ "ContentQuestionAdd.form.explanation": "Explanation (optional)",
+ "ContentQuestionAdd.form.exam_question": "This is an exam question",
+ "ContentQuestionAdd.form.button_save": "Save",
+ "ContentQuestionAdd.form.button_cancel": "Cancel",
+ "ContentQuestionAnswersList.form.button_answer_show": "Show answer",
+ "ContentQuestionAnswersList.form.button_answer_hide": "Hide answer",
+ "ContentQuestionAnswersList.form.button_edit": "Edit question",
+ "ContentQuestionAnswersList.form.explanation": "Explanation:",
+ "ContentQuestionEdit.no_question": "Please, enter question",
+ "ContentQuestionEdit.no_answers": "Please, add answers",
+ "ContentQuestionEdit.swal.text": "Delete this question. Are you sure?",
+ "ContentQuestionEdit.swal.confirmButtonText": "Yes, delete!",
+ "ContentQuestionEdit.form.question": "Question",
+ "ContentQuestionEdit.form.difficulty": "Difficulty",
+ "ContentQuestionEdit.form.difficulty_easy": "Easy",
+ "ContentQuestionEdit.form.difficulty_moderate": "Moderate",
+ "ContentQuestionEdit.form.difficulty_hard": "Hard",
+ "ContentQuestionEdit.form.answer_choices": "Answer Choices",
+ "ContentQuestionEdit.form.explanation": "Explanation (optional)",
+ "ContentQuestionEdit.form.exam_question": "This is an exam question",
+ "ContentQuestionEdit.form.button_save": "Save",
+ "ContentQuestionEdit.form.button_cancel": "Cancel",
+ "ContentQuestionEdit.form.button_delete": "Delete",
+ "ContentQuestionsItem.form.originally": "(originally from",
+ "ContentQuestionsPanel.form.no_questions": "There are currently no questions for this",
+ "ContentQuestionsPanel.form.button_exam": "Exam mode",
+ "ContentQuestionsPanel.form.button_select": "Select exam questions",
+ "ContentQuestionsPanel.form.button_add": "Add question",
+ "ContentQuestionsPanel.form.questions_header": "Questions",
+ "QuestionDownloadList.form.heading": "Select questions to download",
+ "QuestionDownloadList.form.button": "Select all",
+ "QuestionDownloadModal.form.download_aria": "Download Questions",
+ "QuestionDownloadModal.form.download_tooltip": "Download Questions as JSON format",
+ "QuestionDownloadModal.form.modal_description": "You can select one or more questions from this deck to download.",
+ "QuestionDownloadModal.form.button_cancel": "Cancel",
+ "QuestionDownloadModal.form.download_text": "Download",
"questionpanel.handleDownloadQuestionsClick": "Download questions",
+ "QuestionDownloadModal.form.modal_header": "Download questions",
+ "ExamAnswersItem.form.answer_correct": "your answer was correct",
+ "ExamAnswersItem.form.answer_not_selected": "the correct answer which you did not select",
+ "ExamAnswersItem.form.answer_incorrect": "your answer was incorrect",
+ "ExamAnswersList.form.explanation": "Explanation:",
+ "ExamAnswersList.form.answer_incorrect": "Your answer to the question was incorrect",
+ "ExamList.swal.title": "Exam submitted",
+ "ExamList.swal.text": "Your score:",
+ "ExamList.form.button_submit": "Submit answers",
+ "ExamList.form.button_cancel": "Cancel",
+ "ExamPanel.form.no_questions": "There are currently no exam questions for this",
+ "ExamPanel.form.exam_mode": "Exam mode",
+ "ExamPanel.form.button_back": "Back",
+ "ExamQuestionsList.form.header": "Select exam questions",
+ "ExamQuestionsList.form.button_save": "Save",
+ "ExamQuestionsList.form.button_cancel": "Cancel",
+ "ContentUsageItem.form.by": "by",
+ "ContentUsageList.form.no_usage": "There is currently no usage of this",
+ "ContributorsPanel.form.no_contributors": "There are no contributors for this",
+ "ContributorsPanel.form.header": "Creator",
+ "ContributorsPanel.form.title": "Contributors",
+ "DataSourceItem.form.originally": "originally from slide",
+ "DataSourcePanel.form.no_sources": "There are currently no sources for this",
+ "DataSourcePanel.form.button_add": "Add source",
+ "DataSourcePanel.form.header": "Sources",
+ "DataSourcePanel.form.show_more": "Show more ...",
+ "EditDataSource.no_title": "This field cannot be empty.",
+ "EditDataSource.valid_url": "The URL must be a valid one.",
+ "EditDataSource.valid_year": "Enter a valid number for a Year, which is less or equal the current one.",
+ "EditDataSource.form.header_edit": "Edit source",
+ "EditDataSource.form.header_add": "Add source",
+ "EditDataSource.form.placeholder_title": "Title",
+ "EditDataSource.form.placeholder_authors": "Authors",
+ "EditDataSource.form.placeholder_year": "Year",
+ "EditDataSource.form.placeholder_comment": "Comment",
+ "EditDataSource.form.button_delete": "Delete",
+ "EditDataSource.form.type_webpage": "Web page",
+ "EditDataSource.form.type_webdocument": "Web document",
+ "EditDataSource.form.type_publication": "Publication",
+ "EditDataSource.form.type_person": "Person",
+ "EditDataSource.form.type_text": "Plain text",
+ "EditDataSource.form.label_type": "Type",
+ "EditDataSource.form.label_title": "Title",
+ "EditDataSource.form.label_authors": "Authors",
+ "EditDataSource.form.label_year": "Year",
+ "EditDataSource.form.label_comment": "Comment",
+ "EditDataSource.form.button_submit": "Submit",
+ "EditDataSource.form.button_cancel": "Cancel",
"RecommendedTags.header": "Recommended Tags",
"RecommendedTags.aria.add": "Add recommended tag",
"RecommendedTags.aria.dismiss": "Dismiss recommendation",
@@ -464,13 +635,32 @@
"DeckTranslationsModal.translate": "Create translation",
"DeckTranslationsModal.originLanguage": "Original Language:",
"DeckTranslationsModal.switchSR": "Create a new deck translation",
+ "SlideTranslationsModal.header": "Translate Slide",
+ "SlideTranslationsModal.chooseSourceLanguage": "Choose the source language...",
+ "SlideTranslationsModal.chooseTargetLanguage": "Choose the target language...",
+ "SlideTranslationsModal.sourceTranslation": "Current language:",
+ "SlideTranslationsModal.targetTranslation": "Target language:",
+ "SlideTranslationsModal.autoSelect": "Current and target language are automatically selected. You may alter manually if required.",
+ "SlideTranslationsModal.alternativeTranslation1": "We have a limited amount of automatic translation each month. Alternatively, you can use the...",
+ "SlideTranslationsModal.alternativeTranslation2": "...built-in translation feature, ...",
+ "SlideTranslationsModal.alternativeTranslation3": "...translation extension or “app”, or translate via one of the Mozilla Firefox translations extensions (...",
+ "SlideTranslationsModal.openOriginal": "To assist with translation, you can open the current version of this deck in a new browser tab via the Play button.",
+ "SlideTranslationsModal.sourceLanguageSearchOptions": "(start typing to find the source language)",
+ "SlideTranslationsModal.targetLanguageSearchOptions": "(start typing to find the target language)",
+ "SlideTranslationsModal.cancel": "Cancel",
+ "SlideTranslationsModal.translate": "Translate slide",
+ "SlideTranslationsModal.originLanguage": "Original Language:",
+ "SlideTranslationsModal.switchSR": "Start a new slide translation",
"InfoPanelInfoView.selectLanguage": "Select language",
+ "Stats.deckUserStatsTitle": "User Activity",
"similarContentItem.creator": "Creator",
"similarContentItem.likes": "Number of likes",
"similarContentItem.open_deck": "Open deck",
"similarContentItem.open_slideshow": "Open slideshow in new tab",
"similarContentPanel.panel_header": "Recommended Decks",
"similarContentPanel.panel_loading": "Loading",
+ "slideEditLeftPanel.transitionAlertTitle": "Changing Transition for the presentation",
+ "slideEditLeftPanel.transitionAlertContent": "This transition will be used for the transition to this slide, do you want to proceed?",
"editpanel.slideSizeCurrent": "(current: {size})",
"editpanel.back": "back",
"editpanel.embed": "Embed",
@@ -520,6 +710,7 @@
"editpanel.templateVMU": "VMU template - Title page",
"editpanel.slideTitleButton": "Change slide name",
"editpanel.slideSizeChange": "Change slide size",
+ "editpanel.slideTransition": "Slide Transition",
"editpanel.changeBackgroundColor": "Change Background Colour",
"editpanel.removeBackground": "Remove background",
"editpanel.titleMissingError": "Error: Slide name can not be empty",
@@ -535,6 +726,12 @@
"editpanel.slideSizeName720": "720p HDTV Wide XGA",
"editpanel.slideSizeWidescreen1080": "Widescreen (16:9) high",
"editpanel.slideSizeName1080": "1080p/1080i HDTV Blu-ray",
+ "transitionpanel.none": "No slide transition",
+ "transitionpanel.convex": "Convex",
+ "transitionpanel.fade": "Fade",
+ "transitionpanel.slide": "Slide",
+ "transitionpanel.zoom": "Zoom",
+ "transitionpanel.concave": "Concave",
"editpanel.addTextBox": "Add text box",
"editpanel.Image": "Add image",
"editpanel.Video": "Add video",
@@ -624,6 +821,20 @@
"UserCollections.collections.shared": "Shared Playlist",
"UserCollections.collections.delete.title": "Delete Playlist",
"UserCollections.collections.delete.text": "Are you sure you want to delete this playlist?",
+ "footer.sr.header": "Information about SlideWiki",
+ "footer.header": "About",
+ "footer.about": "About Us",
+ "footer.contact": "Contact Us",
+ "footer.guides": "Guides and Help",
+ "footer.accessibility": "Accessibility",
+ "footer.terms.header": "Terms & Conditions",
+ "footer.terms": "Terms",
+ "footer.license": "License",
+ "footer.imprint": "Imprint",
+ "footer.data": "Data Protection",
+ "footer.funding": "Funding",
+ "footer.funding.text": "The SlideWiki project has received funding from the European Union's Horizon 2020 research and innovation programme under grant agreement No 688095",
+ "footer.copyright": "Copyright © 2018 All Rights Reserved",
"header.signin": "Sign In",
"header.signin.mobile": "Sign In",
"header.mydecks.mobile": "Decks",
@@ -766,8 +977,13 @@
"dataProtection.8.email": "data-protection(at)zv.fraunhofer.de",
"dataProtection.9.header": "9. Acceptance, validity and modification of data protection conditions",
"dataProtection.9.p1": "By using our Web site, you implicitly agree to accept the use of your personal data as specified above. This present statement of data protection conditions came into effect on October 1st, 2013. As our Web site evolves, and new technologies come into use, it may become necessary to amend the statement of data protection conditions. The Fraunhofer-Gesellschaft reserves the right to modify its data protection conditions at any time, with effect as of a future date. We recommend that you re-read the latest version from time to time.",
+ "decklist.featured.alt": "Featured Image.",
"decklist.decklanguage": "Default language",
+ "decklist.decknumberofslides": "Number of slides",
"decklist.forkcount": "Number of forks",
+ "decklist.likecount": "Number of likes",
+ "decklist.numberofshares": "Number of shares",
+ "decklist.numberofdownloads": "Number of downloads",
"decklist.featured.notavailable": "No featured decks available",
"decklist.recent.notavailable": "No recent decks available",
"decklist.meta.creator": "Creator",
@@ -795,7 +1011,7 @@
"features.3.header": "Collaborative content authoring",
"features.3.p1": "SlideWiki allows authors and students to collaborate. Through managing editing rights, you can enable colleagues to edit and add to your decks.Comments and Questions (coming soon) allow students and readers to interact with your decks.",
"features.3.collaborate.header": "Collaborate to improve your decks",
- "features.3.collaborate.description": "Use Groups to allow colleagues, peers and associates to collaborate with editing and enhancing your deck.",
+ "features.3.collaborate.description": "Use Groups to allow colleagues, peers and associates collaborate with editing and enhancing your deck.",
"features.3.review.header": "Review and revert changes within slides and decks",
"features.3.review.description": "A sophisticated revisioning model enables you and your co-editors to review and revert changes to slides and decks.",
"features.3.like.header": "Like decks and slides",
@@ -821,7 +1037,7 @@
"home.sharingSlidesSubtitle": "Present, Share and Communicate",
"home.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
"home.getStarted": "Get started right away.",
- "home.signIn": "Sign in",
+ "home.signIn": "Sign In",
"home.getStartedDescription": "Create an account to start creating and sharing your decks.",
"home.decks": "Open educational resources for all learning environments",
"home.schools": "Schools",
@@ -834,8 +1050,36 @@
"home.slideWikiAbout": "The SlideWiki Project",
"home.slideWikiAboutContent": "SlideWiki is an online slideshow tool that offers users the chance to create and collaborate on slides, assessments and to share content as structured open educational resources using a Creative Commons licence. With SlideWiki you can engage with your audience by collaborating with colleagues to co-design and co-create course materials and share your knowledge across the world. SlideWiki is an open-source platform, and all its content can be reused under Creative Commons CC-BY-SA license. SlideWiki development, large-scale trials and underlying research is funded from Framework Programme for Research and Innovation Horizon 2020 under grant agreement no 688095. The project involves 17 partners to develop, test and trial SlideWiki.",
"home.slideWikiAboutVisit": "visit the project website.",
- "home.myDecks": "My Decks.",
+ "home.myDecksLink": "My Decks",
"home.seeMoreDecks": "See more decks",
+ "home.leanrMoreSW": "Learn more about SlideWiki",
+ "home.featuredDeck": "Featured Deck",
+ "imprint.licensing.text": "Content on the SlideWiki OCW Authoring platform is licensed under the Creative Commons Attribution-ShareAlike 4.0 International (CC BY-SA 4.0), Creative Commons Attribution 4.0 International (CC BY 4.0), or Creative Commons 1.0 Universal Public Domain Dedication (CC0 1.0) – unless otherwise marked. See the CC {link_licenses} for more information.",
+ "imprint.software.text": "All of SlideWiki’s software code is Open Source software; please check our code repository.",
+ "imprint.header": "Imprint – also serves as provider identification according to § 5 Telemediengesetz (TMG)",
+ "imprint.provider": "Provider",
+ "imprint.representative": "Authorised Representative",
+ "imprint.representative.text": "Prof. Dr. Sören Auer (Director of TIB)",
+ "imprint.representative.text2": "Technische Informationsbibliothek (TIB) is a foundation of public law of the state of Lower Saxony.",
+ "imprint.authority": "Responsible Supervisory Authority",
+ "imprint.authority.text": "Ministry for Science and Culture of Lower Saxony",
+ "imprint.contact": "Contact",
+ "imprint.VAT": "VAT (sales tax) registration number",
+ "imprint.editorialOffice": "Editorial Office",
+ "imprint.copyright": "Copyright",
+ "imprint.copyright.text": "The layout of this website is protected under copyright, as are the graphics and all other contents contained in the website.",
+ "imprint.content": "Content Available",
+ "imprint.content.text1": "Provided as-is:",
+ "imprint.content.text2": "You acknowledge that we do not make any representations or warranties about the material, data, and information, such as data files, text, computer software, code, music, audio files or other sounds, photographs, videos, or other images (collectively, the “Content”) which you may have access to through your use of SlideWiki. Under no circumstances are we liable in any way for any Content, including, but not limited to: any infringing Content, any errors or omissions in Content, or for any loss or damage of any kind incurred as a result of the use of any Content posted, transmitted, linked from, or otherwise accessible through or made available via SlideWiki. You understand that by using SlideWiki, you may be exposed to Content that is offensive, indecent, or objectionable. You agree that you are solely responsible for your reuse of Content made available through SlideWiki. You should review the terms of the applicable license before you use the Content so that you know what you can and cannot do.",
+ "imprint.licensing": "Licensing",
+ "imprint.licenses.page": "licenses page",
+ "imprint.software": "SlideWiki Software",
+ "imprint.repository": "repository",
+ "imprint.content2": "Content Supplied by You",
+ "imprint.content2.text": "Your responsibility: You represent, warrant, and agree that no Content posted or otherwise shared by you on or through SlideWiki (“Your Content”), violates or infringes upon the rights of any third party, including copyright, trademark, privacy, publicity, or other personal or proprietary rights, breaches or conflicts with any obligation, such as a confidentiality obligation, or contains libelous, defamatory, or otherwise unlawful material.",
+ "imprint.licensing.2": "Licensing Your Content: You retain any copyright that you may have in Your Content. You hereby agree that Your Content: (a) is hereby licensed under the Creative Commons Attribution 4.0 License and may be used under the terms of that license or any later version of a Creative Commons Attribution License, or (b) is in the public domain (such as Content that is not copyrightable or Content you make available under CC0), or © if not owned by you, (i) is available under a Creative Commons Attribution 4.0 License or (ii) is a media file that is available under any Creative Commons license.",
+ "imprint.disclaimer": "Disclaimer",
+ "imprint.disclaimer.text": "We cannot assume any liability for the content of external pages. Solely the operators of those linked pages are responsible for their content.",
"licence.ccBySaLicenceLogo": "Creative Commons BY-SA License logo",
"licence.1.p2": "Find out more about the CC BY-SA and access the full license text by viewing the {link_1}.",
"licence.1.3.p2": "{link_1} lists sources of materials published under creative commons licenses. Some media services such as Flickr, YouTube and Vimeo publish some content under creative commons licenses. Content marked “All rights reserved” cannot be included in SlideWiki.",
@@ -867,6 +1111,19 @@
"licence.4.header": "Notices",
"licence.4.p1": "The SlideWiki website and its content are provided \"as is\". We offer no warranties, explicit or implied regarding any content, the webiste or the accuracy of any information. These license may not give you all of the permissions necessary for your intended use. For example, other rights such as publicity, privacy, or moral rights may limit how you use the material. We reserve the right to remove materials and content that we believe to infringe copyright and license requirements.",
"recent.header": "Recent decks added by users",
+ "staticPage.findSlides": "Find slides",
+ "staticPage.findSlidesSubtitle": "Explore the deck",
+ "staticPage.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics.",
+ "staticPage.createSlides": "Create slides",
+ "staticPage.createSlidesSubtitle": "Add and adapt course material",
+ "staticPage.createSlidesContent": "Create a new deck or import existing slides to create HTML slide decks.",
+ "staticPage.sharingSlides": "Share slides",
+ "staticPage.sharingSlidesSubtitle": "Present, Share and Communicate",
+ "staticPage.sharingSlidesContent": "Collaborate on decks with peers. Group decks in playlists and share via social media or email.",
+ "staticPage.getStarted": "Get started right away.",
+ "staticPage.signIn": "Sign In",
+ "staticPage.getStartedDescription": "Create an account to start creating and sharing your decks.",
+ "staticPage.myDecks": "My Decks.",
"terms.mainTitle": "Terms of us of SlideWiki",
"terms.summary": "This is a human-readable summary of the Terms of Use for SlideWiki (the project).",
"terms.disclaimer": "Disclaimer: This summary is not a part of the Terms of Use and is not a legal document. It is simply a handy reference for understanding the full terms. Think of it as the user-friendly interface to the legal language of our Terms of Use.",
@@ -890,19 +1147,6 @@
"terms.paragraph1": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Vivamus id nisl magna. Sed a metus vel dui vehicula viverra. Quisque sed tellus at justo semper dictum. Nullam at rutrum leo. Vivamus at aliquam metus. Aliquam nec nunc in libero posuere hendrerit nec at lacus. Nunc malesuada lobortis tortor nec porta. Cras vulputate mollis nisi, at sollicitudin quam eleifend ac. Nam sed venenatis turpis. Sed vestibulum malesuada nunc vitae ultricies. Donec bibendum ultrices facilisis. Mauris sollicitudin mi et vulputate rhoncus.",
"terms.paragraph2": "Mauris tincidunt, urna non aliquam dapibus, enim metus varius tellus, non dignissim urna odio ac augue. Fusce id lacinia ipsum, id egestas dui. Suspendisse nec quam vel mi tincidunt bibendum a vel mauris. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia Curae; Proin magna elit, molestie eu libero ut, bibendum facilisis turpis. Mauris sem lorem, dignissim a ex sit amet, suscipit fermentum turpis. Integer porttitor arcu non porttitor faucibus. Fusce nisi risus, rutrum vitae vulputate vitae, consectetur et nunc. Aliquam placerat ipsum felis, nec fermentum arcu sagittis nec. Aenean imperdiet laoreet quam ac placerat. Ut accumsan tristique elementum. Etiam congue venenatis lorem, malesuada tristique mauris congue vel. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Nam tincidunt libero a nisi consequat sodales.",
"terms.paragraph3": "Aliquam vitae velit iaculis, vestibulum felis eu, lacinia risus. Donec mollis enim nec accumsan tristique. Morbi dapibus condimentum erat quis placerat. Integer velit augue, sodales quis scelerisque nec, facilisis nec velit. Maecenas rhoncus sagittis lectus, vel feugiat nulla aliquet quis. Quisque condimentum sapien nec eros tristique, vitae pulvinar sem tempus. Nulla ut odio id elit accumsan interdum. Maecenas sagittis sed sem a malesuada. Vivamus venenatis ex sed ex pretium, et pellentesque purus vehicula. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egesta",
- "terms.findSlides": "Find slides",
- "terms.findSlidesSubtitle": "Explore the deck lorem ipsum",
- "terms.findSlidesContent": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Aenean eget elit sapien. Nunc semper urna in lectus consectetur fermentum. Vestibulum eu sem pulvinar, sollicitudin ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet aliquam n ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet.",
- "terms.createSlides": "Create slides",
- "terms.createSlidesSubtitle": "Learn how to create slides with SlideWiki",
- "terms.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
- "terms.sharingSlides": "Sharing slides",
- "terms.sharingSlidesSubtitle": "Present, Share and Communicate",
- "terms.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
- "terms.getStarted": "Get started right away.",
- "terms.signIn": "Sign in",
- "terms.getStartedDescription": "Create an account to start creating and sharing your decks.",
- "terms.myDecks": "My Decks.",
"welcome.3.slideshowMode": "Use the {strong} to view a deck as a slideshow. Includes a timer and speaker notes&apo; view.",
"welcome.3.shareDecks": "{strong} via social media or email.",
"welcome.3.comments": "Add {strong} to decks and slides to interact with other learners.",
@@ -910,18 +1154,18 @@
"welcome.header": "Welcome to SlideWiki",
"welcome.div1": "Thank you for signing up to SlideWiki. Now your account has been created, you can get started with creating, enhancing and sharing open educational resources.",
"welcome.1.header": "1. Create a deck",
- "welcome.1.p1": "Start creating your own slide deck by selecting the Add deck button.",
+ "welcome.1.p1": "Start creating a slide deck by selecting the Add deck button.",
"welcome.1.addDeckButton": "Add deck",
"welcome.1.p2": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
- "welcome.1.p3": "Need more inspiration to make your own slides? Why not search or browse throughexisting SlideWiki decks.",
+ "welcome.1.p3": "Need more inspiration to make your own slides? Why not search or browse through existing SlideWiki decks.",
"welcome.2.header": "2. Reuse, Repurpose and Collaborate",
- "welcome.2.p1": "Want to enhance your decks? SlideWiki allows you to create your own slides based on decks that have been published on SlideWiki.",
+ "welcome.2.p1": "Want to enhance your decks? SlideWiki allows you to create your own slides based on other decks that have been published on SlideWiki.",
"welcome.2.createCopy.header": "Create a copy of a deck",
"welcome.2.createCopy.description": "Use the Fork function to create your own copy of an existing deck.",
"welcome.2.appendSlides.header": "Append slides and decks to your deck",
- "welcome.2.appendSlides.description": "Add slides from other decks using the Append function. Or Append a deck to embed a set of slides as a sub-deck.",
+ "welcome.2.appendSlides.description": "Add slides from other decks using the Append function. Or append a deck to embed a set of slides as a sub-deck.",
"welcome.2.collaborate.header": "Collaborate to improve your deck",
- "welcome.2.collaborate.description": "Use Groups to allow colleagues, peers and associates to collaborate with editing and enhancing your deck.",
+ "welcome.2.collaborate.description": "Use Groups to allow colleagues, peers and associates collaborate with editing and enhancing your deck.",
"welcome.3.header": "3. Present, Share and Communicate",
"welcome.3.p1": "There are many ways that you and your students can engage and interact with slides and decks.",
"welcome.3.slideshowMode.strong": "Slideshow mode",
@@ -943,12 +1187,16 @@
"LoginModal.placeholder.email": "Email:",
"LoginModal.placeholder.password": "Password:",
"userSignIn.headerText": "Sign In",
- "LoginModal.label.email": "E-Mail",
- "LoginModal.label.password": "Password",
+ "LoginModal.aria.google": "sign in with your Google account",
+ "LoginModal.aria.github": "sign in with your Github account",
+ "LoginModal.label.email": "Email:",
+ "LoginModal.label.password": "Password:",
"LoginModal.button.signIn": "Sign In",
"LoginModal.text.iCannotAccessMyAccount": "I can not access my account",
"LoginModal.text.dontHaveAnAccount": "Don't have an account? Sign up here.",
"LoginModal.button.close": "Close",
+ "Migrate.text1": "We are merging your user account. This will take just a few seconds.",
+ "Migrate.text2": "You will be directed to next view.",
"resetPassword.mailprompt": "Please enter your email address",
"resetPassword.mailprompt2": "Please enter a valid email address",
"resetPassword.mailreprompt": "Please reenter your email address",
@@ -970,6 +1218,19 @@
"SSOSignIn.errormessage.isForbidden": "Migration is not possible with this user. Please start all over again.",
"SSOSignIn.errormessage.accountNotFound": "This account was not prepared for migration. Please start all over again.",
"SSOSignIn.errormessage.badImplementation": "An unknown error occurred.",
+ "socialLogin.text1": "We are acquiring your data. This will take just a few seconds.",
+ "socialLogin.text2": "This window will close automatically.",
+ "UserMenuDropdown.mydecks": "My Decks",
+ "UserMenuDropdown.decks": "Decks",
+ "UserMenuDropdown.myplaylists": "My Playlists",
+ "UserMenuDropdown.playlists": "Playlists",
+ "UserMenuDropdown.mygroups": "My Groups",
+ "UserMenuDropdown.groups": "Groups",
+ "UserMenuDropdown.mySettings": "My Settings",
+ "UserMenuDropdown.settings": "Settings",
+ "UserMenuDropdown.myNotifications": "My Notifications",
+ "UserMenuDropdown.notifications": "Notifications",
+ "UserMenuDropdown.signout": "Sign Out",
"paintModal.title": "Draw your own SVG image",
"paintModal.primaryColourInput": "Primary colour:",
"paintModal.secondaryColourInput": "Secondary colour:",
@@ -1063,9 +1324,13 @@
"SearchPanel.filters.tags.title": "Tags",
"SearchPanel.filters.tags.placeholder": "Select Tags",
"SearchPanel.button.submit": "Submit",
+ "DeckFilter.Tag.Topic": "Subject",
+ "DeckFilter.Education": "Education Level",
"Facets.languagesFacet": "Languages",
"Facets.ownersFacet": "Owners",
"Facets.tagsFacet": "Tags",
+ "Facets.educationLevelFacet": "Education Levels",
+ "Facets.topicsFacet": "Subjects",
"Facets.showMore": "show more",
"Facets.showLess": "show less",
"SearchResultsItem.otherVersions.deck": "Deck Version {index}: {title}",
@@ -1094,18 +1359,16 @@
"Stats.activityType.edits": "Edits",
"Stats.activityType.likes": "Likes",
"Stats.activityType.views": "Views",
- "SSOSignIn.errormessage.isSPAM": "Your account was marked as SPAM thus you are not able to sign in. Contact us directly for reactivation.",
+ "SSOSignIn.errormessage.isSPAM": "Your account has been marked as SPAM, so you will not be able to sign in. Contact us for reactivation.",
"SSOSignIn.errormessage.credentialsNotFound": "The credentials are unknown. Please retry with another input.",
- "SSOSignIn.errormessage.deactivatedOrUnactivated": "Your user account either have to be activated via the activation link in your email or is deactivated in general.",
+ "SSOSignIn.errormessage.deactivatedOrUnactivated": "Your user account either has to be activated via the activation link in your email or has been deactivated.",
"CategoryBox.personalSettings": "Personal settings",
"CategoryBox.profile": "Profile",
- "CategoryBox.account": "Account",
+ "CategoryBox.account": "Accounts",
"CategoryBox.authorizedAccounts": "Authorized Accounts & Services",
"CategoryBox.userStats": "User Stats",
"CategoryBox.groups": "Groups",
"CategoryBox.myGroups": "My Groups",
- "CategoryBox.ltis": "Learning Services",
- "CategoryBox.myLTIs": "My Learning Services",
"ChangePassword.passwordMismatch": "Your passwords do not match",
"ChangePassword.passwordToolTipp": "This is not the password you entered before - Please try again",
"ChangePassword.newPasswordTitle": "Your password should contain 8 characters or more",
@@ -1118,7 +1381,7 @@
"ChangePersonalData.fistname": "Firstname",
"ChangePersonalData.lastname": "Lastname",
"ChangePersonalData.displayName": "Display name",
- "ChangePersonalData.email": "E-Mail",
+ "ChangePersonalData.email": "Email:",
"ChangePersonalData.uilanguage": "User Interface Language",
"ChangePersonalData.country": "Country",
"ChangePersonalData.organization": "Organization",
@@ -1153,6 +1416,7 @@
"user.deckcard.opendeck": "Open deck",
"user.deckcard.slideshow": "Open slideshow in new tab",
"user.deckcard.unlisted": "Unlisted",
+ "user.populardecks.notavailable": "No decks available",
"Integration.swalTitle3": "Error",
"Integration.swalText3": "The provider hasn't been disabled, because something unexpected happened. Please try again later.",
"Integration.swalbutton3": "Confirmed",
@@ -1163,7 +1427,7 @@
"Integration.swalText2": "You are not allowed to disable all providers.",
"Integration.swalbutton2": "Confirmed",
"Integration.swalTitle1": "Error",
- "Integration.swalText1": "The data from {provider} was incomplete. In case you want to use this provider, please add an e-mail address at the provider itself and try again at SlideWiki.",
+ "Integration.swalText1": "The data from {provider} was incomplete. Please enter the email address registered with this provider or choose another provider. ",
"Integration.swalbutton1": "Confirm",
"Integration.text_providerEnabled": "This provider is enabled and you may use it.",
"Integration.text_providerDisabled": "This provider is currently disabled. To enable it, click on the button next to it.",
@@ -1175,7 +1439,8 @@
"Integration.disableGithub": "Disable",
"Integration.enableGithub": "Enable",
"Integration.loading": "loading",
- "user.populardecks.notavailable": "No decks available",
+ "Integration.ltis": "Learning Services (LTIs)",
+ "Integration.myLTIs": "My Learning Services",
"user.userProfile.privatePublicProfile.allStatus": "All",
"user.userProfile.privatePublicProfile.publicStatus": "Published",
"user.userProfile.privatePublicProfile.hiddenStatus": "Unlisted",
@@ -1213,7 +1478,7 @@
"UserProfile.swalTitle2": "Your Account has been deleted",
"UserProfile.swalTitle3": "Error",
"UserProfile.swalText3": "Something went wrong",
- "UserProfile.swalButton3": "Ok",
+ "UserProfile.swalButton3": "OK",
"UserProfile.exchangePicture": "Exchange picture",
"UserProfile.alterData": "Alter my personal data",
"UserProfile.changePassword": "Change password",
@@ -1225,7 +1490,15 @@
"user.userRecommendations.lastUpdated": "Last updated",
"user.userRecommendations.creationDate": "Creation date",
"user.userRecommendations.title": "Title",
+ "Stats.userStatsTitle": "User Statistics",
"Stats.tagCloudTitle": "Popular Tags",
+ "Stats.userEngagementTitle": "User Engagement Overview",
+ "Stats.activeEngagement": "Active Engagement",
+ "Stats.passiveEngagement": "Passive Engagement",
+ "Stats.socialEngagement": "Social Engagement",
+ "Stats.activeEngagementDesc": "The degree of active participation based on the user's content creation history",
+ "Stats.passiveEngagementDesc": "The degree of passive participation based on the user's content usage",
+ "Stats.socialEngagementDesc": "The degree of social interaction through SW content",
"UserRegistration.firstName_prompt": "Please enter your first name",
"UserRegistration.lastName_prompt": "Please enter your last name",
"UserRegistration.userName_prompt": "Please select your username",
@@ -1246,7 +1519,7 @@
"UserRegistration.swal_text": "Signing up with this provider failed because you are already registered at SlideWiki with this provider. Either sign in or sign up with another provider if you wish to create a new account.",
"UserRegistration.swal_confirmButton": "Login",
"UserRegistration.swal_cancelButton": "Register",
- "UserRegistration.swal2_confirmButton": "Ok",
+ "UserRegistration.swal2_confirmButton": "OK",
"UserRegistration.swal2_text": "These provider credentials are already used by a deactivated user. To reactivate a specific user please contact us directly.",
"UserRegistration.swal3_title": "Thanks for signing up!",
"UserRegistration.swal3_text": "Thank you. You have successfully registered. Please sign in with your new credentials.",
@@ -1264,17 +1537,22 @@
"UserRegistration.modal_termText2": "Terms",
"UserRegistration.modal_termLinkTitle": "Sign-up terms and conditions",
"UserRegistration.modal_subtitle2": "Or complete the registration form",
- "UserRegistration.form_firstName": "First name",
- "UserRegistration.form_lastName": "Last name",
+ "UserRegistration.form_firstName": "First Name:",
+ "UserRegistration.form_lastName": "Last Name:",
"UserRegistration.form_userName": "User name",
"UserRegistration.form_email": "Email",
"UserRegistration.form_reenterEmail": "Re-enter email",
- "UserRegistration.form_password": "Password",
+ "UserRegistration.form_password": "Password:",
"UserRegistration.form_reenterPassword": "Re-enter password",
"UserRegistration.form_submitButton": "Sign Up",
"UserRegistration.form_terms": "By clicking Sign Up, you agree to our",
"UserRegistration.form_terms2": "Terms",
"UserRegistration.noAccess": "I can not access my account",
+ "UserRegistration.emailRegistered": "This E-Mail has already been registered by someone else. Please use another one.",
+ "UserRegistration.usernameRegistered": "This Username has already been registered by someone else. Please choose another one.",
+ "UserRegistration.username.suggestion": "Here are some suggestions:",
+ "UserRegistration.SSO.title": "Sign up with an account of another SlideWiki instance",
+ "UserRegistration.SSO.aria": "Sign up with another SlideWiki instance",
"UserRegistrationSocial.firstnameprompt": "Please enter your first name",
"UserRegistrationSocial.lastnameprompt": "Please enter your last name",
"UserRegistrationSocial.usernameprompt": "Please select your username",
@@ -1289,6 +1567,7 @@
"UserRegistrationSocial.confirm": "OK",
"UserRegistrationSocial.emailNotAllowed": "This E-Mail has already been used by someone else. Please choose another one.",
"UserRegistrationSocial.usernameNotAllowed": "This Username has already been used by someone else. Please choose another one.",
+ "UserRegistrationSocial.usernamesuggestion": "Here are some suggestions:",
"UserRegistrationSocial.validate": "Validate user information",
"UserRegistrationSocial.fname": "First name *",
"UserRegistrationSocial.lname": "Last name *",
@@ -1342,4 +1621,4 @@
"GroupMenu.settings": "Group Settings",
"GroupMenu.stats": "Group Stats",
"UserGroupPage.goBack": "Return to My Groups List"
-}
+}
\ No newline at end of file
diff --git a/intl/es.json b/intl/es.json
index 479189756..d86c781db 100644
--- a/intl/es.json
+++ b/intl/es.json
@@ -29,6 +29,9 @@
"AddDeck.form.label_themes": "Elige el tema de la presentación",
"AddDeck.form.label_description": "Descripción",
"add.help": "Help decks",
+ "AddDeck.sr.education": "Select education level of deck content",
+ "AddDeck.sr.subject": "Select subject of deck content from autocomplete. Multiple subjects can be selected",
+ "AddDeck.sr.tags": "Add tags or keywords for your deck. Multiple tags can be provided.",
"DeckProperty.Education.Choose": "Escoger nivel de educación",
"DeckProperty.Tag.Topic.Choose": "Escoger área",
"DeckProperty.Tag.Choose": "Escoger etiquetas",
@@ -37,6 +40,9 @@
"AddDeck.form.label_terms2": "Términos y condiciones",
"AddDeck.form.label_terms3": "y el contenido que he subido, creado y editado puede publicarse bajo la linencia Creative Commons ShareAlike",
"AddDeck.form.label_termsimages": "Estoy de acuerdo en que las imágenes dentro de mis transparencias importadas son de dominio público o están disponibles bajo una licencia Creative Commons Attribution (CC-BY o CC-BY-SA)",
+ "activationMessages.swalTitle": "Account activated",
+ "activationMessages.swalText": "Your account has been successfully activated. You are now able to login",
+ "activationMessages.swalConfirm": "Cerrar",
"header.cookieBanner": "Este sitio web utiliza cookies.",
"CountryDropdown.placeholder": "Seleccione su país",
"CountryDropdown.Afghanistan": "Afganistán",
@@ -332,7 +338,172 @@
"CollectionsPanel.error.removeDeck": "Un error ha ocurrido mientras se eliminaba la lista de reproducción de la presentación...",
"CollectionsPanel.error.adDeck": "Un error ha ocurrido mientras se añadía la lista de reproducción de la presentación...",
"CollectionsPanel.addToPlaylist": "Añadir presentación a la lista de reproducción",
+ "AddComment.form.comment_title_placeholder": "Título",
+ "AddComment.form.comment_text_placeholder": "Text",
+ "AddComment.form.label_comment_title": "Comment title",
+ "AddComment.form.label_comment_text": "Comment text",
+ "AddComment.form.button_submit": "Enviar",
+ "AddComment.form.button_cancel": "Cancelar",
+ "AddReply.form.reply_text_placeholder": "Text",
+ "AddReply.form.label_reply_title": "Reply title",
+ "AddReply.form.label_reply_text": "Reply text",
+ "AddReply.form.button_add": "Add Reply",
+ "Comment.form.revision_note": "revision",
+ "Comment.form.from_note": "from",
+ "Comment.form.comment_removed": "Comment was removed",
+ "Comment.form.delete_aria": "Delete comment",
+ "Comment.form.label_reply": "Reply",
+ "ContentDiscussionPanel.form.no_comments": "There are currently no comments for this",
+ "ContentDiscussionPanel.form.button_add": "Add comment",
+ "ContentDiscussionPanel.form.comments": "Comentarios",
+ "ContentChangeItem.swal.text": "This action will restore the slide to an earlier version. Do you want to continue?",
+ "ContentChangeItem.swal.confirmButtonText": "Yes, restore slide",
+ "ContentChangeItem.swal.cancelButtonText": "No",
+ "ContentChangeItem.form.add_description": "added",
+ "ContentChangeItem.form.copy_description": "created a duplicate of",
+ "ContentChangeItem.form.attach_description": "attached",
+ "ContentChangeItem.form.fork_description": "created a fork of deck",
+ "ContentChangeItem.form.translate_description_added": "added",
+ "ContentChangeItem.form.translate_description_translation": "translation for",
+ "ContentChangeItem.form.revise_description": "created a new version of",
+ "ContentChangeItem.form.rename_description_renamed": "renamed",
+ "ContentChangeItem.form.rename_description_to": "to",
+ "ContentChangeItem.form.revert_description_restored": "restored",
+ "ContentChangeItem.form.revert_description_to": "to an earlier version",
+ "ContentChangeItem.form.remove_description": "removed",
+ "ContentChangeItem.form.edit_description_slide_translation": "edited slide translation",
+ "ContentChangeItem.form.edit_description_slide": "edited slide",
+ "ContentChangeItem.form.move_description_slide": "moved the slide",
+ "ContentChangeItem.form.move_description_deck": "moved the deck",
+ "ContentChangeItem.form.move_description": "moved",
+ "ContentChangeItem.form.update_description": "updated deck",
+ "ContentChangeItem.form.default_description": "updated the deck",
+ "ContentChangeItem.form.button_compare": "Compare to current slide version",
+ "ContentChangeItem.form.button_restore": "Restore slide",
+ "ContentChangeItem.form.button_view": "View slide",
+ "ContentChangeItem.form.date_on": "on",
+ "ContentChangeItem.form.date_at": "at",
+ "DeckHistoryPanel.swal.text": "This action will create a new version for this deck. Do you want to continue?",
+ "DeckHistoryPanel.swal.confirmButtonText": "Yes, create a new version",
+ "DeckHistoryPanel.swal.cancelButtonText": "No",
+ "DeckHistoryPanel.form.button_aria": "Create a new version of this deck",
+ "DeckHistoryPanel.form.button_content": "Create a new version",
+ "DeckRevision.swal.text": "This action will restore the deck to an earlier version. Do you want to continue?",
+ "DeckRevision.swal.confirmButtonText": "Yes, restore deck",
+ "DeckRevision.swal.cancelButtonText": "No",
+ "DeckRevision.form.icon_aria_saved": "Saved at",
+ "DeckRevision.form.date_on": "on",
+ "DeckRevision.form.date_at": "at",
+ "DeckRevision.form.by": "por",
+ "DeckRevision.form.button_aria_show": "Show details",
+ "DeckRevision.form.version_changes": "Version changes",
+ "DeckRevision.form.button_aria_restore": "Restore deck",
+ "DeckRevision.form.button_aria_view": "View deck in new tab",
+ "DeckRevisionChanges.form.no_changes": "There are no changes for this version.",
+ "SlideHistoryPanel.form.no_changes": "There are no changes for this slide.",
+ "ContentModulesPanel.form.label_sources": "Sources",
+ "ContentModulesPanel.form.label_tags": "Etiquetas",
+ "ContentModulesPanel.form.label_comments": "Comentarios",
+ "ContentModulesPanel.form.label_history": "History",
+ "ContentModulesPanel.form.label_usage": "Usage",
+ "ContentModulesPanel.form.label_questions": "Questions",
+ "ContentModulesPanel.form.label_playlists": "Listas de reproducción",
+ "ContentModulesPanel.form.aria_additional": "Additional deck tools",
+ "ContentModulesPanel.form.dropdown_text": "Tools",
+ "ContentModulesPanel.form.header": "Content Tools",
+ "ContentQuestionAdd.no_question": "Please, enter question",
+ "ContentQuestionAdd.no_answers": "Please, add answers",
+ "ContentQuestionAdd.form.question": "Question",
+ "ContentQuestionAdd.form.difficulty": "Difficulty",
+ "ContentQuestionAdd.form.difficulty_easy": "Easy",
+ "ContentQuestionAdd.form.difficulty_moderate": "Moderate",
+ "ContentQuestionAdd.form.difficulty_hard": "Hard",
+ "ContentQuestionAdd.form.answer_choices": "Answer Choices",
+ "ContentQuestionAdd.form.explanation": "Explanation (optional)",
+ "ContentQuestionAdd.form.exam_question": "This is an exam question",
+ "ContentQuestionAdd.form.button_save": "Salvar",
+ "ContentQuestionAdd.form.button_cancel": "Cancelar",
+ "ContentQuestionAnswersList.form.button_answer_show": "Show answer",
+ "ContentQuestionAnswersList.form.button_answer_hide": "Hide answer",
+ "ContentQuestionAnswersList.form.button_edit": "Edit question",
+ "ContentQuestionAnswersList.form.explanation": "Explanation:",
+ "ContentQuestionEdit.no_question": "Please, enter question",
+ "ContentQuestionEdit.no_answers": "Please, add answers",
+ "ContentQuestionEdit.swal.text": "Delete this question. Are you sure?",
+ "ContentQuestionEdit.swal.confirmButtonText": "Yes, delete!",
+ "ContentQuestionEdit.form.question": "Question",
+ "ContentQuestionEdit.form.difficulty": "Difficulty",
+ "ContentQuestionEdit.form.difficulty_easy": "Easy",
+ "ContentQuestionEdit.form.difficulty_moderate": "Moderate",
+ "ContentQuestionEdit.form.difficulty_hard": "Hard",
+ "ContentQuestionEdit.form.answer_choices": "Answer Choices",
+ "ContentQuestionEdit.form.explanation": "Explanation (optional)",
+ "ContentQuestionEdit.form.exam_question": "This is an exam question",
+ "ContentQuestionEdit.form.button_save": "Salvar",
+ "ContentQuestionEdit.form.button_cancel": "Cancelar",
+ "ContentQuestionEdit.form.button_delete": "Borrar",
+ "ContentQuestionsItem.form.originally": "(originally from",
+ "ContentQuestionsPanel.form.no_questions": "There are currently no questions for this",
+ "ContentQuestionsPanel.form.button_exam": "Exam mode",
+ "ContentQuestionsPanel.form.button_select": "Select exam questions",
+ "ContentQuestionsPanel.form.button_add": "Add question",
+ "ContentQuestionsPanel.form.questions_header": "Questions",
+ "QuestionDownloadList.form.heading": "Select questions to download",
+ "QuestionDownloadList.form.button": "Select all",
+ "QuestionDownloadModal.form.download_aria": "Download Questions",
+ "QuestionDownloadModal.form.download_tooltip": "Download Questions as JSON format",
+ "QuestionDownloadModal.form.modal_description": "You can select one or more questions from this deck to download.",
+ "QuestionDownloadModal.form.button_cancel": "Cancelar",
+ "QuestionDownloadModal.form.download_text": "Descarga",
"questionpanel.handleDownloadQuestionsClick": "Descargar preguntas",
+ "QuestionDownloadModal.form.modal_header": "Descargar preguntas",
+ "ExamAnswersItem.form.answer_correct": "your answer was correct",
+ "ExamAnswersItem.form.answer_not_selected": "the correct answer which you did not select",
+ "ExamAnswersItem.form.answer_incorrect": "your answer was incorrect",
+ "ExamAnswersList.form.explanation": "Explanation:",
+ "ExamAnswersList.form.answer_incorrect": "Your answer to the question was incorrect",
+ "ExamList.swal.title": "Exam submitted",
+ "ExamList.swal.text": "Your score:",
+ "ExamList.form.button_submit": "Submit answers",
+ "ExamList.form.button_cancel": "Cancelar",
+ "ExamPanel.form.no_questions": "There are currently no exam questions for this",
+ "ExamPanel.form.exam_mode": "Exam mode",
+ "ExamPanel.form.button_back": "Back",
+ "ExamQuestionsList.form.header": "Select exam questions",
+ "ExamQuestionsList.form.button_save": "Salvar",
+ "ExamQuestionsList.form.button_cancel": "Cancelar",
+ "ContentUsageItem.form.by": "por",
+ "ContentUsageList.form.no_usage": "There is currently no usage of this",
+ "ContributorsPanel.form.no_contributors": "There are no contributors for this",
+ "ContributorsPanel.form.header": "Creador",
+ "ContributorsPanel.form.title": "Contributors",
+ "DataSourceItem.form.originally": "originally from slide",
+ "DataSourcePanel.form.no_sources": "There are currently no sources for this",
+ "DataSourcePanel.form.button_add": "Add source",
+ "DataSourcePanel.form.header": "Sources",
+ "DataSourcePanel.form.show_more": "Show more ...",
+ "EditDataSource.no_title": "This field cannot be empty.",
+ "EditDataSource.valid_url": "The URL must be a valid one.",
+ "EditDataSource.valid_year": "Enter a valid number for a Year, which is less or equal the current one.",
+ "EditDataSource.form.header_edit": "Edit source",
+ "EditDataSource.form.header_add": "Add source",
+ "EditDataSource.form.placeholder_title": "Título",
+ "EditDataSource.form.placeholder_authors": "Authors",
+ "EditDataSource.form.placeholder_year": "Year",
+ "EditDataSource.form.placeholder_comment": "Comment",
+ "EditDataSource.form.button_delete": "Borrar",
+ "EditDataSource.form.type_webpage": "Web page",
+ "EditDataSource.form.type_webdocument": "Web document",
+ "EditDataSource.form.type_publication": "Publication",
+ "EditDataSource.form.type_person": "Person",
+ "EditDataSource.form.type_text": "Plain text",
+ "EditDataSource.form.label_type": "Type",
+ "EditDataSource.form.label_title": "Título",
+ "EditDataSource.form.label_authors": "Authors",
+ "EditDataSource.form.label_year": "Year",
+ "EditDataSource.form.label_comment": "Comment",
+ "EditDataSource.form.button_submit": "Enviar",
+ "EditDataSource.form.button_cancel": "Cancelar",
"RecommendedTags.header": "Etiquetas recomendadas",
"RecommendedTags.aria.add": "Añadir etiqueta recomendada",
"RecommendedTags.aria.dismiss": "Descartar recomentaciones",
@@ -464,16 +635,36 @@
"DeckTranslationsModal.translate": "Crear traducción",
"DeckTranslationsModal.originLanguage": "Idioma original:",
"DeckTranslationsModal.switchSR": "Crear una nueva traducción de la presentación",
+ "SlideTranslationsModal.header": "Translate Slide",
+ "SlideTranslationsModal.chooseSourceLanguage": "Choose the source language...",
+ "SlideTranslationsModal.chooseTargetLanguage": "Elegir el idioma objetivo...",
+ "SlideTranslationsModal.sourceTranslation": "Current language:",
+ "SlideTranslationsModal.targetTranslation": "Target language:",
+ "SlideTranslationsModal.autoSelect": "Current and target language are automatically selected. You may alter manually if required.",
+ "SlideTranslationsModal.alternativeTranslation1": "We have a limited amount of automatic translation each month. Alternatively, you can use the...",
+ "SlideTranslationsModal.alternativeTranslation2": "...built-in translation feature, ...",
+ "SlideTranslationsModal.alternativeTranslation3": "...translation extension or “app”, or translate via one of the Mozilla Firefox translations extensions (...",
+ "SlideTranslationsModal.openOriginal": "To assist with translation, you can open the current version of this deck in a new browser tab via the Play button.",
+ "SlideTranslationsModal.sourceLanguageSearchOptions": "(start typing to find the source language)",
+ "SlideTranslationsModal.targetLanguageSearchOptions": "(start typing to find the target language)",
+ "SlideTranslationsModal.cancel": "Cancelar",
+ "SlideTranslationsModal.translate": "Translate slide",
+ "SlideTranslationsModal.originLanguage": "Idioma original:",
+ "SlideTranslationsModal.switchSR": "Start a new slide translation",
"InfoPanelInfoView.selectLanguage": "Seleccionar idioma",
+ "Stats.deckUserStatsTitle": "User Activity",
"similarContentItem.creator": "Creador",
"similarContentItem.likes": "Cantidad de me gusta",
"similarContentItem.open_deck": "Abrir presentación",
"similarContentItem.open_slideshow": "Abrir presentación de diapositivas en una nueva pestaña",
"similarContentPanel.panel_header": "Presentaciones recomendadas",
"similarContentPanel.panel_loading": "Cargando",
+ "slideEditLeftPanel.transitionAlertTitle": "Changing Transition for the presentation",
+ "slideEditLeftPanel.transitionAlertContent": "This transition will be used for the transition to this slide, do you want to proceed?",
"editpanel.slideSizeCurrent": "(actualmente: {size})",
"editpanel.back": "atrás",
"editpanel.embed": "Incrustar",
+ "editpanel.lti": "LTI",
"editpanel.table": "Tabla",
"editpanel.Maths": "Matemáticas",
"editpanel.Code": "Código",
@@ -490,6 +681,14 @@
"editpanel.embedAdd": "Añada a la diapositiva",
"editpanel.embedNote": "No todos los propietarios de sitios web permiten que su contenido sea incorporado. El uso del código de incorporación proporcionado por el sitio web que desea insertar (en lugar de la URL) a menudo funciona mejor.",
"editpanel.embedNoteTerms": "Tenga en cuenta que nuestros términos (por ejemplo, sobre código malicioso y material comercial) también se aplican estrictamente a cualquier contenido en las páginas web que desee incorporar.",
+ "editpanel.ltiKey": "LTI Key:",
+ "editpanel.ltiKeyMissingError": "missing LTI key",
+ "editpanel.ltiURL": "URL/Link to LTI content:",
+ "editpanel.ltiURLMissingError": "falta URL/enlace al contenido",
+ "editpanel.ltiWidth": "Width of LTI content:",
+ "editpanel.ltiHeight": "Height of LTI content:",
+ "editpanel.ltiAdd": "Añada a la diapositiva",
+ "editpanel.ltiNote": "Use an LTI URL and key.",
"editpanel.template2": "Documento vacío - Modo-documento (no-lienzo)",
"editpanel.template3": "Documento con título - Modo-documento (no-lienzo)",
"editpanel.template31": "Documento con texto enriquecido - Modo-Documento (no-lienzo)",
@@ -511,6 +710,7 @@
"editpanel.templateVMU": "Plantilla VMU - Página de título",
"editpanel.slideTitleButton": "Cambiar nombre de diapositiva",
"editpanel.slideSizeChange": "Cambiar tamaño de diapositiva",
+ "editpanel.slideTransition": "Slide Transition",
"editpanel.changeBackgroundColor": "Cambiar color de fondo",
"editpanel.removeBackground": "Eliminar fondo",
"editpanel.titleMissingError": "Error: el nombre de la diapositiva no puede estar vacío",
@@ -526,6 +726,12 @@
"editpanel.slideSizeName720": "720p HDTV Wide XGA",
"editpanel.slideSizeWidescreen1080": "Pantalla panorámica (16:9) alta",
"editpanel.slideSizeName1080": "1080p/1080i HDTV Blu-ray",
+ "transitionpanel.none": "No slide transition",
+ "transitionpanel.convex": "Convex",
+ "transitionpanel.fade": "Fade",
+ "transitionpanel.slide": "Diapositiva",
+ "transitionpanel.zoom": "Zoom",
+ "transitionpanel.concave": "Concave",
"editpanel.addTextBox": "Añade una caja de texto",
"editpanel.Image": "Añadir imagen",
"editpanel.Video": "Añadir video",
@@ -615,6 +821,20 @@
"UserCollections.collections.shared": "Listas de reproducción compartidas",
"UserCollections.collections.delete.title": "Borrar lista de reproducción",
"UserCollections.collections.delete.text": "¿Está seguro que quiere eliminar esta lista de reproducción?",
+ "footer.sr.header": "Information about SlideWiki",
+ "footer.header": "About",
+ "footer.about": "About Us",
+ "footer.contact": "Contáctenos",
+ "footer.guides": "Guides and Help",
+ "footer.accessibility": "Accessibility",
+ "footer.terms.header": "Terms & Conditions",
+ "footer.terms": "Términos",
+ "footer.license": "License",
+ "footer.imprint": "Imprint",
+ "footer.data": "Data Protection",
+ "footer.funding": "Funding",
+ "footer.funding.text": "The SlideWiki project has received funding from the European Union's Horizon 2020 research and innovation programme under grant agreement No 688095",
+ "footer.copyright": "Copyright © 2018 All Rights Reserved",
"header.signin": "Registrarse",
"header.signin.mobile": "Registrarse",
"header.mydecks.mobile": "Presentaciones",
@@ -757,8 +977,13 @@
"dataProtection.8.email": "data-protection(at)zv.fraunhofer.de",
"dataProtection.9.header": "9. Aceptación validación y modificación de las condiciones de protección de datos",
"dataProtection.9.p1": "Al usar nuestro sitio web, usted acepta implícitamente el uso de sus datos personales como se ha especificado anteriormente. Esta declaración actual de condiciones de protección de datos entró en vigencia el 1 de Octubre de 2013. A medida que nuestro sitio web evolucione y las nuevas tecnologías entren en funcionamiento, puede ser necesario enmendar el enunciado de las condiciones de protección de datos. Fraunhofer-Gesellschaft se reserva el derecho de modificar sus condiciones de protección de datos en cualquier momento, con efecto a partir de una fecha futura. Le recomendamos que vuelva a leer la última versión de vez en cuando.",
+ "decklist.featured.alt": "Featured Image.",
"decklist.decklanguage": "Lenguaje por defecto",
+ "decklist.decknumberofslides": "Number of slides",
"decklist.forkcount": "Cantidad de forks",
+ "decklist.likecount": "Número de likes",
+ "decklist.numberofshares": "Number of shares",
+ "decklist.numberofdownloads": "Number of downloads",
"decklist.featured.notavailable": "No hay presentaciones destacadas disponibles.",
"decklist.recent.notavailable": "No hay presentaciones recientes disponibles",
"decklist.meta.creator": "Creador",
@@ -807,12 +1032,12 @@
"home.findSlidesContent": "SlideWiki ofrece recursos y cursos abiertos en una amplia gama de temas y niveles educativos. Las diapositivas y las presentaciones se pueden reutilizar y adaptar para satisfacer sus necesidades",
"home.createSlides": "Crear diapositivas",
"home.createSlidesSubtitle": "Añadir y adaptar material de curso",
- "home.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
+ "home.createSlidesContent": "Cree una nueva presentación o importe las diapositivas existentes desde los ficheros de PowerPoint (*.pptx) o OpenDocumentPresentation (*.odp). Sus diapositivas importadas se convertirán en diapositivas HTML para permitirle continuar editando y agregando nuevas diapositivas.",
"home.sharingSlides": "Compartir diapositivas",
"home.sharingSlidesSubtitle": "Presenta, Comparte y Comunica",
"home.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
"home.getStarted": "Get started right away.",
- "home.signIn": "Sign in",
+ "home.signIn": "Registrarse",
"home.getStartedDescription": "Create an account to start creating and sharing your decks.",
"home.decks": "Open educational resources for all learning environments",
"home.schools": "Schools",
@@ -825,8 +1050,36 @@
"home.slideWikiAbout": "El proyecto SlideWiki",
"home.slideWikiAboutContent": "SlideWiki is an online slideshow tool that offers users the chance to create and collaborate on slides, assessments and to share content as structured open educational resources using a Creative Commons licence. With SlideWiki you can engage with your audience by collaborating with colleagues to co-design and co-create course materials and share your knowledge across the world. SlideWiki is an open-source platform, and all its content can be reused under Creative Commons CC-BY-SA license. SlideWiki development, large-scale trials and underlying research is funded from Framework Programme for Research and Innovation Horizon 2020 under grant agreement no 688095. The project involves 17 partners to develop, test and trial SlideWiki.",
"home.slideWikiAboutVisit": "Visita el sitio web del proyecto",
- "home.myDecks": "My Decks.",
+ "home.myDecksLink": "Mis presentaciones",
"home.seeMoreDecks": "See more decks",
+ "home.leanrMoreSW": "Learn more about SlideWiki",
+ "home.featuredDeck": "Featured Deck",
+ "imprint.licensing.text": "Content on the SlideWiki OCW Authoring platform is licensed under the Creative Commons Attribution-ShareAlike 4.0 International (CC BY-SA 4.0), Creative Commons Attribution 4.0 International (CC BY 4.0), or Creative Commons 1.0 Universal Public Domain Dedication (CC0 1.0) – unless otherwise marked. See the CC {link_licenses} for more information.",
+ "imprint.software.text": "All of SlideWiki’s software code is Open Source software; please check our code repository.",
+ "imprint.header": "Imprint – also serves as provider identification according to § 5 Telemediengesetz (TMG)",
+ "imprint.provider": "Provider",
+ "imprint.representative": "Authorised Representative",
+ "imprint.representative.text": "Prof. Dr. Sören Auer (Director of TIB)",
+ "imprint.representative.text2": "Technische Informationsbibliothek (TIB) is a foundation of public law of the state of Lower Saxony.",
+ "imprint.authority": "Responsible Supervisory Authority",
+ "imprint.authority.text": "Ministry for Science and Culture of Lower Saxony",
+ "imprint.contact": "Contact",
+ "imprint.VAT": "VAT (sales tax) registration number",
+ "imprint.editorialOffice": "Editorial Office",
+ "imprint.copyright": "Copyright",
+ "imprint.copyright.text": "The layout of this website is protected under copyright, as are the graphics and all other contents contained in the website.",
+ "imprint.content": "Content Available",
+ "imprint.content.text1": "Provided as-is:",
+ "imprint.content.text2": "You acknowledge that we do not make any representations or warranties about the material, data, and information, such as data files, text, computer software, code, music, audio files or other sounds, photographs, videos, or other images (collectively, the “Content”) which you may have access to through your use of SlideWiki. Under no circumstances are we liable in any way for any Content, including, but not limited to: any infringing Content, any errors or omissions in Content, or for any loss or damage of any kind incurred as a result of the use of any Content posted, transmitted, linked from, or otherwise accessible through or made available via SlideWiki. You understand that by using SlideWiki, you may be exposed to Content that is offensive, indecent, or objectionable. You agree that you are solely responsible for your reuse of Content made available through SlideWiki. You should review the terms of the applicable license before you use the Content so that you know what you can and cannot do.",
+ "imprint.licensing": "Licensing",
+ "imprint.licenses.page": "licenses page",
+ "imprint.software": "SlideWiki Software",
+ "imprint.repository": "repository",
+ "imprint.content2": "Content Supplied by You",
+ "imprint.content2.text": "Your responsibility: You represent, warrant, and agree that no Content posted or otherwise shared by you on or through SlideWiki (“Your Content”), violates or infringes upon the rights of any third party, including copyright, trademark, privacy, publicity, or other personal or proprietary rights, breaches or conflicts with any obligation, such as a confidentiality obligation, or contains libelous, defamatory, or otherwise unlawful material.",
+ "imprint.licensing.2": "Licensing Your Content: You retain any copyright that you may have in Your Content. You hereby agree that Your Content: (a) is hereby licensed under the Creative Commons Attribution 4.0 License and may be used under the terms of that license or any later version of a Creative Commons Attribution License, or (b) is in the public domain (such as Content that is not copyrightable or Content you make available under CC0), or © if not owned by you, (i) is available under a Creative Commons Attribution 4.0 License or (ii) is a media file that is available under any Creative Commons license.",
+ "imprint.disclaimer": "Disclaimer",
+ "imprint.disclaimer.text": "We cannot assume any liability for the content of external pages. Solely the operators of those linked pages are responsible for their content.",
"licence.ccBySaLicenceLogo": "Logotipo Autorizado Creative Commons BY-SA",
"licence.1.p2": "Obtenga más información sobre CC BY-SA y acceda al texto completo de la licencia accediendo a {link_1}.",
"licence.1.3.p2": "{link_1} enumera las fuentes de materiales publicados bajo las licencias Creative Commons. Algunos servicios multimedia como Flickr, YouTube y Vimeo publican algunos contenidos bajo licencias Creative Commons. El contenido marcado como \"Todos los derechos reservados\" no se puede incluir en SlideWiki.",
@@ -858,10 +1111,23 @@
"licence.4.header": "Avisos",
"licence.4.p1": "El sitio web de SlideWiki y su contenido se proporcionan \"as is\". No ofrecemos garantías, explícitas o implícitas con respecto a cualquier contenido, el sitio web o la precisión de cualquier información. Esta licencia puede no otorgarle todos los permisos necesarios para su uso previsto. Por ejemplo, otros derechos como la publicidad, la privacidad o los derechos morales pueden limitar la forma en que utiliza el material. Nos reservamos el derecho de eliminar material y contenido que creemos que infringe los requisitos de copyright y licencia.",
"recent.header": "Presentaciones recientes añadidas por los usuarios",
+ "staticPage.findSlides": "Encontrar diapositivas",
+ "staticPage.findSlidesSubtitle": "Explorar la presentación:",
+ "staticPage.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics.",
+ "staticPage.createSlides": "Crear diapositivas",
+ "staticPage.createSlidesSubtitle": "Añadir y adaptar material de curso",
+ "staticPage.createSlidesContent": "Create a new deck or import existing slides to create HTML slide decks.",
+ "staticPage.sharingSlides": "Compartir diapositivas",
+ "staticPage.sharingSlidesSubtitle": "Presenta, Comparte y Comunica",
+ "staticPage.sharingSlidesContent": "Collaborate on decks with peers. Group decks in playlists and share via social media or email.",
+ "staticPage.getStarted": "Get started right away.",
+ "staticPage.signIn": "Registrarse",
+ "staticPage.getStartedDescription": "Create an account to start creating and sharing your decks.",
+ "staticPage.myDecks": "My Decks.",
"terms.mainTitle": "Términos de uso de SlideWiki",
"terms.summary": "This is a human-readable summary of the Terms of Use for SlideWiki (the project).",
- "terms.disclaimer": "Disclaimer: This summary is not a part of the Terms of Use and is not a legal document. It is simply a handy reference for understanding the full terms. Think of it as the user-friendly interface to the legal language of our Terms of Use.",
- "terms.missionTitle": "Part of our mission is to:",
+ "terms.disclaimer": "Advertencia: este resumen no forma parte de los Términos de Uso y no es un documento legal. Es simplemente una referencia práctica para entender los términos completos. Piense en ello como la interfaz amigable para el lenguage legal de nuestros Términos de Uso.",
+ "terms.missionTitle": "Parte de nuestra misión es:",
"terms.mission1": "Empower and engage people around the world to collect and develop educational content and either publish it under a free license or dedicate it to the public domain.",
"terms.mission2": "Disseminate this content effectively and globally, free of charge.",
"terms.freeTo": "Eres libre de:",
@@ -881,19 +1147,6 @@
"terms.paragraph1": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Vivamus id nisl magna. Sed a metus vel dui vehicula viverra. Quisque sed tellus at justo semper dictum. Nullam at rutrum leo. Vivamus at aliquam metus. Aliquam nec nunc in libero posuere hendrerit nec at lacus. Nunc malesuada lobortis tortor nec porta. Cras vulputate mollis nisi, at sollicitudin quam eleifend ac. Nam sed venenatis turpis. Sed vestibulum malesuada nunc vitae ultricies. Donec bibendum ultrices facilisis. Mauris sollicitudin mi et vulputate rhoncus.",
"terms.paragraph2": "Mauris tincidunt, urna non aliquam dapibus, enim metus varius tellus, non dignissim urna odio ac augue. Fusce id lacinia ipsum, id egestas dui. Suspendisse nec quam vel mi tincidunt bibendum a vel mauris. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia Curae; Proin magna elit, molestie eu libero ut, bibendum facilisis turpis. Mauris sem lorem, dignissim a ex sit amet, suscipit fermentum turpis. Integer porttitor arcu non porttitor faucibus. Fusce nisi risus, rutrum vitae vulputate vitae, consectetur et nunc. Aliquam placerat ipsum felis, nec fermentum arcu sagittis nec. Aenean imperdiet laoreet quam ac placerat. Ut accumsan tristique elementum. Etiam congue venenatis lorem, malesuada tristique mauris congue vel. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Nam tincidunt libero a nisi consequat sodales.",
"terms.paragraph3": "Aliquam vitae velit iaculis, vestibulum felis eu, lacinia risus. Donec mollis enim nec accumsan tristique. Morbi dapibus condimentum erat quis placerat. Integer velit augue, sodales quis scelerisque nec, facilisis nec velit. Maecenas rhoncus sagittis lectus, vel feugiat nulla aliquet quis. Quisque condimentum sapien nec eros tristique, vitae pulvinar sem tempus. Nulla ut odio id elit accumsan interdum. Maecenas sagittis sed sem a malesuada. Vivamus venenatis ex sed ex pretium, et pellentesque purus vehicula. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egesta",
- "terms.findSlides": "Find slides",
- "terms.findSlidesSubtitle": "Explore the deck lorem ipsum",
- "terms.findSlidesContent": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Aenean eget elit sapien. Nunc semper urna in lectus consectetur fermentum. Vestibulum eu sem pulvinar, sollicitudin ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet aliquam n ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet.",
- "terms.createSlides": "Create slides",
- "terms.createSlidesSubtitle": "Learn how to create slides with SlideWiki",
- "terms.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
- "terms.sharingSlides": "Sharing slides",
- "terms.sharingSlidesSubtitle": "Present, Share and Communicate",
- "terms.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
- "terms.getStarted": "Get started right away.",
- "terms.signIn": "Sign in",
- "terms.getStartedDescription": "Create an account to start creating and sharing your decks.",
- "terms.myDecks": "My Decks.",
"welcome.3.slideshowMode": "Use {strong} para ver una presentación como una presentación de diapositivas. Incluye una vista con temporizador y notas del orador.",
"welcome.3.shareDecks": "{strong} a través de las redes sociales o correo electrónico.",
"welcome.3.comments": "Añada {strong} a presentaciones y diapositivas para interactuar con otros alumnos.",
@@ -934,12 +1187,16 @@
"LoginModal.placeholder.email": "Correo electrónico",
"LoginModal.placeholder.password": "Contraseña",
"userSignIn.headerText": "Registrarse",
+ "LoginModal.aria.google": "sign in with your Google account",
+ "LoginModal.aria.github": "sign in with your Github account",
"LoginModal.label.email": "e-mail",
"LoginModal.label.password": "Contraseña",
"LoginModal.button.signIn": "Registrarse",
"LoginModal.text.iCannotAccessMyAccount": "No puedo acceder a mi cuenta",
"LoginModal.text.dontHaveAnAccount": "¿No tienes una cuenta?. Regístrate aquí.",
"LoginModal.button.close": "Cierra",
+ "Migrate.text1": "We are merging your user account. This will take just a few seconds.",
+ "Migrate.text2": "You will be directed to next view.",
"resetPassword.mailprompt": "Por favor, introduce tu dirección de correo electrónico",
"resetPassword.mailprompt2": "Por favor, introduce una dirección de correo electrónico válida",
"resetPassword.mailreprompt": "Por favor, vuelve a introducir tu correo electrónico",
@@ -961,6 +1218,19 @@
"SSOSignIn.errormessage.isForbidden": "La migración no es posible con este usuario. Por favor, comience de nuevo.",
"SSOSignIn.errormessage.accountNotFound": "Esta cuenta no ha sido preparada para migración. Por favor, comience nuevamente.",
"SSOSignIn.errormessage.badImplementation": "Un error desconocido ha ocurrido.",
+ "socialLogin.text1": "We are acquiring your data. This will take just a few seconds.",
+ "socialLogin.text2": "This window will close automatically.",
+ "UserMenuDropdown.mydecks": "Mis presentaciones",
+ "UserMenuDropdown.decks": "Presentaciones",
+ "UserMenuDropdown.myplaylists": "My Playlists",
+ "UserMenuDropdown.playlists": "Listas de reproducción",
+ "UserMenuDropdown.mygroups": "Mis grupos",
+ "UserMenuDropdown.groups": "Grupos",
+ "UserMenuDropdown.mySettings": "Mi configuración",
+ "UserMenuDropdown.settings": "Configuraciones",
+ "UserMenuDropdown.myNotifications": "Mis notificaciones",
+ "UserMenuDropdown.notifications": "Notificaciones",
+ "UserMenuDropdown.signout": "Desconectar",
"paintModal.title": "Dibuja tu propia imagen SVG",
"paintModal.primaryColourInput": "Color primario",
"paintModal.secondaryColourInput": "Color secundario",
@@ -968,7 +1238,7 @@
"paintModal.transparencyInput": "Transparencia del objeto",
"paintModal.drawingMode": "Modo dibujo",
"paintModal.selectMode": "Modo selección",
- "paintModal.addToSlide": "Add to Slide",
+ "paintModal.addToSlide": "Añada a la diapositiva",
"oaintModal.paintHeading": "Dibuja y pinta",
"paintModal.licenseHeading": "Información de la licencia",
"paintModal.undo": "Deshacer",
@@ -984,8 +1254,8 @@
"paintModal.addTriangle": "Añade triángulo",
"paintModal.addArrow": "Añade flecha",
"paintModal.instruction": "Draw inside the canvas using the tools provided.",
- "paintModal.copyrightholder": "Copyrightholder",
- "paintModal.imageAttribution": "Image created by/ attributed to:",
+ "paintModal.copyrightholder": "Titular de derechos de autor",
+ "paintModal.imageAttribution": "Imagen creada por / atribuida a:",
"paintModal.imageTitle": "Título:",
"paintModal.imageTitleAria": "Título de la imagen",
"paintModal.imageDescription": "Texto descripción/alt",
@@ -1054,9 +1324,13 @@
"SearchPanel.filters.tags.title": "Etiquetas",
"SearchPanel.filters.tags.placeholder": "Seleccionar etiquetas",
"SearchPanel.button.submit": "Enviar",
+ "DeckFilter.Tag.Topic": "Área",
+ "DeckFilter.Education": "Nivel de Educación",
"Facets.languagesFacet": "Idiomas",
"Facets.ownersFacet": "Dueños",
"Facets.tagsFacet": "Etiquetas",
+ "Facets.educationLevelFacet": "Education Levels",
+ "Facets.topicsFacet": "Subjects",
"Facets.showMore": "muestra más",
"Facets.showLess": "muestra menos",
"SearchResultsItem.otherVersions.deck": "Versiones de presentación {índice}: {título}",
@@ -1090,8 +1364,8 @@
"SSOSignIn.errormessage.deactivatedOrUnactivated": "Su cuenta de usuario debe activarse a través del enlace de activación en su correo electrónico o está desactivada en general.",
"CategoryBox.personalSettings": "Configuración personal",
"CategoryBox.profile": "Perfil",
- "CategoryBox.account": "Cuenta",
- "CategoryBox.authorizedAccounts": "Cuentas autorizadas",
+ "CategoryBox.account": "Accounts",
+ "CategoryBox.authorizedAccounts": "Authorized Accounts & Services",
"CategoryBox.userStats": "Estadísticas de Usuario",
"CategoryBox.groups": "Grupos",
"CategoryBox.myGroups": "Mis grupos",
@@ -1139,9 +1413,10 @@
"user.deck.linkLabel": "Deck: {title}. Last updated {update} ago",
"user.deckcard.likesnumber": "Número de likes",
"user.deckcard.lastupdate": "Última actualización",
- "user.deckcard.opendeck": "Open deck",
- "user.deckcard.slideshow": "Open slideshow in new tab",
+ "user.deckcard.opendeck": "Abrir presentación",
+ "user.deckcard.slideshow": "Abrir presentación de diapositivas en una nueva pestaña",
"user.deckcard.unlisted": "Unlisted",
+ "user.populardecks.notavailable": "No decks available",
"Integration.swalTitle3": "Error",
"Integration.swalText3": "El proveedor no se ha desactivado, porque sucedió algo inesperado. Por favor, inténtelo de nuevo más tarde.",
"Integration.swalbutton3": "Confirmado",
@@ -1164,7 +1439,8 @@
"Integration.disableGithub": "Desactivar",
"Integration.enableGithub": "Activar",
"Integration.loading": "Cargando",
- "user.populardecks.notavailable": "No decks available",
+ "Integration.ltis": "Learning Services (LTIs)",
+ "Integration.myLTIs": "My Learning Services",
"user.userProfile.privatePublicProfile.allStatus": "Todo",
"user.userProfile.privatePublicProfile.publicStatus": "Publicado",
"user.userProfile.privatePublicProfile.hiddenStatus": "Unlisted",
@@ -1177,7 +1453,7 @@
"UserDecks.header.sharedDecks": "Presentaciones compartidas",
"user.userProfile.userDecks.loadMore": "Cargar más",
"user.userProfile.userDecks.loading": "Cargando",
- "user.userProfile.userDecks.error": "An unexpected error occurred while fetching more decks",
+ "user.userProfile.userDecks.error": "Un error inesperado ha ocurrido mientras se cargaban más presentaciones",
"UserMenu.myDecks": "Mis presentaciones",
"UserMenu.ownedDecks": "Presentaciones propias",
"UserMenu.sharedDecks": "Presentaciones compartidas",
@@ -1209,12 +1485,20 @@
"UserProfile.deactivateAccount": "Desactivar cuenta",
"user.userRecommendations.changeOrder": "cambia orden",
"user.userRecommendations.loading": "Cargando",
- "user.userRecommendations.recommendedDecks": "Recommended Decks",
+ "user.userRecommendations.recommendedDecks": "Presentaciones recomendadas",
"user.userRecommendations.ranking": "Ranking",
"user.userRecommendations.lastUpdated": "Última actualización",
"user.userRecommendations.creationDate": "Fecha de creación",
"user.userRecommendations.title": "Título",
+ "Stats.userStatsTitle": "User Statistics",
"Stats.tagCloudTitle": "Etiquetas populares",
+ "Stats.userEngagementTitle": "User Engagement Overview",
+ "Stats.activeEngagement": "Active Engagement",
+ "Stats.passiveEngagement": "Passive Engagement",
+ "Stats.socialEngagement": "Social Engagement",
+ "Stats.activeEngagementDesc": "The degree of active participation based on the user's content creation history",
+ "Stats.passiveEngagementDesc": "The degree of passive participation based on the user's content usage",
+ "Stats.socialEngagementDesc": "The degree of social interaction through SW content",
"UserRegistration.firstName_prompt": "Por favor, ingrese su nombre",
"UserRegistration.lastName_prompt": "Por favor, ingrese su apellido",
"UserRegistration.userName_prompt": "Por favor, seleccione su nombre de usuario",
@@ -1264,6 +1548,11 @@
"UserRegistration.form_terms": "Al hacer clic en Registro usted da su consentimiento a nuestro",
"UserRegistration.form_terms2": "Términos",
"UserRegistration.noAccess": "No puedo acceder a mi cuenta",
+ "UserRegistration.emailRegistered": "This E-Mail has already been registered by someone else. Please use another one.",
+ "UserRegistration.usernameRegistered": "This Username has already been registered by someone else. Please choose another one.",
+ "UserRegistration.username.suggestion": "Here are some suggestions:",
+ "UserRegistration.SSO.title": "Sign up with an account of another SlideWiki instance",
+ "UserRegistration.SSO.aria": "Sign up with another SlideWiki instance",
"UserRegistrationSocial.firstnameprompt": "Por favor ingrese su nombre",
"UserRegistrationSocial.lastnameprompt": "Por favor ingrese su apellido",
"UserRegistrationSocial.usernameprompt": "Por favor seleccione su nombre de usuario",
@@ -1278,6 +1567,7 @@
"UserRegistrationSocial.confirm": "Ok",
"UserRegistrationSocial.emailNotAllowed": "Esta dirección de correo electrónico ya ha sido utilizada por alguien más. Por favor escoja otra.",
"UserRegistrationSocial.usernameNotAllowed": "El Nombre de usuario ya ha sido utilizado por alguien más. Por favor escoja otro.",
+ "UserRegistrationSocial.usernamesuggestion": "Here are some suggestions:",
"UserRegistrationSocial.validate": "Validar la información del usuario",
"UserRegistrationSocial.fname": "Nombre*",
"UserRegistrationSocial.lname": "Apellido*",
@@ -1287,13 +1577,13 @@
"UserRegistrationSocial.account": "No puedo acceder a mi cuenta",
"UserRegistrationSocial.cancel": "Cancelar",
"ChangePicture.Groups.modalTitle": "Archivo grande",
- "ChangePicture.Groups.modalText": "The selected file is quite big (> 10MB). This could cause problems like a white profile picture. You should upload a smaller picture if you notice strange things.",
+ "ChangePicture.Groups.modalText": "El fichero seleccionado es demasiado grande (>10MB). Esto causar problemas, como acabar con una imagen de perfil blanca. Deberías subir una imagen más pequeña si no quieres notar cosas extrañas.. ",
"ChangePicture.Groups.modalTitle2": "Tipo de archivo erróneo",
"ChangePicture.Groups.modalText2": "Cargar una nueva imagen",
"ChangePicture.Group.upload": "Cargar nueva imagen",
"ChangePicture.Group.remove": "Elimina imagen",
- "ChangeGroupPictureModal.modalTitle": "Photo selection not processible!",
- "ChangeGroupPictureModal.modalText": "Sorry, we could not process your chosen selection. Please try again with a different photo or selection.",
+ "ChangeGroupPictureModal.modalTitle": "¡La selección de fotos no es procesable!",
+ "ChangeGroupPictureModal.modalText": "Lo sentimos, no pudimos procesar su selección. Por favor, intente de nuevo con una foto o selección diferente.",
"ChangeGroupPictureModal.description": "This modal is used to crop and save a picture meant to be used as a group picture.",
"ChangeGroupPictureModal.cancel": "Cancelar",
"ChangeGroupPictureModal.save": "Salvar",
diff --git a/intl/fr.json b/intl/fr.json
index 1ecb7bdfa..aec30a7a9 100644
--- a/intl/fr.json
+++ b/intl/fr.json
@@ -29,6 +29,9 @@
"AddDeck.form.label_themes": "Choisir le thème du deck.",
"AddDeck.form.label_description": "Description",
"add.help": "Help decks",
+ "AddDeck.sr.education": "Select education level of deck content",
+ "AddDeck.sr.subject": "Select subject of deck content from autocomplete. Multiple subjects can be selected",
+ "AddDeck.sr.tags": "Add tags or keywords for your deck. Multiple tags can be provided.",
"DeckProperty.Education.Choose": "Choose Education Level",
"DeckProperty.Tag.Topic.Choose": "Choose Subject",
"DeckProperty.Tag.Choose": "Choose Tags",
@@ -37,6 +40,9 @@
"AddDeck.form.label_terms2": " les termes et conditions de SlideWiki.",
"AddDeck.form.label_terms3": "et que le contenu que je télécharge, crée et édite peut être publié sous une licence Creative Commons ShareAlike.",
"AddDeck.form.label_termsimages": "J'accepte que les images de mes diapositives importées soient dans le domaine public ou mises à disposition sous licence Creative Commons Attribution (CC-BY ou CC-BY-SA).",
+ "activationMessages.swalTitle": "Account activated",
+ "activationMessages.swalText": "Your account has been successfully activated. You are now able to login",
+ "activationMessages.swalConfirm": "Presque",
"header.cookieBanner": "This website uses cookies.",
"CountryDropdown.placeholder": " Sélectionnez votre pays.",
"CountryDropdown.Afghanistan": "Afghanistan",
@@ -288,7 +294,7 @@
"LanguageDropdown.english": "Anglais",
"LanguageDropdown.tooltip": "Il y en aura d'autres à l'avenir",
"LanguageDropdown.placeholder": "Sélectionnez votre langue",
- "uploadMediaModal.swal_error_title": "Error",
+ "uploadMediaModal.swal_error_title": "Erreur",
"uploadMediaModal.swal_error_text": "Reading the selected file failed. Check you privileges and try again",
"uploadMediaModal.drop_message1": "Drop a file directly from your filebrowser here to upload it.",
"uploadMediaModal.drop_message2": "Alternatively, click",
@@ -311,28 +317,193 @@
"uploadMediaModal.licence_content": "Select a license",
"uploadMediaModal.media_terms_aria": "Agree to terms and conditions",
"uploadMediaModal.media_terms_label1": "I confirm that I have the rights to upload this image as per the SlideWiki",
- "uploadMediaModal.media_terms_label2": "terms and conditions",
+ "uploadMediaModal.media_terms_label2": " les termes et conditions de SlideWiki.",
"uploadMediaModal.media_terms_label3": "and that the",
"uploadMediaModal.media_terms_label4": "license information",
"uploadMediaModal.media_terms_label5": "I have provided is correct.",
"uploadMediaModal.submit_button_text1": "Next",
- "uploadMediaModal.submit_button_text2": "Upload",
- "uploadMediaModal.loading_text": "Loading",
- "uploadMediaModal.cancel_button": "Cancel",
+ "uploadMediaModal.submit_button_text2": "Télécharger",
+ "uploadMediaModal.loading_text": "Chargement",
+ "uploadMediaModal.cancel_button": "Annuler",
"uploadMediaModal.background_aria": "Use as background image?",
"uploadMediaModal.background_message1": "Use as background image?",
"CollectionsList.partOfPlaylists": "This deck is part of the following playlists",
"CollectionsListItem.removeTooltip": "Remove",
"CollectionsListItem.removeAria": "Remove current deck from collection",
"CollectionsListItem.noDescription": "No description provided",
- "CollectionsPanel.header": "Playlists",
+ "CollectionsPanel.header": "Liste de conférences",
"CollectionsPanel.createCollection": "Add to new playlist",
"CollectionsPanel.ariaCreateCollection": "Add to new playlist",
- "CollectionsPanel.error.title": "Error",
+ "CollectionsPanel.error.title": "Erreur",
"CollectionsPanel.error.removeDeck": "An error occured while removing playlist from deck...",
"CollectionsPanel.error.adDeck": "An error occured while adding playlist to the deck...",
"CollectionsPanel.addToPlaylist": "Add deck to playlist",
+ "AddComment.form.comment_title_placeholder": "Titre",
+ "AddComment.form.comment_text_placeholder": "Text",
+ "AddComment.form.label_comment_title": "Comment title",
+ "AddComment.form.label_comment_text": "Comment text",
+ "AddComment.form.button_submit": "Soumettre",
+ "AddComment.form.button_cancel": "Annuler",
+ "AddReply.form.reply_text_placeholder": "Text",
+ "AddReply.form.label_reply_title": "Reply title",
+ "AddReply.form.label_reply_text": "Reply text",
+ "AddReply.form.button_add": "Add Reply",
+ "Comment.form.revision_note": "revision",
+ "Comment.form.from_note": "from",
+ "Comment.form.comment_removed": "Comment was removed",
+ "Comment.form.delete_aria": "Delete comment",
+ "Comment.form.label_reply": "Reply",
+ "ContentDiscussionPanel.form.no_comments": "There are currently no comments for this",
+ "ContentDiscussionPanel.form.button_add": "Add comment",
+ "ContentDiscussionPanel.form.comments": "Commentaires",
+ "ContentChangeItem.swal.text": "This action will restore the slide to an earlier version. Do you want to continue?",
+ "ContentChangeItem.swal.confirmButtonText": "Yes, restore slide",
+ "ContentChangeItem.swal.cancelButtonText": "Non",
+ "ContentChangeItem.form.add_description": "added",
+ "ContentChangeItem.form.copy_description": "created a duplicate of",
+ "ContentChangeItem.form.attach_description": "attached",
+ "ContentChangeItem.form.fork_description": "created a fork of deck",
+ "ContentChangeItem.form.translate_description_added": "added",
+ "ContentChangeItem.form.translate_description_translation": "translation for",
+ "ContentChangeItem.form.revise_description": "created a new version of",
+ "ContentChangeItem.form.rename_description_renamed": "renamed",
+ "ContentChangeItem.form.rename_description_to": "to",
+ "ContentChangeItem.form.revert_description_restored": "restored",
+ "ContentChangeItem.form.revert_description_to": "to an earlier version",
+ "ContentChangeItem.form.remove_description": "removed",
+ "ContentChangeItem.form.edit_description_slide_translation": "edited slide translation",
+ "ContentChangeItem.form.edit_description_slide": "edited slide",
+ "ContentChangeItem.form.move_description_slide": "moved the slide",
+ "ContentChangeItem.form.move_description_deck": "moved the deck",
+ "ContentChangeItem.form.move_description": "moved",
+ "ContentChangeItem.form.update_description": "updated deck",
+ "ContentChangeItem.form.default_description": "updated the deck",
+ "ContentChangeItem.form.button_compare": "Compare to current slide version",
+ "ContentChangeItem.form.button_restore": "Restore slide",
+ "ContentChangeItem.form.button_view": "View slide",
+ "ContentChangeItem.form.date_on": "on",
+ "ContentChangeItem.form.date_at": "at",
+ "DeckHistoryPanel.swal.text": "This action will create a new version for this deck. Do you want to continue?",
+ "DeckHistoryPanel.swal.confirmButtonText": "Yes, create a new version",
+ "DeckHistoryPanel.swal.cancelButtonText": "Non",
+ "DeckHistoryPanel.form.button_aria": "Create a new version of this deck",
+ "DeckHistoryPanel.form.button_content": "Create a new version",
+ "DeckRevision.swal.text": "This action will restore the deck to an earlier version. Do you want to continue?",
+ "DeckRevision.swal.confirmButtonText": "Yes, restore deck",
+ "DeckRevision.swal.cancelButtonText": "Non",
+ "DeckRevision.form.icon_aria_saved": "Saved at",
+ "DeckRevision.form.date_on": "on",
+ "DeckRevision.form.date_at": "at",
+ "DeckRevision.form.by": "by",
+ "DeckRevision.form.button_aria_show": "Show details",
+ "DeckRevision.form.version_changes": "Version changes",
+ "DeckRevision.form.button_aria_restore": "Restore deck",
+ "DeckRevision.form.button_aria_view": "View deck in new tab",
+ "DeckRevisionChanges.form.no_changes": "There are no changes for this version.",
+ "SlideHistoryPanel.form.no_changes": "There are no changes for this slide.",
+ "ContentModulesPanel.form.label_sources": "Sources",
+ "ContentModulesPanel.form.label_tags": "Tags",
+ "ContentModulesPanel.form.label_comments": "Commentaires",
+ "ContentModulesPanel.form.label_history": "History",
+ "ContentModulesPanel.form.label_usage": "Usage",
+ "ContentModulesPanel.form.label_questions": "Questions",
+ "ContentModulesPanel.form.label_playlists": "Liste de conférences",
+ "ContentModulesPanel.form.aria_additional": "Additional deck tools",
+ "ContentModulesPanel.form.dropdown_text": "Tools",
+ "ContentModulesPanel.form.header": "Content Tools",
+ "ContentQuestionAdd.no_question": "Please, enter question",
+ "ContentQuestionAdd.no_answers": "Please, add answers",
+ "ContentQuestionAdd.form.question": "Question",
+ "ContentQuestionAdd.form.difficulty": "Difficulty",
+ "ContentQuestionAdd.form.difficulty_easy": "Easy",
+ "ContentQuestionAdd.form.difficulty_moderate": "Moderate",
+ "ContentQuestionAdd.form.difficulty_hard": "Hard",
+ "ContentQuestionAdd.form.answer_choices": "Answer Choices",
+ "ContentQuestionAdd.form.explanation": "Explanation (optional)",
+ "ContentQuestionAdd.form.exam_question": "This is an exam question",
+ "ContentQuestionAdd.form.button_save": "Sauver",
+ "ContentQuestionAdd.form.button_cancel": "Annuler",
+ "ContentQuestionAnswersList.form.button_answer_show": "Show answer",
+ "ContentQuestionAnswersList.form.button_answer_hide": "Hide answer",
+ "ContentQuestionAnswersList.form.button_edit": "Edit question",
+ "ContentQuestionAnswersList.form.explanation": "Explanation:",
+ "ContentQuestionEdit.no_question": "Please, enter question",
+ "ContentQuestionEdit.no_answers": "Please, add answers",
+ "ContentQuestionEdit.swal.text": "Delete this question. Are you sure?",
+ "ContentQuestionEdit.swal.confirmButtonText": "Yes, delete!",
+ "ContentQuestionEdit.form.question": "Question",
+ "ContentQuestionEdit.form.difficulty": "Difficulty",
+ "ContentQuestionEdit.form.difficulty_easy": "Easy",
+ "ContentQuestionEdit.form.difficulty_moderate": "Moderate",
+ "ContentQuestionEdit.form.difficulty_hard": "Hard",
+ "ContentQuestionEdit.form.answer_choices": "Answer Choices",
+ "ContentQuestionEdit.form.explanation": "Explanation (optional)",
+ "ContentQuestionEdit.form.exam_question": "This is an exam question",
+ "ContentQuestionEdit.form.button_save": "Sauver",
+ "ContentQuestionEdit.form.button_cancel": "Annuler",
+ "ContentQuestionEdit.form.button_delete": "Supprimer",
+ "ContentQuestionsItem.form.originally": "(originally from",
+ "ContentQuestionsPanel.form.no_questions": "There are currently no questions for this",
+ "ContentQuestionsPanel.form.button_exam": "Exam mode",
+ "ContentQuestionsPanel.form.button_select": "Select exam questions",
+ "ContentQuestionsPanel.form.button_add": "Add question",
+ "ContentQuestionsPanel.form.questions_header": "Questions",
+ "QuestionDownloadList.form.heading": "Select questions to download",
+ "QuestionDownloadList.form.button": "Select all",
+ "QuestionDownloadModal.form.download_aria": "Download Questions",
+ "QuestionDownloadModal.form.download_tooltip": "Download Questions as JSON format",
+ "QuestionDownloadModal.form.modal_description": "You can select one or more questions from this deck to download.",
+ "QuestionDownloadModal.form.button_cancel": "Annuler",
+ "QuestionDownloadModal.form.download_text": "Télécharger",
"questionpanel.handleDownloadQuestionsClick": "Download questions",
+ "QuestionDownloadModal.form.modal_header": "Download questions",
+ "ExamAnswersItem.form.answer_correct": "your answer was correct",
+ "ExamAnswersItem.form.answer_not_selected": "the correct answer which you did not select",
+ "ExamAnswersItem.form.answer_incorrect": "your answer was incorrect",
+ "ExamAnswersList.form.explanation": "Explanation:",
+ "ExamAnswersList.form.answer_incorrect": "Your answer to the question was incorrect",
+ "ExamList.swal.title": "Exam submitted",
+ "ExamList.swal.text": "Your score:",
+ "ExamList.form.button_submit": "Submit answers",
+ "ExamList.form.button_cancel": "Annuler",
+ "ExamPanel.form.no_questions": "There are currently no exam questions for this",
+ "ExamPanel.form.exam_mode": "Exam mode",
+ "ExamPanel.form.button_back": "Back",
+ "ExamQuestionsList.form.header": "Select exam questions",
+ "ExamQuestionsList.form.button_save": "Sauver",
+ "ExamQuestionsList.form.button_cancel": "Annuler",
+ "ContentUsageItem.form.by": "by",
+ "ContentUsageList.form.no_usage": "There is currently no usage of this",
+ "ContributorsPanel.form.no_contributors": "There are no contributors for this",
+ "ContributorsPanel.form.header": "Créateur",
+ "ContributorsPanel.form.title": "Contributors",
+ "DataSourceItem.form.originally": "originally from slide",
+ "DataSourcePanel.form.no_sources": "There are currently no sources for this",
+ "DataSourcePanel.form.button_add": "Add source",
+ "DataSourcePanel.form.header": "Sources",
+ "DataSourcePanel.form.show_more": "Show more ...",
+ "EditDataSource.no_title": "This field cannot be empty.",
+ "EditDataSource.valid_url": "The URL must be a valid one.",
+ "EditDataSource.valid_year": "Enter a valid number for a Year, which is less or equal the current one.",
+ "EditDataSource.form.header_edit": "Edit source",
+ "EditDataSource.form.header_add": "Add source",
+ "EditDataSource.form.placeholder_title": "Titre",
+ "EditDataSource.form.placeholder_authors": "Authors",
+ "EditDataSource.form.placeholder_year": "Year",
+ "EditDataSource.form.placeholder_comment": "Comment",
+ "EditDataSource.form.button_delete": "Supprimer",
+ "EditDataSource.form.type_webpage": "Web page",
+ "EditDataSource.form.type_webdocument": "Web document",
+ "EditDataSource.form.type_publication": "Publication",
+ "EditDataSource.form.type_person": "Person",
+ "EditDataSource.form.type_text": "Plain text",
+ "EditDataSource.form.label_type": "Type",
+ "EditDataSource.form.label_title": "Titre",
+ "EditDataSource.form.label_authors": "Authors",
+ "EditDataSource.form.label_year": "Year",
+ "EditDataSource.form.label_comment": "Comment",
+ "EditDataSource.form.button_submit": "Soumettre",
+ "EditDataSource.form.button_cancel": "Annuler",
"RecommendedTags.header": "Tags recommandés.",
"RecommendedTags.aria.add": "Ajouter un tag recommandé",
"RecommendedTags.aria.dismiss": "Rejeter la recommandation",
@@ -344,7 +515,7 @@
"TagsPanel.aria.edit": "Modifier les tags",
"TagsPanel.aria.save": "Sauvegarder les tags",
"TagsPanel.aria.cancel": "Annuler les tags",
- "TagsPanel.TagInput.placeholder": "Insert new tags",
+ "TagsPanel.TagInput.placeholder": " Insérer des tags nouveaux",
"editpanel.handleAddQuestionsClick": "Add questions",
"slidesModal.attachSlidesDescriptionStep1": " Vous pouvez attacher une ou plusieurs diapositives d'un autre deck. Sélectionnez d'abord votre deck contenant les diapositives ou recherchez SlideWiki pour un deck. Nous conseillons un maximum de 50 diapositives par (sous-)pont pour une performance/vitesse maximale pour visionner votre présentation. Vous pouvez également séparer une grande présentation, par exemple, une série de conférences, en une collection.",
"slidesModal.attachSlidesDescriptionStep2": "Sélectionnez les diapositives à attacher. Nous conseillons un maximum de 50 diapositives par (sous-)pont pour une performance/vitesse maximale pour visionner votre présentation. Vous pouvez également séparer une grande présentation, par exemple, une série de conférences, en une collection de decks.",
@@ -358,9 +529,9 @@
"ContentActionsHeader.addDeckButtonAriaText": "Ajouter un sous-deck",
"ContentActionsHeader.duplicateAriaText": "Dupliquer la diapositive",
"ContentActionsHeader.deleteAriaText": "Delete slide",
- "ContentActionsHeader.language": "Language",
+ "ContentActionsHeader.language": "Langue",
"ContentActionsHeader.translation": "Translation",
- "ContentActionsHeader.loading": "Loading",
+ "ContentActionsHeader.loading": "Chargement",
"downloadModal.downloadModal_header": "Télécharger ce deck",
"downloadModal.downloadModal_description": " Sélectionnez le format du fichier de téléchargement:",
"downloadModal.downloadModal_downloadButton": "Télécharger",
@@ -464,16 +635,36 @@
"DeckTranslationsModal.translate": " Créer une traduction",
"DeckTranslationsModal.originLanguage": "Original Language:",
"DeckTranslationsModal.switchSR": "Create a new deck translation",
+ "SlideTranslationsModal.header": "Translate Slide",
+ "SlideTranslationsModal.chooseSourceLanguage": "Choose the source language...",
+ "SlideTranslationsModal.chooseTargetLanguage": " Choisissez la langue cible...",
+ "SlideTranslationsModal.sourceTranslation": "Current language:",
+ "SlideTranslationsModal.targetTranslation": "Target language:",
+ "SlideTranslationsModal.autoSelect": "Current and target language are automatically selected. You may alter manually if required.",
+ "SlideTranslationsModal.alternativeTranslation1": "We have a limited amount of automatic translation each month. Alternatively, you can use the...",
+ "SlideTranslationsModal.alternativeTranslation2": "...built-in translation feature, ...",
+ "SlideTranslationsModal.alternativeTranslation3": "...translation extension or “app”, or translate via one of the Mozilla Firefox translations extensions (...",
+ "SlideTranslationsModal.openOriginal": "To assist with translation, you can open the current version of this deck in a new browser tab via the Play button.",
+ "SlideTranslationsModal.sourceLanguageSearchOptions": "(start typing to find the source language)",
+ "SlideTranslationsModal.targetLanguageSearchOptions": "(start typing to find the target language)",
+ "SlideTranslationsModal.cancel": "Annuler",
+ "SlideTranslationsModal.translate": "Translate slide",
+ "SlideTranslationsModal.originLanguage": "Original Language:",
+ "SlideTranslationsModal.switchSR": "Start a new slide translation",
"InfoPanelInfoView.selectLanguage": "Select language",
- "similarContentItem.creator": "Creator",
+ "Stats.deckUserStatsTitle": "User Activity",
+ "similarContentItem.creator": "Créateur",
"similarContentItem.likes": "Number of likes",
"similarContentItem.open_deck": "Open deck",
"similarContentItem.open_slideshow": "Open slideshow in new tab",
- "similarContentPanel.panel_header": "Recommended Decks",
- "similarContentPanel.panel_loading": "Loading",
+ "similarContentPanel.panel_header": "Ponts recommandés",
+ "similarContentPanel.panel_loading": "Chargement",
+ "slideEditLeftPanel.transitionAlertTitle": "Changing Transition for the presentation",
+ "slideEditLeftPanel.transitionAlertContent": "This transition will be used for the transition to this slide, do you want to proceed?",
"editpanel.slideSizeCurrent": "(current: {size})",
"editpanel.back": " arrière",
"editpanel.embed": "Intégrer",
+ "editpanel.lti": "LTI",
"editpanel.table": "Tableau",
"editpanel.Maths": "Mathématiques",
"editpanel.Code": "Code",
@@ -490,6 +681,14 @@
"editpanel.embedAdd": "Ajouter à la diapositive",
"editpanel.embedNote": "Not all website owners allow their content to be embedded. Using embed code provided by the website you want to embed (instead of URL) often works best.",
"editpanel.embedNoteTerms": "Please note that our terms (e.g., on malicious code and commercial material) also strictly apply to any content on webpages that you embed.",
+ "editpanel.ltiKey": "LTI Key:",
+ "editpanel.ltiKeyMissingError": "missing LTI key",
+ "editpanel.ltiURL": "URL/Link to LTI content:",
+ "editpanel.ltiURLMissingError": "URL/lien manquant vers le contenu",
+ "editpanel.ltiWidth": "Width of LTI content:",
+ "editpanel.ltiHeight": "Height of LTI content:",
+ "editpanel.ltiAdd": "Ajouter à la diapositive",
+ "editpanel.ltiNote": "Use an LTI URL and key.",
"editpanel.template2": "Document vide - Mode document (non-canvas)",
"editpanel.template3": " Document avec titre - Mode document (non-canvas)",
"editpanel.template31": " Document avec exemple de texte enrichi - Mode document (non-canvas)",
@@ -511,6 +710,7 @@
"editpanel.templateVMU": " Modèle VMU - Titre de page ",
"editpanel.slideTitleButton": " Modifier le nom du diaporama",
"editpanel.slideSizeChange": "Change slide size",
+ "editpanel.slideTransition": "Slide Transition",
"editpanel.changeBackgroundColor": "Change Background Colour",
"editpanel.removeBackground": "Remove background",
"editpanel.titleMissingError": "Erreur: le nom de la diapositive ne peut pas être vide",
@@ -526,6 +726,12 @@
"editpanel.slideSizeName720": "720p HDTV Wide XGA",
"editpanel.slideSizeWidescreen1080": "Grand écran (16:9) haut",
"editpanel.slideSizeName1080": "1080p/1080i HDTV Blu-ray",
+ "transitionpanel.none": "No slide transition",
+ "transitionpanel.convex": "Convex",
+ "transitionpanel.fade": "Fade",
+ "transitionpanel.slide": "Slide",
+ "transitionpanel.zoom": "Zoom",
+ "transitionpanel.concave": "Concave",
"editpanel.addTextBox": "Ajouter une boîte de texte",
"editpanel.Image": "Image",
"editpanel.Video": "Vidéo",
@@ -542,39 +748,39 @@
"CollectionPanel.creator": "Créateur",
"CollectionPanel.date": "Date",
"CollectionPanel.decks.title": "Decks in Liste de lecture",
- "CollectionPanel.decks.edit": "Edit",
+ "CollectionPanel.decks.edit": "Modifier",
"CollectionPanel.decks.edit.header": "Edit Playlist",
"CollectionPanel.save.reorder": "Sauver",
- "CollectionPanel.cancel.reorder": "Cancel",
+ "CollectionPanel.cancel.reorder": "Annuler",
"CollectionPanel.sort.default": "Ordre par défaut",
"CollectionPanel.sort.lastUpdated": "Last updated",
"CollectionPanel.sort.date": "Date de création",
"CollectionPanel.sort.title": "Titre",
"UserCollections.collections.subscribe": "Subscribe to this playlist",
"UserCollections.collections.unsubscribe": "You are subscribed to this playlist, click to unsubscribe",
- "GroupCollections.error.text": "Error",
+ "GroupCollections.error.text": "Erreur",
"GroupCollections.error.read": "An error occurred while fetching playlists. Please try again later.",
"GroupCollections.error.delete": "An error occurred while deleting playlist...",
- "GroupCollections.error.create": "An error occurred while creating playlist....",
- "GroupCollections.error.update": "An error occured while updating playlist...",
+ "GroupCollections.error.create": "Une erreur s'est produite lors de la création de la Liste de lecture.....",
+ "GroupCollections.error.update": "Une erreur s'est produite lors de la mise à jour de la Liste de lecture....",
"GroupCollections.collections.empty": "No playlists available",
- "GroupCollections.collections.create": "Create new Playlist",
- "GroupCollections.collections.delete": "Delete Playlist",
+ "GroupCollections.collections.create": "Créer une nouvelle liste de lecture",
+ "GroupCollections.collections.delete": "Supprimer la liste de lecture",
"GroupCollections.collections.settings": "Playlist Settings",
- "GroupCollections.collections.mycollections": "Playlists",
+ "GroupCollections.collections.mycollections": "Liste de conférences",
"GroupCollections.collections.owned": "Groups Playlists",
"GroupCollections.collections.group": "Playlists linked to this group",
- "GroupCollections.deck": "deck",
- "GroupCollections.decks": "decks",
- "GroupCollections.collections.shared": "Shared Playlist",
- "GroupCollections.collections.delete.title": "Delete Playlist",
- "GroupCollections.collections.delete.text": "Are you sure you want to delete this playlist?",
+ "GroupCollections.deck": "Deck",
+ "GroupCollections.decks": "Decks",
+ "GroupCollections.collections.shared": "Liste de lecture partagée",
+ "GroupCollections.collections.delete.title": "Supprimer la liste de lecture",
+ "GroupCollections.collections.delete.text": "Vous êtes sûr de vouloir effacer cette liste de lecture?",
"AddDecksToCollectionModal.title": "Add decks to playlist",
"AddDecksToCollectionModal.fromMyDecks": "From My Decks",
"AddDecksToCollectionModal.fromSlidewiki": "From Slidewiki",
"AddDecksToCollectionModal.button.add": "Add",
- "AddDecksToCollectionModal.button.close": "Close",
- "DecksList.loading": "Loading",
+ "AddDecksToCollectionModal.button.close": "Presque",
+ "DecksList.loading": "Chargement",
"DecksList.error": "An unexpected error occurred while fetching more decks",
"DecksList.noResults": "No results found",
"NewCollectionModal.title": "Créer une nouvelle liste de lecture",
@@ -615,10 +821,24 @@
"UserCollections.collections.shared": "Liste de lecture partagée",
"UserCollections.collections.delete.title": "Supprimer la liste de lecture",
"UserCollections.collections.delete.text": "Vous êtes sûr de vouloir effacer cette liste de lecture?",
+ "footer.sr.header": "Information about SlideWiki",
+ "footer.header": "About",
+ "footer.about": "About Us",
+ "footer.contact": "Contactez-nous",
+ "footer.guides": "Guides and Help",
+ "footer.accessibility": "Accessibility",
+ "footer.terms.header": "Terms & Conditions",
+ "footer.terms": "Termes",
+ "footer.license": "License",
+ "footer.imprint": "Imprint",
+ "footer.data": "Data Protection",
+ "footer.funding": "Funding",
+ "footer.funding.text": "The SlideWiki project has received funding from the European Union's Horizon 2020 research and innovation programme under grant agreement No 688095",
+ "footer.copyright": "Copyright © 2018 All Rights Reserved",
"header.signin": "S'inscrire",
- "header.signin.mobile": "Sign In",
+ "header.signin.mobile": "S'inscrire",
"header.mydecks.mobile": "Decks",
- "header.myplaylists.mobile": "Playlists",
+ "header.myplaylists.mobile": "Liste de conférences",
"header.mygroups.mobile": "Groupes",
"header.mysettings.mobile": "Réglages",
"header.mynotifications.mobile": "Notifications",
@@ -757,11 +977,16 @@
"dataProtection.8.email": "data-protection(at)zv.fraunhofer.de",
"dataProtection.9.header": "9. Acceptation, validité et modification des conditions de protection des données",
"dataProtection.9.p1": "En utilisant notre site Web, vous acceptez implicitement l'utilisation de vos données personnelles comme indiqué ci-dessus. Le présent énoncé des conditions de protection des données est entré en vigueur le 1er octobre 2013. Au fur et à mesure que notre site Web évolue et que de nouvelles technologies sont utilisées, il peut s'avérer nécessaire de modifier l'énoncé des conditions de protection des données. La Société Fraunhofer se réserve le droit de modifier ses conditions de protection des données à tout moment, avec effet à une date ultérieure. Nous vous recommandons de relire la dernière version de temps en temps.",
+ "decklist.featured.alt": "Featured Image.",
"decklist.decklanguage": "Default language",
+ "decklist.decknumberofslides": "Number of slides",
"decklist.forkcount": "Number of forks",
+ "decklist.likecount": "Number of likes",
+ "decklist.numberofshares": "Number of shares",
+ "decklist.numberofdownloads": "Number of downloads",
"decklist.featured.notavailable": "No featured decks available",
"decklist.recent.notavailable": "No recent decks available",
- "decklist.meta.creator": "Creator",
+ "decklist.meta.creator": "Créateur",
"decklist.meta.date": "Last Modified",
"featured.header": " Decks figurés",
"features.screenshot": "capture d'écran de l'interface de l'éditeur de diapositives.",
@@ -800,19 +1025,19 @@
"features.4.download.strong": "Télécharger",
"features.4.findMore.link": "Deck d'aide",
"home.welcome": "Soyez les bienvenus sur SlideWiki",
- "home.signUp": "Sign Up",
+ "home.signUp": "S'inscrire",
"home.learnMore": "Learn More",
"home.findSlides": "Find slides",
"home.findSlidesSubtitle": "Explore the deck",
"home.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics and education levels. Slides and presentations can be reused and adapted to suit your needs.",
"home.createSlides": "Create slides",
"home.createSlidesSubtitle": "Add and adapt course material",
- "home.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
+ "home.createSlidesContent": "Créez une nouvelle présentation ou importez des diapositives existantes à partir de fichiers PowerPoint (*.pptx) ou OpenDocument Presentation (*.odp). Vos diapositives importées seront converties en diapositives HTML pour vous permettre de continuer à éditer et d'ajouter de nouvelles diapositives.",
"home.sharingSlides": "Share slides",
"home.sharingSlidesSubtitle": "Present, Share and Communicate",
"home.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
"home.getStarted": "Get started right away.",
- "home.signIn": "Sign in",
+ "home.signIn": "S'inscrire",
"home.getStartedDescription": "Create an account to start creating and sharing your decks.",
"home.decks": "Open educational resources for all learning environments",
"home.schools": "Schools",
@@ -825,8 +1050,36 @@
"home.slideWikiAbout": "The SlideWiki Project",
"home.slideWikiAboutContent": "SlideWiki is an online slideshow tool that offers users the chance to create and collaborate on slides, assessments and to share content as structured open educational resources using a Creative Commons licence. With SlideWiki you can engage with your audience by collaborating with colleagues to co-design and co-create course materials and share your knowledge across the world. SlideWiki is an open-source platform, and all its content can be reused under Creative Commons CC-BY-SA license. SlideWiki development, large-scale trials and underlying research is funded from Framework Programme for Research and Innovation Horizon 2020 under grant agreement no 688095. The project involves 17 partners to develop, test and trial SlideWiki.",
"home.slideWikiAboutVisit": "visit the project website.",
- "home.myDecks": "My Decks.",
+ "home.myDecksLink": "My Decks",
"home.seeMoreDecks": "See more decks",
+ "home.leanrMoreSW": "Learn more about SlideWiki",
+ "home.featuredDeck": "Featured Deck",
+ "imprint.licensing.text": "Content on the SlideWiki OCW Authoring platform is licensed under the Creative Commons Attribution-ShareAlike 4.0 International (CC BY-SA 4.0), Creative Commons Attribution 4.0 International (CC BY 4.0), or Creative Commons 1.0 Universal Public Domain Dedication (CC0 1.0) – unless otherwise marked. See the CC {link_licenses} for more information.",
+ "imprint.software.text": "All of SlideWiki’s software code is Open Source software; please check our code repository.",
+ "imprint.header": "Imprint – also serves as provider identification according to § 5 Telemediengesetz (TMG)",
+ "imprint.provider": "Provider",
+ "imprint.representative": "Authorised Representative",
+ "imprint.representative.text": "Prof. Dr. Sören Auer (Director of TIB)",
+ "imprint.representative.text2": "Technische Informationsbibliothek (TIB) is a foundation of public law of the state of Lower Saxony.",
+ "imprint.authority": "Responsible Supervisory Authority",
+ "imprint.authority.text": "Ministry for Science and Culture of Lower Saxony",
+ "imprint.contact": "Contact",
+ "imprint.VAT": "VAT (sales tax) registration number",
+ "imprint.editorialOffice": "Editorial Office",
+ "imprint.copyright": "Copyright",
+ "imprint.copyright.text": "The layout of this website is protected under copyright, as are the graphics and all other contents contained in the website.",
+ "imprint.content": "Content Available",
+ "imprint.content.text1": "Provided as-is:",
+ "imprint.content.text2": "You acknowledge that we do not make any representations or warranties about the material, data, and information, such as data files, text, computer software, code, music, audio files or other sounds, photographs, videos, or other images (collectively, the “Content”) which you may have access to through your use of SlideWiki. Under no circumstances are we liable in any way for any Content, including, but not limited to: any infringing Content, any errors or omissions in Content, or for any loss or damage of any kind incurred as a result of the use of any Content posted, transmitted, linked from, or otherwise accessible through or made available via SlideWiki. You understand that by using SlideWiki, you may be exposed to Content that is offensive, indecent, or objectionable. You agree that you are solely responsible for your reuse of Content made available through SlideWiki. You should review the terms of the applicable license before you use the Content so that you know what you can and cannot do.",
+ "imprint.licensing": "Licensing",
+ "imprint.licenses.page": "licenses page",
+ "imprint.software": "SlideWiki Software",
+ "imprint.repository": "repository",
+ "imprint.content2": "Content Supplied by You",
+ "imprint.content2.text": "Your responsibility: You represent, warrant, and agree that no Content posted or otherwise shared by you on or through SlideWiki (“Your Content”), violates or infringes upon the rights of any third party, including copyright, trademark, privacy, publicity, or other personal or proprietary rights, breaches or conflicts with any obligation, such as a confidentiality obligation, or contains libelous, defamatory, or otherwise unlawful material.",
+ "imprint.licensing.2": "Licensing Your Content: You retain any copyright that you may have in Your Content. You hereby agree that Your Content: (a) is hereby licensed under the Creative Commons Attribution 4.0 License and may be used under the terms of that license or any later version of a Creative Commons Attribution License, or (b) is in the public domain (such as Content that is not copyrightable or Content you make available under CC0), or © if not owned by you, (i) is available under a Creative Commons Attribution 4.0 License or (ii) is a media file that is available under any Creative Commons license.",
+ "imprint.disclaimer": "Disclaimer",
+ "imprint.disclaimer.text": "We cannot assume any liability for the content of external pages. Solely the operators of those linked pages are responsible for their content.",
"licence.ccBySaLicenceLogo": "Logo de la Licesnse Creative Commons BY-SA",
"licence.1.p2": "Renseignez-vous davantage sur la license CC BY-SA et accéder au texte intégral de la licence en consultant la section {link_1}.",
"licence.1.3.p2": "{link_1} énumère les sources de documents publiés sous licence creative commons. Certains services de médias tels que Flickr, YouTube et Vimeo publient certains contenus sous des licences Creative Commons. Le contenu marqué \"Tous droits réservés\" ne peut pas être inclus dans SlideWiki.",
@@ -858,42 +1111,42 @@
"licence.4.header": "Notifications",
"licence.4.p1": "Le site Web SlideWiki et son contenu sont fournis \"tel quel\". Nous n'offrons aucune garantie, explicite ou implicite concernant tout contenu, le site Web ou l'exactitude de toute information. Ces licences peuvent ne pas vous donner toutes les permissions nécessaires pour l'utilisation prévue. Par exemple, d'autres droits comme la publicité, la vie privée ou les droits moraux peuvent limiter la façon dont vous utilisez le matériel. Nous nous réservons le droit de retirer du matériel et du contenu qui, selon nous, enfreignent les exigences en matière de droit d'auteur et de licence.",
"recent.header": "Decks récents ajoutés par les utilisateurs",
+ "staticPage.findSlides": "Find slides",
+ "staticPage.findSlidesSubtitle": "Explore the deck",
+ "staticPage.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics.",
+ "staticPage.createSlides": "Create slides",
+ "staticPage.createSlidesSubtitle": "Add and adapt course material",
+ "staticPage.createSlidesContent": "Create a new deck or import existing slides to create HTML slide decks.",
+ "staticPage.sharingSlides": "Share slides",
+ "staticPage.sharingSlidesSubtitle": "Present, Share and Communicate",
+ "staticPage.sharingSlidesContent": "Collaborate on decks with peers. Group decks in playlists and share via social media or email.",
+ "staticPage.getStarted": "Get started right away.",
+ "staticPage.signIn": "S'inscrire",
+ "staticPage.getStartedDescription": "Create an account to start creating and sharing your decks.",
+ "staticPage.myDecks": "My Decks.",
"terms.mainTitle": "Terms of us of SlideWiki",
"terms.summary": "This is a human-readable summary of the Terms of Use for SlideWiki (the project).",
- "terms.disclaimer": "Disclaimer: This summary is not a part of the Terms of Use and is not a legal document. It is simply a handy reference for understanding the full terms. Think of it as the user-friendly interface to the legal language of our Terms of Use.",
- "terms.missionTitle": "Part of our mission is to:",
+ "terms.disclaimer": "Avertissement : Ce résumé ne fait pas partie des Conditions d'utilisation et n'est pas un document juridique. Il s'agit simplement d'une référence pratique pour comprendre l'ensemble des termes. Pensez-y comme l'interface conviviale vers le langage juridique de nos Conditions d'utilisation.",
+ "terms.missionTitle": "Une partie de notre mission est de :",
"terms.mission1": "Empower and engage people around the world to collect and develop educational content and either publish it under a free license or dedicate it to the public domain.",
"terms.mission2": "Disseminate this content effectively and globally, free of charge.",
- "terms.freeTo": "You are free to:",
+ "terms.freeTo": "Vous êtes libre de :",
"terms.free1": "Read and Print our presentations and other media free of charge.",
"terms.free2": "Share and Reuse our presentations and other media under free and open licenses.",
"terms.free3": "Contribute To and Edit our various sites or projects.",
- "terms.conditionsTitle": "Under the following conditions",
+ "terms.conditionsTitle": "Dans les conditions suivantes",
"terms.confition1": "Responsibility – You take responsibility for your edits (since we only host your content).",
"terms.condition2": "Civility – You support a civil environment and do not harass other users.",
"terms.condition3": "Lawful behaviour – You do not violate copyright or other laws.",
"terms.condition4": "No Harm – You do not harm our technology infrastructure.",
"terms.condition5": "Terms of Use and Policies – You adhere to the Terms of Use and to the applicable community policies when you visit our sites or participate in our communities.",
- "terms.understanding": "With the understanding that",
+ "terms.understanding": "Avec la compréhension que",
"terms.understanding1": "This service may contain translations powered by third party services. Selecting to use the translate service will result in data being sent to third-party services. We disclaims all warranties related to the translations, expressed or implied, including any warranties of accuracy, reliability, and any implied warranties of merchantability, fitness for a particular purpose and noninfringement.",
"terms.understanding2": "You license freely your contributions – you generally must license your contributions and edits to our sites or projects under a free and open license (unless your contribution is in the public domain).",
"terms.understanding3": "No professional advice – the content of presentations and other projects is for informational purposes only and does not constitute professional advice.",
"terms.paragraph1": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Vivamus id nisl magna. Sed a metus vel dui vehicula viverra. Quisque sed tellus at justo semper dictum. Nullam at rutrum leo. Vivamus at aliquam metus. Aliquam nec nunc in libero posuere hendrerit nec at lacus. Nunc malesuada lobortis tortor nec porta. Cras vulputate mollis nisi, at sollicitudin quam eleifend ac. Nam sed venenatis turpis. Sed vestibulum malesuada nunc vitae ultricies. Donec bibendum ultrices facilisis. Mauris sollicitudin mi et vulputate rhoncus.",
"terms.paragraph2": "Mauris tincidunt, urna non aliquam dapibus, enim metus varius tellus, non dignissim urna odio ac augue. Fusce id lacinia ipsum, id egestas dui. Suspendisse nec quam vel mi tincidunt bibendum a vel mauris. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia Curae; Proin magna elit, molestie eu libero ut, bibendum facilisis turpis. Mauris sem lorem, dignissim a ex sit amet, suscipit fermentum turpis. Integer porttitor arcu non porttitor faucibus. Fusce nisi risus, rutrum vitae vulputate vitae, consectetur et nunc. Aliquam placerat ipsum felis, nec fermentum arcu sagittis nec. Aenean imperdiet laoreet quam ac placerat. Ut accumsan tristique elementum. Etiam congue venenatis lorem, malesuada tristique mauris congue vel. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Nam tincidunt libero a nisi consequat sodales.",
"terms.paragraph3": "Aliquam vitae velit iaculis, vestibulum felis eu, lacinia risus. Donec mollis enim nec accumsan tristique. Morbi dapibus condimentum erat quis placerat. Integer velit augue, sodales quis scelerisque nec, facilisis nec velit. Maecenas rhoncus sagittis lectus, vel feugiat nulla aliquet quis. Quisque condimentum sapien nec eros tristique, vitae pulvinar sem tempus. Nulla ut odio id elit accumsan interdum. Maecenas sagittis sed sem a malesuada. Vivamus venenatis ex sed ex pretium, et pellentesque purus vehicula. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egesta",
- "terms.findSlides": "Find slides",
- "terms.findSlidesSubtitle": "Explore the deck lorem ipsum",
- "terms.findSlidesContent": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Aenean eget elit sapien. Nunc semper urna in lectus consectetur fermentum. Vestibulum eu sem pulvinar, sollicitudin ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet aliquam n ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet.",
- "terms.createSlides": "Create slides",
- "terms.createSlidesSubtitle": "Learn how to create slides with SlideWiki",
- "terms.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
- "terms.sharingSlides": "Sharing slides",
- "terms.sharingSlidesSubtitle": "Present, Share and Communicate",
- "terms.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
- "terms.getStarted": "Get started right away.",
- "terms.signIn": "Sign in",
- "terms.getStartedDescription": "Create an account to start creating and sharing your decks.",
- "terms.myDecks": "My Decks.",
"welcome.3.slideshowMode": "Utilisez le bouton {strong} pour voir un pont comme un diaporama. Comprend une minuterie et des notes de l'orateur&apo ; vue.",
"welcome.3.shareDecks": "Fort via les médias sociaux ou le courrier électronique.",
"welcome.3.comments": "Ajouter {strong} aux jeux et aux diapositives pour interagir avec d'autres apprenants.",
@@ -934,12 +1187,16 @@
"LoginModal.placeholder.email": "E-Mail",
"LoginModal.placeholder.password": "Password",
"userSignIn.headerText": "S'inscrire",
+ "LoginModal.aria.google": "sign in with your Google account",
+ "LoginModal.aria.github": "sign in with your Github account",
"LoginModal.label.email": "E-Mail",
"LoginModal.label.password": "Mot de passe",
"LoginModal.button.signIn": "S'inscrire",
"LoginModal.text.iCannotAccessMyAccount": "Je ne peux pas accéder à mon compte",
"LoginModal.text.dontHaveAnAccount": "Vous n'avez pas de compte ? Inscrivez-vous ici.",
"LoginModal.button.close": "Presque",
+ "Migrate.text1": "We are merging your user account. This will take just a few seconds.",
+ "Migrate.text2": "You will be directed to next view.",
"resetPassword.mailprompt": "Veuillez entrer votre adresse e-mail",
"resetPassword.mailprompt2": "Veuillez entrer une adresse e-mail valide",
"resetPassword.mailreprompt": "Veuillez saisir à nouveau votre adresse e-mail",
@@ -961,6 +1218,19 @@
"SSOSignIn.errormessage.isForbidden": "La migration n'est pas possible avec cet utilisateur. S'il vous plaît, recommencez à zéro.",
"SSOSignIn.errormessage.accountNotFound": "This account was not prepared for migration. Please start all over again.",
"SSOSignIn.errormessage.badImplementation": "An unknown error occurred.",
+ "socialLogin.text1": "We are acquiring your data. This will take just a few seconds.",
+ "socialLogin.text2": "This window will close automatically.",
+ "UserMenuDropdown.mydecks": "My Decks",
+ "UserMenuDropdown.decks": "Decks",
+ "UserMenuDropdown.myplaylists": "My Playlists",
+ "UserMenuDropdown.playlists": "Liste de conférences",
+ "UserMenuDropdown.mygroups": "Mes groupes",
+ "UserMenuDropdown.groups": "Groupes",
+ "UserMenuDropdown.mySettings": "My Settings",
+ "UserMenuDropdown.settings": "Réglages",
+ "UserMenuDropdown.myNotifications": "My Notifications",
+ "UserMenuDropdown.notifications": "Notifications",
+ "UserMenuDropdown.signout": "Sign Out",
"paintModal.title": "Draw your own SVG image",
"paintModal.primaryColourInput": "Primary colour:",
"paintModal.secondaryColourInput": "Secondary colour:",
@@ -968,7 +1238,7 @@
"paintModal.transparencyInput": "Object Transparency:",
"paintModal.drawingMode": "Drawing Mode",
"paintModal.selectMode": "Select Mode",
- "paintModal.addToSlide": "Add to Slide",
+ "paintModal.addToSlide": "Ajouter à la diapositive",
"oaintModal.paintHeading": "Draw and Paint",
"paintModal.licenseHeading": "License information",
"paintModal.undo": "Undo",
@@ -995,13 +1265,13 @@
"paintModal.selectLicense": "Select a license",
"paintModal.agreementAria": "Agree to terms and conditions",
"paintModal.agreement1": "I confirm that I have the rights to upload this image as per the SlideWiki",
- "paintModal.agreement2": "terms and conditions",
+ "paintModal.agreement2": " les termes et conditions de SlideWiki.",
"paintModal.agreement3": "and that the",
"paintModal.agreement4": "license information",
"paintModal.agreement5": "I have provided is correct.",
"paintModal.paintButton": "Paint",
- "paintModal.upload": "Upload",
- "paintModal.cancel": "Cancel",
+ "paintModal.upload": "Télécharger",
+ "paintModal.cancel": "Annuler",
"reportModal.input_name": "Nom",
"reportModal.modal_title": "Signaler un problème juridique ou de spam avec",
"reportModal.modal_title_2": "content",
@@ -1021,9 +1291,9 @@
"reportModal.send_swal_error_button": "Presque",
"HeaderSearchBox.placeholder": "Chercher",
"KeywordsInputWithFilter.allContentOption": "All Content",
- "KeywordsInputWithFilter.titleOption": "Title",
+ "KeywordsInputWithFilter.titleOption": "Titre",
"KeywordsInputWithFilter.descriptionOption": "Description",
- "KeywordsInputWithFilter.contentOption": "Content",
+ "KeywordsInputWithFilter.contentOption": "Contenu",
"SearchPanel.header": "Search SlideWiki",
"SearchPanel.searchTerm": "Terme de recherche",
"SearchPanel.KeywordsInput.placeholder": "Type your search terms here",
@@ -1054,9 +1324,13 @@
"SearchPanel.filters.tags.title": "Tags",
"SearchPanel.filters.tags.placeholder": "Select Tags",
"SearchPanel.button.submit": "Soumettre",
+ "DeckFilter.Tag.Topic": "Subject",
+ "DeckFilter.Education": "Education Level",
"Facets.languagesFacet": "Languages",
"Facets.ownersFacet": "Owners",
"Facets.tagsFacet": "Tags",
+ "Facets.educationLevelFacet": "Education Levels",
+ "Facets.topicsFacet": "Subjects",
"Facets.showMore": "show more",
"Facets.showLess": "show less",
"SearchResultsItem.otherVersions.deck": "Version Deck {index} : {title}",
@@ -1090,8 +1364,8 @@
"SSOSignIn.errormessage.deactivatedOrUnactivated": "Votre compte d'utilisateur doit être activé via le lien d'activation dans votre courriel ou est désactivé en général",
"CategoryBox.personalSettings": "Paramètres personnels",
"CategoryBox.profile": "Profil",
- "CategoryBox.account": "Compte",
- "CategoryBox.authorizedAccounts": "Comptes autorisés",
+ "CategoryBox.account": "Accounts",
+ "CategoryBox.authorizedAccounts": "Authorized Accounts & Services",
"CategoryBox.userStats": "User Stats",
"CategoryBox.groups": "Groupes",
"CategoryBox.myGroups": "Mes groupes",
@@ -1138,10 +1412,11 @@
"user.deck.linkLabelUnlisted": "Unlisted deck: {title}. Last updated {update} ago",
"user.deck.linkLabel": "Deck: {title}. Last updated {update} ago",
"user.deckcard.likesnumber": "Number of likes",
- "user.deckcard.lastupdate": "Last updated",
+ "user.deckcard.lastupdate": "Dernière mise à jour",
"user.deckcard.opendeck": "Open deck",
"user.deckcard.slideshow": "Open slideshow in new tab",
"user.deckcard.unlisted": "Unlisted",
+ "user.populardecks.notavailable": "No decks available",
"Integration.swalTitle3": "Erreur",
"Integration.swalText3": "Le prestataire n'a pas été désactivé parce que quelque chose d'inattendu s'est produit. Veuillez réessayer plus tard.",
"Integration.swalbutton3": "Confirmé",
@@ -1164,7 +1439,8 @@
"Integration.disableGithub": "Désactiver",
"Integration.enableGithub": "Activer",
"Integration.loading": "Chargement",
- "user.populardecks.notavailable": "No decks available",
+ "Integration.ltis": "Learning Services (LTIs)",
+ "Integration.myLTIs": "My Learning Services",
"user.userProfile.privatePublicProfile.allStatus": "All",
"user.userProfile.privatePublicProfile.publicStatus": "Published",
"user.userProfile.privatePublicProfile.hiddenStatus": "Unlisted",
@@ -1175,8 +1451,8 @@
"UserDecks.header.myDecks": "My Decks",
"UserDecks.header.ownedDecks": "Owned Decks",
"UserDecks.header.sharedDecks": "Terrasses partagées",
- "user.userProfile.userDecks.loadMore": "Load More",
- "user.userProfile.userDecks.loading": "Loading",
+ "user.userProfile.userDecks.loadMore": "Charger plus",
+ "user.userProfile.userDecks.loading": "Chargement",
"user.userProfile.userDecks.error": "An unexpected error occurred while fetching more decks",
"UserMenu.myDecks": "My Decks",
"UserMenu.ownedDecks": "Owned Decks",
@@ -1185,18 +1461,18 @@
"UserMenu.ownedCollections": "Owned Liste de lectures",
"UserMenu.recommendedDecks": "Ponts recommandés",
"UserMenu.stats": "User Stats",
- "UserGroups.error": "Error",
+ "UserGroups.error": "Erreur",
"UserGroups.unknownError": "Unknown error while saving.",
- "UserGroups.close": "Close",
+ "UserGroups.close": "Presque",
"UserGroups.msgError": "Error while deleting the group",
"UserGroups.msgErrorLeaving": "Error while leaving the group",
"UserGroups.member": "Member",
"UserGroups.members": "Members",
"UserGroups.groupSettings": "Group settings",
- "UserGroups.groupDetails": "Group details",
+ "UserGroups.groupDetails": "Détails du groupe",
"UserGroups.notAGroupmember": "Not a member of a group.",
- "UserGroups.loading": "Loading",
- "UserGroups.groups": "Groups",
+ "UserGroups.loading": "Chargement",
+ "UserGroups.groups": "Groupes",
"UserGroups.createGroup": "Create new group",
"UserProfile.swalTitle1": "Des changements ont été appliqués",
"UserProfile.swalTitle2": "Votre compte a été supprimé",
@@ -1208,13 +1484,21 @@
"UserProfile.changePassword": "Changer le mot de passe",
"UserProfile.deactivateAccount": "Désactiver le compte",
"user.userRecommendations.changeOrder": "change order",
- "user.userRecommendations.loading": "Loading",
- "user.userRecommendations.recommendedDecks": "Recommended Decks",
+ "user.userRecommendations.loading": "Chargement",
+ "user.userRecommendations.recommendedDecks": "Ponts recommandés",
"user.userRecommendations.ranking": "Ranking",
- "user.userRecommendations.lastUpdated": "Last updated",
- "user.userRecommendations.creationDate": "Creation date",
- "user.userRecommendations.title": "Title",
+ "user.userRecommendations.lastUpdated": "Dernière mise à jour",
+ "user.userRecommendations.creationDate": "Date de création",
+ "user.userRecommendations.title": "Titre",
+ "Stats.userStatsTitle": "User Statistics",
"Stats.tagCloudTitle": "Popular Tags",
+ "Stats.userEngagementTitle": "User Engagement Overview",
+ "Stats.activeEngagement": "Active Engagement",
+ "Stats.passiveEngagement": "Passive Engagement",
+ "Stats.socialEngagement": "Social Engagement",
+ "Stats.activeEngagementDesc": "The degree of active participation based on the user's content creation history",
+ "Stats.passiveEngagementDesc": "The degree of passive participation based on the user's content usage",
+ "Stats.socialEngagementDesc": "The degree of social interaction through SW content",
"UserRegistration.firstName_prompt": "Veuillez entrer votre prénom",
"UserRegistration.lastName_prompt": "Veuillez entrer votre nom de famille",
"UserRegistration.userName_prompt": "Veuillez sélectionner votre nom d'utilisateur",
@@ -1264,6 +1548,11 @@
"UserRegistration.form_terms": "En cliquant sur S'inscrire, vous acceptez notre",
"UserRegistration.form_terms2": "Termes",
"UserRegistration.noAccess": "Je ne peux pas accéder à mon compte",
+ "UserRegistration.emailRegistered": "This E-Mail has already been registered by someone else. Please use another one.",
+ "UserRegistration.usernameRegistered": "This Username has already been registered by someone else. Please choose another one.",
+ "UserRegistration.username.suggestion": "Here are some suggestions:",
+ "UserRegistration.SSO.title": "Sign up with an account of another SlideWiki instance",
+ "UserRegistration.SSO.aria": "Sign up with another SlideWiki instance",
"UserRegistrationSocial.firstnameprompt": "Veuillez entrer votre prénom",
"UserRegistrationSocial.lastnameprompt": "Veuillez entrer votre nom de famille",
"UserRegistrationSocial.usernameprompt": "Veuillez sélectionner votre nom d'utilisateur",
@@ -1278,6 +1567,7 @@
"UserRegistrationSocial.confirm": "OK",
"UserRegistrationSocial.emailNotAllowed": "Ce courriel a déjà été utilisé par quelqu'un d'autre. Veuillez en choisir un autre.",
"UserRegistrationSocial.usernameNotAllowed": "Ce nom d'utilisateur a déjà été utilisé par quelqu'un d'autre. Veuillez en choisir un autre.",
+ "UserRegistrationSocial.usernamesuggestion": "Here are some suggestions:",
"UserRegistrationSocial.validate": "Valider les informations de l'utilisateur",
"UserRegistrationSocial.fname": "Prénom *",
"UserRegistrationSocial.lname": "Nom de famille *",
@@ -1286,31 +1576,31 @@
"UserRegistrationSocial.signup": "S'inscrire",
"UserRegistrationSocial.account": "Je ne peux pas accéder à mon compte",
"UserRegistrationSocial.cancel": "Annuler",
- "ChangePicture.Groups.modalTitle": "Big file",
- "ChangePicture.Groups.modalText": "The selected file is quite big (> 10MB). This could cause problems like a white profile picture. You should upload a smaller picture if you notice strange things.",
- "ChangePicture.Groups.modalTitle2": "Wrong file type",
- "ChangePicture.Groups.modalText2": "You have selected a file type that we currently do not support",
- "ChangePicture.Group.upload": "Upload new Image",
- "ChangePicture.Group.remove": "Remove Image",
- "ChangeGroupPictureModal.modalTitle": "Photo selection not processible!",
- "ChangeGroupPictureModal.modalText": "Sorry, we could not process your chosen selection. Please try again with a different photo or selection.",
+ "ChangePicture.Groups.modalTitle": "Gros dossier",
+ "ChangePicture.Groups.modalText": "Le fichier sélectionné est assez gros (> 10MB). Cela pourrait causer des problèmes comme une image de profil blanc. Vous devriez télécharger une image plus petite si vous remarquez des choses étranges.",
+ "ChangePicture.Groups.modalTitle2": "Mauvais type de fichier",
+ "ChangePicture.Groups.modalText2": "Vous avez sélectionné un type de fichier que nous ne supportons pas actuellement",
+ "ChangePicture.Group.upload": "Télécharger une nouvelle image",
+ "ChangePicture.Group.remove": "Supprimer l'image",
+ "ChangeGroupPictureModal.modalTitle": "La sélection des photos n'est pas possible !",
+ "ChangeGroupPictureModal.modalText": "Désolé, nous n'avons pas pu traiter votre sélection. Veuillez réessayer avec une photo ou une sélection différente.",
"ChangeGroupPictureModal.description": "This modal is used to crop and save a picture meant to be used as a group picture.",
- "ChangeGroupPictureModal.cancel": "Cancel",
- "ChangeGroupPictureModal.save": "Save",
- "ChangeGroupPictureModal.modalHeader": "Crop your image",
- "GroupDecks.sort.lastUpdated": "Last updated",
- "GroupDecks.sort.date": "Creation date",
- "GroupDecks.sort.title": "Title",
+ "ChangeGroupPictureModal.cancel": "Annuler",
+ "ChangeGroupPictureModal.save": "Sauver",
+ "ChangeGroupPictureModal.modalHeader": "Recadrez votre image",
+ "GroupDecks.sort.lastUpdated": "Dernière mise à jour",
+ "GroupDecks.sort.date": "Date de création",
+ "GroupDecks.sort.title": "Titre",
"GroupDecks.header.sharedDecks": "Shared decks edited by this group",
- "UserGroupEdit.error": "Error",
+ "UserGroupEdit.error": "Erreur",
"UserGroupEdit.unknownError": "Unknown error while saving.",
- "UserGroupEdit.close": "Close",
+ "UserGroupEdit.close": "Presque",
"UserGroupEdit.messageGroupName": "Group name required.",
"UserGroupEdit.createGroup": "Create Group",
"UserGroupEdit.editGroup": "Edit Group",
"UserGroupEdit.messageUsericon": "The username is a link which will open a new browser tab. Close it when you want to go back to the form and list.",
"UserGroupEdit.groupOwner": "Group owner",
- "UserGroupEdit.unknownOrganization": "Unknown organization",
+ "UserGroupEdit.unknownOrganization": " Organisation inconnue",
"UserGroupEdit.unknownCountry": "Unknown country",
"UserGroupEdit.groupName": "Group Name",
"UserGroupEdit.description": "Description",
@@ -1318,9 +1608,9 @@
"UserGroupEdit.saveGroup": "Save Group",
"UserGroupEdit.deleteGroup": "Delete Group",
"UserGroupEdit.leaveGroup": "Leave Group",
- "UserGroupEdit.loading": "Loading",
+ "UserGroupEdit.loading": "Chargement",
"UserGroupEdit.members": "Members",
- "UserGroupEdit.details": "Group details",
+ "UserGroupEdit.details": "Détails du groupe",
"UserGroupEdit.unsavedChangesAlert": "You have unsaved changes. If you do not save the group, it will not be updated. Are you sure you want to exit this page?",
"UserGroupEdit.joined": "Joined {time} ago",
"GroupDetails.exchangePicture": "Group picture",
diff --git a/intl/fy.json b/intl/fy.json
index 91feea2a2..04b495cfe 100644
--- a/intl/fy.json
+++ b/intl/fy.json
@@ -29,6 +29,9 @@
"AddDeck.form.label_themes": "Choose deck theme",
"AddDeck.form.label_description": "Description",
"add.help": "Help decks",
+ "AddDeck.sr.education": "Select education level of deck content",
+ "AddDeck.sr.subject": "Select subject of deck content from autocomplete. Multiple subjects can be selected",
+ "AddDeck.sr.tags": "Add tags or keywords for your deck. Multiple tags can be provided.",
"DeckProperty.Education.Choose": "Choose Education Level",
"DeckProperty.Tag.Topic.Choose": "Choose Subject",
"DeckProperty.Tag.Choose": "Choose Tags",
@@ -37,6 +40,9 @@
"AddDeck.form.label_terms2": "terms and conditions",
"AddDeck.form.label_terms3": "and that content I upload, create and edit can be published under a Creative Commons ShareAlike license.",
"AddDeck.form.label_termsimages": "I agree that images within my imported slides are in the public domain or made available under a Creative Commons Attribution (CC-BY or CC-BY-SA) license.",
+ "activationMessages.swalTitle": "Account activated",
+ "activationMessages.swalText": "Your account has been successfully activated. You are now able to login",
+ "activationMessages.swalConfirm": "Close",
"header.cookieBanner": "This website uses cookies.",
"CountryDropdown.placeholder": "Select your country",
"CountryDropdown.Afghanistan": "Afghanistan",
@@ -332,7 +338,172 @@
"CollectionsPanel.error.removeDeck": "An error occured while removing playlist from deck...",
"CollectionsPanel.error.adDeck": "An error occured while adding playlist to the deck...",
"CollectionsPanel.addToPlaylist": "Add deck to playlist",
+ "AddComment.form.comment_title_placeholder": "Title",
+ "AddComment.form.comment_text_placeholder": "Text",
+ "AddComment.form.label_comment_title": "Comment title",
+ "AddComment.form.label_comment_text": "Comment text",
+ "AddComment.form.button_submit": "Submit",
+ "AddComment.form.button_cancel": "Cancel",
+ "AddReply.form.reply_text_placeholder": "Text",
+ "AddReply.form.label_reply_title": "Reply title",
+ "AddReply.form.label_reply_text": "Reply text",
+ "AddReply.form.button_add": "Add Reply",
+ "Comment.form.revision_note": "revision",
+ "Comment.form.from_note": "from",
+ "Comment.form.comment_removed": "Comment was removed",
+ "Comment.form.delete_aria": "Delete comment",
+ "Comment.form.label_reply": "Reply",
+ "ContentDiscussionPanel.form.no_comments": "There are currently no comments for this",
+ "ContentDiscussionPanel.form.button_add": "Add comment",
+ "ContentDiscussionPanel.form.comments": "Comments",
+ "ContentChangeItem.swal.text": "This action will restore the slide to an earlier version. Do you want to continue?",
+ "ContentChangeItem.swal.confirmButtonText": "Yes, restore slide",
+ "ContentChangeItem.swal.cancelButtonText": "No",
+ "ContentChangeItem.form.add_description": "added",
+ "ContentChangeItem.form.copy_description": "created a duplicate of",
+ "ContentChangeItem.form.attach_description": "attached",
+ "ContentChangeItem.form.fork_description": "created a fork of deck",
+ "ContentChangeItem.form.translate_description_added": "added",
+ "ContentChangeItem.form.translate_description_translation": "translation for",
+ "ContentChangeItem.form.revise_description": "created a new version of",
+ "ContentChangeItem.form.rename_description_renamed": "renamed",
+ "ContentChangeItem.form.rename_description_to": "to",
+ "ContentChangeItem.form.revert_description_restored": "restored",
+ "ContentChangeItem.form.revert_description_to": "to an earlier version",
+ "ContentChangeItem.form.remove_description": "removed",
+ "ContentChangeItem.form.edit_description_slide_translation": "edited slide translation",
+ "ContentChangeItem.form.edit_description_slide": "edited slide",
+ "ContentChangeItem.form.move_description_slide": "moved the slide",
+ "ContentChangeItem.form.move_description_deck": "moved the deck",
+ "ContentChangeItem.form.move_description": "moved",
+ "ContentChangeItem.form.update_description": "updated deck",
+ "ContentChangeItem.form.default_description": "updated the deck",
+ "ContentChangeItem.form.button_compare": "Compare to current slide version",
+ "ContentChangeItem.form.button_restore": "Restore slide",
+ "ContentChangeItem.form.button_view": "View slide",
+ "ContentChangeItem.form.date_on": "on",
+ "ContentChangeItem.form.date_at": "at",
+ "DeckHistoryPanel.swal.text": "This action will create a new version for this deck. Do you want to continue?",
+ "DeckHistoryPanel.swal.confirmButtonText": "Yes, create a new version",
+ "DeckHistoryPanel.swal.cancelButtonText": "No",
+ "DeckHistoryPanel.form.button_aria": "Create a new version of this deck",
+ "DeckHistoryPanel.form.button_content": "Create a new version",
+ "DeckRevision.swal.text": "This action will restore the deck to an earlier version. Do you want to continue?",
+ "DeckRevision.swal.confirmButtonText": "Yes, restore deck",
+ "DeckRevision.swal.cancelButtonText": "No",
+ "DeckRevision.form.icon_aria_saved": "Saved at",
+ "DeckRevision.form.date_on": "on",
+ "DeckRevision.form.date_at": "at",
+ "DeckRevision.form.by": "by",
+ "DeckRevision.form.button_aria_show": "Show details",
+ "DeckRevision.form.version_changes": "Version changes",
+ "DeckRevision.form.button_aria_restore": "Restore deck",
+ "DeckRevision.form.button_aria_view": "View deck in new tab",
+ "DeckRevisionChanges.form.no_changes": "There are no changes for this version.",
+ "SlideHistoryPanel.form.no_changes": "There are no changes for this slide.",
+ "ContentModulesPanel.form.label_sources": "Sources",
+ "ContentModulesPanel.form.label_tags": "Tags",
+ "ContentModulesPanel.form.label_comments": "Comments",
+ "ContentModulesPanel.form.label_history": "History",
+ "ContentModulesPanel.form.label_usage": "Usage",
+ "ContentModulesPanel.form.label_questions": "Questions",
+ "ContentModulesPanel.form.label_playlists": "Playlists",
+ "ContentModulesPanel.form.aria_additional": "Additional deck tools",
+ "ContentModulesPanel.form.dropdown_text": "Tools",
+ "ContentModulesPanel.form.header": "Content Tools",
+ "ContentQuestionAdd.no_question": "Please, enter question",
+ "ContentQuestionAdd.no_answers": "Please, add answers",
+ "ContentQuestionAdd.form.question": "Question",
+ "ContentQuestionAdd.form.difficulty": "Difficulty",
+ "ContentQuestionAdd.form.difficulty_easy": "Easy",
+ "ContentQuestionAdd.form.difficulty_moderate": "Moderate",
+ "ContentQuestionAdd.form.difficulty_hard": "Hard",
+ "ContentQuestionAdd.form.answer_choices": "Answer Choices",
+ "ContentQuestionAdd.form.explanation": "Explanation (optional)",
+ "ContentQuestionAdd.form.exam_question": "This is an exam question",
+ "ContentQuestionAdd.form.button_save": "Save",
+ "ContentQuestionAdd.form.button_cancel": "Cancel",
+ "ContentQuestionAnswersList.form.button_answer_show": "Show answer",
+ "ContentQuestionAnswersList.form.button_answer_hide": "Hide answer",
+ "ContentQuestionAnswersList.form.button_edit": "Edit question",
+ "ContentQuestionAnswersList.form.explanation": "Explanation:",
+ "ContentQuestionEdit.no_question": "Please, enter question",
+ "ContentQuestionEdit.no_answers": "Please, add answers",
+ "ContentQuestionEdit.swal.text": "Delete this question. Are you sure?",
+ "ContentQuestionEdit.swal.confirmButtonText": "Yes, delete!",
+ "ContentQuestionEdit.form.question": "Question",
+ "ContentQuestionEdit.form.difficulty": "Difficulty",
+ "ContentQuestionEdit.form.difficulty_easy": "Easy",
+ "ContentQuestionEdit.form.difficulty_moderate": "Moderate",
+ "ContentQuestionEdit.form.difficulty_hard": "Hard",
+ "ContentQuestionEdit.form.answer_choices": "Answer Choices",
+ "ContentQuestionEdit.form.explanation": "Explanation (optional)",
+ "ContentQuestionEdit.form.exam_question": "This is an exam question",
+ "ContentQuestionEdit.form.button_save": "Save",
+ "ContentQuestionEdit.form.button_cancel": "Cancel",
+ "ContentQuestionEdit.form.button_delete": "Delete",
+ "ContentQuestionsItem.form.originally": "(originally from",
+ "ContentQuestionsPanel.form.no_questions": "There are currently no questions for this",
+ "ContentQuestionsPanel.form.button_exam": "Exam mode",
+ "ContentQuestionsPanel.form.button_select": "Select exam questions",
+ "ContentQuestionsPanel.form.button_add": "Add question",
+ "ContentQuestionsPanel.form.questions_header": "Questions",
+ "QuestionDownloadList.form.heading": "Select questions to download",
+ "QuestionDownloadList.form.button": "Select all",
+ "QuestionDownloadModal.form.download_aria": "Download Questions",
+ "QuestionDownloadModal.form.download_tooltip": "Download Questions as JSON format",
+ "QuestionDownloadModal.form.modal_description": "You can select one or more questions from this deck to download.",
+ "QuestionDownloadModal.form.button_cancel": "Cancel",
+ "QuestionDownloadModal.form.download_text": "Download",
"questionpanel.handleDownloadQuestionsClick": "Download questions",
+ "QuestionDownloadModal.form.modal_header": "Download questions",
+ "ExamAnswersItem.form.answer_correct": "your answer was correct",
+ "ExamAnswersItem.form.answer_not_selected": "the correct answer which you did not select",
+ "ExamAnswersItem.form.answer_incorrect": "your answer was incorrect",
+ "ExamAnswersList.form.explanation": "Explanation:",
+ "ExamAnswersList.form.answer_incorrect": "Your answer to the question was incorrect",
+ "ExamList.swal.title": "Exam submitted",
+ "ExamList.swal.text": "Your score:",
+ "ExamList.form.button_submit": "Submit answers",
+ "ExamList.form.button_cancel": "Cancel",
+ "ExamPanel.form.no_questions": "There are currently no exam questions for this",
+ "ExamPanel.form.exam_mode": "Exam mode",
+ "ExamPanel.form.button_back": "Back",
+ "ExamQuestionsList.form.header": "Select exam questions",
+ "ExamQuestionsList.form.button_save": "Save",
+ "ExamQuestionsList.form.button_cancel": "Cancel",
+ "ContentUsageItem.form.by": "by",
+ "ContentUsageList.form.no_usage": "There is currently no usage of this",
+ "ContributorsPanel.form.no_contributors": "There are no contributors for this",
+ "ContributorsPanel.form.header": "Creator",
+ "ContributorsPanel.form.title": "Contributors",
+ "DataSourceItem.form.originally": "originally from slide",
+ "DataSourcePanel.form.no_sources": "There are currently no sources for this",
+ "DataSourcePanel.form.button_add": "Add source",
+ "DataSourcePanel.form.header": "Sources",
+ "DataSourcePanel.form.show_more": "Show more ...",
+ "EditDataSource.no_title": "This field cannot be empty.",
+ "EditDataSource.valid_url": "The URL must be a valid one.",
+ "EditDataSource.valid_year": "Enter a valid number for a Year, which is less or equal the current one.",
+ "EditDataSource.form.header_edit": "Edit source",
+ "EditDataSource.form.header_add": "Add source",
+ "EditDataSource.form.placeholder_title": "Title",
+ "EditDataSource.form.placeholder_authors": "Authors",
+ "EditDataSource.form.placeholder_year": "Year",
+ "EditDataSource.form.placeholder_comment": "Comment",
+ "EditDataSource.form.button_delete": "Delete",
+ "EditDataSource.form.type_webpage": "Web page",
+ "EditDataSource.form.type_webdocument": "Web document",
+ "EditDataSource.form.type_publication": "Publication",
+ "EditDataSource.form.type_person": "Person",
+ "EditDataSource.form.type_text": "Plain text",
+ "EditDataSource.form.label_type": "Type",
+ "EditDataSource.form.label_title": "Title",
+ "EditDataSource.form.label_authors": "Authors",
+ "EditDataSource.form.label_year": "Year",
+ "EditDataSource.form.label_comment": "Comment",
+ "EditDataSource.form.button_submit": "Submit",
+ "EditDataSource.form.button_cancel": "Cancel",
"RecommendedTags.header": "Recommended Tags",
"RecommendedTags.aria.add": "Add recommended tag",
"RecommendedTags.aria.dismiss": "Dismiss recommendation",
@@ -464,16 +635,36 @@
"DeckTranslationsModal.translate": "Create translation",
"DeckTranslationsModal.originLanguage": "Original Language:",
"DeckTranslationsModal.switchSR": "Create a new deck translation",
+ "SlideTranslationsModal.header": "Translate Slide",
+ "SlideTranslationsModal.chooseSourceLanguage": "Choose the source language...",
+ "SlideTranslationsModal.chooseTargetLanguage": "Choose the target language...",
+ "SlideTranslationsModal.sourceTranslation": "Current language:",
+ "SlideTranslationsModal.targetTranslation": "Target language:",
+ "SlideTranslationsModal.autoSelect": "Current and target language are automatically selected. You may alter manually if required.",
+ "SlideTranslationsModal.alternativeTranslation1": "We have a limited amount of automatic translation each month. Alternatively, you can use the...",
+ "SlideTranslationsModal.alternativeTranslation2": "...built-in translation feature, ...",
+ "SlideTranslationsModal.alternativeTranslation3": "...translation extension or “app”, or translate via one of the Mozilla Firefox translations extensions (...",
+ "SlideTranslationsModal.openOriginal": "To assist with translation, you can open the current version of this deck in a new browser tab via the Play button.",
+ "SlideTranslationsModal.sourceLanguageSearchOptions": "(start typing to find the source language)",
+ "SlideTranslationsModal.targetLanguageSearchOptions": "(start typing to find the target language)",
+ "SlideTranslationsModal.cancel": "Cancel",
+ "SlideTranslationsModal.translate": "Translate slide",
+ "SlideTranslationsModal.originLanguage": "Original Language:",
+ "SlideTranslationsModal.switchSR": "Start a new slide translation",
"InfoPanelInfoView.selectLanguage": "Select language",
+ "Stats.deckUserStatsTitle": "User Activity",
"similarContentItem.creator": "Creator",
"similarContentItem.likes": "Number of likes",
"similarContentItem.open_deck": "Open deck",
"similarContentItem.open_slideshow": "Open slideshow in new tab",
"similarContentPanel.panel_header": "Recommended Decks",
"similarContentPanel.panel_loading": "Loading",
+ "slideEditLeftPanel.transitionAlertTitle": "Changing Transition for the presentation",
+ "slideEditLeftPanel.transitionAlertContent": "This transition will be used for the transition to this slide, do you want to proceed?",
"editpanel.slideSizeCurrent": "(current: {size})",
"editpanel.back": "back",
"editpanel.embed": "Embed",
+ "editpanel.lti": "LTI",
"editpanel.table": "Table",
"editpanel.Maths": "Maths",
"editpanel.Code": "Code",
@@ -490,6 +681,14 @@
"editpanel.embedAdd": "Add to Slide",
"editpanel.embedNote": "Not all website owners allow their content to be embedded. Using embed code provided by the website you want to embed (instead of URL) often works best.",
"editpanel.embedNoteTerms": "Please note that our terms (e.g., on malicious code and commercial material) also strictly apply to any content on webpages that you embed.",
+ "editpanel.ltiKey": "LTI Key:",
+ "editpanel.ltiKeyMissingError": "missing LTI key",
+ "editpanel.ltiURL": "URL/Link to LTI content:",
+ "editpanel.ltiURLMissingError": "missing URL/link to content",
+ "editpanel.ltiWidth": "Width of LTI content:",
+ "editpanel.ltiHeight": "Height of LTI content:",
+ "editpanel.ltiAdd": "Add to Slide",
+ "editpanel.ltiNote": "Use an LTI URL and key.",
"editpanel.template2": "Empty document - Document-mode (non-canvas)",
"editpanel.template3": "Document with title - Document-mode (non-canvas)",
"editpanel.template31": "Document with rich text example - Document-mode (non-canvas)",
@@ -511,6 +710,7 @@
"editpanel.templateVMU": "VMU template - Title page",
"editpanel.slideTitleButton": "Change slide name",
"editpanel.slideSizeChange": "Change slide size",
+ "editpanel.slideTransition": "Slide Transition",
"editpanel.changeBackgroundColor": "Change Background Colour",
"editpanel.removeBackground": "Remove background",
"editpanel.titleMissingError": "Error: Slide name can not be empty",
@@ -526,6 +726,12 @@
"editpanel.slideSizeName720": "720p HDTV Wide XGA",
"editpanel.slideSizeWidescreen1080": "Widescreen (16:9) high",
"editpanel.slideSizeName1080": "1080p/1080i HDTV Blu-ray",
+ "transitionpanel.none": "No slide transition",
+ "transitionpanel.convex": "Convex",
+ "transitionpanel.fade": "Fade",
+ "transitionpanel.slide": "Slide",
+ "transitionpanel.zoom": "Zoom",
+ "transitionpanel.concave": "Concave",
"editpanel.addTextBox": "Add text box",
"editpanel.Image": "Add image",
"editpanel.Video": "Add video",
@@ -615,6 +821,20 @@
"UserCollections.collections.shared": "Shared Playlist",
"UserCollections.collections.delete.title": "Delete Playlist",
"UserCollections.collections.delete.text": "Are you sure you want to delete this playlist?",
+ "footer.sr.header": "Information about SlideWiki",
+ "footer.header": "About",
+ "footer.about": "About Us",
+ "footer.contact": "Contact Us",
+ "footer.guides": "Guides and Help",
+ "footer.accessibility": "Accessibility",
+ "footer.terms.header": "Terms & Conditions",
+ "footer.terms": "Terms",
+ "footer.license": "License",
+ "footer.imprint": "Imprint",
+ "footer.data": "Data Protection",
+ "footer.funding": "Funding",
+ "footer.funding.text": "The SlideWiki project has received funding from the European Union's Horizon 2020 research and innovation programme under grant agreement No 688095",
+ "footer.copyright": "Copyright © 2018 All Rights Reserved",
"header.signin": "Sign In",
"header.signin.mobile": "Sign In",
"header.mydecks.mobile": "Decks",
@@ -757,8 +977,13 @@
"dataProtection.8.email": "data-protection(at)zv.fraunhofer.de",
"dataProtection.9.header": "9. Acceptance, validity and modification of data protection conditions",
"dataProtection.9.p1": "By using our Web site, you implicitly agree to accept the use of your personal data as specified above. This present statement of data protection conditions came into effect on October 1st, 2013. As our Web site evolves, and new technologies come into use, it may become necessary to amend the statement of data protection conditions. The Fraunhofer-Gesellschaft reserves the right to modify its data protection conditions at any time, with effect as of a future date. We recommend that you re-read the latest version from time to time.",
+ "decklist.featured.alt": "Featured Image.",
"decklist.decklanguage": "Default language",
+ "decklist.decknumberofslides": "Number of slides",
"decklist.forkcount": "Number of forks",
+ "decklist.likecount": "Number of likes",
+ "decklist.numberofshares": "Number of shares",
+ "decklist.numberofdownloads": "Number of downloads",
"decklist.featured.notavailable": "No featured decks available",
"decklist.recent.notavailable": "No recent decks available",
"decklist.meta.creator": "Creator",
@@ -770,7 +995,7 @@
"features.4.comments": "Add {strong} to decks and slides to interact with other learners.",
"features.4.download": "{strong} decks in PDF, ePub or SCORM format.",
"features.4.findMore": "To find out more about how to use SlideWiki and its many features, view our {link}.",
- "features.header": "Discover SlideWiki",
+ "features.header": "Untdek SlideWiki",
"features.p1": "The goal of SlideWiki is to revolutionise how educational materials can be authored, shared and reused. By enabling authors and students to create and share slide decks as HTML in an open platform, communities around the world can benefit from materials created by world-leading educators on a wide range of topics.",
"features.1.header": "Create online slide decks",
"features.1.p1": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML to allow you to continue to edit and add new content.",
@@ -825,8 +1050,36 @@
"home.slideWikiAbout": "The SlideWiki Project",
"home.slideWikiAboutContent": "SlideWiki is an online slideshow tool that offers users the chance to create and collaborate on slides, assessments and to share content as structured open educational resources using a Creative Commons licence. With SlideWiki you can engage with your audience by collaborating with colleagues to co-design and co-create course materials and share your knowledge across the world. SlideWiki is an open-source platform, and all its content can be reused under Creative Commons CC-BY-SA license. SlideWiki development, large-scale trials and underlying research is funded from Framework Programme for Research and Innovation Horizon 2020 under grant agreement no 688095. The project involves 17 partners to develop, test and trial SlideWiki.",
"home.slideWikiAboutVisit": "visit the project website.",
- "home.myDecks": "My Decks.",
+ "home.myDecksLink": "My Decks",
"home.seeMoreDecks": "See more decks",
+ "home.leanrMoreSW": "Learn more about SlideWiki",
+ "home.featuredDeck": "Featured Deck",
+ "imprint.licensing.text": "Content on the SlideWiki OCW Authoring platform is licensed under the Creative Commons Attribution-ShareAlike 4.0 International (CC BY-SA 4.0), Creative Commons Attribution 4.0 International (CC BY 4.0), or Creative Commons 1.0 Universal Public Domain Dedication (CC0 1.0) – unless otherwise marked. See the CC {link_licenses} for more information.",
+ "imprint.software.text": "All of SlideWiki’s software code is Open Source software; please check our code repository.",
+ "imprint.header": "Imprint – also serves as provider identification according to § 5 Telemediengesetz (TMG)",
+ "imprint.provider": "Provider",
+ "imprint.representative": "Authorised Representative",
+ "imprint.representative.text": "Prof. Dr. Sören Auer (Director of TIB)",
+ "imprint.representative.text2": "Technische Informationsbibliothek (TIB) is a foundation of public law of the state of Lower Saxony.",
+ "imprint.authority": "Responsible Supervisory Authority",
+ "imprint.authority.text": "Ministry for Science and Culture of Lower Saxony",
+ "imprint.contact": "Contact",
+ "imprint.VAT": "VAT (sales tax) registration number",
+ "imprint.editorialOffice": "Editorial Office",
+ "imprint.copyright": "Copyright",
+ "imprint.copyright.text": "The layout of this website is protected under copyright, as are the graphics and all other contents contained in the website.",
+ "imprint.content": "Content Available",
+ "imprint.content.text1": "Provided as-is:",
+ "imprint.content.text2": "You acknowledge that we do not make any representations or warranties about the material, data, and information, such as data files, text, computer software, code, music, audio files or other sounds, photographs, videos, or other images (collectively, the “Content”) which you may have access to through your use of SlideWiki. Under no circumstances are we liable in any way for any Content, including, but not limited to: any infringing Content, any errors or omissions in Content, or for any loss or damage of any kind incurred as a result of the use of any Content posted, transmitted, linked from, or otherwise accessible through or made available via SlideWiki. You understand that by using SlideWiki, you may be exposed to Content that is offensive, indecent, or objectionable. You agree that you are solely responsible for your reuse of Content made available through SlideWiki. You should review the terms of the applicable license before you use the Content so that you know what you can and cannot do.",
+ "imprint.licensing": "Licensing",
+ "imprint.licenses.page": "licenses page",
+ "imprint.software": "SlideWiki Software",
+ "imprint.repository": "repository",
+ "imprint.content2": "Content Supplied by You",
+ "imprint.content2.text": "Your responsibility: You represent, warrant, and agree that no Content posted or otherwise shared by you on or through SlideWiki (“Your Content”), violates or infringes upon the rights of any third party, including copyright, trademark, privacy, publicity, or other personal or proprietary rights, breaches or conflicts with any obligation, such as a confidentiality obligation, or contains libelous, defamatory, or otherwise unlawful material.",
+ "imprint.licensing.2": "Licensing Your Content: You retain any copyright that you may have in Your Content. You hereby agree that Your Content: (a) is hereby licensed under the Creative Commons Attribution 4.0 License and may be used under the terms of that license or any later version of a Creative Commons Attribution License, or (b) is in the public domain (such as Content that is not copyrightable or Content you make available under CC0), or © if not owned by you, (i) is available under a Creative Commons Attribution 4.0 License or (ii) is a media file that is available under any Creative Commons license.",
+ "imprint.disclaimer": "Disclaimer",
+ "imprint.disclaimer.text": "We cannot assume any liability for the content of external pages. Solely the operators of those linked pages are responsible for their content.",
"licence.ccBySaLicenceLogo": "Creative Commons BY-SA License logo",
"licence.1.p2": "Find out more about the CC BY-SA and access the full license text by viewing the {link_1}.",
"licence.1.3.p2": "{link_1} lists sources of materials published under creative commons licenses. Some media services such as Flickr, YouTube and Vimeo publish some content under creative commons licenses. Content marked “All rights reserved” cannot be included in SlideWiki.",
@@ -858,6 +1111,19 @@
"licence.4.header": "Notices",
"licence.4.p1": "The SlideWiki website and its content are provided \"as is\". We offer no warranties, explicit or implied regarding any content, the webiste or the accuracy of any information. These license may not give you all of the permissions necessary for your intended use. For example, other rights such as publicity, privacy, or moral rights may limit how you use the material. We reserve the right to remove materials and content that we believe to infringe copyright and license requirements.",
"recent.header": "Recent decks added by users",
+ "staticPage.findSlides": "Find slides",
+ "staticPage.findSlidesSubtitle": "Explore the deck",
+ "staticPage.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics.",
+ "staticPage.createSlides": "Create slides",
+ "staticPage.createSlidesSubtitle": "Add and adapt course material",
+ "staticPage.createSlidesContent": "Create a new deck or import existing slides to create HTML slide decks.",
+ "staticPage.sharingSlides": "Share slides",
+ "staticPage.sharingSlidesSubtitle": "Present, Share and Communicate",
+ "staticPage.sharingSlidesContent": "Collaborate on decks with peers. Group decks in playlists and share via social media or email.",
+ "staticPage.getStarted": "Get started right away.",
+ "staticPage.signIn": "Sign in",
+ "staticPage.getStartedDescription": "Create an account to start creating and sharing your decks.",
+ "staticPage.myDecks": "My Decks.",
"terms.mainTitle": "Terms of us of SlideWiki",
"terms.summary": "This is a human-readable summary of the Terms of Use for SlideWiki (the project).",
"terms.disclaimer": "Disclaimer: This summary is not a part of the Terms of Use and is not a legal document. It is simply a handy reference for understanding the full terms. Think of it as the user-friendly interface to the legal language of our Terms of Use.",
@@ -881,19 +1147,6 @@
"terms.paragraph1": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Vivamus id nisl magna. Sed a metus vel dui vehicula viverra. Quisque sed tellus at justo semper dictum. Nullam at rutrum leo. Vivamus at aliquam metus. Aliquam nec nunc in libero posuere hendrerit nec at lacus. Nunc malesuada lobortis tortor nec porta. Cras vulputate mollis nisi, at sollicitudin quam eleifend ac. Nam sed venenatis turpis. Sed vestibulum malesuada nunc vitae ultricies. Donec bibendum ultrices facilisis. Mauris sollicitudin mi et vulputate rhoncus.",
"terms.paragraph2": "Mauris tincidunt, urna non aliquam dapibus, enim metus varius tellus, non dignissim urna odio ac augue. Fusce id lacinia ipsum, id egestas dui. Suspendisse nec quam vel mi tincidunt bibendum a vel mauris. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia Curae; Proin magna elit, molestie eu libero ut, bibendum facilisis turpis. Mauris sem lorem, dignissim a ex sit amet, suscipit fermentum turpis. Integer porttitor arcu non porttitor faucibus. Fusce nisi risus, rutrum vitae vulputate vitae, consectetur et nunc. Aliquam placerat ipsum felis, nec fermentum arcu sagittis nec. Aenean imperdiet laoreet quam ac placerat. Ut accumsan tristique elementum. Etiam congue venenatis lorem, malesuada tristique mauris congue vel. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Nam tincidunt libero a nisi consequat sodales.",
"terms.paragraph3": "Aliquam vitae velit iaculis, vestibulum felis eu, lacinia risus. Donec mollis enim nec accumsan tristique. Morbi dapibus condimentum erat quis placerat. Integer velit augue, sodales quis scelerisque nec, facilisis nec velit. Maecenas rhoncus sagittis lectus, vel feugiat nulla aliquet quis. Quisque condimentum sapien nec eros tristique, vitae pulvinar sem tempus. Nulla ut odio id elit accumsan interdum. Maecenas sagittis sed sem a malesuada. Vivamus venenatis ex sed ex pretium, et pellentesque purus vehicula. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egesta",
- "terms.findSlides": "Find slides",
- "terms.findSlidesSubtitle": "Explore the deck lorem ipsum",
- "terms.findSlidesContent": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Aenean eget elit sapien. Nunc semper urna in lectus consectetur fermentum. Vestibulum eu sem pulvinar, sollicitudin ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet aliquam n ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet.",
- "terms.createSlides": "Create slides",
- "terms.createSlidesSubtitle": "Learn how to create slides with SlideWiki",
- "terms.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
- "terms.sharingSlides": "Sharing slides",
- "terms.sharingSlidesSubtitle": "Present, Share and Communicate",
- "terms.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
- "terms.getStarted": "Get started right away.",
- "terms.signIn": "Sign in",
- "terms.getStartedDescription": "Create an account to start creating and sharing your decks.",
- "terms.myDecks": "My Decks.",
"welcome.3.slideshowMode": "Use the {strong} to view a deck as a slideshow. Includes a timer and speaker notes&apo; view.",
"welcome.3.shareDecks": "{strong} via social media or email.",
"welcome.3.comments": "Add {strong} to decks and slides to interact with other learners.",
@@ -934,12 +1187,16 @@
"LoginModal.placeholder.email": "E-Mail",
"LoginModal.placeholder.password": "Password",
"userSignIn.headerText": "Sign In",
+ "LoginModal.aria.google": "sign in with your Google account",
+ "LoginModal.aria.github": "sign in with your Github account",
"LoginModal.label.email": "E-Mail",
"LoginModal.label.password": "Password",
"LoginModal.button.signIn": "Sign In",
"LoginModal.text.iCannotAccessMyAccount": "I can not access my account",
"LoginModal.text.dontHaveAnAccount": "Don't have an account? Sign up here.",
"LoginModal.button.close": "Close",
+ "Migrate.text1": "We are merging your user account. This will take just a few seconds.",
+ "Migrate.text2": "You will be directed to next view.",
"resetPassword.mailprompt": "Please enter your email address",
"resetPassword.mailprompt2": "Please enter a valid email address",
"resetPassword.mailreprompt": "Please reenter your email address",
@@ -961,6 +1218,19 @@
"SSOSignIn.errormessage.isForbidden": "Migration is not possible with this user. Please start all over again.",
"SSOSignIn.errormessage.accountNotFound": "This account was not prepared for migration. Please start all over again.",
"SSOSignIn.errormessage.badImplementation": "An unknown error occurred.",
+ "socialLogin.text1": "We are acquiring your data. This will take just a few seconds.",
+ "socialLogin.text2": "This window will close automatically.",
+ "UserMenuDropdown.mydecks": "My Decks",
+ "UserMenuDropdown.decks": "Decks",
+ "UserMenuDropdown.myplaylists": "My Playlists",
+ "UserMenuDropdown.playlists": "Playlists",
+ "UserMenuDropdown.mygroups": "My Groups",
+ "UserMenuDropdown.groups": "Groups",
+ "UserMenuDropdown.mySettings": "My Settings",
+ "UserMenuDropdown.settings": "Settings",
+ "UserMenuDropdown.myNotifications": "My Notifications",
+ "UserMenuDropdown.notifications": "Notifications",
+ "UserMenuDropdown.signout": "Sign Out",
"paintModal.title": "Draw your own SVG image",
"paintModal.primaryColourInput": "Primary colour:",
"paintModal.secondaryColourInput": "Secondary colour:",
@@ -1054,9 +1324,13 @@
"SearchPanel.filters.tags.title": "Tags",
"SearchPanel.filters.tags.placeholder": "Select Tags",
"SearchPanel.button.submit": "Submit",
+ "DeckFilter.Tag.Topic": "Subject",
+ "DeckFilter.Education": "Education Level",
"Facets.languagesFacet": "Languages",
"Facets.ownersFacet": "Owners",
"Facets.tagsFacet": "Tags",
+ "Facets.educationLevelFacet": "Education Levels",
+ "Facets.topicsFacet": "Subjects",
"Facets.showMore": "show more",
"Facets.showLess": "show less",
"SearchResultsItem.otherVersions.deck": "Deck Version {index}: {title}",
@@ -1090,7 +1364,7 @@
"SSOSignIn.errormessage.deactivatedOrUnactivated": "Your user account either have to be activated via the activation link in your email or is deactivated in general.",
"CategoryBox.personalSettings": "Personal settings",
"CategoryBox.profile": "Profile",
- "CategoryBox.account": "Account",
+ "CategoryBox.account": "Accounts",
"CategoryBox.authorizedAccounts": "Authorized Accounts & Services",
"CategoryBox.userStats": "User Stats",
"CategoryBox.groups": "Groups",
@@ -1142,6 +1416,7 @@
"user.deckcard.opendeck": "Open deck",
"user.deckcard.slideshow": "Open slideshow in new tab",
"user.deckcard.unlisted": "Unlisted",
+ "user.populardecks.notavailable": "No decks available",
"Integration.swalTitle3": "Error",
"Integration.swalText3": "The provider hasn't been disabled, because something unexpected happened. Please try again later.",
"Integration.swalbutton3": "Confirmed",
@@ -1164,7 +1439,8 @@
"Integration.disableGithub": "Disable",
"Integration.enableGithub": "Enable",
"Integration.loading": "loading",
- "user.populardecks.notavailable": "No decks available",
+ "Integration.ltis": "Learning Services (LTIs)",
+ "Integration.myLTIs": "My Learning Services",
"user.userProfile.privatePublicProfile.allStatus": "All",
"user.userProfile.privatePublicProfile.publicStatus": "Published",
"user.userProfile.privatePublicProfile.hiddenStatus": "Unlisted",
@@ -1214,7 +1490,15 @@
"user.userRecommendations.lastUpdated": "Last updated",
"user.userRecommendations.creationDate": "Creation date",
"user.userRecommendations.title": "Title",
+ "Stats.userStatsTitle": "User Statistics",
"Stats.tagCloudTitle": "Popular Tags",
+ "Stats.userEngagementTitle": "User Engagement Overview",
+ "Stats.activeEngagement": "Active Engagement",
+ "Stats.passiveEngagement": "Passive Engagement",
+ "Stats.socialEngagement": "Social Engagement",
+ "Stats.activeEngagementDesc": "The degree of active participation based on the user's content creation history",
+ "Stats.passiveEngagementDesc": "The degree of passive participation based on the user's content usage",
+ "Stats.socialEngagementDesc": "The degree of social interaction through SW content",
"UserRegistration.firstName_prompt": "Please enter your first name",
"UserRegistration.lastName_prompt": "Please enter your last name",
"UserRegistration.userName_prompt": "Please select your username",
@@ -1264,6 +1548,11 @@
"UserRegistration.form_terms": "By clicking Sign Up, you agree to our",
"UserRegistration.form_terms2": "Terms",
"UserRegistration.noAccess": "I can not access my account",
+ "UserRegistration.emailRegistered": "This E-Mail has already been registered by someone else. Please use another one.",
+ "UserRegistration.usernameRegistered": "This Username has already been registered by someone else. Please choose another one.",
+ "UserRegistration.username.suggestion": "Here are some suggestions:",
+ "UserRegistration.SSO.title": "Sign up with an account of another SlideWiki instance",
+ "UserRegistration.SSO.aria": "Sign up with another SlideWiki instance",
"UserRegistrationSocial.firstnameprompt": "Please enter your first name",
"UserRegistrationSocial.lastnameprompt": "Please enter your last name",
"UserRegistrationSocial.usernameprompt": "Please select your username",
@@ -1278,6 +1567,7 @@
"UserRegistrationSocial.confirm": "OK",
"UserRegistrationSocial.emailNotAllowed": "This E-Mail has already been used by someone else. Please choose another one.",
"UserRegistrationSocial.usernameNotAllowed": "This Username has already been used by someone else. Please choose another one.",
+ "UserRegistrationSocial.usernamesuggestion": "Here are some suggestions:",
"UserRegistrationSocial.validate": "Validate user information",
"UserRegistrationSocial.fname": "First name *",
"UserRegistrationSocial.lname": "Last name *",
@@ -1331,4 +1621,4 @@
"GroupMenu.settings": "Group Settings",
"GroupMenu.stats": "Group Stats",
"UserGroupPage.goBack": "Return to My Groups List"
-}
+}
\ No newline at end of file
diff --git a/intl/gd.json b/intl/gd.json
index 1f531233b..1ce150282 100644
--- a/intl/gd.json
+++ b/intl/gd.json
@@ -29,6 +29,9 @@
"AddDeck.form.label_themes": "Choose deck theme",
"AddDeck.form.label_description": "Description",
"add.help": "Help decks",
+ "AddDeck.sr.education": "Select education level of deck content",
+ "AddDeck.sr.subject": "Select subject of deck content from autocomplete. Multiple subjects can be selected",
+ "AddDeck.sr.tags": "Add tags or keywords for your deck. Multiple tags can be provided.",
"DeckProperty.Education.Choose": "Choose Education Level",
"DeckProperty.Tag.Topic.Choose": "Choose Subject",
"DeckProperty.Tag.Choose": "Choose Tags",
@@ -37,6 +40,9 @@
"AddDeck.form.label_terms2": "terms and conditions",
"AddDeck.form.label_terms3": "and that content I upload, create and edit can be published under a Creative Commons ShareAlike license.",
"AddDeck.form.label_termsimages": "I agree that images within my imported slides are in the public domain or made available under a Creative Commons Attribution (CC-BY or CC-BY-SA) license.",
+ "activationMessages.swalTitle": "Account activated",
+ "activationMessages.swalText": "Your account has been successfully activated. You are now able to login",
+ "activationMessages.swalConfirm": "Close",
"header.cookieBanner": "This website uses cookies.",
"CountryDropdown.placeholder": "Select your country",
"CountryDropdown.Afghanistan": "Afghanistan",
@@ -332,7 +338,172 @@
"CollectionsPanel.error.removeDeck": "An error occured while removing playlist from deck...",
"CollectionsPanel.error.adDeck": "An error occured while adding playlist to the deck...",
"CollectionsPanel.addToPlaylist": "Add deck to playlist",
+ "AddComment.form.comment_title_placeholder": "Title",
+ "AddComment.form.comment_text_placeholder": "Text",
+ "AddComment.form.label_comment_title": "Comment title",
+ "AddComment.form.label_comment_text": "Comment text",
+ "AddComment.form.button_submit": "Submit",
+ "AddComment.form.button_cancel": "Cancel",
+ "AddReply.form.reply_text_placeholder": "Text",
+ "AddReply.form.label_reply_title": "Reply title",
+ "AddReply.form.label_reply_text": "Reply text",
+ "AddReply.form.button_add": "Add Reply",
+ "Comment.form.revision_note": "revision",
+ "Comment.form.from_note": "from",
+ "Comment.form.comment_removed": "Comment was removed",
+ "Comment.form.delete_aria": "Delete comment",
+ "Comment.form.label_reply": "Reply",
+ "ContentDiscussionPanel.form.no_comments": "There are currently no comments for this",
+ "ContentDiscussionPanel.form.button_add": "Add comment",
+ "ContentDiscussionPanel.form.comments": "Comments",
+ "ContentChangeItem.swal.text": "This action will restore the slide to an earlier version. Do you want to continue?",
+ "ContentChangeItem.swal.confirmButtonText": "Yes, restore slide",
+ "ContentChangeItem.swal.cancelButtonText": "No",
+ "ContentChangeItem.form.add_description": "added",
+ "ContentChangeItem.form.copy_description": "created a duplicate of",
+ "ContentChangeItem.form.attach_description": "attached",
+ "ContentChangeItem.form.fork_description": "created a fork of deck",
+ "ContentChangeItem.form.translate_description_added": "added",
+ "ContentChangeItem.form.translate_description_translation": "translation for",
+ "ContentChangeItem.form.revise_description": "created a new version of",
+ "ContentChangeItem.form.rename_description_renamed": "renamed",
+ "ContentChangeItem.form.rename_description_to": "to",
+ "ContentChangeItem.form.revert_description_restored": "restored",
+ "ContentChangeItem.form.revert_description_to": "to an earlier version",
+ "ContentChangeItem.form.remove_description": "removed",
+ "ContentChangeItem.form.edit_description_slide_translation": "edited slide translation",
+ "ContentChangeItem.form.edit_description_slide": "edited slide",
+ "ContentChangeItem.form.move_description_slide": "moved the slide",
+ "ContentChangeItem.form.move_description_deck": "moved the deck",
+ "ContentChangeItem.form.move_description": "moved",
+ "ContentChangeItem.form.update_description": "updated deck",
+ "ContentChangeItem.form.default_description": "updated the deck",
+ "ContentChangeItem.form.button_compare": "Compare to current slide version",
+ "ContentChangeItem.form.button_restore": "Restore slide",
+ "ContentChangeItem.form.button_view": "View slide",
+ "ContentChangeItem.form.date_on": "on",
+ "ContentChangeItem.form.date_at": "at",
+ "DeckHistoryPanel.swal.text": "This action will create a new version for this deck. Do you want to continue?",
+ "DeckHistoryPanel.swal.confirmButtonText": "Yes, create a new version",
+ "DeckHistoryPanel.swal.cancelButtonText": "No",
+ "DeckHistoryPanel.form.button_aria": "Create a new version of this deck",
+ "DeckHistoryPanel.form.button_content": "Create a new version",
+ "DeckRevision.swal.text": "This action will restore the deck to an earlier version. Do you want to continue?",
+ "DeckRevision.swal.confirmButtonText": "Yes, restore deck",
+ "DeckRevision.swal.cancelButtonText": "No",
+ "DeckRevision.form.icon_aria_saved": "Saved at",
+ "DeckRevision.form.date_on": "on",
+ "DeckRevision.form.date_at": "at",
+ "DeckRevision.form.by": "by",
+ "DeckRevision.form.button_aria_show": "Show details",
+ "DeckRevision.form.version_changes": "Version changes",
+ "DeckRevision.form.button_aria_restore": "Restore deck",
+ "DeckRevision.form.button_aria_view": "View deck in new tab",
+ "DeckRevisionChanges.form.no_changes": "There are no changes for this version.",
+ "SlideHistoryPanel.form.no_changes": "There are no changes for this slide.",
+ "ContentModulesPanel.form.label_sources": "Sources",
+ "ContentModulesPanel.form.label_tags": "Tags",
+ "ContentModulesPanel.form.label_comments": "Comments",
+ "ContentModulesPanel.form.label_history": "History",
+ "ContentModulesPanel.form.label_usage": "Usage",
+ "ContentModulesPanel.form.label_questions": "Questions",
+ "ContentModulesPanel.form.label_playlists": "Playlists",
+ "ContentModulesPanel.form.aria_additional": "Additional deck tools",
+ "ContentModulesPanel.form.dropdown_text": "Tools",
+ "ContentModulesPanel.form.header": "Content Tools",
+ "ContentQuestionAdd.no_question": "Please, enter question",
+ "ContentQuestionAdd.no_answers": "Please, add answers",
+ "ContentQuestionAdd.form.question": "Question",
+ "ContentQuestionAdd.form.difficulty": "Difficulty",
+ "ContentQuestionAdd.form.difficulty_easy": "Easy",
+ "ContentQuestionAdd.form.difficulty_moderate": "Moderate",
+ "ContentQuestionAdd.form.difficulty_hard": "Hard",
+ "ContentQuestionAdd.form.answer_choices": "Answer Choices",
+ "ContentQuestionAdd.form.explanation": "Explanation (optional)",
+ "ContentQuestionAdd.form.exam_question": "This is an exam question",
+ "ContentQuestionAdd.form.button_save": "Save",
+ "ContentQuestionAdd.form.button_cancel": "Cancel",
+ "ContentQuestionAnswersList.form.button_answer_show": "Show answer",
+ "ContentQuestionAnswersList.form.button_answer_hide": "Hide answer",
+ "ContentQuestionAnswersList.form.button_edit": "Edit question",
+ "ContentQuestionAnswersList.form.explanation": "Explanation:",
+ "ContentQuestionEdit.no_question": "Please, enter question",
+ "ContentQuestionEdit.no_answers": "Please, add answers",
+ "ContentQuestionEdit.swal.text": "Delete this question. Are you sure?",
+ "ContentQuestionEdit.swal.confirmButtonText": "Yes, delete!",
+ "ContentQuestionEdit.form.question": "Question",
+ "ContentQuestionEdit.form.difficulty": "Difficulty",
+ "ContentQuestionEdit.form.difficulty_easy": "Easy",
+ "ContentQuestionEdit.form.difficulty_moderate": "Moderate",
+ "ContentQuestionEdit.form.difficulty_hard": "Hard",
+ "ContentQuestionEdit.form.answer_choices": "Answer Choices",
+ "ContentQuestionEdit.form.explanation": "Explanation (optional)",
+ "ContentQuestionEdit.form.exam_question": "This is an exam question",
+ "ContentQuestionEdit.form.button_save": "Save",
+ "ContentQuestionEdit.form.button_cancel": "Cancel",
+ "ContentQuestionEdit.form.button_delete": "Delete",
+ "ContentQuestionsItem.form.originally": "(originally from",
+ "ContentQuestionsPanel.form.no_questions": "There are currently no questions for this",
+ "ContentQuestionsPanel.form.button_exam": "Exam mode",
+ "ContentQuestionsPanel.form.button_select": "Select exam questions",
+ "ContentQuestionsPanel.form.button_add": "Add question",
+ "ContentQuestionsPanel.form.questions_header": "Questions",
+ "QuestionDownloadList.form.heading": "Select questions to download",
+ "QuestionDownloadList.form.button": "Select all",
+ "QuestionDownloadModal.form.download_aria": "Download Questions",
+ "QuestionDownloadModal.form.download_tooltip": "Download Questions as JSON format",
+ "QuestionDownloadModal.form.modal_description": "You can select one or more questions from this deck to download.",
+ "QuestionDownloadModal.form.button_cancel": "Cancel",
+ "QuestionDownloadModal.form.download_text": "Download",
"questionpanel.handleDownloadQuestionsClick": "Download questions",
+ "QuestionDownloadModal.form.modal_header": "Download questions",
+ "ExamAnswersItem.form.answer_correct": "your answer was correct",
+ "ExamAnswersItem.form.answer_not_selected": "the correct answer which you did not select",
+ "ExamAnswersItem.form.answer_incorrect": "your answer was incorrect",
+ "ExamAnswersList.form.explanation": "Explanation:",
+ "ExamAnswersList.form.answer_incorrect": "Your answer to the question was incorrect",
+ "ExamList.swal.title": "Exam submitted",
+ "ExamList.swal.text": "Your score:",
+ "ExamList.form.button_submit": "Submit answers",
+ "ExamList.form.button_cancel": "Cancel",
+ "ExamPanel.form.no_questions": "There are currently no exam questions for this",
+ "ExamPanel.form.exam_mode": "Exam mode",
+ "ExamPanel.form.button_back": "Back",
+ "ExamQuestionsList.form.header": "Select exam questions",
+ "ExamQuestionsList.form.button_save": "Save",
+ "ExamQuestionsList.form.button_cancel": "Cancel",
+ "ContentUsageItem.form.by": "by",
+ "ContentUsageList.form.no_usage": "There is currently no usage of this",
+ "ContributorsPanel.form.no_contributors": "There are no contributors for this",
+ "ContributorsPanel.form.header": "Creator",
+ "ContributorsPanel.form.title": "Contributors",
+ "DataSourceItem.form.originally": "originally from slide",
+ "DataSourcePanel.form.no_sources": "There are currently no sources for this",
+ "DataSourcePanel.form.button_add": "Add source",
+ "DataSourcePanel.form.header": "Sources",
+ "DataSourcePanel.form.show_more": "Show more ...",
+ "EditDataSource.no_title": "This field cannot be empty.",
+ "EditDataSource.valid_url": "The URL must be a valid one.",
+ "EditDataSource.valid_year": "Enter a valid number for a Year, which is less or equal the current one.",
+ "EditDataSource.form.header_edit": "Edit source",
+ "EditDataSource.form.header_add": "Add source",
+ "EditDataSource.form.placeholder_title": "Title",
+ "EditDataSource.form.placeholder_authors": "Authors",
+ "EditDataSource.form.placeholder_year": "Year",
+ "EditDataSource.form.placeholder_comment": "Comment",
+ "EditDataSource.form.button_delete": "Delete",
+ "EditDataSource.form.type_webpage": "Web page",
+ "EditDataSource.form.type_webdocument": "Web document",
+ "EditDataSource.form.type_publication": "Publication",
+ "EditDataSource.form.type_person": "Person",
+ "EditDataSource.form.type_text": "Plain text",
+ "EditDataSource.form.label_type": "Type",
+ "EditDataSource.form.label_title": "Title",
+ "EditDataSource.form.label_authors": "Authors",
+ "EditDataSource.form.label_year": "Year",
+ "EditDataSource.form.label_comment": "Comment",
+ "EditDataSource.form.button_submit": "Submit",
+ "EditDataSource.form.button_cancel": "Cancel",
"RecommendedTags.header": "Recommended Tags",
"RecommendedTags.aria.add": "Add recommended tag",
"RecommendedTags.aria.dismiss": "Dismiss recommendation",
@@ -464,16 +635,36 @@
"DeckTranslationsModal.translate": "Create translation",
"DeckTranslationsModal.originLanguage": "Original Language:",
"DeckTranslationsModal.switchSR": "Create a new deck translation",
+ "SlideTranslationsModal.header": "Translate Slide",
+ "SlideTranslationsModal.chooseSourceLanguage": "Choose the source language...",
+ "SlideTranslationsModal.chooseTargetLanguage": "Choose the target language...",
+ "SlideTranslationsModal.sourceTranslation": "Current language:",
+ "SlideTranslationsModal.targetTranslation": "Target language:",
+ "SlideTranslationsModal.autoSelect": "Current and target language are automatically selected. You may alter manually if required.",
+ "SlideTranslationsModal.alternativeTranslation1": "We have a limited amount of automatic translation each month. Alternatively, you can use the...",
+ "SlideTranslationsModal.alternativeTranslation2": "...built-in translation feature, ...",
+ "SlideTranslationsModal.alternativeTranslation3": "...translation extension or “app”, or translate via one of the Mozilla Firefox translations extensions (...",
+ "SlideTranslationsModal.openOriginal": "To assist with translation, you can open the current version of this deck in a new browser tab via the Play button.",
+ "SlideTranslationsModal.sourceLanguageSearchOptions": "(start typing to find the source language)",
+ "SlideTranslationsModal.targetLanguageSearchOptions": "(start typing to find the target language)",
+ "SlideTranslationsModal.cancel": "Cancel",
+ "SlideTranslationsModal.translate": "Translate slide",
+ "SlideTranslationsModal.originLanguage": "Original Language:",
+ "SlideTranslationsModal.switchSR": "Start a new slide translation",
"InfoPanelInfoView.selectLanguage": "Select language",
+ "Stats.deckUserStatsTitle": "User Activity",
"similarContentItem.creator": "Creator",
"similarContentItem.likes": "Number of likes",
"similarContentItem.open_deck": "Open deck",
"similarContentItem.open_slideshow": "Open slideshow in new tab",
"similarContentPanel.panel_header": "Recommended Decks",
"similarContentPanel.panel_loading": "Loading",
+ "slideEditLeftPanel.transitionAlertTitle": "Changing Transition for the presentation",
+ "slideEditLeftPanel.transitionAlertContent": "This transition will be used for the transition to this slide, do you want to proceed?",
"editpanel.slideSizeCurrent": "(current: {size})",
"editpanel.back": "back",
"editpanel.embed": "Embed",
+ "editpanel.lti": "LTI",
"editpanel.table": "Table",
"editpanel.Maths": "Maths",
"editpanel.Code": "Code",
@@ -490,6 +681,14 @@
"editpanel.embedAdd": "Add to Slide",
"editpanel.embedNote": "Not all website owners allow their content to be embedded. Using embed code provided by the website you want to embed (instead of URL) often works best.",
"editpanel.embedNoteTerms": "Please note that our terms (e.g., on malicious code and commercial material) also strictly apply to any content on webpages that you embed.",
+ "editpanel.ltiKey": "LTI Key:",
+ "editpanel.ltiKeyMissingError": "missing LTI key",
+ "editpanel.ltiURL": "URL/Link to LTI content:",
+ "editpanel.ltiURLMissingError": "missing URL/link to content",
+ "editpanel.ltiWidth": "Width of LTI content:",
+ "editpanel.ltiHeight": "Height of LTI content:",
+ "editpanel.ltiAdd": "Add to Slide",
+ "editpanel.ltiNote": "Use an LTI URL and key.",
"editpanel.template2": "Empty document - Document-mode (non-canvas)",
"editpanel.template3": "Document with title - Document-mode (non-canvas)",
"editpanel.template31": "Document with rich text example - Document-mode (non-canvas)",
@@ -511,6 +710,7 @@
"editpanel.templateVMU": "VMU template - Title page",
"editpanel.slideTitleButton": "Change slide name",
"editpanel.slideSizeChange": "Change slide size",
+ "editpanel.slideTransition": "Slide Transition",
"editpanel.changeBackgroundColor": "Change Background Colour",
"editpanel.removeBackground": "Remove background",
"editpanel.titleMissingError": "Error: Slide name can not be empty",
@@ -526,6 +726,12 @@
"editpanel.slideSizeName720": "720p HDTV Wide XGA",
"editpanel.slideSizeWidescreen1080": "Widescreen (16:9) high",
"editpanel.slideSizeName1080": "1080p/1080i HDTV Blu-ray",
+ "transitionpanel.none": "No slide transition",
+ "transitionpanel.convex": "Convex",
+ "transitionpanel.fade": "Fade",
+ "transitionpanel.slide": "Slide",
+ "transitionpanel.zoom": "Zoom",
+ "transitionpanel.concave": "Concave",
"editpanel.addTextBox": "Add text box",
"editpanel.Image": "Add image",
"editpanel.Video": "Add video",
@@ -615,6 +821,20 @@
"UserCollections.collections.shared": "Shared Playlist",
"UserCollections.collections.delete.title": "Delete Playlist",
"UserCollections.collections.delete.text": "Are you sure you want to delete this playlist?",
+ "footer.sr.header": "Information about SlideWiki",
+ "footer.header": "About",
+ "footer.about": "About Us",
+ "footer.contact": "Contact Us",
+ "footer.guides": "Guides and Help",
+ "footer.accessibility": "Accessibility",
+ "footer.terms.header": "Terms & Conditions",
+ "footer.terms": "Terms",
+ "footer.license": "License",
+ "footer.imprint": "Imprint",
+ "footer.data": "Data Protection",
+ "footer.funding": "Funding",
+ "footer.funding.text": "The SlideWiki project has received funding from the European Union's Horizon 2020 research and innovation programme under grant agreement No 688095",
+ "footer.copyright": "Copyright © 2018 All Rights Reserved",
"header.signin": "Sign In",
"header.signin.mobile": "Sign In",
"header.mydecks.mobile": "Decks",
@@ -757,8 +977,13 @@
"dataProtection.8.email": "data-protection(at)zv.fraunhofer.de",
"dataProtection.9.header": "9. Acceptance, validity and modification of data protection conditions",
"dataProtection.9.p1": "By using our Web site, you implicitly agree to accept the use of your personal data as specified above. This present statement of data protection conditions came into effect on October 1st, 2013. As our Web site evolves, and new technologies come into use, it may become necessary to amend the statement of data protection conditions. The Fraunhofer-Gesellschaft reserves the right to modify its data protection conditions at any time, with effect as of a future date. We recommend that you re-read the latest version from time to time.",
+ "decklist.featured.alt": "Featured Image.",
"decklist.decklanguage": "Default language",
+ "decklist.decknumberofslides": "Number of slides",
"decklist.forkcount": "Number of forks",
+ "decklist.likecount": "Number of likes",
+ "decklist.numberofshares": "Number of shares",
+ "decklist.numberofdownloads": "Number of downloads",
"decklist.featured.notavailable": "No featured decks available",
"decklist.recent.notavailable": "No recent decks available",
"decklist.meta.creator": "Creator",
@@ -799,7 +1024,7 @@
"features.4.comments.strong": "Comments",
"features.4.download.strong": "Download",
"features.4.findMore.link": "help file deck",
- "home.welcome": "Welcome to SlideWiki",
+ "home.welcome": "Fàilte gu SlideWiki",
"home.signUp": "Sign Up",
"home.learnMore": "Learn More",
"home.findSlides": "Find slides",
@@ -825,8 +1050,36 @@
"home.slideWikiAbout": "The SlideWiki Project",
"home.slideWikiAboutContent": "SlideWiki is an online slideshow tool that offers users the chance to create and collaborate on slides, assessments and to share content as structured open educational resources using a Creative Commons licence. With SlideWiki you can engage with your audience by collaborating with colleagues to co-design and co-create course materials and share your knowledge across the world. SlideWiki is an open-source platform, and all its content can be reused under Creative Commons CC-BY-SA license. SlideWiki development, large-scale trials and underlying research is funded from Framework Programme for Research and Innovation Horizon 2020 under grant agreement no 688095. The project involves 17 partners to develop, test and trial SlideWiki.",
"home.slideWikiAboutVisit": "visit the project website.",
- "home.myDecks": "My Decks.",
+ "home.myDecksLink": "My Decks",
"home.seeMoreDecks": "See more decks",
+ "home.leanrMoreSW": "Learn more about SlideWiki",
+ "home.featuredDeck": "Featured Deck",
+ "imprint.licensing.text": "Content on the SlideWiki OCW Authoring platform is licensed under the Creative Commons Attribution-ShareAlike 4.0 International (CC BY-SA 4.0), Creative Commons Attribution 4.0 International (CC BY 4.0), or Creative Commons 1.0 Universal Public Domain Dedication (CC0 1.0) – unless otherwise marked. See the CC {link_licenses} for more information.",
+ "imprint.software.text": "All of SlideWiki’s software code is Open Source software; please check our code repository.",
+ "imprint.header": "Imprint – also serves as provider identification according to § 5 Telemediengesetz (TMG)",
+ "imprint.provider": "Provider",
+ "imprint.representative": "Authorised Representative",
+ "imprint.representative.text": "Prof. Dr. Sören Auer (Director of TIB)",
+ "imprint.representative.text2": "Technische Informationsbibliothek (TIB) is a foundation of public law of the state of Lower Saxony.",
+ "imprint.authority": "Responsible Supervisory Authority",
+ "imprint.authority.text": "Ministry for Science and Culture of Lower Saxony",
+ "imprint.contact": "Contact",
+ "imprint.VAT": "VAT (sales tax) registration number",
+ "imprint.editorialOffice": "Editorial Office",
+ "imprint.copyright": "Copyright",
+ "imprint.copyright.text": "The layout of this website is protected under copyright, as are the graphics and all other contents contained in the website.",
+ "imprint.content": "Content Available",
+ "imprint.content.text1": "Provided as-is:",
+ "imprint.content.text2": "You acknowledge that we do not make any representations or warranties about the material, data, and information, such as data files, text, computer software, code, music, audio files or other sounds, photographs, videos, or other images (collectively, the “Content”) which you may have access to through your use of SlideWiki. Under no circumstances are we liable in any way for any Content, including, but not limited to: any infringing Content, any errors or omissions in Content, or for any loss or damage of any kind incurred as a result of the use of any Content posted, transmitted, linked from, or otherwise accessible through or made available via SlideWiki. You understand that by using SlideWiki, you may be exposed to Content that is offensive, indecent, or objectionable. You agree that you are solely responsible for your reuse of Content made available through SlideWiki. You should review the terms of the applicable license before you use the Content so that you know what you can and cannot do.",
+ "imprint.licensing": "Licensing",
+ "imprint.licenses.page": "licenses page",
+ "imprint.software": "SlideWiki Software",
+ "imprint.repository": "repository",
+ "imprint.content2": "Content Supplied by You",
+ "imprint.content2.text": "Your responsibility: You represent, warrant, and agree that no Content posted or otherwise shared by you on or through SlideWiki (“Your Content”), violates or infringes upon the rights of any third party, including copyright, trademark, privacy, publicity, or other personal or proprietary rights, breaches or conflicts with any obligation, such as a confidentiality obligation, or contains libelous, defamatory, or otherwise unlawful material.",
+ "imprint.licensing.2": "Licensing Your Content: You retain any copyright that you may have in Your Content. You hereby agree that Your Content: (a) is hereby licensed under the Creative Commons Attribution 4.0 License and may be used under the terms of that license or any later version of a Creative Commons Attribution License, or (b) is in the public domain (such as Content that is not copyrightable or Content you make available under CC0), or © if not owned by you, (i) is available under a Creative Commons Attribution 4.0 License or (ii) is a media file that is available under any Creative Commons license.",
+ "imprint.disclaimer": "Disclaimer",
+ "imprint.disclaimer.text": "We cannot assume any liability for the content of external pages. Solely the operators of those linked pages are responsible for their content.",
"licence.ccBySaLicenceLogo": "Creative Commons BY-SA License logo",
"licence.1.p2": "Find out more about the CC BY-SA and access the full license text by viewing the {link_1}.",
"licence.1.3.p2": "{link_1} lists sources of materials published under creative commons licenses. Some media services such as Flickr, YouTube and Vimeo publish some content under creative commons licenses. Content marked “All rights reserved” cannot be included in SlideWiki.",
@@ -858,6 +1111,19 @@
"licence.4.header": "Notices",
"licence.4.p1": "The SlideWiki website and its content are provided \"as is\". We offer no warranties, explicit or implied regarding any content, the webiste or the accuracy of any information. These license may not give you all of the permissions necessary for your intended use. For example, other rights such as publicity, privacy, or moral rights may limit how you use the material. We reserve the right to remove materials and content that we believe to infringe copyright and license requirements.",
"recent.header": "Recent decks added by users",
+ "staticPage.findSlides": "Find slides",
+ "staticPage.findSlidesSubtitle": "Explore the deck",
+ "staticPage.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics.",
+ "staticPage.createSlides": "Create slides",
+ "staticPage.createSlidesSubtitle": "Add and adapt course material",
+ "staticPage.createSlidesContent": "Create a new deck or import existing slides to create HTML slide decks.",
+ "staticPage.sharingSlides": "Share slides",
+ "staticPage.sharingSlidesSubtitle": "Present, Share and Communicate",
+ "staticPage.sharingSlidesContent": "Collaborate on decks with peers. Group decks in playlists and share via social media or email.",
+ "staticPage.getStarted": "Get started right away.",
+ "staticPage.signIn": "Sign in",
+ "staticPage.getStartedDescription": "Create an account to start creating and sharing your decks.",
+ "staticPage.myDecks": "My Decks.",
"terms.mainTitle": "Terms of us of SlideWiki",
"terms.summary": "This is a human-readable summary of the Terms of Use for SlideWiki (the project).",
"terms.disclaimer": "Disclaimer: This summary is not a part of the Terms of Use and is not a legal document. It is simply a handy reference for understanding the full terms. Think of it as the user-friendly interface to the legal language of our Terms of Use.",
@@ -881,24 +1147,11 @@
"terms.paragraph1": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Vivamus id nisl magna. Sed a metus vel dui vehicula viverra. Quisque sed tellus at justo semper dictum. Nullam at rutrum leo. Vivamus at aliquam metus. Aliquam nec nunc in libero posuere hendrerit nec at lacus. Nunc malesuada lobortis tortor nec porta. Cras vulputate mollis nisi, at sollicitudin quam eleifend ac. Nam sed venenatis turpis. Sed vestibulum malesuada nunc vitae ultricies. Donec bibendum ultrices facilisis. Mauris sollicitudin mi et vulputate rhoncus.",
"terms.paragraph2": "Mauris tincidunt, urna non aliquam dapibus, enim metus varius tellus, non dignissim urna odio ac augue. Fusce id lacinia ipsum, id egestas dui. Suspendisse nec quam vel mi tincidunt bibendum a vel mauris. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia Curae; Proin magna elit, molestie eu libero ut, bibendum facilisis turpis. Mauris sem lorem, dignissim a ex sit amet, suscipit fermentum turpis. Integer porttitor arcu non porttitor faucibus. Fusce nisi risus, rutrum vitae vulputate vitae, consectetur et nunc. Aliquam placerat ipsum felis, nec fermentum arcu sagittis nec. Aenean imperdiet laoreet quam ac placerat. Ut accumsan tristique elementum. Etiam congue venenatis lorem, malesuada tristique mauris congue vel. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Nam tincidunt libero a nisi consequat sodales.",
"terms.paragraph3": "Aliquam vitae velit iaculis, vestibulum felis eu, lacinia risus. Donec mollis enim nec accumsan tristique. Morbi dapibus condimentum erat quis placerat. Integer velit augue, sodales quis scelerisque nec, facilisis nec velit. Maecenas rhoncus sagittis lectus, vel feugiat nulla aliquet quis. Quisque condimentum sapien nec eros tristique, vitae pulvinar sem tempus. Nulla ut odio id elit accumsan interdum. Maecenas sagittis sed sem a malesuada. Vivamus venenatis ex sed ex pretium, et pellentesque purus vehicula. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egesta",
- "terms.findSlides": "Find slides",
- "terms.findSlidesSubtitle": "Explore the deck lorem ipsum",
- "terms.findSlidesContent": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Aenean eget elit sapien. Nunc semper urna in lectus consectetur fermentum. Vestibulum eu sem pulvinar, sollicitudin ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet aliquam n ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet.",
- "terms.createSlides": "Create slides",
- "terms.createSlidesSubtitle": "Learn how to create slides with SlideWiki",
- "terms.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
- "terms.sharingSlides": "Sharing slides",
- "terms.sharingSlidesSubtitle": "Present, Share and Communicate",
- "terms.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
- "terms.getStarted": "Get started right away.",
- "terms.signIn": "Sign in",
- "terms.getStartedDescription": "Create an account to start creating and sharing your decks.",
- "terms.myDecks": "My Decks.",
"welcome.3.slideshowMode": "Use the {strong} to view a deck as a slideshow. Includes a timer and speaker notes&apo; view.",
"welcome.3.shareDecks": "{strong} via social media or email.",
"welcome.3.comments": "Add {strong} to decks and slides to interact with other learners.",
"welcome.3.download": "{download} decks in PDF, ePub or SCORM format.",
- "welcome.header": "Welcome to SlideWiki",
+ "welcome.header": "Fàilte gu SlideWiki",
"welcome.div1": "Thank you for signing up to SlideWiki. Now your account has been created, you can get started with creating, enhancing and sharing open educational resources.",
"welcome.1.header": "1. Create a deck",
"welcome.1.p1": "Start creating your own slide deck by selecting the Add deck button.",
@@ -934,12 +1187,16 @@
"LoginModal.placeholder.email": "E-Mail",
"LoginModal.placeholder.password": "Password",
"userSignIn.headerText": "Sign In",
+ "LoginModal.aria.google": "sign in with your Google account",
+ "LoginModal.aria.github": "sign in with your Github account",
"LoginModal.label.email": "E-Mail",
"LoginModal.label.password": "Password",
"LoginModal.button.signIn": "Sign In",
"LoginModal.text.iCannotAccessMyAccount": "I can not access my account",
"LoginModal.text.dontHaveAnAccount": "Don't have an account? Sign up here.",
"LoginModal.button.close": "Close",
+ "Migrate.text1": "We are merging your user account. This will take just a few seconds.",
+ "Migrate.text2": "You will be directed to next view.",
"resetPassword.mailprompt": "Please enter your email address",
"resetPassword.mailprompt2": "Please enter a valid email address",
"resetPassword.mailreprompt": "Please reenter your email address",
@@ -961,6 +1218,19 @@
"SSOSignIn.errormessage.isForbidden": "Migration is not possible with this user. Please start all over again.",
"SSOSignIn.errormessage.accountNotFound": "This account was not prepared for migration. Please start all over again.",
"SSOSignIn.errormessage.badImplementation": "An unknown error occurred.",
+ "socialLogin.text1": "We are acquiring your data. This will take just a few seconds.",
+ "socialLogin.text2": "This window will close automatically.",
+ "UserMenuDropdown.mydecks": "My Decks",
+ "UserMenuDropdown.decks": "Decks",
+ "UserMenuDropdown.myplaylists": "My Playlists",
+ "UserMenuDropdown.playlists": "Playlists",
+ "UserMenuDropdown.mygroups": "My Groups",
+ "UserMenuDropdown.groups": "Groups",
+ "UserMenuDropdown.mySettings": "My Settings",
+ "UserMenuDropdown.settings": "Settings",
+ "UserMenuDropdown.myNotifications": "My Notifications",
+ "UserMenuDropdown.notifications": "Notifications",
+ "UserMenuDropdown.signout": "Sign Out",
"paintModal.title": "Draw your own SVG image",
"paintModal.primaryColourInput": "Primary colour:",
"paintModal.secondaryColourInput": "Secondary colour:",
@@ -1054,9 +1324,13 @@
"SearchPanel.filters.tags.title": "Tags",
"SearchPanel.filters.tags.placeholder": "Select Tags",
"SearchPanel.button.submit": "Submit",
+ "DeckFilter.Tag.Topic": "Subject",
+ "DeckFilter.Education": "Education Level",
"Facets.languagesFacet": "Languages",
"Facets.ownersFacet": "Owners",
"Facets.tagsFacet": "Tags",
+ "Facets.educationLevelFacet": "Education Levels",
+ "Facets.topicsFacet": "Subjects",
"Facets.showMore": "show more",
"Facets.showLess": "show less",
"SearchResultsItem.otherVersions.deck": "Deck Version {index}: {title}",
@@ -1090,7 +1364,7 @@
"SSOSignIn.errormessage.deactivatedOrUnactivated": "Your user account either have to be activated via the activation link in your email or is deactivated in general.",
"CategoryBox.personalSettings": "Personal settings",
"CategoryBox.profile": "Profile",
- "CategoryBox.account": "Account",
+ "CategoryBox.account": "Accounts",
"CategoryBox.authorizedAccounts": "Authorized Accounts & Services",
"CategoryBox.userStats": "User Stats",
"CategoryBox.groups": "Groups",
@@ -1142,6 +1416,7 @@
"user.deckcard.opendeck": "Open deck",
"user.deckcard.slideshow": "Open slideshow in new tab",
"user.deckcard.unlisted": "Unlisted",
+ "user.populardecks.notavailable": "No decks available",
"Integration.swalTitle3": "Error",
"Integration.swalText3": "The provider hasn't been disabled, because something unexpected happened. Please try again later.",
"Integration.swalbutton3": "Confirmed",
@@ -1164,7 +1439,8 @@
"Integration.disableGithub": "Disable",
"Integration.enableGithub": "Enable",
"Integration.loading": "loading",
- "user.populardecks.notavailable": "No decks available",
+ "Integration.ltis": "Learning Services (LTIs)",
+ "Integration.myLTIs": "My Learning Services",
"user.userProfile.privatePublicProfile.allStatus": "All",
"user.userProfile.privatePublicProfile.publicStatus": "Published",
"user.userProfile.privatePublicProfile.hiddenStatus": "Unlisted",
@@ -1214,7 +1490,15 @@
"user.userRecommendations.lastUpdated": "Last updated",
"user.userRecommendations.creationDate": "Creation date",
"user.userRecommendations.title": "Title",
+ "Stats.userStatsTitle": "User Statistics",
"Stats.tagCloudTitle": "Popular Tags",
+ "Stats.userEngagementTitle": "User Engagement Overview",
+ "Stats.activeEngagement": "Active Engagement",
+ "Stats.passiveEngagement": "Passive Engagement",
+ "Stats.socialEngagement": "Social Engagement",
+ "Stats.activeEngagementDesc": "The degree of active participation based on the user's content creation history",
+ "Stats.passiveEngagementDesc": "The degree of passive participation based on the user's content usage",
+ "Stats.socialEngagementDesc": "The degree of social interaction through SW content",
"UserRegistration.firstName_prompt": "Please enter your first name",
"UserRegistration.lastName_prompt": "Please enter your last name",
"UserRegistration.userName_prompt": "Please select your username",
@@ -1264,6 +1548,11 @@
"UserRegistration.form_terms": "By clicking Sign Up, you agree to our",
"UserRegistration.form_terms2": "Terms",
"UserRegistration.noAccess": "I can not access my account",
+ "UserRegistration.emailRegistered": "This E-Mail has already been registered by someone else. Please use another one.",
+ "UserRegistration.usernameRegistered": "This Username has already been registered by someone else. Please choose another one.",
+ "UserRegistration.username.suggestion": "Here are some suggestions:",
+ "UserRegistration.SSO.title": "Sign up with an account of another SlideWiki instance",
+ "UserRegistration.SSO.aria": "Sign up with another SlideWiki instance",
"UserRegistrationSocial.firstnameprompt": "Please enter your first name",
"UserRegistrationSocial.lastnameprompt": "Please enter your last name",
"UserRegistrationSocial.usernameprompt": "Please select your username",
@@ -1278,6 +1567,7 @@
"UserRegistrationSocial.confirm": "OK",
"UserRegistrationSocial.emailNotAllowed": "This E-Mail has already been used by someone else. Please choose another one.",
"UserRegistrationSocial.usernameNotAllowed": "This Username has already been used by someone else. Please choose another one.",
+ "UserRegistrationSocial.usernamesuggestion": "Here are some suggestions:",
"UserRegistrationSocial.validate": "Validate user information",
"UserRegistrationSocial.fname": "First name *",
"UserRegistrationSocial.lname": "Last name *",
@@ -1331,4 +1621,4 @@
"GroupMenu.settings": "Group Settings",
"GroupMenu.stats": "Group Stats",
"UserGroupPage.goBack": "Return to My Groups List"
-}
+}
\ No newline at end of file
diff --git a/intl/it.json b/intl/it.json
index 1665fdaf6..b680c302e 100644
--- a/intl/it.json
+++ b/intl/it.json
@@ -7,13 +7,13 @@
"AddDeck.progress.imported": "Importato",
"AddDeck.progress.slides": "silde",
"AddDeck.swal.success_title_text": "Deck creato!",
- "AddDeck.swal.success_text": "The selected file has been imported and a new deck has been created.",
- "AddDeck.swal.preview_text": "Here is a preview of your slides. It may take a few seconds for the images to be created. You can use the tab key to move through the images.",
- "AddDeck.swal.success_text_extra": "This new deck will not be visible to others in your decks page or in search results until published.",
- "AddDeck.swal.success_confirm_text": "Complete import",
- "AddDeck.swal.success_reject_text": "Try again",
- "AddDeck.swal.success_imported_slides_text": "Imported slides:",
- "AddDeck.swal.success_publish_deck_text": "Publish your deck for it to show in search results immediately (publishing occurs after a few seconds)",
+ "AddDeck.swal.success_text": "Il file selezionato è stato importato ed è stato creato un nuovo deck. ",
+ "AddDeck.swal.preview_text": "Ecco un'anteprima delle vostre slide. La creazione delle immagini potrebbe impiegare qualche secondo. Puoi usare il pulsante tab per muoverti tra le immagini.",
+ "AddDeck.swal.success_text_extra": "Finché non sarà pubblicato, questo nuovo deck non sarà visibile agli altri nella pagina \"I tuoi deck\" o nei risultati di ricerca.",
+ "AddDeck.swal.success_confirm_text": "Importazione completata",
+ "AddDeck.swal.success_reject_text": "Riprova",
+ "AddDeck.swal.success_imported_slides_text": "Slide importate:",
+ "AddDeck.swal.success_publish_deck_text": "Pubblica il tuo deck per farlo apparire subito nei risultati di ricerca (la pubblicazione avviene dopo alcuni secondi)",
"AddDeck.swal.error_title_text": "Errore",
"AddDeck.swal.error_text": "C'è stato un problema nell'importare questo file. Sei pregato di riprovare.",
"AddDeck.swal.error_confirm_text": "Chiudi",
@@ -22,22 +22,28 @@
"AddDeck.form.hint_language": "Selezionare lingua.",
"AddDeck.form.selected_message": "(Selezionato da caricare: {filename})",
"AddDeck.form.button_create": "Crea deck",
- "AddDeck.form.metadata": "Please select from the following lists to specify the education level and subject area of your deck. You can find out more about these options in our {link_help}.",
+ "AddDeck.form.metadata": "Per favore seleziona una voce dalla seguente lista per specificare il livello educativo e il campo del tuo deck. Puoi scoprire di più riguardo a queste opzioni nel tuo {link_help}.",
"AddDeck.form.heading": "Aggiungi un deck a SlideWiki",
"AddDeck.form.label_title": "Titolo",
"AddDeck.form.label_language": "Lingua",
"AddDeck.form.label_themes": "Seleziona tema del deck",
"AddDeck.form.label_description": "Descrizione",
- "add.help": "Help decks",
- "DeckProperty.Education.Choose": "Choose Education Level",
- "DeckProperty.Tag.Topic.Choose": "Choose Subject",
- "DeckProperty.Tag.Choose": "Choose Tags",
- "AddDeck.form.format_message": "You can upload existing slides to your new deck in the following file formats: PowerPoint pptx, OpenOffice ODP, SlideWiki HTML downloads (*.zip files) and RevealJS slideshows (*.zip files).",
+ "add.help": "Deck d'aiuto",
+ "AddDeck.sr.education": "Seleziona il livello educativo del contenuto del deck",
+ "AddDeck.sr.subject": "Select subject of deck content from autocomplete. Multiple subjects can be selected",
+ "AddDeck.sr.tags": " Aggiungi tag o parole chiave per il tuo deck. Possono essere forniti più tag.",
+ "DeckProperty.Education.Choose": "Scegli il Livello Educativo",
+ "DeckProperty.Tag.Topic.Choose": "Scegli la Materia",
+ "DeckProperty.Tag.Choose": "Scegli i Tag",
+ "AddDeck.form.format_message": "Puoi caricare al tuo nuovo deck slide già esistenti nei seguenti formati: PowerPoint pptx, OpenOffice ODP, SlideWiki HTML downloads (*file .zip) and RevealJS slideshows (*file .zip).",
"AddDeck.form.label_terms1": "Acconsento a SlideWiki",
"AddDeck.form.label_terms2": "termini e condizioni",
"AddDeck.form.label_terms3": "e che i contenuti che carico, creo ed modifico possano essere pubblicati con una licenza Creative Commons ShareAlike",
"AddDeck.form.label_termsimages": "Accetto che le immagini contenute nelle mie slides siano di pubblico dominio o rese disponibili attraverso una licenza Creative Commons Attribution (CC-BY o CC-BY-SA).",
- "header.cookieBanner": "This website uses cookies.",
+ "activationMessages.swalTitle": "Account attivato",
+ "activationMessages.swalText": "Il tuo account è stato attivato con successo. Adesso puoi fare il log in",
+ "activationMessages.swalConfirm": "Chiudi",
+ "header.cookieBanner": "Questo sito web fa utilizzo di cookies.",
"CountryDropdown.placeholder": "Seleziona il tuo paese",
"CountryDropdown.Afghanistan": "Afghanistan",
"CountryDropdown.Albania": "Albania",
@@ -288,59 +294,224 @@
"LanguageDropdown.english": "Inglese",
"LanguageDropdown.tooltip": "Ne saranno aggiunte altre in futuro",
"LanguageDropdown.placeholder": "Seleziona la tua lingua",
- "uploadMediaModal.swal_error_title": "Error",
- "uploadMediaModal.swal_error_text": "Reading the selected file failed. Check you privileges and try again",
- "uploadMediaModal.drop_message1": "Drop a file directly from your filebrowser here to upload it.",
- "uploadMediaModal.drop_message2": "Alternatively, click",
- "uploadMediaModal.drop_message3": "or anywhere around this text to select a file to upload.",
- "uploadMediaModal.drop_message4": "Not the right image? Click on the image to upload another one.",
- "uploadMediaModal.upload_button_aria": "select file to upload",
- "uploadMediaModal.upload_button_label": "choose file",
- "uploadMediaModal.modal_heading1": "Add image - upload image file from your computer",
+ "uploadMediaModal.swal_error_title": "Errore",
+ "uploadMediaModal.swal_error_text": "La letture del file selezionato è fallita. Controlla i tuoi permessi e riprova",
+ "uploadMediaModal.drop_message1": "Trascina qui un file dal tuo computer per caricarlo.",
+ "uploadMediaModal.drop_message2": "In alternativa, clicca",
+ "uploadMediaModal.drop_message3": "o in qualsiasi punto attorno a questo testo per selezionare un file da caricare.",
+ "uploadMediaModal.drop_message4": "Immagine sbagliata? Clicca sull'immagine per caricarne un'altra.",
+ "uploadMediaModal.upload_button_aria": "seleziona un file per caricarlo",
+ "uploadMediaModal.upload_button_label": "scegli un file",
+ "uploadMediaModal.modal_heading1": "Aggiungi un'immagine - carica il file immagine dal tuo computer",
"uploadMediaModal.modal_description1": "This modal is used to upload media files and to provide additional information about these.",
- "uploadMediaModal.modal_heading2": "License information",
+ "uploadMediaModal.modal_heading2": "Informazioni di licenza",
"uploadMediaModal.modal_description2": "Please confirm the title, alt text and licence for this image.",
- "uploadMediaModal.copyrightHolder_label": "Image created by/ attributed to:",
- "uploadMediaModal.copyrightHolder_aria_label": "Copyrightholder",
- "uploadMediaModal.media_title_label": "Title:",
- "uploadMediaModal.media_title_aria": "Title of the image",
+ "uploadMediaModal.copyrightHolder_label": "Immagine creata da/attribuita a:",
+ "uploadMediaModal.copyrightHolder_aria_label": "Proprietario dei diritti d'autore",
+ "uploadMediaModal.media_title_label": "Titolo:",
+ "uploadMediaModal.media_title_aria": "Titolo dell'immagine",
"uploadMediaModal.media_altText_label": "Description/Alt",
- "uploadMediaModal.media_altText_aria": "Description of the image",
- "uploadMediaModal.media_altText_content": "What does the picture mean?",
- "uploadMediaModal.licence_label": "Select a license:",
- "uploadMediaModal.licence_content": "Select a license",
- "uploadMediaModal.media_terms_aria": "Agree to terms and conditions",
- "uploadMediaModal.media_terms_label1": "I confirm that I have the rights to upload this image as per the SlideWiki",
- "uploadMediaModal.media_terms_label2": "terms and conditions",
- "uploadMediaModal.media_terms_label3": "and that the",
- "uploadMediaModal.media_terms_label4": "license information",
+ "uploadMediaModal.media_altText_aria": "Descrizione dell'immagine",
+ "uploadMediaModal.media_altText_content": "Cosa significa quest'immagine?",
+ "uploadMediaModal.licence_label": "Seleziona una licenza:",
+ "uploadMediaModal.licence_content": "Seleziona una licenza",
+ "uploadMediaModal.media_terms_aria": "Accetta i termini e le condizioni",
+ "uploadMediaModal.media_terms_label1": "Confermo di avere i diritti per caricare quest'immagine per SlideWiki",
+ "uploadMediaModal.media_terms_label2": "termini e condizioni",
+ "uploadMediaModal.media_terms_label3": "e che il",
+ "uploadMediaModal.media_terms_label4": "informazioni di licenza",
"uploadMediaModal.media_terms_label5": "I have provided is correct.",
- "uploadMediaModal.submit_button_text1": "Next",
- "uploadMediaModal.submit_button_text2": "Upload",
- "uploadMediaModal.loading_text": "Loading",
- "uploadMediaModal.cancel_button": "Cancel",
- "uploadMediaModal.background_aria": "Use as background image?",
- "uploadMediaModal.background_message1": "Use as background image?",
- "CollectionsList.partOfPlaylists": "This deck is part of the following playlists",
- "CollectionsListItem.removeTooltip": "Remove",
- "CollectionsListItem.removeAria": "Remove current deck from collection",
- "CollectionsListItem.noDescription": "No description provided",
- "CollectionsPanel.header": "Playlists",
- "CollectionsPanel.createCollection": "Add to new playlist",
- "CollectionsPanel.ariaCreateCollection": "Add to new playlist",
- "CollectionsPanel.error.title": "Error",
- "CollectionsPanel.error.removeDeck": "An error occured while removing playlist from deck...",
- "CollectionsPanel.error.adDeck": "An error occured while adding playlist to the deck...",
- "CollectionsPanel.addToPlaylist": "Add deck to playlist",
+ "uploadMediaModal.submit_button_text1": "Prossimo",
+ "uploadMediaModal.submit_button_text2": "Carica",
+ "uploadMediaModal.loading_text": "Caricamento",
+ "uploadMediaModal.cancel_button": "Cancella",
+ "uploadMediaModal.background_aria": "Usare come immagine di sfondo?",
+ "uploadMediaModal.background_message1": "Usare come immagine di sfondo?",
+ "CollectionsList.partOfPlaylists": "Questo deck è parte delle seguenti playlist",
+ "CollectionsListItem.removeTooltip": "Rimuovi",
+ "CollectionsListItem.removeAria": "Rimuovi il deck corrente dalla collezione ",
+ "CollectionsListItem.noDescription": "Nessuna descrizione fornita",
+ "CollectionsPanel.header": "Playlist",
+ "CollectionsPanel.createCollection": "Aggiungi a una nuova playlist",
+ "CollectionsPanel.ariaCreateCollection": "Aggiungi a una nuova playlist",
+ "CollectionsPanel.error.title": "Errore",
+ "CollectionsPanel.error.removeDeck": "Si è verificato un errore durante la rimozione della playlist dal deck...",
+ "CollectionsPanel.error.adDeck": "Si è verificato un errore durante l'aggiunta della playlist dal deck...",
+ "CollectionsPanel.addToPlaylist": "Aggiungi il deck alla playlist",
+ "AddComment.form.comment_title_placeholder": "Titolo",
+ "AddComment.form.comment_text_placeholder": "Testo",
+ "AddComment.form.label_comment_title": "Commenta il titolo",
+ "AddComment.form.label_comment_text": "Commenta il testo",
+ "AddComment.form.button_submit": "Inoltra",
+ "AddComment.form.button_cancel": "Cancella",
+ "AddReply.form.reply_text_placeholder": "Testo",
+ "AddReply.form.label_reply_title": "Rispondi al titolo",
+ "AddReply.form.label_reply_text": "Rispondi al testo",
+ "AddReply.form.button_add": "Aggiungi risposta",
+ "Comment.form.revision_note": "revsione",
+ "Comment.form.from_note": "da",
+ "Comment.form.comment_removed": "Il commento è stato rimosso",
+ "Comment.form.delete_aria": "Cancella il commento",
+ "Comment.form.label_reply": "Rispondi",
+ "ContentDiscussionPanel.form.no_comments": "Al momento non ci sono commenti per questo",
+ "ContentDiscussionPanel.form.button_add": "Aggiungi un commento",
+ "ContentDiscussionPanel.form.comments": "Commenti",
+ "ContentChangeItem.swal.text": "Quest'azione ripristinerà una versione precedente delle slide. Vuoi continuare?",
+ "ContentChangeItem.swal.confirmButtonText": "Sì, ripristina slide",
+ "ContentChangeItem.swal.cancelButtonText": "No",
+ "ContentChangeItem.form.add_description": "aggiunto",
+ "ContentChangeItem.form.copy_description": "crea una copia di",
+ "ContentChangeItem.form.attach_description": "allegato",
+ "ContentChangeItem.form.fork_description": "created a fork of deck",
+ "ContentChangeItem.form.translate_description_added": "aggiunto",
+ "ContentChangeItem.form.translate_description_translation": "traduzione per",
+ "ContentChangeItem.form.revise_description": "creata una nuova versione di",
+ "ContentChangeItem.form.rename_description_renamed": "rinominato",
+ "ContentChangeItem.form.rename_description_to": "a",
+ "ContentChangeItem.form.revert_description_restored": "ripristinato",
+ "ContentChangeItem.form.revert_description_to": "ad una versione precedente",
+ "ContentChangeItem.form.remove_description": "rimosso",
+ "ContentChangeItem.form.edit_description_slide_translation": "traduzione della slide modificata",
+ "ContentChangeItem.form.edit_description_slide": "slide modificata",
+ "ContentChangeItem.form.move_description_slide": "spostata la slide",
+ "ContentChangeItem.form.move_description_deck": "spostato il deck",
+ "ContentChangeItem.form.move_description": "spostato",
+ "ContentChangeItem.form.update_description": "deck aggiornato",
+ "ContentChangeItem.form.default_description": "aggiornato il deck",
+ "ContentChangeItem.form.button_compare": "Confronta con la corrente versione del deck",
+ "ContentChangeItem.form.button_restore": "Ripristina slide",
+ "ContentChangeItem.form.button_view": "Vedi slide",
+ "ContentChangeItem.form.date_on": "su",
+ "ContentChangeItem.form.date_at": "a",
+ "DeckHistoryPanel.swal.text": "Quest'azione creerà una nuova versione di questo deck. Desideri continuare?",
+ "DeckHistoryPanel.swal.confirmButtonText": "Sì, crea una nuova versione",
+ "DeckHistoryPanel.swal.cancelButtonText": "No",
+ "DeckHistoryPanel.form.button_aria": "Crea una nuova versione di questo deck",
+ "DeckHistoryPanel.form.button_content": "Crea una nuova versione",
+ "DeckRevision.swal.text": "Quest'azione ripristinerà il deck ad una versione precedente. Vuoi continuare?",
+ "DeckRevision.swal.confirmButtonText": "Sì, ripristina il deck",
+ "DeckRevision.swal.cancelButtonText": "No",
+ "DeckRevision.form.icon_aria_saved": "Salvato a",
+ "DeckRevision.form.date_on": "su",
+ "DeckRevision.form.date_at": "a",
+ "DeckRevision.form.by": "da",
+ "DeckRevision.form.button_aria_show": "Mostra dettagli",
+ "DeckRevision.form.version_changes": "Cambiamenti di versione",
+ "DeckRevision.form.button_aria_restore": "Ripristina deck",
+ "DeckRevision.form.button_aria_view": "Mostra il deck in una nuova scheda",
+ "DeckRevisionChanges.form.no_changes": "Non ci sono cambiamenti per questa versione.",
+ "SlideHistoryPanel.form.no_changes": "Non ci sono cambiamenti per questa slide.",
+ "ContentModulesPanel.form.label_sources": "Fonti",
+ "ContentModulesPanel.form.label_tags": "Tag",
+ "ContentModulesPanel.form.label_comments": "Commenti",
+ "ContentModulesPanel.form.label_history": "Cronologia",
+ "ContentModulesPanel.form.label_usage": "Utilizzo",
+ "ContentModulesPanel.form.label_questions": "Domande",
+ "ContentModulesPanel.form.label_playlists": "Playlists",
+ "ContentModulesPanel.form.aria_additional": "Strumenti aggiuntivi per il deck",
+ "ContentModulesPanel.form.dropdown_text": "Strumenti",
+ "ContentModulesPanel.form.header": "Strumenti di contenuto",
+ "ContentQuestionAdd.no_question": "Per favore, inserire una domanda",
+ "ContentQuestionAdd.no_answers": "Per favore, aggiungere risposte",
+ "ContentQuestionAdd.form.question": "Question",
+ "ContentQuestionAdd.form.difficulty": "Difficulty",
+ "ContentQuestionAdd.form.difficulty_easy": "Easy",
+ "ContentQuestionAdd.form.difficulty_moderate": "Moderate",
+ "ContentQuestionAdd.form.difficulty_hard": "Hard",
+ "ContentQuestionAdd.form.answer_choices": "Answer Choices",
+ "ContentQuestionAdd.form.explanation": "Explanation (optional)",
+ "ContentQuestionAdd.form.exam_question": "This is an exam question",
+ "ContentQuestionAdd.form.button_save": "Salva",
+ "ContentQuestionAdd.form.button_cancel": "Cancella",
+ "ContentQuestionAnswersList.form.button_answer_show": "Show answer",
+ "ContentQuestionAnswersList.form.button_answer_hide": "Hide answer",
+ "ContentQuestionAnswersList.form.button_edit": "Edit question",
+ "ContentQuestionAnswersList.form.explanation": "Explanation:",
+ "ContentQuestionEdit.no_question": "Per favore, inserisci una domanda",
+ "ContentQuestionEdit.no_answers": "Per favore, aggiungere risposte",
+ "ContentQuestionEdit.swal.text": "Delete this question. Are you sure?",
+ "ContentQuestionEdit.swal.confirmButtonText": "Yes, delete!",
+ "ContentQuestionEdit.form.question": "Question",
+ "ContentQuestionEdit.form.difficulty": "Difficulty",
+ "ContentQuestionEdit.form.difficulty_easy": "Easy",
+ "ContentQuestionEdit.form.difficulty_moderate": "Moderate",
+ "ContentQuestionEdit.form.difficulty_hard": "Hard",
+ "ContentQuestionEdit.form.answer_choices": "Answer Choices",
+ "ContentQuestionEdit.form.explanation": "Explanation (optional)",
+ "ContentQuestionEdit.form.exam_question": "This is an exam question",
+ "ContentQuestionEdit.form.button_save": "Salva",
+ "ContentQuestionEdit.form.button_cancel": "Cancella",
+ "ContentQuestionEdit.form.button_delete": "Cancella",
+ "ContentQuestionsItem.form.originally": "(originally from",
+ "ContentQuestionsPanel.form.no_questions": "There are currently no questions for this",
+ "ContentQuestionsPanel.form.button_exam": "Exam mode",
+ "ContentQuestionsPanel.form.button_select": "Select exam questions",
+ "ContentQuestionsPanel.form.button_add": "Add question",
+ "ContentQuestionsPanel.form.questions_header": "Domande",
+ "QuestionDownloadList.form.heading": "Select questions to download",
+ "QuestionDownloadList.form.button": "Select all",
+ "QuestionDownloadModal.form.download_aria": "Download Questions",
+ "QuestionDownloadModal.form.download_tooltip": "Download Questions as JSON format",
+ "QuestionDownloadModal.form.modal_description": "You can select one or more questions from this deck to download.",
+ "QuestionDownloadModal.form.button_cancel": "Cancella",
+ "QuestionDownloadModal.form.download_text": "Scarica",
"questionpanel.handleDownloadQuestionsClick": "Download questions",
+ "QuestionDownloadModal.form.modal_header": "Download questions",
+ "ExamAnswersItem.form.answer_correct": "your answer was correct",
+ "ExamAnswersItem.form.answer_not_selected": "the correct answer which you did not select",
+ "ExamAnswersItem.form.answer_incorrect": "your answer was incorrect",
+ "ExamAnswersList.form.explanation": "Explanation:",
+ "ExamAnswersList.form.answer_incorrect": "Your answer to the question was incorrect",
+ "ExamList.swal.title": "Exam submitted",
+ "ExamList.swal.text": "Your score:",
+ "ExamList.form.button_submit": "Submit answers",
+ "ExamList.form.button_cancel": "Cancella",
+ "ExamPanel.form.no_questions": "There are currently no exam questions for this",
+ "ExamPanel.form.exam_mode": "Exam mode",
+ "ExamPanel.form.button_back": "Back",
+ "ExamQuestionsList.form.header": "Select exam questions",
+ "ExamQuestionsList.form.button_save": "Salva",
+ "ExamQuestionsList.form.button_cancel": "Cancella",
+ "ContentUsageItem.form.by": "da",
+ "ContentUsageList.form.no_usage": "There is currently no usage of this",
+ "ContributorsPanel.form.no_contributors": "There are no contributors for this",
+ "ContributorsPanel.form.header": "Creator",
+ "ContributorsPanel.form.title": "Contributors",
+ "DataSourceItem.form.originally": "originally from slide",
+ "DataSourcePanel.form.no_sources": "There are currently no sources for this",
+ "DataSourcePanel.form.button_add": "Add source",
+ "DataSourcePanel.form.header": "Fonti",
+ "DataSourcePanel.form.show_more": "Show more ...",
+ "EditDataSource.no_title": "This field cannot be empty.",
+ "EditDataSource.valid_url": "The URL must be a valid one.",
+ "EditDataSource.valid_year": "Enter a valid number for a Year, which is less or equal the current one.",
+ "EditDataSource.form.header_edit": "Edit source",
+ "EditDataSource.form.header_add": "Add source",
+ "EditDataSource.form.placeholder_title": "Titolo",
+ "EditDataSource.form.placeholder_authors": "Authors",
+ "EditDataSource.form.placeholder_year": "Year",
+ "EditDataSource.form.placeholder_comment": "Comment",
+ "EditDataSource.form.button_delete": "Cancella",
+ "EditDataSource.form.type_webpage": "Web page",
+ "EditDataSource.form.type_webdocument": "Web document",
+ "EditDataSource.form.type_publication": "Publication",
+ "EditDataSource.form.type_person": "Person",
+ "EditDataSource.form.type_text": "Plain text",
+ "EditDataSource.form.label_type": "Type",
+ "EditDataSource.form.label_title": "Titolo",
+ "EditDataSource.form.label_authors": "Authors",
+ "EditDataSource.form.label_year": "Year",
+ "EditDataSource.form.label_comment": "Comment",
+ "EditDataSource.form.button_submit": "Inoltra",
+ "EditDataSource.form.button_cancel": "Cancella",
"RecommendedTags.header": "Recommended Tags",
"RecommendedTags.aria.add": "Add recommended tag",
"RecommendedTags.aria.dismiss": "Dismiss recommendation",
"RecommendedTags.aria.viewDecksWithTag": "View decks with this tag",
- "TagsPanel.header": "Tags",
- "TagsPanel.edit": "Edit",
- "TagsPanel.save": "Save",
- "TagsPanel.cancel": "Cancel",
+ "TagsPanel.header": "Tag",
+ "TagsPanel.edit": "Modifica",
+ "TagsPanel.save": "Salva",
+ "TagsPanel.cancel": "Cancella",
"TagsPanel.aria.edit": "Edit tags",
"TagsPanel.aria.save": "Save tags",
"TagsPanel.aria.cancel": "Cancel tags",
@@ -358,33 +529,33 @@
"ContentActionsHeader.addDeckButtonAriaText": "Add sub-deck",
"ContentActionsHeader.duplicateAriaText": "Duplicate slide",
"ContentActionsHeader.deleteAriaText": "Delete slide",
- "ContentActionsHeader.language": "Language",
+ "ContentActionsHeader.language": "Lingua",
"ContentActionsHeader.translation": "Translation",
- "ContentActionsHeader.loading": "Loading",
+ "ContentActionsHeader.loading": "Caricamento",
"downloadModal.downloadModal_header": "Scarica questo deck",
"downloadModal.downloadModal_description": "Seleziona il formato in cui scaricare:",
"downloadModal.downloadModal_downloadButton": "Scarica",
"downloadModal.downloadModal_cancelButton": "Cancella",
"downloadModal.downloadModal_HTML": "HTML (unzip and open index.html to access off-line presentation)",
- "embedModal.closeButton": "Close",
+ "embedModal.closeButton": "Chiudi",
"embedModal.deckRadio": "Deck",
"embedModal.slideshowRadio": "Slideshow",
"embedModal.slideRadio": "Slide",
"embedModal.small": "Small",
"embedModal.medium": "Medium",
"embedModal.large": "Large",
- "embedModal.other": "Other",
+ "embedModal.other": "Altro",
"embedModal.embedHeader": "Embed SlideWiki deck \"{title}\"",
"embedModal.description": "Use the options to select how this deck will be displayed. Then copy the generated code into your site.",
"embedModal.embed": "Embed:",
"embedModal.size": "Size:",
"embedModal.widthLabel": "Width of embedded content",
"embedModal.heightLabel": "Height of embedded content",
- "deckEditPanel.loading": "loading",
- "deckEditPanel.error": "Error",
- "deckEditPanel.info": "Information",
+ "deckEditPanel.loading": "caricamento",
+ "deckEditPanel.error": "Errore",
+ "deckEditPanel.info": "Informazioni",
"deckEditPanel.notTheDeckOwner": "You are not the deck owner, thus you are not allowed to change the deck edit rights.",
- "deckEditPanel.confirm": "Confirm",
+ "deckEditPanel.confirm": "Conferma",
"deckEditPanel.deckOwnerAndRights": "You are the owner of the deck, thus you already have edit rights.",
"deckEditPanel.alreadyGranted": "Edit rights were already granted to the user.",
"deckEditPanel.organization": ", organization:",
@@ -393,19 +564,19 @@
"deckEditPanel.grantIt": "Grant it?",
"deckEditPanel.grantRights": "Grant rights",
"deckEditPanel.deny": "Deny",
- "deckEditPanel.close": "Close",
+ "deckEditPanel.close": "Chiudi",
"DeckProperty.Education": "Education Level",
"DeckProperty.Tag.Topic": "Subject",
"GroupDetails.modalHeading": "Group details",
- "GroupDetails.close": "Close",
+ "GroupDetails.close": "Chiudi",
"GroupDetails.groupCreator": "Group creator",
"GroupDetails.unknownCountry": "unknown country",
"GroupDetails.unknownOrganization": "Unknown organization",
"GroupDetails.linkHint": "The username is a link which will open a new browser tab. Close it when you want to go back to this page.",
- "noPermissionModal.loading": "loading",
- "noPermissionModal.error": "Error",
+ "noPermissionModal.loading": "caricamento",
+ "noPermissionModal.error": "Errore",
"noPermissionModal.errorMessage": "An error occured. Please try again later.",
- "noPermissionModal.close": "Close",
+ "noPermissionModal.close": "Chiudi",
"noPermissionModal.info": "Info",
"noPermissionModal.alreadyRequested": "You already requested deck edit rights on this deck. Please wait until the deck owner reacts.",
"noPermissionModal.success": "Success",
@@ -460,20 +631,40 @@
"DeckTranslationsModal.chooseLanguage": "Choose the target language...",
"DeckTranslationsModal.startTranslation": "Create a new translation:",
"DeckTranslationsModal.startTranslationSearchOptions": "(start typing to find your language in its native name)",
- "DeckTranslationsModal.cancel": "Cancel",
+ "DeckTranslationsModal.cancel": "Cancella",
"DeckTranslationsModal.translate": "Create translation",
"DeckTranslationsModal.originLanguage": "Original Language:",
"DeckTranslationsModal.switchSR": "Create a new deck translation",
+ "SlideTranslationsModal.header": "Translate Slide",
+ "SlideTranslationsModal.chooseSourceLanguage": "Choose the source language...",
+ "SlideTranslationsModal.chooseTargetLanguage": "Choose the target language...",
+ "SlideTranslationsModal.sourceTranslation": "Current language:",
+ "SlideTranslationsModal.targetTranslation": "Target language:",
+ "SlideTranslationsModal.autoSelect": "Current and target language are automatically selected. You may alter manually if required.",
+ "SlideTranslationsModal.alternativeTranslation1": "We have a limited amount of automatic translation each month. Alternatively, you can use the...",
+ "SlideTranslationsModal.alternativeTranslation2": "...built-in translation feature, ...",
+ "SlideTranslationsModal.alternativeTranslation3": "...translation extension or “app”, or translate via one of the Mozilla Firefox translations extensions (...",
+ "SlideTranslationsModal.openOriginal": "To assist with translation, you can open the current version of this deck in a new browser tab via the Play button.",
+ "SlideTranslationsModal.sourceLanguageSearchOptions": "(start typing to find the source language)",
+ "SlideTranslationsModal.targetLanguageSearchOptions": "(start typing to find the target language)",
+ "SlideTranslationsModal.cancel": "Cancella",
+ "SlideTranslationsModal.translate": "Translate slide",
+ "SlideTranslationsModal.originLanguage": "Original Language:",
+ "SlideTranslationsModal.switchSR": "Start a new slide translation",
"InfoPanelInfoView.selectLanguage": "Select language",
+ "Stats.deckUserStatsTitle": "User Activity",
"similarContentItem.creator": "Creator",
"similarContentItem.likes": "Number of likes",
"similarContentItem.open_deck": "Open deck",
"similarContentItem.open_slideshow": "Open slideshow in new tab",
"similarContentPanel.panel_header": "Recommended Decks",
- "similarContentPanel.panel_loading": "Loading",
+ "similarContentPanel.panel_loading": "Caricamento",
+ "slideEditLeftPanel.transitionAlertTitle": "Changing Transition for the presentation",
+ "slideEditLeftPanel.transitionAlertContent": "This transition will be used for the transition to this slide, do you want to proceed?",
"editpanel.slideSizeCurrent": "(current: {size})",
"editpanel.back": "indietro",
"editpanel.embed": "Includi",
+ "editpanel.lti": "LTI",
"editpanel.table": "Tabella",
"editpanel.Maths": "Matematica",
"editpanel.Code": "Codice",
@@ -490,6 +681,14 @@
"editpanel.embedAdd": "Aggiungi alla Slide",
"editpanel.embedNote": "Not all website owners allow their content to be embedded. Using embed code provided by the website you want to embed (instead of URL) often works best.",
"editpanel.embedNoteTerms": "Please note that our terms (e.g., on malicious code and commercial material) also strictly apply to any content on webpages that you embed.",
+ "editpanel.ltiKey": "LTI Key:",
+ "editpanel.ltiKeyMissingError": "missing LTI key",
+ "editpanel.ltiURL": "URL/Link to LTI content:",
+ "editpanel.ltiURLMissingError": "URL/Link al contenuto mancante",
+ "editpanel.ltiWidth": "Width of LTI content:",
+ "editpanel.ltiHeight": "Height of LTI content:",
+ "editpanel.ltiAdd": "Aggiungi alla Slide",
+ "editpanel.ltiNote": "Use an LTI URL and key.",
"editpanel.template2": "Documento vuoto - Modalità documento (non-canvas)",
"editpanel.template3": "Document with title - Document-mode (non-canvas)",
"editpanel.template31": "Document with rich text example - Document-mode (non-canvas)",
@@ -511,6 +710,7 @@
"editpanel.templateVMU": "VMU template - Title page",
"editpanel.slideTitleButton": "Change slide name",
"editpanel.slideSizeChange": "Change slide size",
+ "editpanel.slideTransition": "Slide Transition",
"editpanel.changeBackgroundColor": "Change Background Colour",
"editpanel.removeBackground": "Remove background",
"editpanel.titleMissingError": "Error: Slide name can not be empty",
@@ -526,6 +726,12 @@
"editpanel.slideSizeName720": "720p HDTV Wide XGA",
"editpanel.slideSizeWidescreen1080": "Widescreen (16:9) alto",
"editpanel.slideSizeName1080": "1080p/1080i HDTV Blu-Ray",
+ "transitionpanel.none": "No slide transition",
+ "transitionpanel.convex": "Convex",
+ "transitionpanel.fade": "Fade",
+ "transitionpanel.slide": "Slide",
+ "transitionpanel.zoom": "Zoom",
+ "transitionpanel.concave": "Concave",
"editpanel.addTextBox": "Aggiungi box testo",
"editpanel.Image": "Add image",
"editpanel.Video": "Add video",
@@ -535,24 +741,24 @@
"editpanel.Help": "Aiuto",
"CollectionDecksReorder.moveup": "Move Up",
"CollectionDecksReorder.movedown": "Move Down",
- "CollectionDecksReorder.remove": "Remove",
- "CollectionDecksReorder.noDescription": "No description provided",
+ "CollectionDecksReorder.remove": "Rimuovi",
+ "CollectionDecksReorder.noDescription": "Nessuna descrizione fornita",
"CollectionPanel.error.reorder": "An error occurred while updating deck order in the playlist...",
"CollectionPanel.title": "Playlist",
"CollectionPanel.creator": "Creator",
"CollectionPanel.date": "Date",
"CollectionPanel.decks.title": "Decks in Playlist",
- "CollectionPanel.decks.edit": "Edit",
+ "CollectionPanel.decks.edit": "Modifica",
"CollectionPanel.decks.edit.header": "Edit Playlist",
- "CollectionPanel.save.reorder": "Save",
- "CollectionPanel.cancel.reorder": "Cancel",
+ "CollectionPanel.save.reorder": "Salva",
+ "CollectionPanel.cancel.reorder": "Cancella",
"CollectionPanel.sort.default": "Default Order",
"CollectionPanel.sort.lastUpdated": "Last updated",
"CollectionPanel.sort.date": "Creation date",
- "CollectionPanel.sort.title": "Title",
+ "CollectionPanel.sort.title": "Titolo",
"UserCollections.collections.subscribe": "Subscribe to this playlist",
"UserCollections.collections.unsubscribe": "You are subscribed to this playlist, click to unsubscribe",
- "GroupCollections.error.text": "Error",
+ "GroupCollections.error.text": "Errore",
"GroupCollections.error.read": "An error occurred while fetching playlists. Please try again later.",
"GroupCollections.error.delete": "An error occurred while deleting playlist...",
"GroupCollections.error.create": "An error occurred while creating playlist....",
@@ -573,33 +779,33 @@
"AddDecksToCollectionModal.fromMyDecks": "From My Decks",
"AddDecksToCollectionModal.fromSlidewiki": "From Slidewiki",
"AddDecksToCollectionModal.button.add": "Add",
- "AddDecksToCollectionModal.button.close": "Close",
- "DecksList.loading": "Loading",
+ "AddDecksToCollectionModal.button.close": "Chiudi",
+ "DecksList.loading": "Caricamento",
"DecksList.error": "An unexpected error occurred while fetching more decks",
"DecksList.noResults": "No results found",
"NewCollectionModal.title": "Create a new Playlist",
- "NewCollectionModal.field.title": "Title",
+ "NewCollectionModal.field.title": "Titolo",
"NewCollectionModal.field.title.placeholder": "Playlist Title",
- "NewCollectionModal.field.description": "Description",
+ "NewCollectionModal.field.description": "Descrizione",
"NewCollectionModal.field.description.placeholder": "Playlist Description",
"NewCollectionModal.field.usergroup": "User Group",
"NewCollectionModal.field.usergroup.placeholder": "Select User Group",
"NewCollectionModal.button.create": "Create",
- "NewCollectionModal.button.close": "Close",
+ "NewCollectionModal.button.close": "Chiudi",
"NewCollectionModal.success.title": "New Playlist",
"NewCollectionModal.success.text": "We are creating a new Playlist...",
"UpdateCollectionModal.title": "Update Playlist",
- "UpdateCollectionModal.field.title": "Title",
+ "UpdateCollectionModal.field.title": "Titolo",
"UpdateCollectionModal.field.title.placeholder": "Playlist Title",
- "UpdateCollectionModal.field.description": "Description",
+ "UpdateCollectionModal.field.description": "Descrizione",
"UpdateCollectionModal.field.description.placeholder": "Playlist Description",
"UpdateCollectionModal.field.usergroup": "User Group",
"UpdateCollectionModal.field.usergroup.placeholder": "Select User Group",
- "UpdateCollectionModal.button.save": "Save",
- "UpdateCollectionModal.button.close": "Close",
+ "UpdateCollectionModal.button.save": "Salva",
+ "UpdateCollectionModal.button.close": "Chiudi",
"UpdateCollectionModal.success.title": "Update Playlist",
"UpdateCollectionModal.success.text": "We are updating the Playlist...",
- "UserCollections.error.text": "Error",
+ "UserCollections.error.text": "Errore",
"UserCollections.error.read": "An error occurred while fetching playlists. Please try again later.",
"UserCollections.error.delete": "An error occurred while deleting playlist...",
"UserCollections.error.create": "An error occurred while creating playlist....",
@@ -615,11 +821,25 @@
"UserCollections.collections.shared": "Shared Playlist",
"UserCollections.collections.delete.title": "Delete Playlist",
"UserCollections.collections.delete.text": "Are you sure you want to delete this playlist?",
+ "footer.sr.header": "Information about SlideWiki",
+ "footer.header": "About",
+ "footer.about": "About Us",
+ "footer.contact": "Contattaci",
+ "footer.guides": "Guides and Help",
+ "footer.accessibility": "Accessibility",
+ "footer.terms.header": "Terms & Conditions",
+ "footer.terms": "Termini",
+ "footer.license": "License",
+ "footer.imprint": "Imprint",
+ "footer.data": "Data Protection",
+ "footer.funding": "Funding",
+ "footer.funding.text": "The SlideWiki project has received funding from the European Union's Horizon 2020 research and innovation programme under grant agreement No 688095",
+ "footer.copyright": "Copyright © 2018 All Rights Reserved",
"header.signin": "Registrati",
- "header.signin.mobile": "Sign In",
+ "header.signin.mobile": "Autenticati",
"header.mydecks.mobile": "Decks",
"header.myplaylists.mobile": "Playlists",
- "header.mygroups.mobile": "Groups",
+ "header.mygroups.mobile": "Gruppi",
"header.mysettings.mobile": "Settings",
"header.mynotifications.mobile": "Notifications",
"header.logout.mobile": "Disconnetti",
@@ -757,14 +977,19 @@
"dataProtection.8.email": "data-protection@zv.fraunhofer.de ()",
"dataProtection.9.header": "9. Accettazione, validità e modifica delle condizione della protezione informazioni",
"dataProtection.9.p1": "Utilizzando il nostro sito Web, accetti implicitamente di accettare l'uso dei tuoi dati personali come sopra specificato. La presente dichiarazione sulle condizioni di protezione dei dati è entrata in vigore il 1 ° ottobre 2013. Man mano che il nostro sito Web si evolve e le nuove tecnologie entrano in uso, potrebbe essere necessario modificare la dichiarazione delle condizioni di protezione dei dati. La Fraunhofer-Gesellschaft si riserva il diritto di modificare le sue condizioni di protezione dei dati in qualsiasi momento, con effetto a partire da una data futura. Si consiglia di rileggere l'ultima versione di volta in volta.",
+ "decklist.featured.alt": "Featured Image.",
"decklist.decklanguage": "Default language",
+ "decklist.decknumberofslides": "Number of slides",
"decklist.forkcount": "Number of forks",
+ "decklist.likecount": "Number of likes",
+ "decklist.numberofshares": "Number of shares",
+ "decklist.numberofdownloads": "Number of downloads",
"decklist.featured.notavailable": "No featured decks available",
"decklist.recent.notavailable": "No recent decks available",
"decklist.meta.creator": "Creator",
"decklist.meta.date": "Last Modified",
"featured.header": "Ultimi Deck",
- "features.screenshot": "screenshot of slide editor interface.",
+ "features.screenshot": "screenshot dell'interfaccia slide editor",
"features.2.p1": "SlideWiki is built on the Open Educational Resources (OER) ethos and all content is published under {navLink}. This means you can reuse and repurpose content from SlideWiki decks. SlideWiki allows you to create your own slides based on decks that have been published on SlideWiki by:",
"features.4.shareDecks": "{strong} attraverso social media o email.",
"features.4.comments": "Aggiungi {strong} a deck e slide per interagire con altri studenti.",
@@ -800,19 +1025,19 @@
"features.4.download.strong": "Scarica",
"features.4.findMore.link": "Aiuto/a file deck",
"home.welcome": "Benvenuti in SlideWiki",
- "home.signUp": "Sign Up",
+ "home.signUp": "Registrati",
"home.learnMore": "Learn More",
"home.findSlides": "Find slides",
"home.findSlidesSubtitle": "Explore the deck",
"home.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics and education levels. Slides and presentations can be reused and adapted to suit your needs.",
"home.createSlides": "Create slides",
"home.createSlidesSubtitle": "Add and adapt course material",
- "home.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
+ "home.createSlidesContent": "Crea un nuovo deck o importa diapositive esistenti da file PowerPoint (*.pptx) o OpenDocument Presentation (*.odp). Le tue diapositive importate verranno convertite in formato HTML per permetterti di continuare a modificarle e di aggiungere nuove slide.",
"home.sharingSlides": "Share slides",
"home.sharingSlidesSubtitle": "Present, Share and Communicate",
"home.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
"home.getStarted": "Get started right away.",
- "home.signIn": "Sign in",
+ "home.signIn": "Registrati",
"home.getStartedDescription": "Create an account to start creating and sharing your decks.",
"home.decks": "Open educational resources for all learning environments",
"home.schools": "Schools",
@@ -825,8 +1050,36 @@
"home.slideWikiAbout": "The SlideWiki Project",
"home.slideWikiAboutContent": "SlideWiki is an online slideshow tool that offers users the chance to create and collaborate on slides, assessments and to share content as structured open educational resources using a Creative Commons licence. With SlideWiki you can engage with your audience by collaborating with colleagues to co-design and co-create course materials and share your knowledge across the world. SlideWiki is an open-source platform, and all its content can be reused under Creative Commons CC-BY-SA license. SlideWiki development, large-scale trials and underlying research is funded from Framework Programme for Research and Innovation Horizon 2020 under grant agreement no 688095. The project involves 17 partners to develop, test and trial SlideWiki.",
"home.slideWikiAboutVisit": "visit the project website.",
- "home.myDecks": "My Decks.",
+ "home.myDecksLink": "I miei deck",
"home.seeMoreDecks": "See more decks",
+ "home.leanrMoreSW": "Learn more about SlideWiki",
+ "home.featuredDeck": "Featured Deck",
+ "imprint.licensing.text": "Content on the SlideWiki OCW Authoring platform is licensed under the Creative Commons Attribution-ShareAlike 4.0 International (CC BY-SA 4.0), Creative Commons Attribution 4.0 International (CC BY 4.0), or Creative Commons 1.0 Universal Public Domain Dedication (CC0 1.0) – unless otherwise marked. See the CC {link_licenses} for more information.",
+ "imprint.software.text": "All of SlideWiki’s software code is Open Source software; please check our code repository.",
+ "imprint.header": "Imprint – also serves as provider identification according to § 5 Telemediengesetz (TMG)",
+ "imprint.provider": "Provider",
+ "imprint.representative": "Authorised Representative",
+ "imprint.representative.text": "Prof. Dr. Sören Auer (Director of TIB)",
+ "imprint.representative.text2": "Technische Informationsbibliothek (TIB) is a foundation of public law of the state of Lower Saxony.",
+ "imprint.authority": "Responsible Supervisory Authority",
+ "imprint.authority.text": "Ministry for Science and Culture of Lower Saxony",
+ "imprint.contact": "Contact",
+ "imprint.VAT": "VAT (sales tax) registration number",
+ "imprint.editorialOffice": "Editorial Office",
+ "imprint.copyright": "Copyright",
+ "imprint.copyright.text": "The layout of this website is protected under copyright, as are the graphics and all other contents contained in the website.",
+ "imprint.content": "Content Available",
+ "imprint.content.text1": "Provided as-is:",
+ "imprint.content.text2": "You acknowledge that we do not make any representations or warranties about the material, data, and information, such as data files, text, computer software, code, music, audio files or other sounds, photographs, videos, or other images (collectively, the “Content”) which you may have access to through your use of SlideWiki. Under no circumstances are we liable in any way for any Content, including, but not limited to: any infringing Content, any errors or omissions in Content, or for any loss or damage of any kind incurred as a result of the use of any Content posted, transmitted, linked from, or otherwise accessible through or made available via SlideWiki. You understand that by using SlideWiki, you may be exposed to Content that is offensive, indecent, or objectionable. You agree that you are solely responsible for your reuse of Content made available through SlideWiki. You should review the terms of the applicable license before you use the Content so that you know what you can and cannot do.",
+ "imprint.licensing": "Licensing",
+ "imprint.licenses.page": "licenses page",
+ "imprint.software": "SlideWiki Software",
+ "imprint.repository": "repository",
+ "imprint.content2": "Content Supplied by You",
+ "imprint.content2.text": "Your responsibility: You represent, warrant, and agree that no Content posted or otherwise shared by you on or through SlideWiki (“Your Content”), violates or infringes upon the rights of any third party, including copyright, trademark, privacy, publicity, or other personal or proprietary rights, breaches or conflicts with any obligation, such as a confidentiality obligation, or contains libelous, defamatory, or otherwise unlawful material.",
+ "imprint.licensing.2": "Licensing Your Content: You retain any copyright that you may have in Your Content. You hereby agree that Your Content: (a) is hereby licensed under the Creative Commons Attribution 4.0 License and may be used under the terms of that license or any later version of a Creative Commons Attribution License, or (b) is in the public domain (such as Content that is not copyrightable or Content you make available under CC0), or © if not owned by you, (i) is available under a Creative Commons Attribution 4.0 License or (ii) is a media file that is available under any Creative Commons license.",
+ "imprint.disclaimer": "Disclaimer",
+ "imprint.disclaimer.text": "We cannot assume any liability for the content of external pages. Solely the operators of those linked pages are responsible for their content.",
"licence.ccBySaLicenceLogo": "Creative Commons BY-SA License logo",
"licence.1.p2": "Scopri di più sul CC BY-SA e accedi al testo completo della licenza cliccando su {link_1}",
"licence.1.3.p2": "{link_1} elenca le fonti di materiali pubblicate sotto licenze creative commons. Alcuni servizi multimediali come Flickr, YouTube e Vimeo pubblicano alcuni contenuti sotto licenze creative commons. Il contenuto contrassegnato come \"Tutti i diritti riservati\" non può essere incluso in SlideWiki.",
@@ -858,42 +1111,42 @@
"licence.4.header": "Notifiche",
"licence.4.p1": "Il sito Web SlideWiki e il suo contenuto sono forniti \"così come sono\". Non offriamo alcuna garanzia, esplicita o implicita per quanto riguarda i contenuti, il sito web o l'accuratezza di qualsiasi informazione. Queste licenze potrebbero non fornire tutte le autorizzazioni necessarie per l'utilizzo previsto. Ad esempio, altri diritti come pubblicità, privacy o diritti morali potrebbero limitare il modo in cui si utilizza il materiale. Ci riserviamo il diritto di rimuovere materiali e contenuti che riteniamo violino i requisiti di copyright e licenza.",
"recent.header": "Deck recenti aggiunti dagli utenti",
+ "staticPage.findSlides": "Find slides",
+ "staticPage.findSlidesSubtitle": "Explore the deck",
+ "staticPage.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics.",
+ "staticPage.createSlides": "Create slides",
+ "staticPage.createSlidesSubtitle": "Add and adapt course material",
+ "staticPage.createSlidesContent": "Create a new deck or import existing slides to create HTML slide decks.",
+ "staticPage.sharingSlides": "Share slides",
+ "staticPage.sharingSlidesSubtitle": "Present, Share and Communicate",
+ "staticPage.sharingSlidesContent": "Collaborate on decks with peers. Group decks in playlists and share via social media or email.",
+ "staticPage.getStarted": "Get started right away.",
+ "staticPage.signIn": "Registrati",
+ "staticPage.getStartedDescription": "Create an account to start creating and sharing your decks.",
+ "staticPage.myDecks": "My Decks.",
"terms.mainTitle": "Terms of us of SlideWiki",
"terms.summary": "This is a human-readable summary of the Terms of Use for SlideWiki (the project).",
- "terms.disclaimer": "Disclaimer: This summary is not a part of the Terms of Use and is not a legal document. It is simply a handy reference for understanding the full terms. Think of it as the user-friendly interface to the legal language of our Terms of Use.",
- "terms.missionTitle": "Part of our mission is to:",
+ "terms.disclaimer": "Attenzione: Questo paragrafo non è parte dei termini d'uso e non è un documento legale. E' un semplice riassunto per capire i termini completi. Pensalo come se fosse un'interfaccia user-friendly del linguaggio legale dei nostri termini d'uso",
+ "terms.missionTitle": "Parte della nostra missione è di:",
"terms.mission1": "Empower and engage people around the world to collect and develop educational content and either publish it under a free license or dedicate it to the public domain.",
"terms.mission2": "Disseminate this content effectively and globally, free of charge.",
- "terms.freeTo": "You are free to:",
+ "terms.freeTo": "Sei libero/a di:",
"terms.free1": "Read and Print our presentations and other media free of charge.",
"terms.free2": "Share and Reuse our presentations and other media under free and open licenses.",
"terms.free3": "Contribute To and Edit our various sites or projects.",
- "terms.conditionsTitle": "Under the following conditions",
+ "terms.conditionsTitle": "Con le seguenti condizioni",
"terms.confition1": "Responsibility – You take responsibility for your edits (since we only host your content).",
"terms.condition2": "Civility – You support a civil environment and do not harass other users.",
"terms.condition3": "Lawful behaviour – You do not violate copyright or other laws.",
"terms.condition4": "No Harm – You do not harm our technology infrastructure.",
"terms.condition5": "Terms of Use and Policies – You adhere to the Terms of Use and to the applicable community policies when you visit our sites or participate in our communities.",
- "terms.understanding": "With the understanding that",
+ "terms.understanding": "Comprendendo che",
"terms.understanding1": "This service may contain translations powered by third party services. Selecting to use the translate service will result in data being sent to third-party services. We disclaims all warranties related to the translations, expressed or implied, including any warranties of accuracy, reliability, and any implied warranties of merchantability, fitness for a particular purpose and noninfringement.",
"terms.understanding2": "You license freely your contributions – you generally must license your contributions and edits to our sites or projects under a free and open license (unless your contribution is in the public domain).",
"terms.understanding3": "No professional advice – the content of presentations and other projects is for informational purposes only and does not constitute professional advice.",
"terms.paragraph1": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Vivamus id nisl magna. Sed a metus vel dui vehicula viverra. Quisque sed tellus at justo semper dictum. Nullam at rutrum leo. Vivamus at aliquam metus. Aliquam nec nunc in libero posuere hendrerit nec at lacus. Nunc malesuada lobortis tortor nec porta. Cras vulputate mollis nisi, at sollicitudin quam eleifend ac. Nam sed venenatis turpis. Sed vestibulum malesuada nunc vitae ultricies. Donec bibendum ultrices facilisis. Mauris sollicitudin mi et vulputate rhoncus.",
"terms.paragraph2": "Mauris tincidunt, urna non aliquam dapibus, enim metus varius tellus, non dignissim urna odio ac augue. Fusce id lacinia ipsum, id egestas dui. Suspendisse nec quam vel mi tincidunt bibendum a vel mauris. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia Curae; Proin magna elit, molestie eu libero ut, bibendum facilisis turpis. Mauris sem lorem, dignissim a ex sit amet, suscipit fermentum turpis. Integer porttitor arcu non porttitor faucibus. Fusce nisi risus, rutrum vitae vulputate vitae, consectetur et nunc. Aliquam placerat ipsum felis, nec fermentum arcu sagittis nec. Aenean imperdiet laoreet quam ac placerat. Ut accumsan tristique elementum. Etiam congue venenatis lorem, malesuada tristique mauris congue vel. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Nam tincidunt libero a nisi consequat sodales.",
"terms.paragraph3": "Aliquam vitae velit iaculis, vestibulum felis eu, lacinia risus. Donec mollis enim nec accumsan tristique. Morbi dapibus condimentum erat quis placerat. Integer velit augue, sodales quis scelerisque nec, facilisis nec velit. Maecenas rhoncus sagittis lectus, vel feugiat nulla aliquet quis. Quisque condimentum sapien nec eros tristique, vitae pulvinar sem tempus. Nulla ut odio id elit accumsan interdum. Maecenas sagittis sed sem a malesuada. Vivamus venenatis ex sed ex pretium, et pellentesque purus vehicula. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egesta",
- "terms.findSlides": "Find slides",
- "terms.findSlidesSubtitle": "Explore the deck lorem ipsum",
- "terms.findSlidesContent": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Aenean eget elit sapien. Nunc semper urna in lectus consectetur fermentum. Vestibulum eu sem pulvinar, sollicitudin ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet aliquam n ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet.",
- "terms.createSlides": "Create slides",
- "terms.createSlidesSubtitle": "Learn how to create slides with SlideWiki",
- "terms.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
- "terms.sharingSlides": "Sharing slides",
- "terms.sharingSlidesSubtitle": "Present, Share and Communicate",
- "terms.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
- "terms.getStarted": "Get started right away.",
- "terms.signIn": "Sign in",
- "terms.getStartedDescription": "Create an account to start creating and sharing your decks.",
- "terms.myDecks": "My Decks.",
"welcome.3.slideshowMode": "Usa la {strong} per visualizzare un deck come una presentazione. Include un timer e una vista con le note del presentatore.",
"welcome.3.shareDecks": "{strong} via social media o email.",
"welcome.3.comments": "Aggiungi {strong} ai deck e alle slide per interagire con altri studenti.",
@@ -922,24 +1175,28 @@
"importFileModal.modal_header": "Upload your presentation",
"importFileModal.swal_button": "Accept",
"importFileModal.swal_message": "This file is not supported. Please, remember only pptx, odp, and zip (HTML download) files are supported.",
- "importFileModal.modal_selectButton": "Select file",
- "importFileModal.modal_uploadButton": "Upload",
+ "importFileModal.modal_selectButton": "Seleziona file",
+ "importFileModal.modal_uploadButton": "Carica",
"importFileModal.modal_explanation1": "Select your presentation file and upload it to SlideWiki.",
"importFileModal.modal_explanation2": "Only PowerPoint (.pptx), OpenOffice (.odp) and SlideWiki HTML (.zip - previously downloaded/exported) are supported (Max size:",
- "importFileModal.modal_cancelButton": "Cancel",
+ "importFileModal.modal_cancelButton": "Cancella",
"userSignIn.errormessage.isSPAM": "Il tuo account è stato contrassegnato come SPAM quindi non sei in grado di accedere. Contattaci direttamente per la riattivazione.",
"userSignIn.errormessage.notFound": "Le credenziali sono sconosciute. Si prega di riprovare con altre credenziali.",
"userSignIn.errormessage.deactivatedOrUnactivated": "Il tuo account utente deve essere attivato tramite il link di attivazione nella tua email o è disattivato in generale.",
"LoginModal.text.incompleteProviderData": "I dati di {provider} erano incompleti. Nel caso in cui si desideri utilizzare questo provider, si prega di aggiungere un indirizzo e-mail al provider stesso e riprovare su SlideWiki.",
"LoginModal.placeholder.email": "E-Mail",
"LoginModal.placeholder.password": "Password",
- "userSignIn.headerText": "Sign In",
+ "userSignIn.headerText": "Autenticati",
+ "LoginModal.aria.google": "sign in with your Google account",
+ "LoginModal.aria.github": "sign in with your Github account",
"LoginModal.label.email": "E-Mail",
"LoginModal.label.password": "Password",
"LoginModal.button.signIn": "Autenticati",
"LoginModal.text.iCannotAccessMyAccount": "Non posso accedere al mio account",
"LoginModal.text.dontHaveAnAccount": "Non hai un account? Registrati qui.",
"LoginModal.button.close": "Chiudi",
+ "Migrate.text1": "We are merging your user account. This will take just a few seconds.",
+ "Migrate.text2": "You will be directed to next view.",
"resetPassword.mailprompt": "Inserire indirizzo email",
"resetPassword.mailprompt2": "Inserire un indirizzo email valido",
"resetPassword.mailreprompt": "Reinserire l'indirizzo email",
@@ -961,6 +1218,19 @@
"SSOSignIn.errormessage.isForbidden": "Migration is not possible with this user. Please start all over again.",
"SSOSignIn.errormessage.accountNotFound": "This account was not prepared for migration. Please start all over again.",
"SSOSignIn.errormessage.badImplementation": "An unknown error occurred.",
+ "socialLogin.text1": "We are acquiring your data. This will take just a few seconds.",
+ "socialLogin.text2": "This window will close automatically.",
+ "UserMenuDropdown.mydecks": "I miei deck",
+ "UserMenuDropdown.decks": "Decks",
+ "UserMenuDropdown.myplaylists": "My Playlists",
+ "UserMenuDropdown.playlists": "Playlists",
+ "UserMenuDropdown.mygroups": "I miei gruppi",
+ "UserMenuDropdown.groups": "Gruppi",
+ "UserMenuDropdown.mySettings": "Le mie impostazioni",
+ "UserMenuDropdown.settings": "Settings",
+ "UserMenuDropdown.myNotifications": "Le mie notifiche",
+ "UserMenuDropdown.notifications": "Notifications",
+ "UserMenuDropdown.signout": "Disconnetti",
"paintModal.title": "Draw your own SVG image",
"paintModal.primaryColourInput": "Primary colour:",
"paintModal.secondaryColourInput": "Secondary colour:",
@@ -968,9 +1238,9 @@
"paintModal.transparencyInput": "Object Transparency:",
"paintModal.drawingMode": "Drawing Mode",
"paintModal.selectMode": "Select Mode",
- "paintModal.addToSlide": "Add to Slide",
+ "paintModal.addToSlide": "Aggiungi alla Slide",
"oaintModal.paintHeading": "Draw and Paint",
- "paintModal.licenseHeading": "License information",
+ "paintModal.licenseHeading": "Informazioni di licenza",
"paintModal.undo": "Undo",
"paintModal.redo": "Redo",
"paintModal.bringForwards": "Bring Forwards",
@@ -984,24 +1254,24 @@
"paintModal.addTriangle": "Add Triangle",
"paintModal.addArrow": "Add Arrow",
"paintModal.instruction": "Draw inside the canvas using the tools provided.",
- "paintModal.copyrightholder": "Copyrightholder",
- "paintModal.imageAttribution": "Image created by/ attributed to:",
- "paintModal.imageTitle": "Title:",
- "paintModal.imageTitleAria": "Title of the image",
+ "paintModal.copyrightholder": "Proprietario dei diritti d'autore",
+ "paintModal.imageAttribution": "Immagine creata da/attribuita a:",
+ "paintModal.imageTitle": "Titolo:",
+ "paintModal.imageTitleAria": "Titolo dell'immagine",
"paintModal.imageDescription": "Description/Alt Text:",
- "paintModal.imageDescriptionAria": "Description of the image",
- "paintModal.imageDescriptionQuestion": "What does the picture mean?",
+ "paintModal.imageDescriptionAria": "Descrizione dell'immagine",
+ "paintModal.imageDescriptionQuestion": "Cosa significa quest'immagine?",
"paintModal.chooseLicense": "Choose a license:",
- "paintModal.selectLicense": "Select a license",
- "paintModal.agreementAria": "Agree to terms and conditions",
- "paintModal.agreement1": "I confirm that I have the rights to upload this image as per the SlideWiki",
- "paintModal.agreement2": "terms and conditions",
- "paintModal.agreement3": "and that the",
- "paintModal.agreement4": "license information",
+ "paintModal.selectLicense": "Seleziona una licenza",
+ "paintModal.agreementAria": "Accetta i termini e le condizioni",
+ "paintModal.agreement1": "Confermo di avere i diritti per caricare quest'immagine per SlideWiki",
+ "paintModal.agreement2": "termini e condizioni",
+ "paintModal.agreement3": "e che il\n",
+ "paintModal.agreement4": "informazioni di licenza ",
"paintModal.agreement5": "I have provided is correct.",
"paintModal.paintButton": "Paint",
- "paintModal.upload": "Upload",
- "paintModal.cancel": "Cancel",
+ "paintModal.upload": "Carica",
+ "paintModal.cancel": "Cancella",
"reportModal.input_name": "Nome",
"reportModal.modal_title": "Segnala un problema legale o di spam con",
"reportModal.modal_title_2": "contenuto",
@@ -1021,49 +1291,53 @@
"reportModal.send_swal_error_button": "Chiudi",
"HeaderSearchBox.placeholder": "Search",
"KeywordsInputWithFilter.allContentOption": "All Content",
- "KeywordsInputWithFilter.titleOption": "Title",
- "KeywordsInputWithFilter.descriptionOption": "Description",
+ "KeywordsInputWithFilter.titleOption": "Titolo",
+ "KeywordsInputWithFilter.descriptionOption": "Descrizione",
"KeywordsInputWithFilter.contentOption": "Content",
"SearchPanel.header": "Search SlideWiki",
"SearchPanel.searchTerm": "Search Term",
"SearchPanel.KeywordsInput.placeholder": "Type your search terms here",
"SearchPanel.filters.searchField.title": "Search Field",
"SearchPanel.filters.searchField.placeholder": "Select Search Field",
- "SearchPanel.filters.searchField.option.title": "Title",
- "SearchPanel.filters.searchField.option.description": "Description",
+ "SearchPanel.filters.searchField.option.title": "Titolo",
+ "SearchPanel.filters.searchField.option.description": "Descrizione",
"SearchPanel.filters.searchField.option.content": "Content",
"SearchPanel.filters.searchField.option.speakernotes": "Speakernotes",
"SearchPanel.filters.entity.title": "Entity",
"SearchPanel.filters.entity.placeholder": "Select Entity",
"SearchPanel.filters.entity.option.slide": "Slide",
"SearchPanel.filters.entity.option.deck": "Deck",
- "SearchPanel.filters.language.title": "Language",
+ "SearchPanel.filters.language.title": "Lingua",
"SearchPanel.filters.language.placeholder": "Select Language",
- "SearchPanel.filters.language.option.dutch": "Dutch",
- "SearchPanel.filters.language.option.english": "English",
- "SearchPanel.filters.language.option.german": "German",
- "SearchPanel.filters.language.option.greek": "Greek",
- "SearchPanel.filters.language.option.italian": "Italian",
- "SearchPanel.filters.language.option.portuguese": "Portuguese",
- "SearchPanel.filters.language.option.serbian": "Serbian",
- "SearchPanel.filters.language.option.spanish": "Spanish",
+ "SearchPanel.filters.language.option.dutch": "Olandese",
+ "SearchPanel.filters.language.option.english": "Inglese",
+ "SearchPanel.filters.language.option.german": "Tedesco",
+ "SearchPanel.filters.language.option.greek": "Greco",
+ "SearchPanel.filters.language.option.italian": "Italiano",
+ "SearchPanel.filters.language.option.portuguese": "Portoghese",
+ "SearchPanel.filters.language.option.serbian": "Serbo",
+ "SearchPanel.filters.language.option.spanish": "Spagnolo",
"SearchPanel.filters.language.option.french": "French",
"SearchPanel.filters.language.option.lithuanian": "Lithuanian",
"SearchPanel.filters.users.title": "Owners",
"SearchPanel.filters.users.placeholder": "Select Users",
- "SearchPanel.filters.tags.title": "Tags",
+ "SearchPanel.filters.tags.title": "Tag",
"SearchPanel.filters.tags.placeholder": "Select Tags",
- "SearchPanel.button.submit": "Submit",
+ "SearchPanel.button.submit": "Inoltra",
+ "DeckFilter.Tag.Topic": "Subject",
+ "DeckFilter.Education": "Education Level",
"Facets.languagesFacet": "Languages",
"Facets.ownersFacet": "Owners",
- "Facets.tagsFacet": "Tags",
+ "Facets.tagsFacet": "Tag",
+ "Facets.educationLevelFacet": "Education Levels",
+ "Facets.topicsFacet": "Subjects",
"Facets.showMore": "show more",
"Facets.showLess": "show less",
"SearchResultsItem.otherVersions.deck": "Deck Version {index}: {title}",
"SearchResultsItem.otherVersions.slide": "Also in Deck: {title}",
- "SearchResultsItem.by": "by",
+ "SearchResultsItem.by": "da",
"SearchResultsItem.lastModified": "Last modified",
- "SearchResultsItem.description": "Description",
+ "SearchResultsItem.description": "Descrizione",
"SearchResultsItem.otherVersionsMsg": "Other versions available ({count})",
"SearchResultsItem.otherVersionsHeader": "Other matching versions",
"SearchResultsPanel.sort.relevance": "Relevance",
@@ -1071,7 +1345,7 @@
"SearchResultsPanel.header": "Results",
"SearchResultsPanel.noResults": "No results found for the specified input parameters",
"SearchResultsPanel.loadMore": "Load More",
- "SearchResultsPanel.loading": "Loading",
+ "SearchResultsPanel.loading": "Caricamento",
"SearchResultsPanel.results.message": "Displaying {resultsNum} out of {totalResults} results",
"SearchResultsPanel.error": "An error occured while fetching search results",
"SearchResultsPanel.filters": "Filters",
@@ -1085,13 +1359,13 @@
"Stats.activityType.edits": "Edits",
"Stats.activityType.likes": "Likes",
"Stats.activityType.views": "Views",
- "SSOSignIn.errormessage.isSPAM": "Your account was marked as SPAM thus you are not able to sign in. Contact us directly for reactivation.",
- "SSOSignIn.errormessage.credentialsNotFound": "The credentials are unknown. Please retry with another input.",
- "SSOSignIn.errormessage.deactivatedOrUnactivated": "Your user account either have to be activated via the activation link in your email or is deactivated in general.",
+ "SSOSignIn.errormessage.isSPAM": "Il tuo account è stato contrassegnato come SPAM quindi non sei in grado di accedere. Contattaci direttamente per la riattivazione.",
+ "SSOSignIn.errormessage.credentialsNotFound": "Le credenziali sono sconosciute. Si prega di riprovare con altre credenziali.",
+ "SSOSignIn.errormessage.deactivatedOrUnactivated": "Il tuo account utente deve essere attivato tramite il link di attivazione nella tua email o è disattivato in generale.",
"CategoryBox.personalSettings": "Impostazioni personali",
"CategoryBox.profile": "Profilo",
- "CategoryBox.account": "Account",
- "CategoryBox.authorizedAccounts": "Account Autorizzati",
+ "CategoryBox.account": "Accounts",
+ "CategoryBox.authorizedAccounts": "Authorized Accounts & Services",
"CategoryBox.userStats": "User Stats",
"CategoryBox.groups": "Gruppi",
"CategoryBox.myGroups": "I miei gruppi",
@@ -1142,6 +1416,7 @@
"user.deckcard.opendeck": "Open deck",
"user.deckcard.slideshow": "Open slideshow in new tab",
"user.deckcard.unlisted": "Unlisted",
+ "user.populardecks.notavailable": "No decks available",
"Integration.swalTitle3": "Errore",
"Integration.swalText3": "Il provider non è stato disabilitato perché è successo qualcosa di inaspettato, riprovare più tardi.",
"Integration.swalbutton3": "Confermato",
@@ -1152,7 +1427,7 @@
"Integration.swalText2": "No sei autorizzato a disablitare tutti i provider",
"Integration.swalbutton2": "Confermato",
"Integration.swalTitle1": "Errore",
- "Integration.swalText1": "The data from {provider} was incomplete. In case you want to use this provider, please add an e-mail address at the provider itself and try again at SlideWiki.",
+ "Integration.swalText1": "I dati di {provider} erano incompleti. Nel caso in cui si desideri utilizzare questo provider, si prega di aggiungere un indirizzo e-mail al provider stesso e riprovare su SlideWiki.",
"Integration.swalbutton1": "Conferma",
"Integration.text_providerEnabled": "Questo provider è abilitato e puoi usarlo",
"Integration.text_providerDisabled": "Questo provider è attualmente disabilitato. Per abilitarlo, clicca sul bottone accanto a esso.",
@@ -1164,30 +1439,31 @@
"Integration.disableGithub": "Disabilita",
"Integration.enableGithub": "Abilita",
"Integration.loading": "caricamento",
- "user.populardecks.notavailable": "No decks available",
+ "Integration.ltis": "Learning Services (LTIs)",
+ "Integration.myLTIs": "My Learning Services",
"user.userProfile.privatePublicProfile.allStatus": "All",
"user.userProfile.privatePublicProfile.publicStatus": "Published",
"user.userProfile.privatePublicProfile.hiddenStatus": "Unlisted",
"user.userProfile.privatePublicProfile.publicationStatus": "Publication status",
"UserDecks.sort.lastUpdated": "Last updated",
"UserDecks.sort.date": "Creation date",
- "UserDecks.sort.title": "Title",
- "UserDecks.header.myDecks": "My Decks",
+ "UserDecks.sort.title": "Titolo",
+ "UserDecks.header.myDecks": "I miei deck",
"UserDecks.header.ownedDecks": "Owned Decks",
"UserDecks.header.sharedDecks": "Shared Decks",
"user.userProfile.userDecks.loadMore": "Load More",
- "user.userProfile.userDecks.loading": "Loading",
+ "user.userProfile.userDecks.loading": "Caricamento",
"user.userProfile.userDecks.error": "An unexpected error occurred while fetching more decks",
- "UserMenu.myDecks": "My Decks",
+ "UserMenu.myDecks": "I miei deck",
"UserMenu.ownedDecks": "Owned Decks",
"UserMenu.sharedDecks": "Shared Decks",
"UserMenu.collections": "Playlists",
"UserMenu.ownedCollections": "Owned Playlists",
"UserMenu.recommendedDecks": "Recommended Decks",
"UserMenu.stats": "User Stats",
- "UserGroups.error": "Error",
+ "UserGroups.error": "Errore",
"UserGroups.unknownError": "Unknown error while saving.",
- "UserGroups.close": "Close",
+ "UserGroups.close": "Chiudi",
"UserGroups.msgError": "Error while deleting the group",
"UserGroups.msgErrorLeaving": "Error while leaving the group",
"UserGroups.member": "Member",
@@ -1195,8 +1471,8 @@
"UserGroups.groupSettings": "Group settings",
"UserGroups.groupDetails": "Group details",
"UserGroups.notAGroupmember": "Not a member of a group.",
- "UserGroups.loading": "Loading",
- "UserGroups.groups": "Groups",
+ "UserGroups.loading": "Caricamento",
+ "UserGroups.groups": "Gruppi",
"UserGroups.createGroup": "Create new group",
"UserProfile.swalTitle1": "Le modifiche sono state applicate",
"UserProfile.swalTitle2": "Il tuo account è stato cancellato",
@@ -1208,13 +1484,21 @@
"UserProfile.changePassword": "Cambia password",
"UserProfile.deactivateAccount": "Disattiva account",
"user.userRecommendations.changeOrder": "change order",
- "user.userRecommendations.loading": "Loading",
+ "user.userRecommendations.loading": "Caricamento",
"user.userRecommendations.recommendedDecks": "Recommended Decks",
"user.userRecommendations.ranking": "Ranking",
"user.userRecommendations.lastUpdated": "Last updated",
"user.userRecommendations.creationDate": "Creation date",
- "user.userRecommendations.title": "Title",
+ "user.userRecommendations.title": "Titolo",
+ "Stats.userStatsTitle": "User Statistics",
"Stats.tagCloudTitle": "Popular Tags",
+ "Stats.userEngagementTitle": "User Engagement Overview",
+ "Stats.activeEngagement": "Active Engagement",
+ "Stats.passiveEngagement": "Passive Engagement",
+ "Stats.socialEngagement": "Social Engagement",
+ "Stats.activeEngagementDesc": "The degree of active participation based on the user's content creation history",
+ "Stats.passiveEngagementDesc": "The degree of passive participation based on the user's content usage",
+ "Stats.socialEngagementDesc": "The degree of social interaction through SW content",
"UserRegistration.firstName_prompt": "Inserire nome",
"UserRegistration.lastName_prompt": "Inserire cognome",
"UserRegistration.userName_prompt": "Selezionare nome utente",
@@ -1264,6 +1548,11 @@
"UserRegistration.form_terms": "Cliccando \"Registrati\" accetti i nostri",
"UserRegistration.form_terms2": "Termini",
"UserRegistration.noAccess": "Non posso accedere al mio account",
+ "UserRegistration.emailRegistered": "This E-Mail has already been registered by someone else. Please use another one.",
+ "UserRegistration.usernameRegistered": "This Username has already been registered by someone else. Please choose another one.",
+ "UserRegistration.username.suggestion": "Here are some suggestions:",
+ "UserRegistration.SSO.title": "Sign up with an account of another SlideWiki instance",
+ "UserRegistration.SSO.aria": "Sign up with another SlideWiki instance",
"UserRegistrationSocial.firstnameprompt": "Inserire nome",
"UserRegistrationSocial.lastnameprompt": "Inserire cognome",
"UserRegistrationSocial.usernameprompt": "Selezionare nome utente",
@@ -1278,6 +1567,7 @@
"UserRegistrationSocial.confirm": "OK",
"UserRegistrationSocial.emailNotAllowed": "L'indirizzo email selezionato è attualmente in uso da parte di un altro utente. Inserire un indirizzo email differente.",
"UserRegistrationSocial.usernameNotAllowed": "Il nome utente selezionato è attualmente in uso da parte di un altro utente. Inserire un nome utente differente.",
+ "UserRegistrationSocial.usernamesuggestion": "Here are some suggestions:",
"UserRegistrationSocial.validate": "Convalida le tue informazioni",
"UserRegistrationSocial.fname": "Nome *",
"UserRegistrationSocial.lname": "Cognome *",
@@ -1286,25 +1576,25 @@
"UserRegistrationSocial.signup": "Registrati",
"UserRegistrationSocial.account": "Non posso accedere al mio account",
"UserRegistrationSocial.cancel": "Cancella",
- "ChangePicture.Groups.modalTitle": "Big file",
- "ChangePicture.Groups.modalText": "The selected file is quite big (> 10MB). This could cause problems like a white profile picture. You should upload a smaller picture if you notice strange things.",
- "ChangePicture.Groups.modalTitle2": "Wrong file type",
- "ChangePicture.Groups.modalText2": "You have selected a file type that we currently do not support",
- "ChangePicture.Group.upload": "Upload new Image",
- "ChangePicture.Group.remove": "Remove Image",
+ "ChangePicture.Groups.modalTitle": "File grande",
+ "ChangePicture.Groups.modalText": "Il file selezionato è piuttosto grande (> 10 MB). Ciò potrebbe causare problemi come un'immagine di profilo bianca. Dovresti caricare un'immagine più piccola in caso di comportamenti inaspettati.",
+ "ChangePicture.Groups.modalTitle2": "File di tipo errato",
+ "ChangePicture.Groups.modalText2": "Hai selezionato un tipo di file che al momento non supportiamo",
+ "ChangePicture.Group.upload": "Carica nuova immagine",
+ "ChangePicture.Group.remove": "Elimina immagine",
"ChangeGroupPictureModal.modalTitle": "Photo selection not processible!",
"ChangeGroupPictureModal.modalText": "Sorry, we could not process your chosen selection. Please try again with a different photo or selection.",
"ChangeGroupPictureModal.description": "This modal is used to crop and save a picture meant to be used as a group picture.",
- "ChangeGroupPictureModal.cancel": "Cancel",
- "ChangeGroupPictureModal.save": "Save",
- "ChangeGroupPictureModal.modalHeader": "Crop your image",
+ "ChangeGroupPictureModal.cancel": "Cancella",
+ "ChangeGroupPictureModal.save": "Salva",
+ "ChangeGroupPictureModal.modalHeader": "Ritaglia la tu immagine",
"GroupDecks.sort.lastUpdated": "Last updated",
"GroupDecks.sort.date": "Creation date",
- "GroupDecks.sort.title": "Title",
+ "GroupDecks.sort.title": "Titolo",
"GroupDecks.header.sharedDecks": "Shared decks edited by this group",
- "UserGroupEdit.error": "Error",
+ "UserGroupEdit.error": "Errore",
"UserGroupEdit.unknownError": "Unknown error while saving.",
- "UserGroupEdit.close": "Close",
+ "UserGroupEdit.close": "Chiudi",
"UserGroupEdit.messageGroupName": "Group name required.",
"UserGroupEdit.createGroup": "Create Group",
"UserGroupEdit.editGroup": "Edit Group",
@@ -1313,12 +1603,12 @@
"UserGroupEdit.unknownOrganization": "Unknown organization",
"UserGroupEdit.unknownCountry": "Unknown country",
"UserGroupEdit.groupName": "Group Name",
- "UserGroupEdit.description": "Description",
+ "UserGroupEdit.description": "Descrizione",
"UserGroupEdit.addUser": "Add user",
"UserGroupEdit.saveGroup": "Save Group",
"UserGroupEdit.deleteGroup": "Delete Group",
"UserGroupEdit.leaveGroup": "Leave Group",
- "UserGroupEdit.loading": "Loading",
+ "UserGroupEdit.loading": "Caricamento",
"UserGroupEdit.members": "Members",
"UserGroupEdit.details": "Group details",
"UserGroupEdit.unsavedChangesAlert": "You have unsaved changes. If you do not save the group, it will not be updated. Are you sure you want to exit this page?",
diff --git a/intl/nl.json b/intl/nl.json
index b73f3917a..0b6fd855d 100644
--- a/intl/nl.json
+++ b/intl/nl.json
@@ -29,6 +29,9 @@
"AddDeck.form.label_themes": "Selecteer thema van presentatiereeks",
"AddDeck.form.label_description": "Beschrijving",
"add.help": "Hulp-presentatiereeksen",
+ "AddDeck.sr.education": "Selecteer onderwijsniveau voor inhoud van presentatiereeks",
+ "AddDeck.sr.subject": "Selecteer onderwerpen van inhoud presentatiereeks vanuit de autoaanvulling. Meerdere onderwerpen kunnen worden geselecteerd",
+ "AddDeck.sr.tags": "Voeg label of sleutelwoord toe voor presentatiereeks. Meerdere labels kunnen worden toegevoegd.",
"DeckProperty.Education.Choose": "Kies onderwijsniveau",
"DeckProperty.Tag.Topic.Choose": "Kies onderwerp",
"DeckProperty.Tag.Choose": "Kies Labels",
@@ -37,6 +40,9 @@
"AddDeck.form.label_terms2": "Voorwaarden",
"AddDeck.form.label_terms3": "en dat de inhoud die ik upload, maak, en bewerk kan worden gepubliceerd onder een Creative Commons ShareAlike licentie.",
"AddDeck.form.label_termsimages": "Ik ga akkoord en ben er van bewust dat afbeeldingen in mijn geïmporteerde presentatie onder het publieke domein vallen of beschikbaar worden gesteld onder een Creative Commons Attribution (Naamsvermelding) (CC-BY or CC-BY-SA) licentie.",
+ "activationMessages.swalTitle": "Account geactiveerd",
+ "activationMessages.swalText": "Uw account is succesvol geactiveerd. U kunt nu inloggen",
+ "activationMessages.swalConfirm": "Sluit",
"header.cookieBanner": "Deze website gebruikt cookies.",
"CountryDropdown.placeholder": "Selecteer uw land",
"CountryDropdown.Afghanistan": "Afghanistan",
@@ -332,7 +338,172 @@
"CollectionsPanel.error.removeDeck": "Er is een fout opgetreden tijdens het verwijderen van de afspeellijst van presentatiereeks...",
"CollectionsPanel.error.adDeck": "Er is een fout opgetreden tijdens het toevoegen van de afspeellijst aan de presentatiereeks...",
"CollectionsPanel.addToPlaylist": "Voeg presentatiereeks toe aan afspeellijst",
+ "AddComment.form.comment_title_placeholder": "Tite",
+ "AddComment.form.comment_text_placeholder": "Tekst",
+ "AddComment.form.label_comment_title": "Titel van opmerking",
+ "AddComment.form.label_comment_text": "Tekst van opmerking",
+ "AddComment.form.button_submit": "Bevestig",
+ "AddComment.form.button_cancel": "Annuleer",
+ "AddReply.form.reply_text_placeholder": "Tekst",
+ "AddReply.form.label_reply_title": "Titel van reactie",
+ "AddReply.form.label_reply_text": "Tekst van Reactie",
+ "AddReply.form.button_add": "Reageer",
+ "Comment.form.revision_note": "Revisie",
+ "Comment.form.from_note": "van",
+ "Comment.form.comment_removed": "Opmerking is verwijderd",
+ "Comment.form.delete_aria": "Verwijder opmerking",
+ "Comment.form.label_reply": "reageer",
+ "ContentDiscussionPanel.form.no_comments": "Er zijn op het moment geen opmerkingen hierover",
+ "ContentDiscussionPanel.form.button_add": "voeg opmerking toe",
+ "ContentDiscussionPanel.form.comments": "Opmerkingen",
+ "ContentChangeItem.swal.text": "Deze actie zet de slide terug naar een eerdere versie. Wilt u doorgaan?\n",
+ "ContentChangeItem.swal.confirmButtonText": "Ja, herstel slide",
+ "ContentChangeItem.swal.cancelButtonText": "Nee",
+ "ContentChangeItem.form.add_description": "toegevoegd",
+ "ContentChangeItem.form.copy_description": "Maak een kopie van",
+ "ContentChangeItem.form.attach_description": "bijgevoegd",
+ "ContentChangeItem.form.fork_description": "kopie van presentatiereeks gemaakt",
+ "ContentChangeItem.form.translate_description_added": "toegevoegd",
+ "ContentChangeItem.form.translate_description_translation": "vertaling voor",
+ "ContentChangeItem.form.revise_description": "maak een nieuwe versie van",
+ "ContentChangeItem.form.rename_description_renamed": "hernoemd",
+ "ContentChangeItem.form.rename_description_to": "naar",
+ "ContentChangeItem.form.revert_description_restored": "hersteld",
+ "ContentChangeItem.form.revert_description_to": "naar een eerdere versie",
+ "ContentChangeItem.form.remove_description": "verwijderd",
+ "ContentChangeItem.form.edit_description_slide_translation": "slide vertaling gewijzigd",
+ "ContentChangeItem.form.edit_description_slide": "slide gewijzigd",
+ "ContentChangeItem.form.move_description_slide": "slide verplaatst",
+ "ContentChangeItem.form.move_description_deck": "presentatiereeks verplaatst",
+ "ContentChangeItem.form.move_description": "verlaatst",
+ "ContentChangeItem.form.update_description": "presentatiereeks bijgewerkt",
+ "ContentChangeItem.form.default_description": "de presentatiereeks bijgewerkt",
+ "ContentChangeItem.form.button_compare": "vergeleken met de huidige slide versie",
+ "ContentChangeItem.form.button_restore": "Herstel slide",
+ "ContentChangeItem.form.button_view": "bekijk slide",
+ "ContentChangeItem.form.date_on": "aan",
+ "ContentChangeItem.form.date_at": "op",
+ "DeckHistoryPanel.swal.text": "Deze actie maakt een nieuwe versie van de presentatiereeks. Wilt u doorgaan?",
+ "DeckHistoryPanel.swal.confirmButtonText": "Ja, maak nieuwe versie",
+ "DeckHistoryPanel.swal.cancelButtonText": "nee",
+ "DeckHistoryPanel.form.button_aria": "maak nieuwe versie van presentatiereeks",
+ "DeckHistoryPanel.form.button_content": "maak een nieuwe versie",
+ "DeckRevision.swal.text": "Deze actie hersteld een presentatiereeks naar een eerdere versie. Wilt u doorgaan?",
+ "DeckRevision.swal.confirmButtonText": "Ja, herstel presentatiereeks",
+ "DeckRevision.swal.cancelButtonText": "Nee",
+ "DeckRevision.form.icon_aria_saved": "Opgeslagen op",
+ "DeckRevision.form.date_on": "aan",
+ "DeckRevision.form.date_at": "op",
+ "DeckRevision.form.by": "door",
+ "DeckRevision.form.button_aria_show": "Toon detail",
+ "DeckRevision.form.version_changes": "Versie wijzigingen",
+ "DeckRevision.form.button_aria_restore": "Herstel presentatiereeks",
+ "DeckRevision.form.button_aria_view": "Toon presentatiereeks in nieuw tabblad",
+ "DeckRevisionChanges.form.no_changes": "Er zijn geen wijzigingen voor deze versie.",
+ "SlideHistoryPanel.form.no_changes": "Er zijn geen wijzigingen voor deze slide.",
+ "ContentModulesPanel.form.label_sources": "Bronnen",
+ "ContentModulesPanel.form.label_tags": "Labels",
+ "ContentModulesPanel.form.label_comments": "Opmerkingen",
+ "ContentModulesPanel.form.label_history": "Geschiedenis",
+ "ContentModulesPanel.form.label_usage": "Gebruik",
+ "ContentModulesPanel.form.label_questions": "Vragen",
+ "ContentModulesPanel.form.label_playlists": "Afspeellijsten",
+ "ContentModulesPanel.form.aria_additional": "extra presentatiereeks gereedschappen",
+ "ContentModulesPanel.form.dropdown_text": "Gereedschappen",
+ "ContentModulesPanel.form.header": "Gereedschappen voor inhoud",
+ "ContentQuestionAdd.no_question": "Voer een vraag in",
+ "ContentQuestionAdd.no_answers": "Voeg antwoorden toe",
+ "ContentQuestionAdd.form.question": "Vraag",
+ "ContentQuestionAdd.form.difficulty": "Moelijkheid",
+ "ContentQuestionAdd.form.difficulty_easy": "Makkelijk",
+ "ContentQuestionAdd.form.difficulty_moderate": "Matig",
+ "ContentQuestionAdd.form.difficulty_hard": "Zwaar",
+ "ContentQuestionAdd.form.answer_choices": "Antwoord opties",
+ "ContentQuestionAdd.form.explanation": "Uitleg (optioneel)",
+ "ContentQuestionAdd.form.exam_question": "Dit is een examen vraag",
+ "ContentQuestionAdd.form.button_save": "Opslaan",
+ "ContentQuestionAdd.form.button_cancel": "Annuleer",
+ "ContentQuestionAnswersList.form.button_answer_show": "Toon antwoord",
+ "ContentQuestionAnswersList.form.button_answer_hide": "Verberg antwoord",
+ "ContentQuestionAnswersList.form.button_edit": "Wijzig vraag",
+ "ContentQuestionAnswersList.form.explanation": "Uitleg",
+ "ContentQuestionEdit.no_question": "Voer een vraag in",
+ "ContentQuestionEdit.no_answers": "Voeg antwoorden toe",
+ "ContentQuestionEdit.swal.text": "Vraag verwijderen. Weet u dit zeker",
+ "ContentQuestionEdit.swal.confirmButtonText": "Ja, verwijder!",
+ "ContentQuestionEdit.form.question": "Vraag",
+ "ContentQuestionEdit.form.difficulty": "Moelijkheid",
+ "ContentQuestionEdit.form.difficulty_easy": "Makkelijk",
+ "ContentQuestionEdit.form.difficulty_moderate": "Matig",
+ "ContentQuestionEdit.form.difficulty_hard": "Zwaar",
+ "ContentQuestionEdit.form.answer_choices": "Antwoord opties",
+ "ContentQuestionEdit.form.explanation": "Uitleg (optioneel)",
+ "ContentQuestionEdit.form.exam_question": "Dit is een examenvraag",
+ "ContentQuestionEdit.form.button_save": "Opslaan",
+ "ContentQuestionEdit.form.button_cancel": "Annuleer",
+ "ContentQuestionEdit.form.button_delete": "Verwijder",
+ "ContentQuestionsItem.form.originally": "(origineel van",
+ "ContentQuestionsPanel.form.no_questions": "Er zijn op het moment geen vragen hiervoor",
+ "ContentQuestionsPanel.form.button_exam": "Examenmodus",
+ "ContentQuestionsPanel.form.button_select": "Selecteer examen vragen",
+ "ContentQuestionsPanel.form.button_add": "Voeg vraag toe",
+ "ContentQuestionsPanel.form.questions_header": "Vragen",
+ "QuestionDownloadList.form.heading": "Selecteer vragen om te downloaden",
+ "QuestionDownloadList.form.button": "Selecteer alles",
+ "QuestionDownloadModal.form.download_aria": "Download vragen",
+ "QuestionDownloadModal.form.download_tooltip": "Download vragen in JSON formaat",
+ "QuestionDownloadModal.form.modal_description": "U kan één of meerdere vragen uit deze presentatiereeks selecteren om te downloaden.",
+ "QuestionDownloadModal.form.button_cancel": "Annuleer",
+ "QuestionDownloadModal.form.download_text": "Download",
"questionpanel.handleDownloadQuestionsClick": "Download vragen",
+ "QuestionDownloadModal.form.modal_header": "Download vragen",
+ "ExamAnswersItem.form.answer_correct": "uw antwoord was correct",
+ "ExamAnswersItem.form.answer_not_selected": "het correcte antwoord welke u niet selecteerde",
+ "ExamAnswersItem.form.answer_incorrect": "uw antwoord was incorrect",
+ "ExamAnswersList.form.explanation": "Uitleg:",
+ "ExamAnswersList.form.answer_incorrect": "uw antwoord op de vraag was incorrect",
+ "ExamList.swal.title": "Examen ingediend",
+ "ExamList.swal.text": "Uw score:",
+ "ExamList.form.button_submit": "Antwoorden indienen",
+ "ExamList.form.button_cancel": "Annuleer",
+ "ExamPanel.form.no_questions": "Er zijn op het moment geen examen vragen hiervoor",
+ "ExamPanel.form.exam_mode": "Examenmodus",
+ "ExamPanel.form.button_back": "Terug",
+ "ExamQuestionsList.form.header": "Selecteer examen vragen",
+ "ExamQuestionsList.form.button_save": "Opslaan",
+ "ExamQuestionsList.form.button_cancel": "Annuleer",
+ "ContentUsageItem.form.by": "door",
+ "ContentUsageList.form.no_usage": "Er is op het moment geen gebruik hiervan",
+ "ContributorsPanel.form.no_contributors": "Er zijn geen bijdragers hiervoor",
+ "ContributorsPanel.form.header": "Auteur/maker",
+ "ContributorsPanel.form.title": "Bijdragers",
+ "DataSourceItem.form.originally": "Oorspronkelijk van slide",
+ "DataSourcePanel.form.no_sources": "Er zijn op het moment geen bronnen hierover",
+ "DataSourcePanel.form.button_add": "Voeg bron toe",
+ "DataSourcePanel.form.header": "Bronnen",
+ "DataSourcePanel.form.show_more": "Toon meer ...",
+ "EditDataSource.no_title": "Dit veld kan niet leeg zijn",
+ "EditDataSource.valid_url": "De URL moet correct zijn.",
+ "EditDataSource.valid_year": "Voeg een geldig nummer in voor jaar, wat minder of gelijk is aan het huidige jaar.",
+ "EditDataSource.form.header_edit": "Wijzig bron",
+ "EditDataSource.form.header_add": "Voeg bron toe",
+ "EditDataSource.form.placeholder_title": "Titel",
+ "EditDataSource.form.placeholder_authors": "Auteurs",
+ "EditDataSource.form.placeholder_year": "Jaar",
+ "EditDataSource.form.placeholder_comment": "Opmerking",
+ "EditDataSource.form.button_delete": "Verwijder",
+ "EditDataSource.form.type_webpage": "Webpagina",
+ "EditDataSource.form.type_webdocument": "Webdocument",
+ "EditDataSource.form.type_publication": "Publicatie",
+ "EditDataSource.form.type_person": "Persoon",
+ "EditDataSource.form.type_text": "Platte tekst",
+ "EditDataSource.form.label_type": "Type",
+ "EditDataSource.form.label_title": "Titel",
+ "EditDataSource.form.label_authors": "Auteurs",
+ "EditDataSource.form.label_year": "Jaar",
+ "EditDataSource.form.label_comment": "Opmerking",
+ "EditDataSource.form.button_submit": "Bevestig",
+ "EditDataSource.form.button_cancel": "Annuleer",
"RecommendedTags.header": "Aanbevolen Tags",
"RecommendedTags.aria.add": "Voeg aanbevolen tags toe",
"RecommendedTags.aria.dismiss": "aanbeveling negeren",
@@ -464,16 +635,36 @@
"DeckTranslationsModal.translate": "Maak vertaling",
"DeckTranslationsModal.originLanguage": "Originele Taal:",
"DeckTranslationsModal.switchSR": "Maak een nieuwe vertaling van presentatiereeks",
+ "SlideTranslationsModal.header": "Vertaal Slide",
+ "SlideTranslationsModal.chooseSourceLanguage": "Kies de huidige/bron taal...",
+ "SlideTranslationsModal.chooseTargetLanguage": "Kies de beoogde taal...",
+ "SlideTranslationsModal.sourceTranslation": "Huidige taal:",
+ "SlideTranslationsModal.targetTranslation": "Beoogde taal:",
+ "SlideTranslationsModal.autoSelect": "Huidige en beoogde taal zijn automatisch geselecteerd. U mag deze handmatig wijzigen indien nodig.",
+ "SlideTranslationsModal.alternativeTranslation1": "We hebben een beperkt aantal automatische vertalingen elke maand. Als alternatief kunt u gebruik maken van de...",
+ "SlideTranslationsModal.alternativeTranslation2": "... ingebouwde vertaal functie, ...",
+ "SlideTranslationsModal.alternativeTranslation3": "... vertaling extensie of \"app\", of vertalen via één van de vertalings extensies van Mozilla Firefox (...",
+ "SlideTranslationsModal.openOriginal": "Om u te helpen met vertalen kunt u de huidige versie van de slide in een nieuw browservenster/tab openen via de \"Speel\" (play/afspeel) knop.",
+ "SlideTranslationsModal.sourceLanguageSearchOptions": "(begin met typen om de huidige/brontaal te vinden)",
+ "SlideTranslationsModal.targetLanguageSearchOptions": "(begin met typen om de beoogde taal te vinden)",
+ "SlideTranslationsModal.cancel": "Annuleer",
+ "SlideTranslationsModal.translate": "Vertaal Slide",
+ "SlideTranslationsModal.originLanguage": "Originele Taal:",
+ "SlideTranslationsModal.switchSR": "Begin nieuwe vertaling van slide",
"InfoPanelInfoView.selectLanguage": "Selecteer Taal",
+ "Stats.deckUserStatsTitle": "Gebruikersactiviteit",
"similarContentItem.creator": "Auteur/aanmaker",
"similarContentItem.likes": "Aantal likes",
"similarContentItem.open_deck": "Open presentatiereeks",
"similarContentItem.open_slideshow": "Open presentatie-diavoorstelling in nieuw venster",
"similarContentPanel.panel_header": "Aanbevolen presentatiereeksen",
"similarContentPanel.panel_loading": "Laden",
+ "slideEditLeftPanel.transitionAlertTitle": "Wijzigen van transitie voor de presentatie",
+ "slideEditLeftPanel.transitionAlertContent": "Deze transitie wordt gebruikt voor de transitie naar deze slide. Wilt u doorgaan?",
"editpanel.slideSizeCurrent": "(huidig: {size})",
"editpanel.back": "Terug",
"editpanel.embed": "externe inhoud",
+ "editpanel.lti": "LTI",
"editpanel.table": "Table",
"editpanel.Maths": "Wiskunde",
"editpanel.Code": "Code",
@@ -490,6 +681,14 @@
"editpanel.embedAdd": "Toevoegen aan slide",
"editpanel.embedNote": "Niet elke website eigenaar staat toe om hun inhoud te laten inbedden. Het gebruik van inbeddings-code die door de oorspronkelijke website wordt aangeleverd werkt vaak beter dan gebruik van enkel een URL.",
"editpanel.embedNoteTerms": "Onze voorwaarden (o.a. over kwaadaardige code en commerciële materialen) zijn ook van toepassing op de content op de webpagina's die u hier inbed.",
+ "editpanel.ltiKey": "LTI sleutel:",
+ "editpanel.ltiKeyMissingError": "Missende LTI sleutel",
+ "editpanel.ltiURL": "URL/link naar LTI inhoud:",
+ "editpanel.ltiURLMissingError": "Missende URL/link naar inhoud",
+ "editpanel.ltiWidth": "Breedte van LTI inhoud:",
+ "editpanel.ltiHeight": "Hoogte van LTI inhoud:",
+ "editpanel.ltiAdd": "Voeg toe aan slide",
+ "editpanel.ltiNote": "Gebruik een LTI URL en sleutel.",
"editpanel.template2": "Leeg document - document-modus (niet-canvas)",
"editpanel.template3": "Document met titel - document-modus (niet-canvas)",
"editpanel.template31": "Document met rijk-tekst voorbeedl - document-modues (niet-canvas)",
@@ -511,6 +710,7 @@
"editpanel.templateVMU": "VMU sjabloon - titel pagina",
"editpanel.slideTitleButton": "Wijzig slide naam",
"editpanel.slideSizeChange": "Wijzig afmeting van slide",
+ "editpanel.slideTransition": "Slide transitie",
"editpanel.changeBackgroundColor": "Wijzig achtergrondkleur",
"editpanel.removeBackground": "Verwijder achtergrond",
"editpanel.titleMissingError": "Fout: slide naam kan niet leeg zijn",
@@ -526,6 +726,12 @@
"editpanel.slideSizeName720": "720p HDTV Wide XGA",
"editpanel.slideSizeWidescreen1080": "Breedbeeld (16:9) hoog",
"editpanel.slideSizeName1080": "1080p/1080i HDTV Blu-ray",
+ "transitionpanel.none": "Geen slide transitie",
+ "transitionpanel.convex": "Bol (convex)",
+ "transitionpanel.fade": "Vervagen",
+ "transitionpanel.slide": "Glijden",
+ "transitionpanel.zoom": "Zoom",
+ "transitionpanel.concave": "Ingevallen (concaaf)",
"editpanel.addTextBox": "Voeg invoer element toe",
"editpanel.Image": "Voeg afbeelding toe",
"editpanel.Video": "Voeg video toe",
@@ -615,6 +821,20 @@
"UserCollections.collections.shared": "Gedeelde afspeellijsten",
"UserCollections.collections.delete.title": "Verwijder afspeellijst",
"UserCollections.collections.delete.text": "Bent u er zeker van dat u deze afspeellijst wilt verwijderen?",
+ "footer.sr.header": "Informatie over SlideWik",
+ "footer.header": "Over",
+ "footer.about": "Over Ons",
+ "footer.contact": "Neem contact met ons op",
+ "footer.guides": "Handleidingen en Hulp",
+ "footer.accessibility": "Toegankelijkheid",
+ "footer.terms.header": "Voorwaarden & Condities",
+ "footer.terms": "Voorwaarden",
+ "footer.license": "Licentie",
+ "footer.imprint": "Afdruk",
+ "footer.data": "Data bescherming",
+ "footer.funding": "Financiering",
+ "footer.funding.text": "Het SlideWIki project heeft financiering ontvangen vanuit het Europese Unie Horizon 2020 onderzoek- en innovatieprogramma volgens subsidieovereenkomst nr. 688095",
+ "footer.copyright": "Auteursrechten © 2018 All Rechten Voorbehouden",
"header.signin": "Aanmelden",
"header.signin.mobile": "Aanmelden",
"header.mydecks.mobile": "Presentatiereeksen",
@@ -757,8 +977,13 @@
"dataProtection.8.email": "data-protection(at)zv.fraunhofer.de",
"dataProtection.9.header": "9. Aanvaarding, geldigheid en wijzigingen in data beschermingscondities",
"dataProtection.9.p1": "Door het gebruik van onze website gaat u impliciet akkoord met het gebruik van uw persoonlijke data zoals hierboven is beschreven. Het huidige statement van data bescherming voorwaarden is ingegaan per 1 oktober 2013. Omdat onze website evolueert, en er nieuwe technologie in gebruik wordt genomen, kan het nodig zijn om de statements over data beschermingsvoorwaarden te wijzigen. het Fraunhofer-Gesellschaft behoudt zich het recht voor om de databeschermingsvoorwaarden op elke moment te wijzigen met ingang van een toekomstige datum. We bevelen u aan om de laatste versie om de zoveel tijd te herlezen.",
+ "decklist.featured.alt": "Aanbevolen Afbeelding.",
"decklist.decklanguage": "Standaard taal",
+ "decklist.decknumberofslides": "Aantal slides",
"decklist.forkcount": "Aantal kopieën",
+ "decklist.likecount": "Aantal likes",
+ "decklist.numberofshares": "Aantal keren gedeeld",
+ "decklist.numberofdownloads": "Aantal keren gedownload",
"decklist.featured.notavailable": "Geen aanbevolen presentatiereeksen aanwezig",
"decklist.recent.notavailable": "Geen recente presentatiereeksen aanwezig",
"decklist.meta.creator": "Auteur/maker",
@@ -825,8 +1050,36 @@
"home.slideWikiAbout": "Het SlideWiki Project",
"home.slideWikiAboutContent": "SlideWiki is een online presentatie tool dat gebruiker mogelijk maakt om samen te werken in het maken van slides, beoordelingen, en de inhoud te delen als gestructureerd open onderwijsmateriaal onder een Creative Commons licentie. Met SlideWiki kunt u interactief uw publiek bereiken door samen te werken met collega's, het mede-ontwerpen en mede-creëren van onderwijs materiaal om zo uw kennis te delen met de wereld. SlideWiki is een open-source platform, en alle content in SlideWiki kan worden hergebruiked onder de Creative Commons CC-BY-SA licentie. SlideWiki ontwikkeling, grootschalige proeven en onderliggend onderzoek wordt gefinancierd door het raamwerk programma voor onderzoek en innovatie Horizon 2020 onder beursovereenkomst nummer 688095. In het project zijn 17 partners actief om SlideWiki te ontwikkelen, testen, en proeven uit te voeren.",
"home.slideWikiAboutVisit": "Bezoek de project website.",
- "home.myDecks": "Mijn Presentatiereeksen.",
+ "home.myDecksLink": "Mijn Presentatiereeksen",
"home.seeMoreDecks": "Bekijk meer presentatiereeksen",
+ "home.leanrMoreSW": "Leer meer over SlideWik",
+ "home.featuredDeck": "Aanbevolen Presentatiereeks",
+ "imprint.licensing.text": "Inhoud op het SlideWiki OCW platform is gelicentieerd onder de Creative Commons Naamsvermelding-GelijkDelen 4.0 Internationaal (CC BY-SA 4.0), Creative Commons Naamsvermelding 4.0 Internationaal (CC BY 4.0), of Creative Commons 1.0 Universeel Publiek Domein Verklaring (CC0 1.0) - tenzij anders gemarkeerd. Zie de CC {link_licenses} voor meer informatie.",
+ "imprint.software.text": "Alle software broncode van SlideWiki is Open Source software; U bent van harte welkom om naar onze broncode te kijken.",
+ "imprint.header": "Opdruk - dient ook als leverancier identificatie conform § 5 Telemedia-wet (TMG)",
+ "imprint.provider": "Leverancier",
+ "imprint.representative": "Geautoriseerde Vertegenwoordiger",
+ "imprint.representative.text": "Prof. Dr. Sören Auer (Directeur van TIB)",
+ "imprint.representative.text2": "Technische Informatie Bibliotheek (TIB) is een stichting van publiek recht van de deelstaat Nedersaksen.",
+ "imprint.authority": "Verantwoordelijke toezichtautoriteit",
+ "imprint.authority.text": "Ministerie van Wetenschap en Cultuur van Nedersaksen",
+ "imprint.contact": "Contact",
+ "imprint.VAT": "BTW (BTW) registratienummer",
+ "imprint.editorialOffice": "Redactie",
+ "imprint.copyright": "Auteursrechten",
+ "imprint.copyright.text": "De lay-out van deze website is auteursrechtelijk beschermd, evenals de afbeeldingen en alle andere inhoud op de website.",
+ "imprint.content": "Inhoud Beschikbaar",
+ "imprint.content.text1": "Geleverd zoals het is:",
+ "imprint.content.text2": "U erkent dat wij geen verklaringen of garanties geven met betrekking tot het materiaal, de gegevens en informatie, zoals gegevensbestanden, tekst, computersoftware, code, muziek, audiobestanden of andere geluiden, foto's, video's of andere afbeeldingen (gezamenlijk, de \"Inhoud\") waartoe u toegang kunt hebben via uw gebruik van SlideWiki. In geen geval zijn wij op enigerlei wijze aansprakelijk voor enige Inhoud, inclusief, maar niet beperkt tot: alle inbreukmakende Inhoud, eventuele fouten of weglatingen in Inhoud, of voor enig verlies of schade van welke aard dan ook die is opgelopen als gevolg van het gebruik van enige Inhoud gepost, verzonden, gelinkt van, of anderszins toegankelijk via, of beschikbaar gemaakt via SlideWiki. U begrijpt dat door gebruik te maken van SlideWiki u mogelijk wordt blootgesteld aan inhoud die aanstootgevend, onfatsoenlijk of aanstootgevend is. U stemt ermee in dat u als enige verantwoordelijk bent voor uw hergebruik van inhoud die via SlideWiki beschikbaar wordt gesteld. U moet de voorwaarden van de toepasselijke licentie bekijken voordat u de inhoud gebruikt, zodat u weet wat u wel en niet kunt doen.",
+ "imprint.licensing": "Licentiëring ",
+ "imprint.licenses.page": "Licentie pagina",
+ "imprint.software": "SlideWiki Software",
+ "imprint.repository": "bewaarplaats",
+ "imprint.content2": "Inhoud Aangeleverd door U",
+ "imprint.content2.text": "Uw verantwoordelijkheid: U vertegenwoordigt, garandeert en stemt ermee in dat geen Inhoud die u op of via SlideWiki (\"Uw inhoud\") heeft gepost of anderszins hebt gedeeld, inbreuk maakt op de rechten van derden, inclusief auteursrecht, handelsmerk, privacy, publiciteit, of andere persoonlijke of eigendomsrechten, inbreuken of conflicten met enige verplichting, zoals een vertrouwelijkheidsverplichting, of lasterlijk, lasterlijk of anderszins onwettig materiaal bevat.",
+ "imprint.licensing.2": "Licentiëring van uw inhoud: u behoudt alle auteursrechten die u mogelijk heeft in uw inhoud. U stemt er hierbij mee in dat Uw Inhoud: (a) hierbij in licentie wordt gegeven krachtens de Creative Commons Naamsvermelding 4.0-licentie en mogelijk wordt gebruikt onder de voorwaarden van die licentie of enige latere versie van een Creative Commons Naamsvermelding licentie, of (b) zich in het publieke domein bevindt (zoals Content die niet auteursrechtelijk kan worden beschermd of Content die u beschikbaar stelt onder CC0), of © indien niet het eigendom van u, (i) is beschikbaar onder een Creative Commons Naamsvermelding 4.0-licentie of (ii) is een mediabestand dat beschikbaar is onder een Creative Commons-licentie.",
+ "imprint.disclaimer": "Vrijwaring",
+ "imprint.disclaimer.text": "Wij kunnen geen aansprakelijkheid aanvaarden voor de inhoud van externe pagina's. Alleen de exploitanten van die gekoppelde pagina's zijn verantwoordelijk voor hun inhoud.",
"licence.ccBySaLicenceLogo": "Creative Commons BY-SA Licentie logo",
"licence.1.p2": "Kom meer te weten over de CC BY-SA en zie de volledige licentie tekst door het kijken naar {link_1}.",
"licence.1.3.p2": "{link_1} heeft een overzicht van bronnen van materiaal dat is gepubliceerd onder de creative commons licenties. Bepaalde media services zoals Flickr, YouTube en Vimeo publiceren een deel van de inhoud onder creative commons licenties. Inhoud gemarkeerd als \"Alle rechten behouden\" (“All rights reserved”) kan niet in SlideWiki worden gebruikt.",
@@ -858,6 +1111,19 @@
"licence.4.header": "Mededelingen",
"licence.4.p1": "De SlideWiki websiten en zijn inhoud worden geleverd \"zoals het is\". We bieden geen garanties, expliciet of impliciet, over enige inhoud, de website, of de nauwkeurigheid van enige informatie. Deze licentie kan u niet all de permissies geven die u nodig heeft voor uw gebruik. Bijvoorbeeld, andere rechten zoals publiciteit, privacy of morele rechten kunnen de manier waarop u het materiaal gebruikt, beperken. We behouden ons het recht voor om materialen en inhoud te verwijderen waarvan we denken dat deze inbreuk maken op de auteursrecht- en licentievoorwaarden.",
"recent.header": "Recente presentatiereeksen toegevoegd door gebruikers",
+ "staticPage.findSlides": "Vind slides",
+ "staticPage.findSlidesSubtitle": "Verken de presentatiereeks",
+ "staticPage.findSlidesContent": "SlideWiki bied open onderwijs middelen en cursussen aan over een brede reeks onderwerpen.",
+ "staticPage.createSlides": "Maak slides",
+ "staticPage.createSlidesSubtitle": "Wijzig en voeg cursusmateriaal toe",
+ "staticPage.createSlidesContent": "Maak een nieuwe presentatiereeks of importeer je bestaande slides zoom online HTML presentatiereeksen te maken.",
+ "staticPage.sharingSlides": "Deel Slides",
+ "staticPage.sharingSlidesSubtitle": "Presenteer, Deel, en Communiceer",
+ "staticPage.sharingSlidesContent": "Werk samen aan presentatiereeksen met je vrienden en collega's. Groepeer presentatiereeksen in afspeellijsten en deel ze via social media of email.",
+ "staticPage.getStarted": "Begin direct.",
+ "staticPage.signIn": "Aanmelden",
+ "staticPage.getStartedDescription": "Maak een account om direct te beginnen met het maken en delen van uw presentatiereeksen.",
+ "staticPage.myDecks": "Mijn Presentatiereeksen.",
"terms.mainTitle": "Voorwaarden voor gebruik SlideWiki",
"terms.summary": "Dit is een menselijk-leesbare samenvatting van de gebruiksvoorwaarden van SlideWiki (het project).",
"terms.disclaimer": "Vrijwarring: Dit is een samenvattingen en geen deel van de gebruikersvoorwaarden en niet een juridisch bindend document. Het is een simpele en handige referentie voor het begrijpen van de volledige voorwaarden. Zie het als een gebruikersvriendelijke interface voor de juridische taal in onze gebruikersovereenkomst.",
@@ -881,19 +1147,6 @@
"terms.paragraph1": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Vivamus id nisl magna. Sed a metus vel dui vehicula viverra. Quisque sed tellus at justo semper dictum. Nullam at rutrum leo. Vivamus at aliquam metus. Aliquam nec nunc in libero posuere hendrerit nec at lacus. Nunc malesuada lobortis tortor nec porta. Cras vulputate mollis nisi, at sollicitudin quam eleifend ac. Nam sed venenatis turpis. Sed vestibulum malesuada nunc vitae ultricies. Donec bibendum ultrices facilisis. Mauris sollicitudin mi et vulputate rhoncus.",
"terms.paragraph2": "Mauris tincidunt, urna non aliquam dapibus, enim metus varius tellus, non dignissim urna odio ac augue. Fusce id lacinia ipsum, id egestas dui. Suspendisse nec quam vel mi tincidunt bibendum a vel mauris. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia Curae; Proin magna elit, molestie eu libero ut, bibendum facilisis turpis. Mauris sem lorem, dignissim a ex sit amet, suscipit fermentum turpis. Integer porttitor arcu non porttitor faucibus. Fusce nisi risus, rutrum vitae vulputate vitae, consectetur et nunc. Aliquam placerat ipsum felis, nec fermentum arcu sagittis nec. Aenean imperdiet laoreet quam ac placerat. Ut accumsan tristique elementum. Etiam congue venenatis lorem, malesuada tristique mauris congue vel. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Nam tincidunt libero a nisi consequat sodales.",
"terms.paragraph3": "Aliquam vitae velit iaculis, vestibulum felis eu, lacinia risus. Donec mollis enim nec accumsan tristique. Morbi dapibus condimentum erat quis placerat. Integer velit augue, sodales quis scelerisque nec, facilisis nec velit. Maecenas rhoncus sagittis lectus, vel feugiat nulla aliquet quis. Quisque condimentum sapien nec eros tristique, vitae pulvinar sem tempus. Nulla ut odio id elit accumsan interdum. Maecenas sagittis sed sem a malesuada. Vivamus venenatis ex sed ex pretium, et pellentesque purus vehicula. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egesta",
- "terms.findSlides": "Vind slides",
- "terms.findSlidesSubtitle": "Verken de presentatiereeks lorem ipsum",
- "terms.findSlidesContent": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Aenean eget elit sapien. Nunc semper urna in lectus consectetur fermentum. Vestibulum eu sem pulvinar, sollicitudin ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet aliquam n ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet.",
- "terms.createSlides": "Maak slides",
- "terms.createSlidesSubtitle": "Leer hoe je slides kan maken in SlideWiki",
- "terms.createSlidesContent": "Maak een nieuwe presentatiereeks of importeer bestaande slides vanuit PowerPoint (*.pptx) of OpenDocument Presentation (*.odp) bestanden. Uw geïmporteerde slides worden omgezet naar HTML slides zodat u deze kan blijven wijzigen en nieuwe slides kan toevoegen.",
- "terms.sharingSlides": "Delen van Slides",
- "terms.sharingSlidesSubtitle": "Presenteer, Deel, en Communiceer",
- "terms.sharingSlidesContent": "Er zijn veel manieren waarop u en uw studenten zich kunnen bezighouden en engageren met slides en presentatiereeksen. Gebruik de slideshow modus om een presentatie reeks te zien als een diavoorstelling. Hierbij kunt u een timer zien en notities voor een spreker. Deel presentatiereeksen via social media of email.",
- "terms.getStarted": "Begin direct.",
- "terms.signIn": "Aanmelden",
- "terms.getStartedDescription": "Maak een account om direct te beginnen met het maken en delen van uw presentatiereeksen.",
- "terms.myDecks": "Mijn Presentatiereeksen.",
"welcome.3.slideshowMode": "Gebruik de {strong} om een presentatiereeks te tonen als een slideshow. Bevat een scherm met een klok en sprekersnotities.",
"welcome.3.shareDecks": "{strong} via sociale media of email.",
"welcome.3.comments": "Voeg {strong} toe aan presentatiereeksen en slides om interatie te hebben met andere leerlingen.",
@@ -934,12 +1187,16 @@
"LoginModal.placeholder.email": "Email",
"LoginModal.placeholder.password": "Wachtwoord",
"userSignIn.headerText": "Aanmelden",
+ "LoginModal.aria.google": "Inschrijven met Google",
+ "LoginModal.aria.github": "Inschrijven met Github",
"LoginModal.label.email": "E-mail",
"LoginModal.label.password": "Wachtwoord",
"LoginModal.button.signIn": "Aanmelden",
"LoginModal.text.iCannotAccessMyAccount": "I krijg geen toegang tot mijn account",
"LoginModal.text.dontHaveAnAccount": "Heeft u geen account? Schrijf u dan hier in.",
"LoginModal.button.close": "Sluiten",
+ "Migrate.text1": "We zijn uw gebruikersaccount aan het samenvoegen. Dit duurt enkele seconden.",
+ "Migrate.text2": "U wordt doorverwezen naar het volgende scherm.",
"resetPassword.mailprompt": "Vul uw email adress in",
"resetPassword.mailprompt2": "Vul een geldig email adres in",
"resetPassword.mailreprompt": "Herhaal uw email adres",
@@ -961,6 +1218,19 @@
"SSOSignIn.errormessage.isForbidden": "Migratie van deze gebruiker is niet mogelijk. Probeer het opnieuw vanaf het begin.",
"SSOSignIn.errormessage.accountNotFound": "Deze gebruiker is niet klaar voor migratie. Probeer het opnieuw vanaf het begin.",
"SSOSignIn.errormessage.badImplementation": "Een onbekende fout is opgetreden.",
+ "socialLogin.text1": "We zijn uw data aan het opvragen. Dit duurt enkele seconden.",
+ "socialLogin.text2": "Dit venster sluit automatisch",
+ "UserMenuDropdown.mydecks": "Mijn Presentatiereeksen",
+ "UserMenuDropdown.decks": "Presentatiereeksen",
+ "UserMenuDropdown.myplaylists": "Mijn afspeellijsten",
+ "UserMenuDropdown.playlists": "Afspeellijsten",
+ "UserMenuDropdown.mygroups": "Mijn groepen",
+ "UserMenuDropdown.groups": "Groepen",
+ "UserMenuDropdown.mySettings": "Mijn instellingen",
+ "UserMenuDropdown.settings": "Instellingen",
+ "UserMenuDropdown.myNotifications": "Mijn meldingen",
+ "UserMenuDropdown.notifications": "Meldingen",
+ "UserMenuDropdown.signout": "Afmelden",
"paintModal.title": "Teken uw eigen SVG afbeelding",
"paintModal.primaryColourInput": "Primaire kleur:",
"paintModal.secondaryColourInput": "Secundaire kleur:",
@@ -1054,9 +1324,13 @@
"SearchPanel.filters.tags.title": "Tags",
"SearchPanel.filters.tags.placeholder": "Selecteer tags",
"SearchPanel.button.submit": "Bevestigen",
+ "DeckFilter.Tag.Topic": "Onderwerp",
+ "DeckFilter.Education": "Onderwijsniveau",
"Facets.languagesFacet": "Talen",
"Facets.ownersFacet": "Eigenaren",
"Facets.tagsFacet": "Labels",
+ "Facets.educationLevelFacet": "Onderwijsniveaus",
+ "Facets.topicsFacet": "Onderwerpen",
"Facets.showMore": "Toon meer",
"Facets.showLess": "Toon minder",
"SearchResultsItem.otherVersions.deck": "Versie van presntatiedeck {index}: {title}",
@@ -1090,8 +1364,8 @@
"SSOSignIn.errormessage.deactivatedOrUnactivated": "Uw account moet nog worden geactiveerd in de activatielink in uw email of is in zijn algemeenheid gedeactiveerd.",
"CategoryBox.personalSettings": "Persoonlijke instellingen",
"CategoryBox.profile": "Profiel",
- "CategoryBox.account": "Account",
- "CategoryBox.authorizedAccounts": "Geautoriseerde accounts",
+ "CategoryBox.account": "Accounts",
+ "CategoryBox.authorizedAccounts": "Geautoriseerde accounts & diensten",
"CategoryBox.userStats": "Gebruikersstatistieken",
"CategoryBox.groups": "Groepen",
"CategoryBox.myGroups": "Mijn groepen",
@@ -1142,6 +1416,7 @@
"user.deckcard.opendeck": "Open Presentatiereeks",
"user.deckcard.slideshow": "Open presentatievoorstelling in nieuw venster",
"user.deckcard.unlisted": "Verborgen",
+ "user.populardecks.notavailable": "Geen presentatiereeksen beschikbaar",
"Integration.swalTitle3": "Fout",
"Integration.swalText3": "De provider is niet gedactiveerd omdat er iets onverwachts gebeurde. Probeer het later opnieuw.",
"Integration.swalbutton3": "Bevestigd",
@@ -1164,7 +1439,8 @@
"Integration.disableGithub": "Deactiveer",
"Integration.enableGithub": "Activeer",
"Integration.loading": "Laden",
- "user.populardecks.notavailable": "Geen presentatiereeksen beschikbaar",
+ "Integration.ltis": "Leer diensten (LTIs)",
+ "Integration.myLTIs": "Mijn Leerdiensten",
"user.userProfile.privatePublicProfile.allStatus": "Alles",
"user.userProfile.privatePublicProfile.publicStatus": "Gepubliceerd",
"user.userProfile.privatePublicProfile.hiddenStatus": "Verbrogen",
@@ -1214,7 +1490,15 @@
"user.userRecommendations.lastUpdated": "Laatst gewijzigd",
"user.userRecommendations.creationDate": "Aanmaak datum",
"user.userRecommendations.title": "Titel",
+ "Stats.userStatsTitle": "Gebruikersstatistieken",
"Stats.tagCloudTitle": "Populaire Labels",
+ "Stats.userEngagementTitle": "Overzicht Gebruikersbetrokkenheid",
+ "Stats.activeEngagement": "Actieve Betrokkenheid",
+ "Stats.passiveEngagement": "Actieve Betrokkenheid",
+ "Stats.socialEngagement": "Sociale Betrokkenheid",
+ "Stats.activeEngagementDesc": "De hoeveelheid actieve betrokkenheid gebaseerd op de geschiedenis van het aanmaken van inhoud door de gebruiker.",
+ "Stats.passiveEngagementDesc": "De hoeveelheid passieve betrokkenheid gebaseerd op de geschiedenis van het gebruik van inhoud door de gebruiker",
+ "Stats.socialEngagementDesc": "De hoeveelheid interactie via SlideWiki inhoud",
"UserRegistration.firstName_prompt": "Vul uw voornaam in",
"UserRegistration.lastName_prompt": "Vul uw achternaam in",
"UserRegistration.userName_prompt": "Vul uw gebruikersnaam in",
@@ -1264,6 +1548,11 @@
"UserRegistration.form_terms": "Door het klikken op inschrijven, gaat u akkoord met ",
"UserRegistration.form_terms2": "Voorwaarden",
"UserRegistration.noAccess": "I heb geen toegang tot mijn account",
+ "UserRegistration.emailRegistered": "Dit email adres is in gebruik door iemand anders. Kies een andere",
+ "UserRegistration.usernameRegistered": "Deze gebruikersnaam is al in gebruik door iemand anders. Kies een andere",
+ "UserRegistration.username.suggestion": "Hij zijn wat suggesties:",
+ "UserRegistration.SSO.title": "Aanmelden met een account op een andere SlideWIki instantie/installatie",
+ "UserRegistration.SSO.aria": "Inschrijven via een andere SlideWiki instantie",
"UserRegistrationSocial.firstnameprompt": "Vul uw voornaam in",
"UserRegistrationSocial.lastnameprompt": "Vul uw achternaam in",
"UserRegistrationSocial.usernameprompt": "Vul uw gebruikersnaam in",
@@ -1278,6 +1567,7 @@
"UserRegistrationSocial.confirm": "Oké",
"UserRegistrationSocial.emailNotAllowed": "Dit email adres is in gebruik door iemand anders. Kies een andere",
"UserRegistrationSocial.usernameNotAllowed": "Deze gebruikersnaam is al in gebruik door iemand anders. Kies een andere",
+ "UserRegistrationSocial.usernamesuggestion": "Hier zijn wat suggesties:",
"UserRegistrationSocial.validate": "Valideer informatie gebruiker",
"UserRegistrationSocial.fname": "Voornaam*",
"UserRegistrationSocial.lname": "Achternaam*",
diff --git a/intl/pt.json b/intl/pt.json
index cdc966bcf..fd2737752 100644
--- a/intl/pt.json
+++ b/intl/pt.json
@@ -29,6 +29,9 @@
"AddDeck.form.label_themes": "Escolha o tema da apresentação",
"AddDeck.form.label_description": "Descrição",
"add.help": "Help decks",
+ "AddDeck.sr.education": "Select education level of deck content",
+ "AddDeck.sr.subject": "Select subject of deck content from autocomplete. Multiple subjects can be selected",
+ "AddDeck.sr.tags": "Add tags or keywords for your deck. Multiple tags can be provided.",
"DeckProperty.Education.Choose": "Choose Education Level",
"DeckProperty.Tag.Topic.Choose": "Choose Subject",
"DeckProperty.Tag.Choose": "Choose Tags",
@@ -37,6 +40,9 @@
"AddDeck.form.label_terms2": "os termos e condições do SlideWiki",
"AddDeck.form.label_terms3": "e que o conteúdo que eu carregar, criar e editar pode ser publicado sob uma lecença Create Commons ShareAlike.",
"AddDeck.form.label_termsimages": "Concordo que as imagens nos meus slides importados são de domínio público ou disponibilizadas sob uma licença Creative Commons Attribution (CC-BY ou CC-BY-SA).",
+ "activationMessages.swalTitle": "Account activated",
+ "activationMessages.swalText": "Your account has been successfully activated. You are now able to login",
+ "activationMessages.swalConfirm": "Fechar",
"header.cookieBanner": "This website uses cookies.",
"CountryDropdown.placeholder": "Escolha o seu país",
"CountryDropdown.Afghanistan": "Afeganistão",
@@ -328,11 +334,176 @@
"CollectionsPanel.header": "Playlists",
"CollectionsPanel.createCollection": "Add to new playlist",
"CollectionsPanel.ariaCreateCollection": "Add to new playlist",
- "CollectionsPanel.error.title": "Error",
+ "CollectionsPanel.error.title": "Erro",
"CollectionsPanel.error.removeDeck": "An error occured while removing playlist from deck...",
"CollectionsPanel.error.adDeck": "An error occured while adding playlist to the deck...",
"CollectionsPanel.addToPlaylist": "Add deck to playlist",
+ "AddComment.form.comment_title_placeholder": "Título",
+ "AddComment.form.comment_text_placeholder": "Text",
+ "AddComment.form.label_comment_title": "Comment title",
+ "AddComment.form.label_comment_text": "Comment text",
+ "AddComment.form.button_submit": "Submit",
+ "AddComment.form.button_cancel": "Cancelar",
+ "AddReply.form.reply_text_placeholder": "Text",
+ "AddReply.form.label_reply_title": "Reply title",
+ "AddReply.form.label_reply_text": "Reply text",
+ "AddReply.form.button_add": "Add Reply",
+ "Comment.form.revision_note": "revision",
+ "Comment.form.from_note": "from",
+ "Comment.form.comment_removed": "Comment was removed",
+ "Comment.form.delete_aria": "Delete comment",
+ "Comment.form.label_reply": "Reply",
+ "ContentDiscussionPanel.form.no_comments": "There are currently no comments for this",
+ "ContentDiscussionPanel.form.button_add": "Add comment",
+ "ContentDiscussionPanel.form.comments": "Comments",
+ "ContentChangeItem.swal.text": "This action will restore the slide to an earlier version. Do you want to continue?",
+ "ContentChangeItem.swal.confirmButtonText": "Yes, restore slide",
+ "ContentChangeItem.swal.cancelButtonText": "Não",
+ "ContentChangeItem.form.add_description": "added",
+ "ContentChangeItem.form.copy_description": "created a duplicate of",
+ "ContentChangeItem.form.attach_description": "attached",
+ "ContentChangeItem.form.fork_description": "created a fork of deck",
+ "ContentChangeItem.form.translate_description_added": "added",
+ "ContentChangeItem.form.translate_description_translation": "translation for",
+ "ContentChangeItem.form.revise_description": "created a new version of",
+ "ContentChangeItem.form.rename_description_renamed": "renamed",
+ "ContentChangeItem.form.rename_description_to": "to",
+ "ContentChangeItem.form.revert_description_restored": "restored",
+ "ContentChangeItem.form.revert_description_to": "to an earlier version",
+ "ContentChangeItem.form.remove_description": "removed",
+ "ContentChangeItem.form.edit_description_slide_translation": "edited slide translation",
+ "ContentChangeItem.form.edit_description_slide": "edited slide",
+ "ContentChangeItem.form.move_description_slide": "moved the slide",
+ "ContentChangeItem.form.move_description_deck": "moved the deck",
+ "ContentChangeItem.form.move_description": "moved",
+ "ContentChangeItem.form.update_description": "updated deck",
+ "ContentChangeItem.form.default_description": "updated the deck",
+ "ContentChangeItem.form.button_compare": "Compare to current slide version",
+ "ContentChangeItem.form.button_restore": "Restore slide",
+ "ContentChangeItem.form.button_view": "View slide",
+ "ContentChangeItem.form.date_on": "on",
+ "ContentChangeItem.form.date_at": "at",
+ "DeckHistoryPanel.swal.text": "This action will create a new version for this deck. Do you want to continue?",
+ "DeckHistoryPanel.swal.confirmButtonText": "Yes, create a new version",
+ "DeckHistoryPanel.swal.cancelButtonText": "Não",
+ "DeckHistoryPanel.form.button_aria": "Create a new version of this deck",
+ "DeckHistoryPanel.form.button_content": "Create a new version",
+ "DeckRevision.swal.text": "This action will restore the deck to an earlier version. Do you want to continue?",
+ "DeckRevision.swal.confirmButtonText": "Yes, restore deck",
+ "DeckRevision.swal.cancelButtonText": "Não",
+ "DeckRevision.form.icon_aria_saved": "Saved at",
+ "DeckRevision.form.date_on": "on",
+ "DeckRevision.form.date_at": "at",
+ "DeckRevision.form.by": "by",
+ "DeckRevision.form.button_aria_show": "Show details",
+ "DeckRevision.form.version_changes": "Version changes",
+ "DeckRevision.form.button_aria_restore": "Restore deck",
+ "DeckRevision.form.button_aria_view": "View deck in new tab",
+ "DeckRevisionChanges.form.no_changes": "There are no changes for this version.",
+ "SlideHistoryPanel.form.no_changes": "There are no changes for this slide.",
+ "ContentModulesPanel.form.label_sources": "Sources",
+ "ContentModulesPanel.form.label_tags": "Etiquetas",
+ "ContentModulesPanel.form.label_comments": "Comments",
+ "ContentModulesPanel.form.label_history": "History",
+ "ContentModulesPanel.form.label_usage": "Usage",
+ "ContentModulesPanel.form.label_questions": "Questions",
+ "ContentModulesPanel.form.label_playlists": "Playlists",
+ "ContentModulesPanel.form.aria_additional": "Additional deck tools",
+ "ContentModulesPanel.form.dropdown_text": "Tools",
+ "ContentModulesPanel.form.header": "Content Tools",
+ "ContentQuestionAdd.no_question": "Please, enter question",
+ "ContentQuestionAdd.no_answers": "Please, add answers",
+ "ContentQuestionAdd.form.question": "Question",
+ "ContentQuestionAdd.form.difficulty": "Difficulty",
+ "ContentQuestionAdd.form.difficulty_easy": "Easy",
+ "ContentQuestionAdd.form.difficulty_moderate": "Moderate",
+ "ContentQuestionAdd.form.difficulty_hard": "Hard",
+ "ContentQuestionAdd.form.answer_choices": "Answer Choices",
+ "ContentQuestionAdd.form.explanation": "Explanation (optional)",
+ "ContentQuestionAdd.form.exam_question": "This is an exam question",
+ "ContentQuestionAdd.form.button_save": "Salvar",
+ "ContentQuestionAdd.form.button_cancel": "Cancelar",
+ "ContentQuestionAnswersList.form.button_answer_show": "Show answer",
+ "ContentQuestionAnswersList.form.button_answer_hide": "Hide answer",
+ "ContentQuestionAnswersList.form.button_edit": "Edit question",
+ "ContentQuestionAnswersList.form.explanation": "Explanation:",
+ "ContentQuestionEdit.no_question": "Please, enter question",
+ "ContentQuestionEdit.no_answers": "Please, add answers",
+ "ContentQuestionEdit.swal.text": "Delete this question. Are you sure?",
+ "ContentQuestionEdit.swal.confirmButtonText": "Yes, delete!",
+ "ContentQuestionEdit.form.question": "Question",
+ "ContentQuestionEdit.form.difficulty": "Difficulty",
+ "ContentQuestionEdit.form.difficulty_easy": "Easy",
+ "ContentQuestionEdit.form.difficulty_moderate": "Moderate",
+ "ContentQuestionEdit.form.difficulty_hard": "Hard",
+ "ContentQuestionEdit.form.answer_choices": "Answer Choices",
+ "ContentQuestionEdit.form.explanation": "Explanation (optional)",
+ "ContentQuestionEdit.form.exam_question": "This is an exam question",
+ "ContentQuestionEdit.form.button_save": "Salvar",
+ "ContentQuestionEdit.form.button_cancel": "Cancelar",
+ "ContentQuestionEdit.form.button_delete": "Delete",
+ "ContentQuestionsItem.form.originally": "(originally from",
+ "ContentQuestionsPanel.form.no_questions": "There are currently no questions for this",
+ "ContentQuestionsPanel.form.button_exam": "Exam mode",
+ "ContentQuestionsPanel.form.button_select": "Select exam questions",
+ "ContentQuestionsPanel.form.button_add": "Add question",
+ "ContentQuestionsPanel.form.questions_header": "Questions",
+ "QuestionDownloadList.form.heading": "Select questions to download",
+ "QuestionDownloadList.form.button": "Select all",
+ "QuestionDownloadModal.form.download_aria": "Download Questions",
+ "QuestionDownloadModal.form.download_tooltip": "Download Questions as JSON format",
+ "QuestionDownloadModal.form.modal_description": "You can select one or more questions from this deck to download.",
+ "QuestionDownloadModal.form.button_cancel": "Cancelar",
+ "QuestionDownloadModal.form.download_text": "Baixar",
"questionpanel.handleDownloadQuestionsClick": "Download questions",
+ "QuestionDownloadModal.form.modal_header": "Download questions",
+ "ExamAnswersItem.form.answer_correct": "your answer was correct",
+ "ExamAnswersItem.form.answer_not_selected": "the correct answer which you did not select",
+ "ExamAnswersItem.form.answer_incorrect": "your answer was incorrect",
+ "ExamAnswersList.form.explanation": "Explanation:",
+ "ExamAnswersList.form.answer_incorrect": "Your answer to the question was incorrect",
+ "ExamList.swal.title": "Exam submitted",
+ "ExamList.swal.text": "Your score:",
+ "ExamList.form.button_submit": "Submit answers",
+ "ExamList.form.button_cancel": "Cancelar",
+ "ExamPanel.form.no_questions": "There are currently no exam questions for this",
+ "ExamPanel.form.exam_mode": "Exam mode",
+ "ExamPanel.form.button_back": "Back",
+ "ExamQuestionsList.form.header": "Select exam questions",
+ "ExamQuestionsList.form.button_save": "Salvar",
+ "ExamQuestionsList.form.button_cancel": "Cancelar",
+ "ContentUsageItem.form.by": "by",
+ "ContentUsageList.form.no_usage": "There is currently no usage of this",
+ "ContributorsPanel.form.no_contributors": "There are no contributors for this",
+ "ContributorsPanel.form.header": "Creator",
+ "ContributorsPanel.form.title": "Contributors",
+ "DataSourceItem.form.originally": "originally from slide",
+ "DataSourcePanel.form.no_sources": "There are currently no sources for this",
+ "DataSourcePanel.form.button_add": "Add source",
+ "DataSourcePanel.form.header": "Sources",
+ "DataSourcePanel.form.show_more": "Show more ...",
+ "EditDataSource.no_title": "This field cannot be empty.",
+ "EditDataSource.valid_url": "The URL must be a valid one.",
+ "EditDataSource.valid_year": "Enter a valid number for a Year, which is less or equal the current one.",
+ "EditDataSource.form.header_edit": "Edit source",
+ "EditDataSource.form.header_add": "Add source",
+ "EditDataSource.form.placeholder_title": "Título",
+ "EditDataSource.form.placeholder_authors": "Authors",
+ "EditDataSource.form.placeholder_year": "Year",
+ "EditDataSource.form.placeholder_comment": "Comment",
+ "EditDataSource.form.button_delete": "Delete",
+ "EditDataSource.form.type_webpage": "Web page",
+ "EditDataSource.form.type_webdocument": "Web document",
+ "EditDataSource.form.type_publication": "Publication",
+ "EditDataSource.form.type_person": "Person",
+ "EditDataSource.form.type_text": "Plain text",
+ "EditDataSource.form.label_type": "Type",
+ "EditDataSource.form.label_title": "Título",
+ "EditDataSource.form.label_authors": "Authors",
+ "EditDataSource.form.label_year": "Year",
+ "EditDataSource.form.label_comment": "Comment",
+ "EditDataSource.form.button_submit": "Submit",
+ "EditDataSource.form.button_cancel": "Cancelar",
"RecommendedTags.header": "Etiquetas Recomendadas",
"RecommendedTags.aria.add": "Adicionar etiqueta recomendada",
"RecommendedTags.aria.dismiss": "Rejeitar recomendação",
@@ -344,7 +515,7 @@
"TagsPanel.aria.edit": "Editar etiquetas",
"TagsPanel.aria.save": "Salvar etiquetas",
"TagsPanel.aria.cancel": "Cancelar etiquetas",
- "TagsPanel.TagInput.placeholder": "Insert new tags",
+ "TagsPanel.TagInput.placeholder": "Inserir novas etiquetas",
"editpanel.handleAddQuestionsClick": "Add questions",
"slidesModal.attachSlidesDescriptionStep1": "Você pode anexar um ou mais slides de outra apresentação. Primeiro selecione sua apresentação contendo os slides ou pesquise o SlideWiki por um deck. Aconselhamos um máximo de 50 slides por (sub) apresentação para máximo desempenho / velocidade para visualizar sua apresentação. Você tambén pode separar uma apresentação grande, por exemplo, uma série de palestras, em uma coleção de apresentações.",
"slidesModal.attachSlidesDescriptionStep2": "Selecione slides para anexar. Aconselhamos um máximo de 50 slides por (sub) apresentação para máximo desempenho / velocidade para visualizar sua apresentação. Você também pode separar uma apresentação grande, por exemplo, uma série de palestras, em uma coleção de apresentações.",
@@ -358,9 +529,9 @@
"ContentActionsHeader.addDeckButtonAriaText": "Adicionar sub-apresentação",
"ContentActionsHeader.duplicateAriaText": "Duplicar slide",
"ContentActionsHeader.deleteAriaText": "Deletar slide",
- "ContentActionsHeader.language": "Language",
+ "ContentActionsHeader.language": "Idioma",
"ContentActionsHeader.translation": "Translation",
- "ContentActionsHeader.loading": "Loading",
+ "ContentActionsHeader.loading": "Carregando",
"downloadModal.downloadModal_header": "Baixar esta apresentação",
"downloadModal.downloadModal_description": "Seleciona o formato de arquivo para baixar",
"downloadModal.downloadModal_downloadButton": "Baixar",
@@ -444,10 +615,10 @@
"SlideContentEditor.saveChangesModalTitle": "You have unsaved changes. If you do not save the slide, it will not be updated.",
"SlideContentEditor.saveChangesModalText": "Are you sure you want to exit this page?",
"SlideContentEditor.saveChangesModalConfirm": "Yes",
- "SlideContentEditor.saveChangesModalCancel": "No",
- "SlideContentEditor.imageUploadErrorTitle": "Error",
+ "SlideContentEditor.saveChangesModalCancel": "Não",
+ "SlideContentEditor.imageUploadErrorTitle": "Erro",
"SlideContentEditor.imageUploadErrorText": "Uploading the image file failed. Please try it again and make sure that you select an image and that the file size is not too big. Also please make sure you did not upload an image twice.",
- "SlideContentEditor.imageUploadErrorConfirm": "Close",
+ "SlideContentEditor.imageUploadErrorConfirm": "Fechar",
"SlideContentEditor.SaveAfterSlideNameChangeModalTitle": "Save now or continue editing?",
"SlideContentEditor.SaveAfterSlideNameChangeModalText": "The slide name will be updated after saving the slide and exiting slide edit mode. Click \"yes\" to save the slide and exit edit mode. Click \"no\" to continue editing your slide.",
"SlideContentEditor.SaveAfterSlideNameChangeModalConfirm": "Yes, save and exit slide edit mode",
@@ -455,25 +626,45 @@
"SlideContentEditor.deleteModalTitle": "Remove element",
"SlideContentEditor.deleteModalText": "Are you sure you want to delete this element?",
"SlideContentEditor.deleteModalConfirm": "Yes",
- "SlideContentEditor.deleteModalCancel": "No",
+ "SlideContentEditor.deleteModalCancel": "Não",
"DeckTranslationsModal.header": "Start new deck translations",
"DeckTranslationsModal.chooseLanguage": "Choose the target language...",
"DeckTranslationsModal.startTranslation": "Create a new translation:",
"DeckTranslationsModal.startTranslationSearchOptions": "(start typing to find your language in its native name)",
- "DeckTranslationsModal.cancel": "Cancel",
+ "DeckTranslationsModal.cancel": "Cancelar",
"DeckTranslationsModal.translate": "Create translation",
"DeckTranslationsModal.originLanguage": "Original Language:",
"DeckTranslationsModal.switchSR": "Create a new deck translation",
+ "SlideTranslationsModal.header": "Translate Slide",
+ "SlideTranslationsModal.chooseSourceLanguage": "Choose the source language...",
+ "SlideTranslationsModal.chooseTargetLanguage": "Choose the target language...",
+ "SlideTranslationsModal.sourceTranslation": "Current language:",
+ "SlideTranslationsModal.targetTranslation": "Target language:",
+ "SlideTranslationsModal.autoSelect": "Current and target language are automatically selected. You may alter manually if required.",
+ "SlideTranslationsModal.alternativeTranslation1": "We have a limited amount of automatic translation each month. Alternatively, you can use the...",
+ "SlideTranslationsModal.alternativeTranslation2": "...built-in translation feature, ...",
+ "SlideTranslationsModal.alternativeTranslation3": "...translation extension or “app”, or translate via one of the Mozilla Firefox translations extensions (...",
+ "SlideTranslationsModal.openOriginal": "To assist with translation, you can open the current version of this deck in a new browser tab via the Play button.",
+ "SlideTranslationsModal.sourceLanguageSearchOptions": "(start typing to find the source language)",
+ "SlideTranslationsModal.targetLanguageSearchOptions": "(start typing to find the target language)",
+ "SlideTranslationsModal.cancel": "Cancelar",
+ "SlideTranslationsModal.translate": "Translate slide",
+ "SlideTranslationsModal.originLanguage": "Original Language:",
+ "SlideTranslationsModal.switchSR": "Start a new slide translation",
"InfoPanelInfoView.selectLanguage": "Select language",
+ "Stats.deckUserStatsTitle": "User Activity",
"similarContentItem.creator": "Creator",
"similarContentItem.likes": "Number of likes",
"similarContentItem.open_deck": "Open deck",
"similarContentItem.open_slideshow": "Open slideshow in new tab",
"similarContentPanel.panel_header": "Recommended Decks",
- "similarContentPanel.panel_loading": "Loading",
+ "similarContentPanel.panel_loading": "Carregando",
+ "slideEditLeftPanel.transitionAlertTitle": "Changing Transition for the presentation",
+ "slideEditLeftPanel.transitionAlertContent": "This transition will be used for the transition to this slide, do you want to proceed?",
"editpanel.slideSizeCurrent": "(current: {size})",
"editpanel.back": "back",
- "editpanel.embed": "Embed",
+ "editpanel.embed": "Embutir",
+ "editpanel.lti": "LTI",
"editpanel.table": "Table",
"editpanel.Maths": "Maths",
"editpanel.Code": "Code",
@@ -490,6 +681,14 @@
"editpanel.embedAdd": "Add to Slide",
"editpanel.embedNote": "Not all website owners allow their content to be embedded. Using embed code provided by the website you want to embed (instead of URL) often works best.",
"editpanel.embedNoteTerms": "Please note that our terms (e.g., on malicious code and commercial material) also strictly apply to any content on webpages that you embed.",
+ "editpanel.ltiKey": "LTI Key:",
+ "editpanel.ltiKeyMissingError": "missing LTI key",
+ "editpanel.ltiURL": "URL/Link to LTI content:",
+ "editpanel.ltiURLMissingError": "missing URL/link to content",
+ "editpanel.ltiWidth": "Width of LTI content:",
+ "editpanel.ltiHeight": "Height of LTI content:",
+ "editpanel.ltiAdd": "Add to Slide",
+ "editpanel.ltiNote": "Use an LTI URL and key.",
"editpanel.template2": "Empty document - Document-mode (non-canvas)",
"editpanel.template3": "Document with title - Document-mode (non-canvas)",
"editpanel.template31": "Document with rich text example - Document-mode (non-canvas)",
@@ -511,6 +710,7 @@
"editpanel.templateVMU": "VMU template - Title page",
"editpanel.slideTitleButton": "Change slide name",
"editpanel.slideSizeChange": "Change slide size",
+ "editpanel.slideTransition": "Slide Transition",
"editpanel.changeBackgroundColor": "Change Background Colour",
"editpanel.removeBackground": "Remove background",
"editpanel.titleMissingError": "Error: Slide name can not be empty",
@@ -526,6 +726,12 @@
"editpanel.slideSizeName720": "720p HDTV Wide XGA",
"editpanel.slideSizeWidescreen1080": "Widescreen (16:9) high",
"editpanel.slideSizeName1080": "1080p/1080i HDTV Blu-ray",
+ "transitionpanel.none": "No slide transition",
+ "transitionpanel.convex": "Convex",
+ "transitionpanel.fade": "Fade",
+ "transitionpanel.slide": "Slide",
+ "transitionpanel.zoom": "Zoom",
+ "transitionpanel.concave": "Concave",
"editpanel.addTextBox": "Add text box",
"editpanel.Image": "Add image",
"editpanel.Video": "Add video",
@@ -542,17 +748,17 @@
"CollectionPanel.creator": "Creator",
"CollectionPanel.date": "Date",
"CollectionPanel.decks.title": "Decks in Playlist",
- "CollectionPanel.decks.edit": "Edit",
+ "CollectionPanel.decks.edit": "Editar",
"CollectionPanel.decks.edit.header": "Edit Playlist",
- "CollectionPanel.save.reorder": "Save",
- "CollectionPanel.cancel.reorder": "Cancel",
+ "CollectionPanel.save.reorder": "Salvar",
+ "CollectionPanel.cancel.reorder": "Cancelar",
"CollectionPanel.sort.default": "Default Order",
"CollectionPanel.sort.lastUpdated": "Last updated",
"CollectionPanel.sort.date": "Creation date",
- "CollectionPanel.sort.title": "Title",
+ "CollectionPanel.sort.title": "Título",
"UserCollections.collections.subscribe": "Subscribe to this playlist",
"UserCollections.collections.unsubscribe": "You are subscribed to this playlist, click to unsubscribe",
- "GroupCollections.error.text": "Error",
+ "GroupCollections.error.text": "Erro",
"GroupCollections.error.read": "An error occurred while fetching playlists. Please try again later.",
"GroupCollections.error.delete": "An error occurred while deleting playlist...",
"GroupCollections.error.create": "An error occurred while creating playlist....",
@@ -573,33 +779,33 @@
"AddDecksToCollectionModal.fromMyDecks": "From My Decks",
"AddDecksToCollectionModal.fromSlidewiki": "From Slidewiki",
"AddDecksToCollectionModal.button.add": "Add",
- "AddDecksToCollectionModal.button.close": "Close",
- "DecksList.loading": "Loading",
+ "AddDecksToCollectionModal.button.close": "Fechar",
+ "DecksList.loading": "Carregando",
"DecksList.error": "An unexpected error occurred while fetching more decks",
"DecksList.noResults": "No results found",
"NewCollectionModal.title": "Create a new Playlist",
- "NewCollectionModal.field.title": "Title",
+ "NewCollectionModal.field.title": "Título",
"NewCollectionModal.field.title.placeholder": "Playlist Title",
- "NewCollectionModal.field.description": "Description",
+ "NewCollectionModal.field.description": "Descrição",
"NewCollectionModal.field.description.placeholder": "Playlist Description",
"NewCollectionModal.field.usergroup": "User Group",
"NewCollectionModal.field.usergroup.placeholder": "Select User Group",
"NewCollectionModal.button.create": "Create",
- "NewCollectionModal.button.close": "Close",
+ "NewCollectionModal.button.close": "Fechar",
"NewCollectionModal.success.title": "New Playlist",
"NewCollectionModal.success.text": "We are creating a new Playlist...",
"UpdateCollectionModal.title": "Update Playlist",
- "UpdateCollectionModal.field.title": "Title",
+ "UpdateCollectionModal.field.title": "Título",
"UpdateCollectionModal.field.title.placeholder": "Playlist Title",
- "UpdateCollectionModal.field.description": "Description",
+ "UpdateCollectionModal.field.description": "Descrição",
"UpdateCollectionModal.field.description.placeholder": "Playlist Description",
"UpdateCollectionModal.field.usergroup": "User Group",
"UpdateCollectionModal.field.usergroup.placeholder": "Select User Group",
- "UpdateCollectionModal.button.save": "Save",
- "UpdateCollectionModal.button.close": "Close",
+ "UpdateCollectionModal.button.save": "Salvar",
+ "UpdateCollectionModal.button.close": "Fechar",
"UpdateCollectionModal.success.title": "Update Playlist",
"UpdateCollectionModal.success.text": "We are updating the Playlist...",
- "UserCollections.error.text": "Error",
+ "UserCollections.error.text": "Erro",
"UserCollections.error.read": "An error occurred while fetching playlists. Please try again later.",
"UserCollections.error.delete": "An error occurred while deleting playlist...",
"UserCollections.error.create": "An error occurred while creating playlist....",
@@ -615,6 +821,20 @@
"UserCollections.collections.shared": "Shared Playlist",
"UserCollections.collections.delete.title": "Delete Playlist",
"UserCollections.collections.delete.text": "Are you sure you want to delete this playlist?",
+ "footer.sr.header": "Information about SlideWiki",
+ "footer.header": "About",
+ "footer.about": "About Us",
+ "footer.contact": "Contact Us",
+ "footer.guides": "Guides and Help",
+ "footer.accessibility": "Accessibility",
+ "footer.terms.header": "Terms & Conditions",
+ "footer.terms": "Terms",
+ "footer.license": "License",
+ "footer.imprint": "Imprint",
+ "footer.data": "Data Protection",
+ "footer.funding": "Funding",
+ "footer.funding.text": "The SlideWiki project has received funding from the European Union's Horizon 2020 research and innovation programme under grant agreement No 688095",
+ "footer.copyright": "Copyright © 2018 All Rights Reserved",
"header.signin": "Sign In",
"header.signin.mobile": "Sign In",
"header.mydecks.mobile": "Decks",
@@ -694,7 +914,7 @@
"contactUs.typeOption_suggestion": "Suggestion",
"contactUs.typeOption_support": "Support Issue",
"contactUs.typeOption_account": "Account Issue",
- "contactUs.typeOption_other": "Other",
+ "contactUs.typeOption_other": "Outro",
"contactUs.form_explanation": "If you wish to contact us, please complete the form below. If you wish to report an issue with a particular deck, please use the Reporting button on the deck.",
"contactUs.form_subheader": "Feedback",
"contactUs.form_type_label": "Type of report:",
@@ -711,9 +931,9 @@
"contactUs.form_description_placeholder": "Please give us more information about.",
"contactUs.form_button": "Send Feedback",
"contactUs.send_swal_text": "Feedback sent. Thank you!",
- "contactUs.send_swal_button": "Close",
+ "contactUs.send_swal_button": "Fechar",
"contactUs.send_swal_error_text": "An error occured while contacting us. Please try again later.",
- "contactUs.send_swal_error_button": "Close",
+ "contactUs.send_swal_error_button": "Fechar",
"dataProtection.header": "Statement of Data Protection Conditions",
"dataProtection.p1": "The Fraunhofer-Gesellschaft zur Förderung der angewandten Forschung e.V. (Fraunhofer-Gesellschaft) takes the protection of your personal data very seriously. When we process the personal data that is collected during your visits to our Web site, we always observe the rules laid down in the applicable data protection laws. Your data will not be disclosed publicly by us, nor transferred to any third parties without your consent.",
"dataProtection.p2": "In the following sections, we explain what types of data we record when you visit our Web site, and precisely how they are used:",
@@ -757,8 +977,13 @@
"dataProtection.8.email": "data-protection(at)zv.fraunhofer.de",
"dataProtection.9.header": "9. Acceptance, validity and modification of data protection conditions",
"dataProtection.9.p1": "By using our Web site, you implicitly agree to accept the use of your personal data as specified above. This present statement of data protection conditions came into effect on October 1st, 2013. As our Web site evolves, and new technologies come into use, it may become necessary to amend the statement of data protection conditions. The Fraunhofer-Gesellschaft reserves the right to modify its data protection conditions at any time, with effect as of a future date. We recommend that you re-read the latest version from time to time.",
+ "decklist.featured.alt": "Featured Image.",
"decklist.decklanguage": "Default language",
+ "decklist.decknumberofslides": "Number of slides",
"decklist.forkcount": "Number of forks",
+ "decklist.likecount": "Number of likes",
+ "decklist.numberofshares": "Number of shares",
+ "decklist.numberofdownloads": "Number of downloads",
"decklist.featured.notavailable": "No featured decks available",
"decklist.recent.notavailable": "No recent decks available",
"decklist.meta.creator": "Creator",
@@ -797,7 +1022,7 @@
"features.4.description": "Through a range of interactive and open tools, SlideWiki aims to nurture knowledge communities around the world. Our goal is to significantly increase content available to a world-wide audience. By involve peer-educators in improving and maintaining the quality and attractiveness of your e-learning content SlideWiki can give you a platform to support knowledge communities. With SlideWiki we aim to dramatically improve the efficiency and effectiveness of the collaborative creation of rich learning material for online and offline use.",
"features.4.shareDescks.strong": "Share decks",
"features.4.comments.strong": "Comments",
- "features.4.download.strong": "Download",
+ "features.4.download.strong": "Baixar",
"features.4.findMore.link": "help file deck",
"home.welcome": "Welcome to SlideWiki",
"home.signUp": "Sign Up",
@@ -825,8 +1050,36 @@
"home.slideWikiAbout": "The SlideWiki Project",
"home.slideWikiAboutContent": "SlideWiki is an online slideshow tool that offers users the chance to create and collaborate on slides, assessments and to share content as structured open educational resources using a Creative Commons licence. With SlideWiki you can engage with your audience by collaborating with colleagues to co-design and co-create course materials and share your knowledge across the world. SlideWiki is an open-source platform, and all its content can be reused under Creative Commons CC-BY-SA license. SlideWiki development, large-scale trials and underlying research is funded from Framework Programme for Research and Innovation Horizon 2020 under grant agreement no 688095. The project involves 17 partners to develop, test and trial SlideWiki.",
"home.slideWikiAboutVisit": "visit the project website.",
- "home.myDecks": "My Decks.",
+ "home.myDecksLink": "My Decks",
"home.seeMoreDecks": "See more decks",
+ "home.leanrMoreSW": "Learn more about SlideWiki",
+ "home.featuredDeck": "Featured Deck",
+ "imprint.licensing.text": "Content on the SlideWiki OCW Authoring platform is licensed under the Creative Commons Attribution-ShareAlike 4.0 International (CC BY-SA 4.0), Creative Commons Attribution 4.0 International (CC BY 4.0), or Creative Commons 1.0 Universal Public Domain Dedication (CC0 1.0) – unless otherwise marked. See the CC {link_licenses} for more information.",
+ "imprint.software.text": "All of SlideWiki’s software code is Open Source software; please check our code repository.",
+ "imprint.header": "Imprint – also serves as provider identification according to § 5 Telemediengesetz (TMG)",
+ "imprint.provider": "Provider",
+ "imprint.representative": "Authorised Representative",
+ "imprint.representative.text": "Prof. Dr. Sören Auer (Director of TIB)",
+ "imprint.representative.text2": "Technische Informationsbibliothek (TIB) is a foundation of public law of the state of Lower Saxony.",
+ "imprint.authority": "Responsible Supervisory Authority",
+ "imprint.authority.text": "Ministry for Science and Culture of Lower Saxony",
+ "imprint.contact": "Contact",
+ "imprint.VAT": "VAT (sales tax) registration number",
+ "imprint.editorialOffice": "Editorial Office",
+ "imprint.copyright": "Copyright",
+ "imprint.copyright.text": "The layout of this website is protected under copyright, as are the graphics and all other contents contained in the website.",
+ "imprint.content": "Content Available",
+ "imprint.content.text1": "Provided as-is:",
+ "imprint.content.text2": "You acknowledge that we do not make any representations or warranties about the material, data, and information, such as data files, text, computer software, code, music, audio files or other sounds, photographs, videos, or other images (collectively, the “Content”) which you may have access to through your use of SlideWiki. Under no circumstances are we liable in any way for any Content, including, but not limited to: any infringing Content, any errors or omissions in Content, or for any loss or damage of any kind incurred as a result of the use of any Content posted, transmitted, linked from, or otherwise accessible through or made available via SlideWiki. You understand that by using SlideWiki, you may be exposed to Content that is offensive, indecent, or objectionable. You agree that you are solely responsible for your reuse of Content made available through SlideWiki. You should review the terms of the applicable license before you use the Content so that you know what you can and cannot do.",
+ "imprint.licensing": "Licensing",
+ "imprint.licenses.page": "licenses page",
+ "imprint.software": "SlideWiki Software",
+ "imprint.repository": "repository",
+ "imprint.content2": "Content Supplied by You",
+ "imprint.content2.text": "Your responsibility: You represent, warrant, and agree that no Content posted or otherwise shared by you on or through SlideWiki (“Your Content”), violates or infringes upon the rights of any third party, including copyright, trademark, privacy, publicity, or other personal or proprietary rights, breaches or conflicts with any obligation, such as a confidentiality obligation, or contains libelous, defamatory, or otherwise unlawful material.",
+ "imprint.licensing.2": "Licensing Your Content: You retain any copyright that you may have in Your Content. You hereby agree that Your Content: (a) is hereby licensed under the Creative Commons Attribution 4.0 License and may be used under the terms of that license or any later version of a Creative Commons Attribution License, or (b) is in the public domain (such as Content that is not copyrightable or Content you make available under CC0), or © if not owned by you, (i) is available under a Creative Commons Attribution 4.0 License or (ii) is a media file that is available under any Creative Commons license.",
+ "imprint.disclaimer": "Disclaimer",
+ "imprint.disclaimer.text": "We cannot assume any liability for the content of external pages. Solely the operators of those linked pages are responsible for their content.",
"licence.ccBySaLicenceLogo": "Creative Commons BY-SA License logo",
"licence.1.p2": "Find out more about the CC BY-SA and access the full license text by viewing the {link_1}.",
"licence.1.3.p2": "{link_1} lists sources of materials published under creative commons licenses. Some media services such as Flickr, YouTube and Vimeo publish some content under creative commons licenses. Content marked “All rights reserved” cannot be included in SlideWiki.",
@@ -858,6 +1111,19 @@
"licence.4.header": "Notices",
"licence.4.p1": "The SlideWiki website and its content are provided \"as is\". We offer no warranties, explicit or implied regarding any content, the webiste or the accuracy of any information. These license may not give you all of the permissions necessary for your intended use. For example, other rights such as publicity, privacy, or moral rights may limit how you use the material. We reserve the right to remove materials and content that we believe to infringe copyright and license requirements.",
"recent.header": "Recent decks added by users",
+ "staticPage.findSlides": "Find slides",
+ "staticPage.findSlidesSubtitle": "Explore the deck",
+ "staticPage.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics.",
+ "staticPage.createSlides": "Create slides",
+ "staticPage.createSlidesSubtitle": "Add and adapt course material",
+ "staticPage.createSlidesContent": "Create a new deck or import existing slides to create HTML slide decks.",
+ "staticPage.sharingSlides": "Share slides",
+ "staticPage.sharingSlidesSubtitle": "Present, Share and Communicate",
+ "staticPage.sharingSlidesContent": "Collaborate on decks with peers. Group decks in playlists and share via social media or email.",
+ "staticPage.getStarted": "Get started right away.",
+ "staticPage.signIn": "Sign in",
+ "staticPage.getStartedDescription": "Create an account to start creating and sharing your decks.",
+ "staticPage.myDecks": "My Decks.",
"terms.mainTitle": "Terms of us of SlideWiki",
"terms.summary": "This is a human-readable summary of the Terms of Use for SlideWiki (the project).",
"terms.disclaimer": "Disclaimer: This summary is not a part of the Terms of Use and is not a legal document. It is simply a handy reference for understanding the full terms. Think of it as the user-friendly interface to the legal language of our Terms of Use.",
@@ -881,19 +1147,6 @@
"terms.paragraph1": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Vivamus id nisl magna. Sed a metus vel dui vehicula viverra. Quisque sed tellus at justo semper dictum. Nullam at rutrum leo. Vivamus at aliquam metus. Aliquam nec nunc in libero posuere hendrerit nec at lacus. Nunc malesuada lobortis tortor nec porta. Cras vulputate mollis nisi, at sollicitudin quam eleifend ac. Nam sed venenatis turpis. Sed vestibulum malesuada nunc vitae ultricies. Donec bibendum ultrices facilisis. Mauris sollicitudin mi et vulputate rhoncus.",
"terms.paragraph2": "Mauris tincidunt, urna non aliquam dapibus, enim metus varius tellus, non dignissim urna odio ac augue. Fusce id lacinia ipsum, id egestas dui. Suspendisse nec quam vel mi tincidunt bibendum a vel mauris. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia Curae; Proin magna elit, molestie eu libero ut, bibendum facilisis turpis. Mauris sem lorem, dignissim a ex sit amet, suscipit fermentum turpis. Integer porttitor arcu non porttitor faucibus. Fusce nisi risus, rutrum vitae vulputate vitae, consectetur et nunc. Aliquam placerat ipsum felis, nec fermentum arcu sagittis nec. Aenean imperdiet laoreet quam ac placerat. Ut accumsan tristique elementum. Etiam congue venenatis lorem, malesuada tristique mauris congue vel. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Nam tincidunt libero a nisi consequat sodales.",
"terms.paragraph3": "Aliquam vitae velit iaculis, vestibulum felis eu, lacinia risus. Donec mollis enim nec accumsan tristique. Morbi dapibus condimentum erat quis placerat. Integer velit augue, sodales quis scelerisque nec, facilisis nec velit. Maecenas rhoncus sagittis lectus, vel feugiat nulla aliquet quis. Quisque condimentum sapien nec eros tristique, vitae pulvinar sem tempus. Nulla ut odio id elit accumsan interdum. Maecenas sagittis sed sem a malesuada. Vivamus venenatis ex sed ex pretium, et pellentesque purus vehicula. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egesta",
- "terms.findSlides": "Find slides",
- "terms.findSlidesSubtitle": "Explore the deck lorem ipsum",
- "terms.findSlidesContent": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Aenean eget elit sapien. Nunc semper urna in lectus consectetur fermentum. Vestibulum eu sem pulvinar, sollicitudin ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet aliquam n ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet.",
- "terms.createSlides": "Create slides",
- "terms.createSlidesSubtitle": "Learn how to create slides with SlideWiki",
- "terms.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
- "terms.sharingSlides": "Sharing slides",
- "terms.sharingSlidesSubtitle": "Present, Share and Communicate",
- "terms.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
- "terms.getStarted": "Get started right away.",
- "terms.signIn": "Sign in",
- "terms.getStartedDescription": "Create an account to start creating and sharing your decks.",
- "terms.myDecks": "My Decks.",
"welcome.3.slideshowMode": "Use the {strong} to view a deck as a slideshow. Includes a timer and speaker notes&apo; view.",
"welcome.3.shareDecks": "{strong} via social media or email.",
"welcome.3.comments": "Add {strong} to decks and slides to interact with other learners.",
@@ -918,7 +1171,7 @@
"welcome.3.slideshowMode.strong": "Slideshow mode",
"welcome.shareDecks.strong": "Share decks",
"welcome.3.comments.strong": "Comments",
- "welcome.3.download.strong": "Download",
+ "welcome.3.download.strong": "Baixar",
"importFileModal.modal_header": "Upload your presentation",
"importFileModal.swal_button": "Accept",
"importFileModal.swal_message": "This file is not supported. Please, remember only pptx, odp, and zip (HTML download) files are supported.",
@@ -926,7 +1179,7 @@
"importFileModal.modal_uploadButton": "Upload",
"importFileModal.modal_explanation1": "Select your presentation file and upload it to SlideWiki.",
"importFileModal.modal_explanation2": "Only PowerPoint (.pptx), OpenOffice (.odp) and SlideWiki HTML (.zip - previously downloaded/exported) are supported (Max size:",
- "importFileModal.modal_cancelButton": "Cancel",
+ "importFileModal.modal_cancelButton": "Cancelar",
"userSignIn.errormessage.isSPAM": "Your account was marked as SPAM thus you are not able to sign in. Contact us directly for reactivation.",
"userSignIn.errormessage.notFound": "The credentials are unknown. Please retry with another input.",
"userSignIn.errormessage.deactivatedOrUnactivated": "Your user account either have to be activated via the activation link in your email or is deactivated in general.",
@@ -934,12 +1187,16 @@
"LoginModal.placeholder.email": "E-Mail",
"LoginModal.placeholder.password": "Password",
"userSignIn.headerText": "Sign In",
+ "LoginModal.aria.google": "sign in with your Google account",
+ "LoginModal.aria.github": "sign in with your Github account",
"LoginModal.label.email": "E-Mail",
"LoginModal.label.password": "Password",
"LoginModal.button.signIn": "Sign In",
"LoginModal.text.iCannotAccessMyAccount": "I can not access my account",
"LoginModal.text.dontHaveAnAccount": "Don't have an account? Sign up here.",
- "LoginModal.button.close": "Close",
+ "LoginModal.button.close": "Fechar",
+ "Migrate.text1": "We are merging your user account. This will take just a few seconds.",
+ "Migrate.text2": "You will be directed to next view.",
"resetPassword.mailprompt": "Please enter your email address",
"resetPassword.mailprompt2": "Please enter a valid email address",
"resetPassword.mailreprompt": "Please reenter your email address",
@@ -947,20 +1204,33 @@
"resetPassword.captchaprompt": "Please verify that you're a human",
"resetPassword.swalTitle1": "Success!",
"resetPassword.swalText1": "Your password is now an automated created one. Please check your inbox.",
- "resetPassword.swalClose1": "Close",
- "resetPassword.swalTitle2": "Error",
+ "resetPassword.swalClose1": "Fechar",
+ "resetPassword.swalTitle2": "Erro",
"resetPassword.swalText2": "There was a special error. The page will now be reloaded.",
"resetPassword.swalButton2": "Reload page",
- "resetPassword.swalTitle3": "Information",
+ "resetPassword.swalTitle3": "Informação",
"resetPassword.swalText3": "This email address is unknown. Please check the spelling.",
"resetPassword.resetPW": "Reset Password",
"resetPassword.mail": "Email *",
"resetPassword.remail": "Re-enter email *",
- "resetPassword.loading": "Loading",
+ "resetPassword.loading": "Carregando",
"resetPassword.reset": "Reset my password now",
"SSOSignIn.errormessage.isForbidden": "Migration is not possible with this user. Please start all over again.",
"SSOSignIn.errormessage.accountNotFound": "This account was not prepared for migration. Please start all over again.",
"SSOSignIn.errormessage.badImplementation": "An unknown error occurred.",
+ "socialLogin.text1": "We are acquiring your data. This will take just a few seconds.",
+ "socialLogin.text2": "This window will close automatically.",
+ "UserMenuDropdown.mydecks": "My Decks",
+ "UserMenuDropdown.decks": "Decks",
+ "UserMenuDropdown.myplaylists": "My Playlists",
+ "UserMenuDropdown.playlists": "Playlists",
+ "UserMenuDropdown.mygroups": "My Groups",
+ "UserMenuDropdown.groups": "Groups",
+ "UserMenuDropdown.mySettings": "My Settings",
+ "UserMenuDropdown.settings": "Settings",
+ "UserMenuDropdown.myNotifications": "My Notifications",
+ "UserMenuDropdown.notifications": "Notifications",
+ "UserMenuDropdown.signout": "Sign Out",
"paintModal.title": "Draw your own SVG image",
"paintModal.primaryColourInput": "Primary colour:",
"paintModal.secondaryColourInput": "Secondary colour:",
@@ -970,7 +1240,7 @@
"paintModal.selectMode": "Select Mode",
"paintModal.addToSlide": "Add to Slide",
"oaintModal.paintHeading": "Draw and Paint",
- "paintModal.licenseHeading": "License information",
+ "paintModal.licenseHeading": "Informações de licença",
"paintModal.undo": "Undo",
"paintModal.redo": "Redo",
"paintModal.bringForwards": "Bring Forwards",
@@ -984,24 +1254,24 @@
"paintModal.addTriangle": "Add Triangle",
"paintModal.addArrow": "Add Arrow",
"paintModal.instruction": "Draw inside the canvas using the tools provided.",
- "paintModal.copyrightholder": "Copyrightholder",
- "paintModal.imageAttribution": "Image created by/ attributed to:",
- "paintModal.imageTitle": "Title:",
- "paintModal.imageTitleAria": "Title of the image",
+ "paintModal.copyrightholder": "Detentor dos direitos autorais",
+ "paintModal.imageAttribution": "Imagem criada por / atribuída a:",
+ "paintModal.imageTitle": "Título:",
+ "paintModal.imageTitleAria": "Título da imagem",
"paintModal.imageDescription": "Description/Alt Text:",
- "paintModal.imageDescriptionAria": "Description of the image",
- "paintModal.imageDescriptionQuestion": "What does the picture mean?",
+ "paintModal.imageDescriptionAria": "Descrição da imagem",
+ "paintModal.imageDescriptionQuestion": "O que a imagem significa?",
"paintModal.chooseLicense": "Choose a license:",
- "paintModal.selectLicense": "Select a license",
- "paintModal.agreementAria": "Agree to terms and conditions",
- "paintModal.agreement1": "I confirm that I have the rights to upload this image as per the SlideWiki",
- "paintModal.agreement2": "terms and conditions",
- "paintModal.agreement3": "and that the",
- "paintModal.agreement4": "license information",
- "paintModal.agreement5": "I have provided is correct.",
+ "paintModal.selectLicense": "Selecione uma licença",
+ "paintModal.agreementAria": "Concordad com os termos e condiçoes",
+ "paintModal.agreement1": "Confirmo que tenho o direito de carregar esta imagem de acordo com ",
+ "paintModal.agreement2": "os termos e condições do SlideWiki",
+ "paintModal.agreement3": "e que",
+ "paintModal.agreement4": "as informações de licença",
+ "paintModal.agreement5": "que eu fornecí estão corretas",
"paintModal.paintButton": "Paint",
"paintModal.upload": "Upload",
- "paintModal.cancel": "Cancel",
+ "paintModal.cancel": "Cancelar",
"reportModal.input_name": "Name",
"reportModal.modal_title": "Report legal or spam issue with",
"reportModal.modal_title_2": "content",
@@ -1013,57 +1283,61 @@
"reportModal.explanation": "Explanation",
"reportModal.explanation_placeholder": "Please give a short explanation about your report",
"reportModal.send_button": "Send",
- "reportModal.cancel_button": "Cancel",
+ "reportModal.cancel_button": "Cancelar",
"reportModal.swal_title": "Deck Report",
"reportModal.send_swal_text": "Report sent. Thank you!",
- "reportModal.send_swal_button": "Close",
+ "reportModal.send_swal_button": "Fechar",
"reportModal.send_swal_error_text": "An error occured while sending the report. Please try again later.",
- "reportModal.send_swal_error_button": "Close",
+ "reportModal.send_swal_error_button": "Fechar",
"HeaderSearchBox.placeholder": "Search",
"KeywordsInputWithFilter.allContentOption": "All Content",
- "KeywordsInputWithFilter.titleOption": "Title",
- "KeywordsInputWithFilter.descriptionOption": "Description",
+ "KeywordsInputWithFilter.titleOption": "Título",
+ "KeywordsInputWithFilter.descriptionOption": "Descrição",
"KeywordsInputWithFilter.contentOption": "Content",
"SearchPanel.header": "Search SlideWiki",
"SearchPanel.searchTerm": "Search Term",
"SearchPanel.KeywordsInput.placeholder": "Type your search terms here",
"SearchPanel.filters.searchField.title": "Search Field",
"SearchPanel.filters.searchField.placeholder": "Select Search Field",
- "SearchPanel.filters.searchField.option.title": "Title",
- "SearchPanel.filters.searchField.option.description": "Description",
+ "SearchPanel.filters.searchField.option.title": "Título",
+ "SearchPanel.filters.searchField.option.description": "Descrição",
"SearchPanel.filters.searchField.option.content": "Content",
"SearchPanel.filters.searchField.option.speakernotes": "Speakernotes",
"SearchPanel.filters.entity.title": "Entity",
"SearchPanel.filters.entity.placeholder": "Select Entity",
"SearchPanel.filters.entity.option.slide": "Slide",
- "SearchPanel.filters.entity.option.deck": "Deck",
- "SearchPanel.filters.language.title": "Language",
+ "SearchPanel.filters.entity.option.deck": "Apresentação",
+ "SearchPanel.filters.language.title": "Idioma",
"SearchPanel.filters.language.placeholder": "Select Language",
- "SearchPanel.filters.language.option.dutch": "Dutch",
- "SearchPanel.filters.language.option.english": "English",
- "SearchPanel.filters.language.option.german": "German",
- "SearchPanel.filters.language.option.greek": "Greek",
- "SearchPanel.filters.language.option.italian": "Italian",
- "SearchPanel.filters.language.option.portuguese": "Portuguese",
- "SearchPanel.filters.language.option.serbian": "Serbian",
- "SearchPanel.filters.language.option.spanish": "Spanish",
- "SearchPanel.filters.language.option.french": "French",
- "SearchPanel.filters.language.option.lithuanian": "Lithuanian",
+ "SearchPanel.filters.language.option.dutch": "Holandês",
+ "SearchPanel.filters.language.option.english": "Inglês",
+ "SearchPanel.filters.language.option.german": "Alemão",
+ "SearchPanel.filters.language.option.greek": "Grego",
+ "SearchPanel.filters.language.option.italian": "Italiano",
+ "SearchPanel.filters.language.option.portuguese": "Português",
+ "SearchPanel.filters.language.option.serbian": "Sérvio",
+ "SearchPanel.filters.language.option.spanish": "Espanhol",
+ "SearchPanel.filters.language.option.french": "Francês",
+ "SearchPanel.filters.language.option.lithuanian": "Lituano",
"SearchPanel.filters.users.title": "Owners",
"SearchPanel.filters.users.placeholder": "Select Users",
- "SearchPanel.filters.tags.title": "Tags",
+ "SearchPanel.filters.tags.title": "Etiquetas",
"SearchPanel.filters.tags.placeholder": "Select Tags",
"SearchPanel.button.submit": "Submit",
+ "DeckFilter.Tag.Topic": "Subject",
+ "DeckFilter.Education": "Education Level",
"Facets.languagesFacet": "Languages",
"Facets.ownersFacet": "Owners",
- "Facets.tagsFacet": "Tags",
+ "Facets.tagsFacet": "Etiquetas",
+ "Facets.educationLevelFacet": "Education Levels",
+ "Facets.topicsFacet": "Subjects",
"Facets.showMore": "show more",
"Facets.showLess": "show less",
"SearchResultsItem.otherVersions.deck": "Deck Version {index}: {title}",
"SearchResultsItem.otherVersions.slide": "Also in Deck: {title}",
"SearchResultsItem.by": "by",
"SearchResultsItem.lastModified": "Last modified",
- "SearchResultsItem.description": "Description",
+ "SearchResultsItem.description": "Descrição",
"SearchResultsItem.otherVersionsMsg": "Other versions available ({count})",
"SearchResultsItem.otherVersionsHeader": "Other matching versions",
"SearchResultsPanel.sort.relevance": "Relevance",
@@ -1071,7 +1345,7 @@
"SearchResultsPanel.header": "Results",
"SearchResultsPanel.noResults": "No results found for the specified input parameters",
"SearchResultsPanel.loadMore": "Load More",
- "SearchResultsPanel.loading": "Loading",
+ "SearchResultsPanel.loading": "Carregando",
"SearchResultsPanel.results.message": "Displaying {resultsNum} out of {totalResults} results",
"SearchResultsPanel.error": "An error occured while fetching search results",
"SearchResultsPanel.filters": "Filters",
@@ -1090,7 +1364,7 @@
"SSOSignIn.errormessage.deactivatedOrUnactivated": "Your user account either have to be activated via the activation link in your email or is deactivated in general.",
"CategoryBox.personalSettings": "Personal settings",
"CategoryBox.profile": "Profile",
- "CategoryBox.account": "Account",
+ "CategoryBox.account": "Accounts",
"CategoryBox.authorizedAccounts": "Authorized Accounts & Services",
"CategoryBox.userStats": "User Stats",
"CategoryBox.groups": "Groups",
@@ -1112,7 +1386,7 @@
"ChangePersonalData.country": "Country",
"ChangePersonalData.organization": "Organization",
"ChangePersonalData.bio": "Biography",
- "ChangePersonalData.loading": "Loading",
+ "ChangePersonalData.loading": "Carregando",
"ChangePersonalData.submit": "Submit Changes",
"ChangePicture.modalTitle": "Big file",
"ChangePicture.modalText": "The selected file is quite big (> 10MB). This could cause problems like a white profile picture. You should upload a smaller picture if you notice strange things.",
@@ -1124,8 +1398,8 @@
"ChangePictureModal.modalTitle": "Photo selection not processible!",
"ChangePictureModal.modalText": "Sorry, we could not process your chosen selection. Please try again with a different photo or selection.",
"ChangePictureModal.description": "This modal is used to crop and save a picture meant to be used as a user-profile picture.",
- "ChangePictureModal.cancel": "Cancel",
- "ChangePictureModal.save": "Save",
+ "ChangePictureModal.cancel": "Cancelar",
+ "ChangePictureModal.save": "Salvar",
"ChangePictureModal.modalHeader": "Crop your image",
"DeactivateAccount.modalHeading": "Deactivate SlideWiki Account",
"DeactivateAccount.modalHeader": "Are you sure you want to deactivate your SlideWiki Account?",
@@ -1133,7 +1407,7 @@
"DeactivateAccount.infoMessage1": "In case you deactivate your account, all of your data will remain. This includes your user data, your authorship of decks and slides, your linked social providers and also your authorship of any comments and discussions.",
"DeactivateAccount.infoMessage2": "This is reversible, but needs an administrator to re-activate your account!",
"DeactivateAccount.button1": "Deactivate my account",
- "DeactivateAccount.modalCancel": "Cancel",
+ "DeactivateAccount.modalCancel": "Cancelar",
"DeactivateAccount.modalSubmit": "Deactivate account",
"user.deck.linkLabelUnlisted": "Unlisted deck: {title}. Last updated {update} ago",
"user.deck.linkLabel": "Deck: {title}. Last updated {update} ago",
@@ -1142,18 +1416,19 @@
"user.deckcard.opendeck": "Open deck",
"user.deckcard.slideshow": "Open slideshow in new tab",
"user.deckcard.unlisted": "Unlisted",
- "Integration.swalTitle3": "Error",
+ "user.populardecks.notavailable": "No decks available",
+ "Integration.swalTitle3": "Erro",
"Integration.swalText3": "The provider hasn't been disabled, because something unexpected happened. Please try again later.",
"Integration.swalbutton3": "Confirmed",
"Integration.swalText4": "The provider hasn't been added, because something unexpected happened. Please try again later.",
"Integration.swalText5": "The provider you wanted to add is already assigned to another user. Do you have another user account at SlideWiki?",
"Integration.swalTitle5": "Duplication",
- "Integration.swalTitle2": "Error",
+ "Integration.swalTitle2": "Erro",
"Integration.swalText2": "You are not allowed to disable all providers.",
"Integration.swalbutton2": "Confirmed",
- "Integration.swalTitle1": "Error",
+ "Integration.swalTitle1": "Erro",
"Integration.swalText1": "The data from {provider} was incomplete. In case you want to use this provider, please add an e-mail address at the provider itself and try again at SlideWiki.",
- "Integration.swalbutton1": "Confirm",
+ "Integration.swalbutton1": "Confirmar",
"Integration.text_providerEnabled": "This provider is enabled and you may use it.",
"Integration.text_providerDisabled": "This provider is currently disabled. To enable it, click on the button next to it.",
"Integration.hint": "Hint",
@@ -1163,20 +1438,21 @@
"Integration.enableGoogle": "Enable",
"Integration.disableGithub": "Disable",
"Integration.enableGithub": "Enable",
- "Integration.loading": "loading",
- "user.populardecks.notavailable": "No decks available",
+ "Integration.loading": "Carregando",
+ "Integration.ltis": "Learning Services (LTIs)",
+ "Integration.myLTIs": "My Learning Services",
"user.userProfile.privatePublicProfile.allStatus": "All",
"user.userProfile.privatePublicProfile.publicStatus": "Published",
"user.userProfile.privatePublicProfile.hiddenStatus": "Unlisted",
"user.userProfile.privatePublicProfile.publicationStatus": "Publication status",
"UserDecks.sort.lastUpdated": "Last updated",
"UserDecks.sort.date": "Creation date",
- "UserDecks.sort.title": "Title",
+ "UserDecks.sort.title": "Título",
"UserDecks.header.myDecks": "My Decks",
"UserDecks.header.ownedDecks": "Owned Decks",
"UserDecks.header.sharedDecks": "Shared Decks",
"user.userProfile.userDecks.loadMore": "Load More",
- "user.userProfile.userDecks.loading": "Loading",
+ "user.userProfile.userDecks.loading": "Carregando",
"user.userProfile.userDecks.error": "An unexpected error occurred while fetching more decks",
"UserMenu.myDecks": "My Decks",
"UserMenu.ownedDecks": "Owned Decks",
@@ -1185,22 +1461,22 @@
"UserMenu.ownedCollections": "Owned Playlists",
"UserMenu.recommendedDecks": "Recommended Decks",
"UserMenu.stats": "User Stats",
- "UserGroups.error": "Error",
+ "UserGroups.error": "Erro",
"UserGroups.unknownError": "Unknown error while saving.",
- "UserGroups.close": "Close",
+ "UserGroups.close": "Fechar",
"UserGroups.msgError": "Error while deleting the group",
"UserGroups.msgErrorLeaving": "Error while leaving the group",
"UserGroups.member": "Member",
"UserGroups.members": "Members",
"UserGroups.groupSettings": "Group settings",
- "UserGroups.groupDetails": "Group details",
+ "UserGroups.groupDetails": "Detalhes do grupo",
"UserGroups.notAGroupmember": "Not a member of a group.",
- "UserGroups.loading": "Loading",
+ "UserGroups.loading": "Carregando",
"UserGroups.groups": "Groups",
"UserGroups.createGroup": "Create new group",
"UserProfile.swalTitle1": "Changes have been applied",
"UserProfile.swalTitle2": "Your Account has been deleted",
- "UserProfile.swalTitle3": "Error",
+ "UserProfile.swalTitle3": "Erro",
"UserProfile.swalText3": "Something went wrong",
"UserProfile.swalButton3": "Ok",
"UserProfile.exchangePicture": "Exchange picture",
@@ -1208,13 +1484,21 @@
"UserProfile.changePassword": "Change password",
"UserProfile.deactivateAccount": "Deactivate Account",
"user.userRecommendations.changeOrder": "change order",
- "user.userRecommendations.loading": "Loading",
+ "user.userRecommendations.loading": "Carregando",
"user.userRecommendations.recommendedDecks": "Recommended Decks",
"user.userRecommendations.ranking": "Ranking",
"user.userRecommendations.lastUpdated": "Last updated",
"user.userRecommendations.creationDate": "Creation date",
- "user.userRecommendations.title": "Title",
+ "user.userRecommendations.title": "Título",
+ "Stats.userStatsTitle": "User Statistics",
"Stats.tagCloudTitle": "Popular Tags",
+ "Stats.userEngagementTitle": "User Engagement Overview",
+ "Stats.activeEngagement": "Active Engagement",
+ "Stats.passiveEngagement": "Passive Engagement",
+ "Stats.socialEngagement": "Social Engagement",
+ "Stats.activeEngagementDesc": "The degree of active participation based on the user's content creation history",
+ "Stats.passiveEngagementDesc": "The degree of passive participation based on the user's content usage",
+ "Stats.socialEngagementDesc": "The degree of social interaction through SW content",
"UserRegistration.firstName_prompt": "Please enter your first name",
"UserRegistration.lastName_prompt": "Please enter your last name",
"UserRegistration.userName_prompt": "Please select your username",
@@ -1231,7 +1515,7 @@
"UserRegistration.reenterPassword_prompt": "Please enter your password again",
"UserRegistration.noMatchReenterPassword_error": "Your password does not match",
"UserRegistration.recaptcha_prompt": "Please verify that you are a human",
- "UserRegistration.swal_title": "Information",
+ "UserRegistration.swal_title": "Informação",
"UserRegistration.swal_text": "Signing up with this provider failed because you are already registered at SlideWiki with this provider. Either sign in or sign up with another provider if you wish to create a new account.",
"UserRegistration.swal_confirmButton": "Login",
"UserRegistration.swal_cancelButton": "Register",
@@ -1239,12 +1523,12 @@
"UserRegistration.swal2_text": "These provider credentials are already used by a deactivated user. To reactivate a specific user please contact us directly.",
"UserRegistration.swal3_title": "Thanks for signing up!",
"UserRegistration.swal3_text": "Thank you. You have successfully registered. Please sign in with your new credentials.",
- "UserRegistration.swal3_confirmButton": "Close",
+ "UserRegistration.swal3_confirmButton": "Fechar",
"UserRegistration.swal4_title": "Error!",
- "UserRegistration.swal5_title": "Error",
+ "UserRegistration.swal5_title": "Erro",
"UserRegistration.swal5_text": "The data from",
"UserRegistration.swal5_text2": "was incomplete. In case you want to use this provider, please add an e-mail address at the provider itself and try again.",
- "UserRegistration.swal5_confirmButton": "Confirm",
+ "UserRegistration.swal5_confirmButton": "Confirmar",
"UserRegistration.modal_title": "Sign Up",
"UserRegistration.modal_subtitle": "Sign Up with a Social Provider",
"UserRegistration.modal_googleButton": "Sign up with Google",
@@ -1264,6 +1548,11 @@
"UserRegistration.form_terms": "By clicking Sign Up, you agree to our",
"UserRegistration.form_terms2": "Terms",
"UserRegistration.noAccess": "I can not access my account",
+ "UserRegistration.emailRegistered": "This E-Mail has already been registered by someone else. Please use another one.",
+ "UserRegistration.usernameRegistered": "This Username has already been registered by someone else. Please choose another one.",
+ "UserRegistration.username.suggestion": "Here are some suggestions:",
+ "UserRegistration.SSO.title": "Sign up with an account of another SlideWiki instance",
+ "UserRegistration.SSO.aria": "Sign up with another SlideWiki instance",
"UserRegistrationSocial.firstnameprompt": "Please enter your first name",
"UserRegistrationSocial.lastnameprompt": "Please enter your last name",
"UserRegistrationSocial.usernameprompt": "Please select your username",
@@ -1273,11 +1562,12 @@
"UserRegistrationSocial.mailprompt": "Please enter your email address",
"UserRegistrationSocial.mailprompt2": "Please enter a valid email address",
"UserRegistrationSocial.mailprompt3": "The email address is already in use",
- "UserRegistrationSocial.genericError": "An error occured. Please try again later.",
+ "UserRegistrationSocial.genericError": "Um erro ocorreu. Por favor, tente novamente mais tarde.",
"UserRegistrationSocial.error": "Social Login Error",
"UserRegistrationSocial.confirm": "OK",
"UserRegistrationSocial.emailNotAllowed": "This E-Mail has already been used by someone else. Please choose another one.",
"UserRegistrationSocial.usernameNotAllowed": "This Username has already been used by someone else. Please choose another one.",
+ "UserRegistrationSocial.usernamesuggestion": "Here are some suggestions:",
"UserRegistrationSocial.validate": "Validate user information",
"UserRegistrationSocial.fname": "First name *",
"UserRegistrationSocial.lname": "Last name *",
@@ -1285,7 +1575,7 @@
"UserRegistrationSocial.email": "Email *",
"UserRegistrationSocial.signup": "Sign Up",
"UserRegistrationSocial.account": "I can not access my account",
- "UserRegistrationSocial.cancel": "Cancel",
+ "UserRegistrationSocial.cancel": "Cancelar",
"ChangePicture.Groups.modalTitle": "Big file",
"ChangePicture.Groups.modalText": "The selected file is quite big (> 10MB). This could cause problems like a white profile picture. You should upload a smaller picture if you notice strange things.",
"ChangePicture.Groups.modalTitle2": "Wrong file type",
@@ -1295,32 +1585,32 @@
"ChangeGroupPictureModal.modalTitle": "Photo selection not processible!",
"ChangeGroupPictureModal.modalText": "Sorry, we could not process your chosen selection. Please try again with a different photo or selection.",
"ChangeGroupPictureModal.description": "This modal is used to crop and save a picture meant to be used as a group picture.",
- "ChangeGroupPictureModal.cancel": "Cancel",
- "ChangeGroupPictureModal.save": "Save",
+ "ChangeGroupPictureModal.cancel": "Cancelar",
+ "ChangeGroupPictureModal.save": "Salvar",
"ChangeGroupPictureModal.modalHeader": "Crop your image",
"GroupDecks.sort.lastUpdated": "Last updated",
"GroupDecks.sort.date": "Creation date",
- "GroupDecks.sort.title": "Title",
+ "GroupDecks.sort.title": "Título",
"GroupDecks.header.sharedDecks": "Shared decks edited by this group",
- "UserGroupEdit.error": "Error",
+ "UserGroupEdit.error": "Erro",
"UserGroupEdit.unknownError": "Unknown error while saving.",
- "UserGroupEdit.close": "Close",
+ "UserGroupEdit.close": "Fechar",
"UserGroupEdit.messageGroupName": "Group name required.",
"UserGroupEdit.createGroup": "Create Group",
"UserGroupEdit.editGroup": "Edit Group",
"UserGroupEdit.messageUsericon": "The username is a link which will open a new browser tab. Close it when you want to go back to the form and list.",
"UserGroupEdit.groupOwner": "Group owner",
- "UserGroupEdit.unknownOrganization": "Unknown organization",
+ "UserGroupEdit.unknownOrganization": "Organização desconhecida",
"UserGroupEdit.unknownCountry": "Unknown country",
"UserGroupEdit.groupName": "Group Name",
- "UserGroupEdit.description": "Description",
+ "UserGroupEdit.description": "Descrição",
"UserGroupEdit.addUser": "Add user",
"UserGroupEdit.saveGroup": "Save Group",
"UserGroupEdit.deleteGroup": "Delete Group",
"UserGroupEdit.leaveGroup": "Leave Group",
- "UserGroupEdit.loading": "Loading",
+ "UserGroupEdit.loading": "Carregando",
"UserGroupEdit.members": "Members",
- "UserGroupEdit.details": "Group details",
+ "UserGroupEdit.details": "Detalhes do grupo",
"UserGroupEdit.unsavedChangesAlert": "You have unsaved changes. If you do not save the group, it will not be updated. Are you sure you want to exit this page?",
"UserGroupEdit.joined": "Joined {time} ago",
"GroupDetails.exchangePicture": "Group picture",
@@ -1331,4 +1621,4 @@
"GroupMenu.settings": "Group Settings",
"GroupMenu.stats": "Group Stats",
"UserGroupPage.goBack": "Return to My Groups List"
-}
+}
\ No newline at end of file
diff --git a/intl/ru.json b/intl/ru.json
index 8c1d1b522..e5f225a11 100644
--- a/intl/ru.json
+++ b/intl/ru.json
@@ -7,13 +7,13 @@
"AddDeck.progress.imported": "Импортировано",
"AddDeck.progress.slides": "слайды",
"AddDeck.swal.success_title_text": "Презентация создана!",
- "AddDeck.swal.success_text": "The selected file has been imported and a new deck has been created.",
- "AddDeck.swal.preview_text": "Here is a preview of your slides. It may take a few seconds for the images to be created. You can use the tab key to move through the images.",
- "AddDeck.swal.success_text_extra": "This new deck will not be visible to others in your decks page or in search results until published.",
- "AddDeck.swal.success_confirm_text": "Complete import",
- "AddDeck.swal.success_reject_text": "Try again",
- "AddDeck.swal.success_imported_slides_text": "Imported slides:",
- "AddDeck.swal.success_publish_deck_text": "Publish your deck for it to show in search results immediately (publishing occurs after a few seconds)",
+ "AddDeck.swal.success_text": "Выбранный файл загружен и создана новая презентация.",
+ "AddDeck.swal.preview_text": "Мы готовим предпросмотр ваших слайдов. Это может занять несколько секунд. Используйте клавишу Tab для перемещения между слайдами. ",
+ "AddDeck.swal.success_text_extra": "Новая презентация не будет видна другим пользователям на вашей странице презентаций или в результатах поиска пока вы ее не опубликуете. ",
+ "AddDeck.swal.success_confirm_text": "Завершаем импорт",
+ "AddDeck.swal.success_reject_text": "Попробуйте снова",
+ "AddDeck.swal.success_imported_slides_text": "Загруженные слайды:",
+ "AddDeck.swal.success_publish_deck_text": "Опубликуйте вашу презентацию, чтобы она сразу отображалась в результатах поиска (публикация займет несколько секунд)",
"AddDeck.swal.error_title_text": "Ошибка",
"AddDeck.swal.error_text": "Произошла ошибка при импортировании этого файла. Попробуйте еще раз.",
"AddDeck.swal.error_confirm_text": "Закрыть",
@@ -22,345 +22,516 @@
"AddDeck.form.hint_language": "Пожалуйста, выберите язык.",
"AddDeck.form.selected_message": "(Выбрано для загрузки: {filename})",
"AddDeck.form.button_create": "Создать презентацию",
- "AddDeck.form.metadata": "Please select from the following lists to specify the education level and subject area of your deck. You can find out more about these options in our {link_help}.",
+ "AddDeck.form.metadata": "Пожалуйста, укажите, выбрав из соответствующего списка, образовательный уровень и область знаний для своей презентации. Вы можете узнать больше об этих параметрах заглянув на {link_help}",
"AddDeck.form.heading": "Добавить презентацию в СлайдВики",
"AddDeck.form.label_title": "Заголовок",
"AddDeck.form.label_language": "Язык",
"AddDeck.form.label_themes": "Выберите тему презентации",
"AddDeck.form.label_description": "Описание",
- "add.help": "Help decks",
- "DeckProperty.Education.Choose": "Choose Education Level",
- "DeckProperty.Tag.Topic.Choose": "Choose Subject",
- "DeckProperty.Tag.Choose": "Choose Tags",
- "AddDeck.form.format_message": "You can upload existing slides to your new deck in the following file formats: PowerPoint pptx, OpenOffice ODP, SlideWiki HTML downloads (*.zip files) and RevealJS slideshows (*.zip files).",
- "AddDeck.form.label_terms1": "I agree to the SlideWiki",
- "AddDeck.form.label_terms2": "terms and conditions",
+ "add.help": "Вспомогательные презентации",
+ "AddDeck.sr.education": "Выберите образовательный уровень презентации",
+ "AddDeck.sr.subject": "Выберите область знания презентации, используя автозаполнение. Вы можете выбрать несколько предметов.",
+ "AddDeck.sr.tags": "Добавьте тэги или ключевые слова для Вашей презентации. Вы можете указать несколько тэгов.",
+ "DeckProperty.Education.Choose": "Выберите образовательный уровень",
+ "DeckProperty.Tag.Topic.Choose": "Выберите область знаний",
+ "DeckProperty.Tag.Choose": "Выберите тэги",
+ "AddDeck.form.format_message": "Вы можете загрузить готовые слайды в Вашу новую презентацию, используя файлы следующих форматов: PowerPoint pptx, OpenOffice ODP, СлайдВики HTML загрузки (*.zip архивы) и RevealJS слайдшоу (*.zip архивы).",
+ "AddDeck.form.label_terms1": "Я согласен(сна) с СлайдВики",
+ "AddDeck.form.label_terms2": "условиями использования",
"AddDeck.form.label_terms3": "и что созданное, загруженное и отредактированное мной содержимое может быть опубликовано под лицензией Creative Commons ShareAlike.",
"AddDeck.form.label_termsimages": "Я согласен(сна), что изображения в импортированных мной слайдах находяться во всеобщем достоянии или доступны под лицензией Creative Commons Attribution (CC-BY или CC-BY-SA).",
- "header.cookieBanner": "This website uses cookies.",
+ "activationMessages.swalTitle": "Ваш аккаунт активирован",
+ "activationMessages.swalText": "Ваш аккаунт успешно активиован. Теперь вы можете войти в систему. ",
+ "activationMessages.swalConfirm": "Закрыть",
+ "header.cookieBanner": "Этот сайт использует файлы cookies.",
"CountryDropdown.placeholder": "Выберите вашу страну",
- "CountryDropdown.Afghanistan": "Afghanistan",
- "CountryDropdown.Albania": "Albania",
- "CountryDropdown.Algeria": "Algeria",
- "CountryDropdown.American_Samoa": "American Samoa",
- "CountryDropdown.Andorra": "Andorra",
- "CountryDropdown.Angola": "Angola",
- "CountryDropdown.Anguilla": "Anguilla",
- "CountryDropdown.Antigua_and_Barbuda": "Antigua & Barbuda",
- "CountryDropdown.Argentina": "Argentina",
- "CountryDropdown.Armenia": "Armenia",
- "CountryDropdown.Aruba": "Aruba",
- "CountryDropdown.Australia": "Australia",
- "CountryDropdown.Austria": "Austria",
- "CountryDropdown.Azerbaijan": "Azerbaijan",
- "CountryDropdown.Bahamas": "Bahamas",
- "CountryDropdown.Bahrain": "Bahrain",
- "CountryDropdown.Bangladesh": "Bangladesh",
- "CountryDropdown.Barbados": "Barbados",
- "CountryDropdown.Belarus": "Belarus",
- "CountryDropdown.Belgium": "Belgium",
- "CountryDropdown.Belize": "Belize",
- "CountryDropdown.Benin": "Benin",
- "CountryDropdown.Bermuda": "Bermuda",
- "CountryDropdown.Bhutan": "Bhutan",
- "CountryDropdown.Bolivia": "Bolivia",
- "CountryDropdown.Bonaire": "Bonaire",
- "CountryDropdown.Bosnia_and_Herzegovina": "Bosnia & Herzegovina",
- "CountryDropdown.Botswana": "Botswana",
- "CountryDropdown.Brazil": "Brazil",
- "CountryDropdown.British_Indian_Ocean_Ter": "British Indian Ocean Ter",
- "CountryDropdown.Brunei": "Brunei",
- "CountryDropdown.Bulgaria": "Bulgaria",
- "CountryDropdown.Burkina_Faso": "Burkina Faso",
- "CountryDropdown.Burundi": "Burundi",
- "CountryDropdown.Cambodia": "Cambodia",
- "CountryDropdown.Cameroon": "Cameroon",
- "CountryDropdown.Canada": "Canada",
- "CountryDropdown.Canary_Islands": "Canary Islands",
- "CountryDropdown.Cape_Verde": "Cape Verde",
- "CountryDropdown.Cayman_Islands": "Cayman Islands",
- "CountryDropdown.Central_African_Republic": "Central African Republic",
- "CountryDropdown.Chad": "Chad",
- "CountryDropdown.Channel_Islands": "Channel Islands",
- "CountryDropdown.Chile": "Chile",
- "CountryDropdown.China": "China",
- "CountryDropdown.Christmas_Island": "Christmas Island",
- "CountryDropdown.Cocos_Island": "Cocos Island",
- "CountryDropdown.Colombia": "Colombia",
- "CountryDropdown.Comoros": "Comoros",
- "CountryDropdown.Congo": "Congo",
- "CountryDropdown.Cook_Islands": "Cook Islands",
- "CountryDropdown.Costa_Rica": "Costa Rica",
- "CountryDropdown.Croatia": "Croatia",
- "CountryDropdown.Cuba": "Cuba",
- "CountryDropdown.Curacao": "Curacao",
- "CountryDropdown.Cyprus": "Cyprus",
- "CountryDropdown.Czech_Republic": "Czech Republic",
- "CountryDropdown.Denmark": "Denmark",
- "CountryDropdown.Djibouti": "Djibouti",
- "CountryDropdown.Dominica": "Dominica",
- "CountryDropdown.Dominican_Republic": "Dominican Republic",
- "CountryDropdown.East_Timor": "East Timor",
- "CountryDropdown.Ecuador": "Ecuador",
- "CountryDropdown.Egypt": "Egypt",
- "CountryDropdown.El_Salvador": "El Salvador",
- "CountryDropdown.Equatorial_Guinea": "Equatorial Guinea",
- "CountryDropdown.Eritrea": "Eritrea",
- "CountryDropdown.Estonia": "Estonia",
- "CountryDropdown.Ethiopia": "Ethiopia",
- "CountryDropdown.Falkland_Islands": "Falkland Islands",
- "CountryDropdown.Faroe_Islands": "Faroe Islands",
- "CountryDropdown.Fiji": "Fiji",
- "CountryDropdown.Finland": "Finland",
- "CountryDropdown.France": "France",
- "CountryDropdown.French_Guiana": "French Guiana",
- "CountryDropdown.French_Polynesia": "French Polynesia",
- "CountryDropdown.French_Southern_Ter": "French Southern Ter",
- "CountryDropdown.Gabon": "Gabon",
- "CountryDropdown.Gambia": "Gambia",
- "CountryDropdown.Georgia": "Georgia",
- "CountryDropdown.Germany": "Germany",
- "CountryDropdown.Ghana": "Ghana",
- "CountryDropdown.Gibraltar": "Gibraltar",
- "CountryDropdown.Great_Britain": "Great Britain",
- "CountryDropdown.Greece": "Greece",
- "CountryDropdown.Greenland": "Greenland",
- "CountryDropdown.Grenada": "Grenada",
- "CountryDropdown.Guadeloupe": "Guadeloupe",
- "CountryDropdown.Guam": "Guam",
- "CountryDropdown.Guatemala": "Guatemala",
- "CountryDropdown.Guinea": "Guinea",
- "CountryDropdown.Guyana": "Guyana",
- "CountryDropdown.Haiti": "Haiti",
- "CountryDropdown.Hawaii": "Hawaii",
- "CountryDropdown.Honduras": "Honduras",
- "CountryDropdown.Hong_Kong": "Hong Kong",
- "CountryDropdown.Hungary": "Hungary",
- "CountryDropdown.Iceland": "Iceland",
- "CountryDropdown.India": "India",
- "CountryDropdown.Indonesia": "Indonesia",
- "CountryDropdown.Iran": "Iran",
- "CountryDropdown.Iraq": "Iraq",
- "CountryDropdown.Ireland": "Ireland",
- "CountryDropdown.Isle_of_Man": "Isle of Man",
- "CountryDropdown.Israel": "Israel",
- "CountryDropdown.Italy": "Italy",
- "CountryDropdown.Jamaica": "Jamaica",
- "CountryDropdown.Japan": "Japan",
- "CountryDropdown.Jordan": "Jordan",
- "CountryDropdown.Kazakhstan": "Kazakhstan",
- "CountryDropdown.Kenya": "Kenya",
- "CountryDropdown.Kiribati": "Kiribati",
- "CountryDropdown.Korea_North": "Korea North",
- "CountryDropdown.Korea_South": "Korea South",
- "CountryDropdown.Kuwait": "Kuwait",
- "CountryDropdown.Kyrgyzstan": "Kyrgyzstan",
- "CountryDropdown.Laos": "Laos",
- "CountryDropdown.Latvia": "Latvia",
- "CountryDropdown.Lebanon": "Lebanon",
- "CountryDropdown.Lesotho": "Lesotho",
- "CountryDropdown.Liberia": "Liberia",
- "CountryDropdown.Libya": "Libya",
- "CountryDropdown.Liechtenstein": "Liechtenstein",
- "CountryDropdown.Lithuania": "Lithuania",
- "CountryDropdown.Luxembourg": "Luxembourg",
- "CountryDropdown.Macau": "Macau",
- "CountryDropdown.Macedonia": "Macedonia",
- "CountryDropdown.Madagascar": "Madagascar",
- "CountryDropdown.Malaysia": "Malaysia",
- "CountryDropdown.Malawi": "Malawi",
- "CountryDropdown.Maldives": "Maldives",
- "CountryDropdown.Mali": "Mali",
- "CountryDropdown.Malta": "Malta",
- "CountryDropdown.Marshall_Islands": "Marshall Islands",
- "CountryDropdown.Martinique": "Martinique",
- "CountryDropdown.Mauritania": "Mauritania",
- "CountryDropdown.Mauritius": "Mauritius",
- "CountryDropdown.Mayotte": "Mayotte",
- "CountryDropdown.Mexico": "Mexico",
- "CountryDropdown.Midway_Islands": "Midway Islands",
- "CountryDropdown.Moldova": "Moldova",
- "CountryDropdown.Monaco": "Monaco",
- "CountryDropdown.Mongolia": "Mongolia",
- "CountryDropdown.Montserrat": "Montserrat",
- "CountryDropdown.Morocco": "Morocco",
- "CountryDropdown.Mozambique": "Mozambique",
- "CountryDropdown.Myanmar": "Myanmar",
- "CountryDropdown.Nambia": "Nambia",
- "CountryDropdown.Nauru": "Nauru",
- "CountryDropdown.Nepal": "Nepal",
- "CountryDropdown.Netherland_Antilles": "Netherland Antilles",
- "CountryDropdown.Netherlands_Holland_Europe": "Netherlands (Holland, Europe)",
- "CountryDropdown.Nevis": "Nevis",
- "CountryDropdown.New_Caledonia": "New Caledonia",
- "CountryDropdown.New_Zealand": "New Zealand",
- "CountryDropdown.Nicaragua": "Nicaragua",
- "CountryDropdown.Niger": "Niger",
- "CountryDropdown.Nigeria": "Nigeria",
- "CountryDropdown.Niue": "Niue",
- "CountryDropdown.Norfolk_Island": "Norfolk Island",
- "CountryDropdown.Norway": "Norway",
- "CountryDropdown.Oman": "Oman",
- "CountryDropdown.Pakistan": "Pakistan",
- "CountryDropdown.Palau_Island": "Palau Island",
- "CountryDropdown.Palestine": "Palestine",
- "CountryDropdown.Panama": "Panama",
- "CountryDropdown.Papua_New_Guinea": "Papua New Guinea",
- "CountryDropdown.Paraguay": "Paraguay",
- "CountryDropdown.Peru": "Peru",
- "CountryDropdown.Philippines": "Philippines",
- "CountryDropdown.Pitcairn_Island": "Pitcairn Island",
- "CountryDropdown.Poland": "Poland",
- "CountryDropdown.Portugal": "Portugal",
- "CountryDropdown.Puerto_Rico": "Puerto Rico",
- "CountryDropdown.Qatar": "Qatar",
- "CountryDropdown.Republic_of_Montenegro": "Republic of Montenegro",
- "CountryDropdown.Republic_of_Serbia": "Republic of Serbia",
- "CountryDropdown.Reunion": "Reunion",
- "CountryDropdown.Romania": "Romania",
- "CountryDropdown.Russia": "Russia",
- "CountryDropdown.Rwanda": "Rwanda",
- "CountryDropdown.St_Barthelemy": "St Barthelemy",
- "CountryDropdown.St_Eustatius": "St Eustatius",
- "CountryDropdown.St_Helena": "St Helena",
- "CountryDropdown.St_Kitts_Nevis": "St Kitts-Nevis",
- "CountryDropdown.St_Lucia": "St Lucia",
- "CountryDropdown.St_Maarten": "St Maarten",
- "CountryDropdown.St_Pierre_and_Miquelon": "St Pierre & Miquelon",
- "CountryDropdown.St_Vincent_and_Grenadines": "St Vincent & Grenadines",
- "CountryDropdown.Saipan": "Saipan",
- "CountryDropdown.Samoa": "Samoa",
- "CountryDropdown.Samoa_American": "Samoa American",
- "CountryDropdown.San_Marino": "San Marino",
- "CountryDropdown.Sao_Tome_and_Principe": "Sao Tome & Principe",
- "CountryDropdown.Saudi_Arabia": "Saudi Arabia",
- "CountryDropdown.Senegal": "Senegal",
- "CountryDropdown.Serbia": "Serbia",
- "CountryDropdown.Seychelles": "Seychelles",
- "CountryDropdown.Sierra_Leone": "Sierra Leone",
- "CountryDropdown.Singapore": "Singapore",
- "CountryDropdown.Slovakia": "Slovakia",
- "CountryDropdown.Slovenia": "Slovenia",
- "CountryDropdown.Solomon_Islands": "Solomon Islands",
- "CountryDropdown.Somalia": "Somalia",
- "CountryDropdown.South_Africa": "South Africa",
- "CountryDropdown.Spain": "Spain",
- "CountryDropdown.Sri_Lanka": "Sri Lanka",
- "CountryDropdown.Sudan": "Sudan",
- "CountryDropdown.Suriname": "Suriname",
- "CountryDropdown.Swaziland": "Swaziland",
- "CountryDropdown.Sweden": "Sweden",
- "CountryDropdown.Switzerland": "Switzerland",
- "CountryDropdown.Syria": "Syria",
- "CountryDropdown.Tahiti": "Tahiti",
- "CountryDropdown.Taiwan": "Taiwan",
- "CountryDropdown.Tajikistan": "Tajikistan",
- "CountryDropdown.Tanzania": "Tanzania",
- "CountryDropdown.Thailand": "Thailand",
- "CountryDropdown.Togo": "Togo",
- "CountryDropdown.Tokelau": "Tokelau",
- "CountryDropdown.Tonga": "Tonga",
- "CountryDropdown.Trinidad_and_Tobago": "Trinidad & Tobago",
- "CountryDropdown.Tunisia": "Tunisia",
- "CountryDropdown.Turkey": "Turkey",
- "CountryDropdown.Turkmenistan": "Turkmenistan",
- "CountryDropdown.Turks_and_Caicos_Is": "Turks & Caicos Is",
- "CountryDropdown.Tuvalu": "Tuvalu",
- "CountryDropdown.Uganda": "Uganda",
- "CountryDropdown.Ukraine": "Ukraine",
- "CountryDropdown.United_Arab_Emirates": "United Arab Emirates",
- "CountryDropdown.United_Kingdom": "United Kingdom",
- "CountryDropdown.United_States_of_America": "United States of America",
- "CountryDropdown.Uruguay": "Uruguay",
- "CountryDropdown.Uzbekistan": "Uzbekistan",
- "CountryDropdown.Vanuatu": "Vanuatu",
- "CountryDropdown.Vatican_City_State": "Vatican City State",
- "CountryDropdown.Venezuela": "Venezuela",
- "CountryDropdown.Vietnam": "Vietnam",
- "CountryDropdown.Virgin_Islands_Brit": "Virgin Islands (Brit)",
- "CountryDropdown.Virgin_Islands_USA": "Virgin Islands (USA)",
- "CountryDropdown.Wake_Island": "Wake Island",
- "CountryDropdown.Wallis_and_Futana_Is": "Wallis & Futana Is",
- "CountryDropdown.Yemen": "Yemen",
- "CountryDropdown.Zaire": "Zaire",
- "CountryDropdown.Zambia": "Zambia",
- "CountryDropdown.Zimbabwe": "Zimbabwe",
- "LanguageDropdown.english": "English",
+ "CountryDropdown.Afghanistan": "Афганистан",
+ "CountryDropdown.Albania": "Албания",
+ "CountryDropdown.Algeria": "Алжир",
+ "CountryDropdown.American_Samoa": "Американское Самоа",
+ "CountryDropdown.Andorra": "Андорра",
+ "CountryDropdown.Angola": "Ангола",
+ "CountryDropdown.Anguilla": "Ангилья",
+ "CountryDropdown.Antigua_and_Barbuda": "Антигуа и Барбуда",
+ "CountryDropdown.Argentina": "Аргентина",
+ "CountryDropdown.Armenia": "Армения",
+ "CountryDropdown.Aruba": "Аруба",
+ "CountryDropdown.Australia": "Австралия",
+ "CountryDropdown.Austria": "Австрия",
+ "CountryDropdown.Azerbaijan": "Азербайджан",
+ "CountryDropdown.Bahamas": "Багамские о-ва",
+ "CountryDropdown.Bahrain": "Бахрейн",
+ "CountryDropdown.Bangladesh": "Бангладеш",
+ "CountryDropdown.Barbados": "Барбадос",
+ "CountryDropdown.Belarus": "Беларусь",
+ "CountryDropdown.Belgium": "Бельгия",
+ "CountryDropdown.Belize": "Белиз",
+ "CountryDropdown.Benin": "Бенин",
+ "CountryDropdown.Bermuda": "Бермудские о-ва",
+ "CountryDropdown.Bhutan": "Бутан",
+ "CountryDropdown.Bolivia": "Боливия",
+ "CountryDropdown.Bonaire": "Бонэйр",
+ "CountryDropdown.Bosnia_and_Herzegovina": "Босния и Герцеговина",
+ "CountryDropdown.Botswana": "Ботсвана",
+ "CountryDropdown.Brazil": "Бразилия",
+ "CountryDropdown.British_Indian_Ocean_Ter": "Тер-ии Британии Инд Ок-на",
+ "CountryDropdown.Brunei": "Бруней",
+ "CountryDropdown.Bulgaria": "Болгария",
+ "CountryDropdown.Burkina_Faso": "Буркина Фасо",
+ "CountryDropdown.Burundi": "Бурунди",
+ "CountryDropdown.Cambodia": "Камбоджа",
+ "CountryDropdown.Cameroon": "Камерун",
+ "CountryDropdown.Canada": "Канада",
+ "CountryDropdown.Canary_Islands": "Канарские о-ва",
+ "CountryDropdown.Cape_Verde": "Кабо-Верде",
+ "CountryDropdown.Cayman_Islands": "Кайманские о-ва",
+ "CountryDropdown.Central_African_Republic": "Центральная Африканская респ",
+ "CountryDropdown.Chad": "Чад",
+ "CountryDropdown.Channel_Islands": "Нормандские о-ва",
+ "CountryDropdown.Chile": "Чили",
+ "CountryDropdown.China": "Китай",
+ "CountryDropdown.Christmas_Island": "Остров Рождества",
+ "CountryDropdown.Cocos_Island": "Кокос (о-в)",
+ "CountryDropdown.Colombia": "Колумбия",
+ "CountryDropdown.Comoros": "Коморы",
+ "CountryDropdown.Congo": "Конго",
+ "CountryDropdown.Cook_Islands": "Острова Кука",
+ "CountryDropdown.Costa_Rica": "Коста Рика",
+ "CountryDropdown.Croatia": "Хорватия",
+ "CountryDropdown.Cuba": "Куба",
+ "CountryDropdown.Curacao": "Кюрасао",
+ "CountryDropdown.Cyprus": "Кипр",
+ "CountryDropdown.Czech_Republic": "Чешская республика",
+ "CountryDropdown.Denmark": "Дания",
+ "CountryDropdown.Djibouti": "Джибути",
+ "CountryDropdown.Dominica": "Доминика",
+ "CountryDropdown.Dominican_Republic": "Доминиканская республика",
+ "CountryDropdown.East_Timor": "Восточный Тимор",
+ "CountryDropdown.Ecuador": "Эквадор",
+ "CountryDropdown.Egypt": "Египет",
+ "CountryDropdown.El_Salvador": "Эль Сальвадор",
+ "CountryDropdown.Equatorial_Guinea": "Экваториальная Гвинея",
+ "CountryDropdown.Eritrea": "Эритрея",
+ "CountryDropdown.Estonia": "Эстония",
+ "CountryDropdown.Ethiopia": "Эфиопия",
+ "CountryDropdown.Falkland_Islands": "Фолклендские о-ва",
+ "CountryDropdown.Faroe_Islands": "Фарерские о-ва",
+ "CountryDropdown.Fiji": "Фиджи",
+ "CountryDropdown.Finland": "Финляндия",
+ "CountryDropdown.France": "Франция",
+ "CountryDropdown.French_Guiana": "Французская Гвинея",
+ "CountryDropdown.French_Polynesia": "Французская Полинезия",
+ "CountryDropdown.French_Southern_Ter": "Французские Южные тер-рии",
+ "CountryDropdown.Gabon": "Габон",
+ "CountryDropdown.Gambia": "Гамбия",
+ "CountryDropdown.Georgia": "Грузия",
+ "CountryDropdown.Germany": "Германия",
+ "CountryDropdown.Ghana": "Гана",
+ "CountryDropdown.Gibraltar": "Гибралтар",
+ "CountryDropdown.Great_Britain": "Великобритания",
+ "CountryDropdown.Greece": "Греция",
+ "CountryDropdown.Greenland": "Гренландия",
+ "CountryDropdown.Grenada": "Гренада",
+ "CountryDropdown.Guadeloupe": "Гваделупа",
+ "CountryDropdown.Guam": "Гуам",
+ "CountryDropdown.Guatemala": "Гватемала",
+ "CountryDropdown.Guinea": "Гвинея",
+ "CountryDropdown.Guyana": "Гайана",
+ "CountryDropdown.Haiti": "Гаити",
+ "CountryDropdown.Hawaii": "Гавайи",
+ "CountryDropdown.Honduras": "Гондурас",
+ "CountryDropdown.Hong_Kong": "Гонконг",
+ "CountryDropdown.Hungary": "Венгрия",
+ "CountryDropdown.Iceland": "Исландия",
+ "CountryDropdown.India": "Индия",
+ "CountryDropdown.Indonesia": "Индонезия",
+ "CountryDropdown.Iran": "Иран",
+ "CountryDropdown.Iraq": "Ирак",
+ "CountryDropdown.Ireland": "Ирландия",
+ "CountryDropdown.Isle_of_Man": "Остров Мэн",
+ "CountryDropdown.Israel": "Израиль",
+ "CountryDropdown.Italy": "Италия",
+ "CountryDropdown.Jamaica": "Ямайка",
+ "CountryDropdown.Japan": "Япония",
+ "CountryDropdown.Jordan": "Иордания",
+ "CountryDropdown.Kazakhstan": "Казахстан",
+ "CountryDropdown.Kenya": "Кения",
+ "CountryDropdown.Kiribati": "Кирибати",
+ "CountryDropdown.Korea_North": "Северная Корея",
+ "CountryDropdown.Korea_South": "Южная Корея",
+ "CountryDropdown.Kuwait": "Кувейт",
+ "CountryDropdown.Kyrgyzstan": "Киргизия",
+ "CountryDropdown.Laos": "Лаос",
+ "CountryDropdown.Latvia": "Латвия",
+ "CountryDropdown.Lebanon": "Ливан",
+ "CountryDropdown.Lesotho": "Лесото",
+ "CountryDropdown.Liberia": "Либерия",
+ "CountryDropdown.Libya": "Ливия",
+ "CountryDropdown.Liechtenstein": "Лихтенштейн",
+ "CountryDropdown.Lithuania": "Литва",
+ "CountryDropdown.Luxembourg": "Люксембург",
+ "CountryDropdown.Macau": "Макао",
+ "CountryDropdown.Macedonia": "Македония",
+ "CountryDropdown.Madagascar": "Мадагаскар",
+ "CountryDropdown.Malaysia": "Малайзия",
+ "CountryDropdown.Malawi": "Малави",
+ "CountryDropdown.Maldives": "Мальдивы",
+ "CountryDropdown.Mali": "Мали",
+ "CountryDropdown.Malta": "Мальта",
+ "CountryDropdown.Marshall_Islands": "Острова Маршалла",
+ "CountryDropdown.Martinique": "Мартиника",
+ "CountryDropdown.Mauritania": "Мавритания",
+ "CountryDropdown.Mauritius": "Маврикий",
+ "CountryDropdown.Mayotte": "Майотта",
+ "CountryDropdown.Mexico": "Мексика",
+ "CountryDropdown.Midway_Islands": "О-ва Мидуэй",
+ "CountryDropdown.Moldova": "Молдова",
+ "CountryDropdown.Monaco": "Монако",
+ "CountryDropdown.Mongolia": "Монголия",
+ "CountryDropdown.Montserrat": "Монтсеррат",
+ "CountryDropdown.Morocco": "Марокко",
+ "CountryDropdown.Mozambique": "Мозамбик",
+ "CountryDropdown.Myanmar": "Мьянма",
+ "CountryDropdown.Nambia": "Намибия",
+ "CountryDropdown.Nauru": "Науру",
+ "CountryDropdown.Nepal": "Непал",
+ "CountryDropdown.Netherland_Antilles": "Нидерланские Антильские о-ва",
+ "CountryDropdown.Netherlands_Holland_Europe": "Нидерланды",
+ "CountryDropdown.Nevis": "Невис",
+ "CountryDropdown.New_Caledonia": "Новая Каледония",
+ "CountryDropdown.New_Zealand": "Новая Зеландия",
+ "CountryDropdown.Nicaragua": "Никарагуа",
+ "CountryDropdown.Niger": "Нигер",
+ "CountryDropdown.Nigeria": "Нигерия",
+ "CountryDropdown.Niue": "Ниуэ",
+ "CountryDropdown.Norfolk_Island": "Норфолк",
+ "CountryDropdown.Norway": "Норвегия",
+ "CountryDropdown.Oman": "Оман",
+ "CountryDropdown.Pakistan": "Пакистан",
+ "CountryDropdown.Palau_Island": "О-в Палау",
+ "CountryDropdown.Palestine": "Палестина",
+ "CountryDropdown.Panama": "Панама",
+ "CountryDropdown.Papua_New_Guinea": "Папуа Новая Гвинея",
+ "CountryDropdown.Paraguay": "Парагвай",
+ "CountryDropdown.Peru": "Перу",
+ "CountryDropdown.Philippines": "Филиппины",
+ "CountryDropdown.Pitcairn_Island": "О-ва Питкэрн",
+ "CountryDropdown.Poland": "Польша",
+ "CountryDropdown.Portugal": "Португалия",
+ "CountryDropdown.Puerto_Rico": "Пуэрто-Рико",
+ "CountryDropdown.Qatar": "Катар",
+ "CountryDropdown.Republic_of_Montenegro": "Черногория",
+ "CountryDropdown.Republic_of_Serbia": "Сербия",
+ "CountryDropdown.Reunion": "Реюньон",
+ "CountryDropdown.Romania": "Румыния",
+ "CountryDropdown.Russia": "Россия",
+ "CountryDropdown.Rwanda": "Руанда",
+ "CountryDropdown.St_Barthelemy": "Сен-Бартелеми",
+ "CountryDropdown.St_Eustatius": "Синт-Эстатиус",
+ "CountryDropdown.St_Helena": "О-в Св. Елены",
+ "CountryDropdown.St_Kitts_Nevis": "Сент-Китс и Невис",
+ "CountryDropdown.St_Lucia": "Сент-Люсия",
+ "CountryDropdown.St_Maarten": "Сен-Мартен",
+ "CountryDropdown.St_Pierre_and_Miquelon": "Сен-Пьер и Микелон",
+ "CountryDropdown.St_Vincent_and_Grenadines": "Сент-Винсент и Гренадины",
+ "CountryDropdown.Saipan": "Сайпан",
+ "CountryDropdown.Samoa": "Самоа",
+ "CountryDropdown.Samoa_American": "Американское Самоа",
+ "CountryDropdown.San_Marino": "Сан-Марино",
+ "CountryDropdown.Sao_Tome_and_Principe": "Сан-Томе и Принсипи",
+ "CountryDropdown.Saudi_Arabia": "Саудовская Аравия",
+ "CountryDropdown.Senegal": "Сенегал",
+ "CountryDropdown.Serbia": "Сербия",
+ "CountryDropdown.Seychelles": "Сейшеллы",
+ "CountryDropdown.Sierra_Leone": "Сьерра-Леоне",
+ "CountryDropdown.Singapore": "Сингапур",
+ "CountryDropdown.Slovakia": "Словакия",
+ "CountryDropdown.Slovenia": "Словения",
+ "CountryDropdown.Solomon_Islands": "Соломоновы о-ва",
+ "CountryDropdown.Somalia": "Сомали",
+ "CountryDropdown.South_Africa": "Южная Африка",
+ "CountryDropdown.Spain": "Испания",
+ "CountryDropdown.Sri_Lanka": "Шри-Ланка",
+ "CountryDropdown.Sudan": "Судан",
+ "CountryDropdown.Suriname": "Суринам",
+ "CountryDropdown.Swaziland": "Свазиленд",
+ "CountryDropdown.Sweden": "Швеция",
+ "CountryDropdown.Switzerland": "Щвейцария",
+ "CountryDropdown.Syria": "Сирия",
+ "CountryDropdown.Tahiti": "Таити",
+ "CountryDropdown.Taiwan": "Тайвань",
+ "CountryDropdown.Tajikistan": "Таджикистан",
+ "CountryDropdown.Tanzania": "Танзания",
+ "CountryDropdown.Thailand": "Тайланд",
+ "CountryDropdown.Togo": "Того",
+ "CountryDropdown.Tokelau": "Токелау",
+ "CountryDropdown.Tonga": "Тонга",
+ "CountryDropdown.Trinidad_and_Tobago": "Тринидад и Тобаго",
+ "CountryDropdown.Tunisia": "Тунис",
+ "CountryDropdown.Turkey": "Турция",
+ "CountryDropdown.Turkmenistan": "Туркменистан",
+ "CountryDropdown.Turks_and_Caicos_Is": "Теркс и Кайкос",
+ "CountryDropdown.Tuvalu": "Тувалу",
+ "CountryDropdown.Uganda": "Уганда",
+ "CountryDropdown.Ukraine": "Украина",
+ "CountryDropdown.United_Arab_Emirates": "Объединенный Арабские Эмираты",
+ "CountryDropdown.United_Kingdom": "Великобритания",
+ "CountryDropdown.United_States_of_America": "Соединенные Штаты Америки",
+ "CountryDropdown.Uruguay": "Уругвай",
+ "CountryDropdown.Uzbekistan": "Узбекистан",
+ "CountryDropdown.Vanuatu": "Вануату",
+ "CountryDropdown.Vatican_City_State": "Ватикан",
+ "CountryDropdown.Venezuela": "Венесуэла",
+ "CountryDropdown.Vietnam": "Вьетнам",
+ "CountryDropdown.Virgin_Islands_Brit": "Виргинские о-ва (Брит.)",
+ "CountryDropdown.Virgin_Islands_USA": "Виргинские о-ва (США)",
+ "CountryDropdown.Wake_Island": "Уэйк",
+ "CountryDropdown.Wallis_and_Futana_Is": "Уоллис и Футуна",
+ "CountryDropdown.Yemen": "Йемен",
+ "CountryDropdown.Zaire": "Заир",
+ "CountryDropdown.Zambia": "Замбия",
+ "CountryDropdown.Zimbabwe": "Зимбабве",
+ "LanguageDropdown.english": "Анлийский",
"LanguageDropdown.tooltip": "В будущем будет больше",
"LanguageDropdown.placeholder": "Выберите язык",
- "uploadMediaModal.swal_error_title": "Error",
- "uploadMediaModal.swal_error_text": "Reading the selected file failed. Check you privileges and try again",
- "uploadMediaModal.drop_message1": "Drop a file directly from your filebrowser here to upload it.",
- "uploadMediaModal.drop_message2": "Alternatively, click",
- "uploadMediaModal.drop_message3": "or anywhere around this text to select a file to upload.",
- "uploadMediaModal.drop_message4": "Not the right image? Click on the image to upload another one.",
- "uploadMediaModal.upload_button_aria": "select file to upload",
- "uploadMediaModal.upload_button_label": "choose file",
- "uploadMediaModal.modal_heading1": "Add image - upload image file from your computer",
- "uploadMediaModal.modal_description1": "This modal is used to upload media files and to provide additional information about these.",
- "uploadMediaModal.modal_heading2": "License information",
- "uploadMediaModal.modal_description2": "Please confirm the title, alt text and licence for this image.",
- "uploadMediaModal.copyrightHolder_label": "Image created by/ attributed to:",
- "uploadMediaModal.copyrightHolder_aria_label": "Copyrightholder",
- "uploadMediaModal.media_title_label": "Title:",
- "uploadMediaModal.media_title_aria": "Title of the image",
- "uploadMediaModal.media_altText_label": "Description/Alt",
- "uploadMediaModal.media_altText_aria": "Description of the image",
- "uploadMediaModal.media_altText_content": "What does the picture mean?",
- "uploadMediaModal.licence_label": "Select a license:",
- "uploadMediaModal.licence_content": "Select a license",
- "uploadMediaModal.media_terms_aria": "Agree to terms and conditions",
- "uploadMediaModal.media_terms_label1": "I confirm that I have the rights to upload this image as per the SlideWiki",
- "uploadMediaModal.media_terms_label2": "terms and conditions",
- "uploadMediaModal.media_terms_label3": "and that the",
- "uploadMediaModal.media_terms_label4": "license information",
- "uploadMediaModal.media_terms_label5": "I have provided is correct.",
- "uploadMediaModal.submit_button_text1": "Next",
- "uploadMediaModal.submit_button_text2": "Upload",
- "uploadMediaModal.loading_text": "Loading",
- "uploadMediaModal.cancel_button": "Cancel",
- "uploadMediaModal.background_aria": "Use as background image?",
- "uploadMediaModal.background_message1": "Use as background image?",
- "CollectionsList.partOfPlaylists": "This deck is part of the following playlists",
- "CollectionsListItem.removeTooltip": "Remove",
- "CollectionsListItem.removeAria": "Remove current deck from collection",
- "CollectionsListItem.noDescription": "No description provided",
- "CollectionsPanel.header": "Playlists",
- "CollectionsPanel.createCollection": "Add to new playlist",
- "CollectionsPanel.ariaCreateCollection": "Add to new playlist",
- "CollectionsPanel.error.title": "Error",
- "CollectionsPanel.error.removeDeck": "An error occured while removing playlist from deck...",
- "CollectionsPanel.error.adDeck": "An error occured while adding playlist to the deck...",
- "CollectionsPanel.addToPlaylist": "Add deck to playlist",
- "questionpanel.handleDownloadQuestionsClick": "Download questions",
- "RecommendedTags.header": "Recommended Tags",
- "RecommendedTags.aria.add": "Add recommended tag",
- "RecommendedTags.aria.dismiss": "Dismiss recommendation",
- "RecommendedTags.aria.viewDecksWithTag": "View decks with this tag",
- "TagsPanel.header": "Tags",
- "TagsPanel.edit": "Edit",
- "TagsPanel.save": "Save",
- "TagsPanel.cancel": "Cancel",
- "TagsPanel.aria.edit": "Edit tags",
- "TagsPanel.aria.save": "Save tags",
- "TagsPanel.aria.cancel": "Cancel tags",
- "TagsPanel.TagInput.placeholder": "Insert new tags",
- "editpanel.handleAddQuestionsClick": "Add questions",
- "slidesModal.attachSlidesDescriptionStep1": "You can attach one or more slides from another deck. First select your deck containing the slides or search SlideWiki for a deck. We advise a maximum of 50 slides per (sub)deck for maximal performance/speed for viewing your presentation. You can also separate a large presentation, for example, a series of lectures, into a deck collection.",
- "slidesModal.attachSlidesDescriptionStep2": "Select slides to attach. We advise a maximum of 50 slides per (sub)deck for maximal performance/speed for viewing your presentation. You can also separate a large presentation, for example, a series of lectures, into a deck collection.",
- "subDeckModal.attachSubdeckModalDescription": "Select a deck to attach from your My Decks list or search SlideWiki. We recommend that decks have a maximum of 50 slides per (sub)deck for optimum performance when viewing your presentation. If you wish to collate lots of decks then we recommend creating a playlist.",
+ "uploadMediaModal.swal_error_title": "Ошибка",
+ "uploadMediaModal.swal_error_text": "Ошибка чтения выбранного файла. Проверьте Ваш уровень доступа и попробуйте еще раз. ",
+ "uploadMediaModal.drop_message1": "Перетяните файл из вашего браузера сюда, чтобы его загрузить. ",
+ "uploadMediaModal.drop_message2": "Или нажмите",
+ "uploadMediaModal.drop_message3": "или в любое место рядом с этим текстом, чтобы выбрать файл для загрузки. ",
+ "uploadMediaModal.drop_message4": "Не то изображение? Нажмите на картинку чтобы загрузить другую. ",
+ "uploadMediaModal.upload_button_aria": "выберите файл для загрузки",
+ "uploadMediaModal.upload_button_label": "выберите файл",
+ "uploadMediaModal.modal_heading1": "Добавьте изображение - загрузите файл изображения с Вашего компьютера",
+ "uploadMediaModal.modal_description1": "В этом всплывающем окне можно загрузить медиа-файлы и указать дополнительную информацию о них. ",
+ "uploadMediaModal.modal_heading2": "Информация о лицензировании",
+ "uploadMediaModal.modal_description2": "Пожалуйста, подтвердите название, альтернативный текст и тип лицензии для этого изображения.",
+ "uploadMediaModal.copyrightHolder_label": "Кем изображение создано/(кому принадлежит): ",
+ "uploadMediaModal.copyrightHolder_aria_label": "Владелец лицензии",
+ "uploadMediaModal.media_title_label": "Название:",
+ "uploadMediaModal.media_title_aria": "Название изображения:",
+ "uploadMediaModal.media_altText_label": "Описание",
+ "uploadMediaModal.media_altText_aria": "Краткое описание изображения",
+ "uploadMediaModal.media_altText_content": "Что означает эта картинка?",
+ "uploadMediaModal.licence_label": "Выберите лицензию:",
+ "uploadMediaModal.licence_content": "Выберите лицензию",
+ "uploadMediaModal.media_terms_aria": "Согласен с условиями использования",
+ "uploadMediaModal.media_terms_label1": "Я подтверждаю, что обладаю правами на загрузку этого изображения, согласно СлайдВики",
+ "uploadMediaModal.media_terms_label2": "условиям использования",
+ "uploadMediaModal.media_terms_label3": "и ",
+ "uploadMediaModal.media_terms_label4": "информация о лицензии",
+ "uploadMediaModal.media_terms_label5": "которую я предоставил является правдивой.",
+ "uploadMediaModal.submit_button_text1": "Дальше",
+ "uploadMediaModal.submit_button_text2": "Загрузить",
+ "uploadMediaModal.loading_text": "Идет загрузка",
+ "uploadMediaModal.cancel_button": "Отмена",
+ "uploadMediaModal.background_aria": "Использовать как фоновый рисунок?",
+ "uploadMediaModal.background_message1": "Использовать как фоновый рисунок?",
+ "CollectionsList.partOfPlaylists": "Эта презентация используется в следующих списках воспроизведения",
+ "CollectionsListItem.removeTooltip": "Удалить",
+ "CollectionsListItem.removeAria": "Удалить текущую презентацию из коллекции",
+ "CollectionsListItem.noDescription": "Не указано описание",
+ "CollectionsPanel.header": "Списки воспроизведения",
+ "CollectionsPanel.createCollection": "Добавить в новый список воспроизведения",
+ "CollectionsPanel.ariaCreateCollection": "Добавить в новый список воспроизведения",
+ "CollectionsPanel.error.title": "Ошибка",
+ "CollectionsPanel.error.removeDeck": "Произошла ошибка во время удаления списка воспроизведения из презентации...",
+ "CollectionsPanel.error.adDeck": "Произошла ошибка во время добавления списка воспроизведения к презентации...",
+ "CollectionsPanel.addToPlaylist": "Добавить презентацию в список произведения",
+ "AddComment.form.comment_title_placeholder": "Заголовок",
+ "AddComment.form.comment_text_placeholder": "Текст",
+ "AddComment.form.label_comment_title": "Заголовок коментария",
+ "AddComment.form.label_comment_text": "Текст комментария",
+ "AddComment.form.button_submit": "Отправить",
+ "AddComment.form.button_cancel": "Отмена",
+ "AddReply.form.reply_text_placeholder": "Текст",
+ "AddReply.form.label_reply_title": "Заголовок ответа",
+ "AddReply.form.label_reply_text": "Текст ответа",
+ "AddReply.form.button_add": "Добавить Ответ",
+ "Comment.form.revision_note": "ревизия",
+ "Comment.form.from_note": "от",
+ "Comment.form.comment_removed": "Комментарий удален",
+ "Comment.form.delete_aria": "Удалить комментарий",
+ "Comment.form.label_reply": "Ответить",
+ "ContentDiscussionPanel.form.no_comments": "Сейчас здесь нет комментариев",
+ "ContentDiscussionPanel.form.button_add": "Добавить комментарий",
+ "ContentDiscussionPanel.form.comments": "Комментарии",
+ "ContentChangeItem.swal.text": "Это действие восстановит более раннюю версию слайда. Вы хотите продолжить?",
+ "ContentChangeItem.swal.confirmButtonText": "Да, восстановить слайд",
+ "ContentChangeItem.swal.cancelButtonText": "Нет",
+ "ContentChangeItem.form.add_description": "добавлен",
+ "ContentChangeItem.form.copy_description": "создана копия",
+ "ContentChangeItem.form.attach_description": "прикреплен",
+ "ContentChangeItem.form.fork_description": "создана ветвь презентации",
+ "ContentChangeItem.form.translate_description_added": "добавлено",
+ "ContentChangeItem.form.translate_description_translation": "перевод для",
+ "ContentChangeItem.form.revise_description": "создана новая версия",
+ "ContentChangeItem.form.rename_description_renamed": "переименованно",
+ "ContentChangeItem.form.rename_description_to": " ",
+ "ContentChangeItem.form.revert_description_restored": "восстановлено",
+ "ContentChangeItem.form.revert_description_to": "к более раннее версии",
+ "ContentChangeItem.form.remove_description": "удалено",
+ "ContentChangeItem.form.edit_description_slide_translation": "перевод слайда отредактирован",
+ "ContentChangeItem.form.edit_description_slide": "слайд отредактирован",
+ "ContentChangeItem.form.move_description_slide": "слайд перемещен",
+ "ContentChangeItem.form.move_description_deck": "презентация перемещена",
+ "ContentChangeItem.form.move_description": "перемещена",
+ "ContentChangeItem.form.update_description": "обновлена презентация",
+ "ContentChangeItem.form.default_description": "обновлена презентация",
+ "ContentChangeItem.form.button_compare": "Сравнить с текущей версией слайда",
+ "ContentChangeItem.form.button_restore": "Восстановить слайд",
+ "ContentChangeItem.form.button_view": "Предпросмотр слайда",
+ "ContentChangeItem.form.date_on": " ",
+ "ContentChangeItem.form.date_at": " ",
+ "DeckHistoryPanel.swal.text": "Это действие создаст новую версию презентации. Вы хотите продолжить?",
+ "DeckHistoryPanel.swal.confirmButtonText": "Да, создать новую версию",
+ "DeckHistoryPanel.swal.cancelButtonText": "Нет",
+ "DeckHistoryPanel.form.button_aria": "Создать новую версию презентации",
+ "DeckHistoryPanel.form.button_content": "Создать новую версию",
+ "DeckRevision.swal.text": "Это действие восстановит более раннюю версию презентации. Вы хотите продолжить?",
+ "DeckRevision.swal.confirmButtonText": "Да, восстановить презентацию",
+ "DeckRevision.swal.cancelButtonText": "Нет",
+ "DeckRevision.form.icon_aria_saved": "Сохранено",
+ "DeckRevision.form.date_on": " ",
+ "DeckRevision.form.date_at": " ",
+ "DeckRevision.form.by": " ",
+ "DeckRevision.form.button_aria_show": "Показать подробности",
+ "DeckRevision.form.version_changes": "Изменения версии",
+ "DeckRevision.form.button_aria_restore": "Восстановить презентацию",
+ "DeckRevision.form.button_aria_view": "Открыть презентацию в новой вкладке",
+ "DeckRevisionChanges.form.no_changes": "В этой версии нет изменений",
+ "SlideHistoryPanel.form.no_changes": "В этом слайде нет изменений",
+ "ContentModulesPanel.form.label_sources": "Источники ",
+ "ContentModulesPanel.form.label_tags": "Тэги",
+ "ContentModulesPanel.form.label_comments": "Комментарии",
+ "ContentModulesPanel.form.label_history": "История",
+ "ContentModulesPanel.form.label_usage": "Использование",
+ "ContentModulesPanel.form.label_questions": "Вопросы",
+ "ContentModulesPanel.form.label_playlists": "Списки воспроизведения",
+ "ContentModulesPanel.form.aria_additional": "Другие инструменты",
+ "ContentModulesPanel.form.dropdown_text": "Инструменты",
+ "ContentModulesPanel.form.header": "Текстовые инструменты",
+ "ContentQuestionAdd.no_question": "Пожалуйста, введите вопрос.",
+ "ContentQuestionAdd.no_answers": "Пожалуйста, введите ответы",
+ "ContentQuestionAdd.form.question": "Вопрос",
+ "ContentQuestionAdd.form.difficulty": "Сложность",
+ "ContentQuestionAdd.form.difficulty_easy": "Легкий",
+ "ContentQuestionAdd.form.difficulty_moderate": "Средний",
+ "ContentQuestionAdd.form.difficulty_hard": "Трудный",
+ "ContentQuestionAdd.form.answer_choices": "Варианты ответа",
+ "ContentQuestionAdd.form.explanation": "Пояснения (необязательно)",
+ "ContentQuestionAdd.form.exam_question": "Это экзаменационный вопрос",
+ "ContentQuestionAdd.form.button_save": "Сохранить",
+ "ContentQuestionAdd.form.button_cancel": "Отмена",
+ "ContentQuestionAnswersList.form.button_answer_show": "Показать ответ",
+ "ContentQuestionAnswersList.form.button_answer_hide": "Скрыть ответ",
+ "ContentQuestionAnswersList.form.button_edit": "Редактировать вопрос",
+ "ContentQuestionAnswersList.form.explanation": "Пояснения:",
+ "ContentQuestionEdit.no_question": "Пожалуйста, введите вопрос.",
+ "ContentQuestionEdit.no_answers": "Пожалуйста, введите ответы",
+ "ContentQuestionEdit.swal.text": "Удалить вопрос. Вы уверены?",
+ "ContentQuestionEdit.swal.confirmButtonText": "Да, удалить!",
+ "ContentQuestionEdit.form.question": "Вопрос",
+ "ContentQuestionEdit.form.difficulty": "Сложность",
+ "ContentQuestionEdit.form.difficulty_easy": "Легкий",
+ "ContentQuestionEdit.form.difficulty_moderate": "Средний",
+ "ContentQuestionEdit.form.difficulty_hard": "Трудный",
+ "ContentQuestionEdit.form.answer_choices": "Варианты ответа",
+ "ContentQuestionEdit.form.explanation": "Пояснения (необязаельно)",
+ "ContentQuestionEdit.form.exam_question": "Это экзаменационный вопрос",
+ "ContentQuestionEdit.form.button_save": "Сохранить",
+ "ContentQuestionEdit.form.button_cancel": "Отмена",
+ "ContentQuestionEdit.form.button_delete": "Удалить",
+ "ContentQuestionsItem.form.originally": "(изначально ",
+ "ContentQuestionsPanel.form.no_questions": "Здесь пока нет вопросов",
+ "ContentQuestionsPanel.form.button_exam": "Режим экзамена",
+ "ContentQuestionsPanel.form.button_select": "Выберите экзаменационные вопросы",
+ "ContentQuestionsPanel.form.button_add": "Добавить вопрос",
+ "ContentQuestionsPanel.form.questions_header": "Вопросы",
+ "QuestionDownloadList.form.heading": "Добавить вопросы для скачивания",
+ "QuestionDownloadList.form.button": "Выбрать все",
+ "QuestionDownloadModal.form.download_aria": "Скачать вопросы",
+ "QuestionDownloadModal.form.download_tooltip": "Скачать вопросы в формате JSON",
+ "QuestionDownloadModal.form.modal_description": "Вы можете выбрать один или несколько вопросов для скачивания",
+ "QuestionDownloadModal.form.button_cancel": "Отмена",
+ "QuestionDownloadModal.form.download_text": "Загрузить",
+ "questionpanel.handleDownloadQuestionsClick": "Скачать вопросы",
+ "QuestionDownloadModal.form.modal_header": "Скачать вопросы",
+ "ExamAnswersItem.form.answer_correct": "Вы ответили правильно",
+ "ExamAnswersItem.form.answer_not_selected": "правильный ответ который вы не выбрали",
+ "ExamAnswersItem.form.answer_incorrect": "Вы ответили неправильно",
+ "ExamAnswersList.form.explanation": "Пояснения:",
+ "ExamAnswersList.form.answer_incorrect": "Вы ответили на вопрос неправильно",
+ "ExamList.swal.title": "Экзамен отправлен",
+ "ExamList.swal.text": "Ваша оценка:",
+ "ExamList.form.button_submit": "Отправить ответы",
+ "ExamList.form.button_cancel": "Отмена",
+ "ExamPanel.form.no_questions": "Здесь пока нет экзаменационных вопросов",
+ "ExamPanel.form.exam_mode": "Режим экзамена",
+ "ExamPanel.form.button_back": "Назад",
+ "ExamQuestionsList.form.header": "Выберите экзаменационные вопросы",
+ "ExamQuestionsList.form.button_save": "Сохранить",
+ "ExamQuestionsList.form.button_cancel": "Отмена",
+ "ContentUsageItem.form.by": " ",
+ "ContentUsageList.form.no_usage": "Нет использования",
+ "ContributorsPanel.form.no_contributors": "Нет участников",
+ "ContributorsPanel.form.header": "Создатель",
+ "ContributorsPanel.form.title": "Участники",
+ "DataSourceItem.form.originally": "изначально из слайда ",
+ "DataSourcePanel.form.no_sources": "Здесь пока нет источников",
+ "DataSourcePanel.form.button_add": "Добавить источник",
+ "DataSourcePanel.form.header": "Источники ",
+ "DataSourcePanel.form.show_more": "Еще...",
+ "EditDataSource.no_title": "Это поле не может быть пустым",
+ "EditDataSource.valid_url": "Введите верный URL",
+ "EditDataSource.valid_year": "Введите верное значение года, которое меньше или равно текущей дате. ",
+ "EditDataSource.form.header_edit": "Редактировать источник",
+ "EditDataSource.form.header_add": "Добавить источник",
+ "EditDataSource.form.placeholder_title": "Заголовок",
+ "EditDataSource.form.placeholder_authors": "Авторы",
+ "EditDataSource.form.placeholder_year": "Год",
+ "EditDataSource.form.placeholder_comment": "Комментарий",
+ "EditDataSource.form.button_delete": "Удалить",
+ "EditDataSource.form.type_webpage": "Веб-страница",
+ "EditDataSource.form.type_webdocument": "Веб-документ",
+ "EditDataSource.form.type_publication": "Публикация",
+ "EditDataSource.form.type_person": "Персоналия",
+ "EditDataSource.form.type_text": "Простой текст",
+ "EditDataSource.form.label_type": "Тип",
+ "EditDataSource.form.label_title": "Заголовок",
+ "EditDataSource.form.label_authors": "Авторы",
+ "EditDataSource.form.label_year": "Год",
+ "EditDataSource.form.label_comment": "Комментарий",
+ "EditDataSource.form.button_submit": "Отправить",
+ "EditDataSource.form.button_cancel": "Отмена",
+ "RecommendedTags.header": "Рекомендуемые тэги",
+ "RecommendedTags.aria.add": "Добавить рекомендуемый тэг",
+ "RecommendedTags.aria.dismiss": "Отклонить рекомендации",
+ "RecommendedTags.aria.viewDecksWithTag": "Смотреть презентации с этим тэгом",
+ "TagsPanel.header": "Тэги",
+ "TagsPanel.edit": "Правка",
+ "TagsPanel.save": "Сохранить",
+ "TagsPanel.cancel": "Отмена",
+ "TagsPanel.aria.edit": "Редактировать тэги",
+ "TagsPanel.aria.save": "Сохранить тэги",
+ "TagsPanel.aria.cancel": "Отменить тэги",
+ "TagsPanel.TagInput.placeholder": "Ввести новые тэги",
+ "editpanel.handleAddQuestionsClick": "Добавить вопросы",
+ "slidesModal.attachSlidesDescriptionStep1": "Вы можете добавить один или несколько слайдов из другиой презентации. Для этого, выберите одну из ваших презентаций или найдите используя СлайдВики поиск. Мы советуем использовать не более 50 слайдов в одной (под)презентации для максимальной производительности. Вы можете разделить большую презентацию, например, серию лекций, на отдельные презентации и объединить их в коллекцию.",
+ "slidesModal.attachSlidesDescriptionStep2": "Выберите слайды для прикрепления. Мы советуем использовать не более 50 слайдов в одной (под)презентации для максимальной производительности. Вы можете разделить большую презентацию, например, серию лекций, на отдельные презентации и объединить их в коллекцию.",
+ "subDeckModal.attachSubdeckModalDescription": "Выберите презентацию для прикрепления из ваших презентаций или используя поиск. Мы советуем использовать не более 50 слайдов в одной (под)презентации для максимальной производительности. Вы можете создать список воспроизведения, чтобы задать последовательность просмотра презентаций. ",
"ContentActionsHeader.viewButtonText": "Просмотр",
"ContentActionsHeader.viewButtonAriaText": "Режим просмотра",
"ContentActionsHeader.editButtonText": "Правка",
- "ContentActionsHeader.editButtonTextTranslation": "Edit node translation",
+ "ContentActionsHeader.editButtonTextTranslation": "Редактировать перевод",
"ContentActionsHeader.editButtonAriaText": "Режим правки",
"ContentActionsHeader.addSlideButtonAriaText": "Добавить слайд",
- "ContentActionsHeader.addDeckButtonAriaText": "Add sub-deck",
- "ContentActionsHeader.duplicateAriaText": "Duplicate slide",
- "ContentActionsHeader.deleteAriaText": "Delete slide",
- "ContentActionsHeader.language": "Language",
- "ContentActionsHeader.translation": "Translation",
- "ContentActionsHeader.loading": "Loading",
+ "ContentActionsHeader.addDeckButtonAriaText": "Добавить под-презентацию ",
+ "ContentActionsHeader.duplicateAriaText": "Создать копию слайда",
+ "ContentActionsHeader.deleteAriaText": "Удалить слайд",
+ "ContentActionsHeader.language": "Язык",
+ "ContentActionsHeader.translation": "Перевод",
+ "ContentActionsHeader.loading": "Идет загрузка",
"downloadModal.downloadModal_header": "Загрузить эту презентацию",
"downloadModal.downloadModal_description": "Выберите формат файла для загрузки:",
"downloadModal.downloadModal_downloadButton": "Загрузить",
@@ -374,10 +545,10 @@
"embedModal.medium": "Средний",
"embedModal.large": "Большой",
"embedModal.other": "Другое",
- "embedModal.embedHeader": "Embed SlideWiki deck \"{title}\"",
- "embedModal.description": "Use the options to select how this deck will be displayed. Then copy the generated code into your site.",
- "embedModal.embed": "Embed:",
- "embedModal.size": "Size:",
+ "embedModal.embedHeader": "Встроить презентацию \"{title}\"",
+ "embedModal.description": "Выберите как эта презентация будет отображаться. Затем скопируйте код на Ваш слайд. ",
+ "embedModal.embed": "Встроить:",
+ "embedModal.size": "Размер:",
"embedModal.widthLabel": "Ширина внедренного содержимого",
"embedModal.heightLabel": "Высота внедренного содержимого",
"deckEditPanel.loading": "заргузка",
@@ -394,8 +565,8 @@
"deckEditPanel.grantRights": "Предоставить права",
"deckEditPanel.deny": "Запретить",
"deckEditPanel.close": "Закрыть",
- "DeckProperty.Education": "Education Level",
- "DeckProperty.Tag.Topic": "Subject",
+ "DeckProperty.Education": "Образовательный уровень",
+ "DeckProperty.Tag.Topic": "Область знаний",
"GroupDetails.modalHeading": "Детали группы",
"GroupDetails.close": "Закрыть",
"GroupDetails.groupCreator": "Создатель группы",
@@ -409,17 +580,17 @@
"noPermissionModal.info": "Инфо",
"noPermissionModal.alreadyRequested": "Вы уже подали запрос на права редактирование этой презентации. Пожалуйста, дождитесь ответа владельца.",
"noPermissionModal.success": "Успех",
- "noPermissionModal.requestSuccessfullySend": "The request was send. Please wait until the deck owner reacts.",
- "noPermissionModal.ok": "OK",
- "noPermissionModal.viewOnlyVersion": "View-only version",
- "noPermissionModal.viewOnlyVersionText": "You are viewing an older version of this deck, which is not available for editing. You can visit the most recent version so you can edit the deck.",
- "noPermissionModal.gotoLastVersion": "Go to the latest version",
- "noPermissionModal.noEditRights": "No Edit Rights",
- "noPermissionModal.textWithoutFork": "You can only view this deck, however you have already forked it. You can either edit your version, otherwise you may ask the owner to grant you edit rights. You can also create yet another fork of the deck.",
- "noPermissionModal.textWithFork": "You can only view this deck. To make changes, you may ask the owner to grant you edit rights or fork the deck. Forking a deck means creating your copy of the deck.",
- "noPermissionModal.requestEditAccess": "Request edit access",
- "noPermissionModal.gotoYourVersion": "Go to your version",
- "noPermissionModal.forkThisDeck": "Fork this deck",
+ "noPermissionModal.requestSuccessfullySend": "Запрос отправлен. Пожалуйста, дождитесь реакции владельца презентации.",
+ "noPermissionModal.ok": "ОК",
+ "noPermissionModal.viewOnlyVersion": "Только просмотр",
+ "noPermissionModal.viewOnlyVersionText": "Вы просматриваете устаревшую версию презентации, которая недоступна для редактирования. Для редактирования, перейдите к последней версии. ",
+ "noPermissionModal.gotoLastVersion": "Перейти к последней версии",
+ "noPermissionModal.noEditRights": "Нет прав для редактирования",
+ "noPermissionModal.textWithoutFork": "Вы можете только просматривать эту презентацию, но вы уже создали собственную ветвь. Вы можете править вашу версию или попросить владельца дать вам права для редактирования. Вы можете создать еще одну собственную ветвь. ",
+ "noPermissionModal.textWithFork": "Эта презентация открыта для чтения. Чтобы редактировать, Вы можете попросить владельца выдать вам права или создать собственную ветвь презентации. Ветвь - это копия презентации, принадлежащая Вам. ",
+ "noPermissionModal.requestEditAccess": "Запросить права редактирования",
+ "noPermissionModal.gotoYourVersion": "Перейти к Вашей копии",
+ "noPermissionModal.forkThisDeck": "Создать свою ветвь",
"SlideContentEditor.slideSizeModalTitle": "Использовать шаблон",
"SlideContentEditor.slideSizeModalText": "Это действие изменит размер слайда. Ваш текущий размер слайда составляет {width} на {height} (пикселей), вы также можете сбросить установку размера к первоначальному значению. Желаете продолжить?",
"SlideContentEditor.slideSizeModalConfirmButton": "Да, использовать шаблон",
@@ -427,15 +598,15 @@
"SlideContentEditor.slideSizeErrorModalTitle": "Слайд не имеет размера канвы для изменения.",
"SlideContentEditor.slideSizeErrorModalText": "Это действие изменит размер слайда. Ваш текущий размер слайда составляет {width} на {height} (пикселей), вы также можете сбросить установку размера к первоначальному значению. Желаете продолжить?",
"SlideContentEditor.templateModalTitle": "Использовать шаблон",
- "SlideContentEditor.templateModalText": "You can add the template content to the existing content in your slide (i.e., keep existing content), or you can overwrite the existing content in your slide with the template (i.e., delete existing content). You can always revert to an earlier version of the slide or decide to not save after applying the template. Do you want to keep or delete existing content?",
- "SlideContentEditor.templateModalConfirmButton": "Keep existing content and add template",
- "SlideContentEditor.templateModalCancelButton": "Delete existing content and add template",
+ "SlideContentEditor.templateModalText": "Вы можете добавить материал из шаблона к существующему материалу (т.е. сохранить существующий материал), или перезаписать материал слайда (т.е. удалить существующий материал). Вы всегда можете вернуться к предыдущей версии слайда или решить не сохранять слайд после применения шаблона. Сохранить существующий материал или перезаписать его?",
+ "SlideContentEditor.templateModalConfirmButton": "Сохранить материал и добавить шаблон",
+ "SlideContentEditor.templateModalCancelButton": "Удалить материал и добавить шаблон",
"SlideContentEditor.switchToCanvasModalTitle": "Желаете вернуться к виду стиль канвы?",
"SlideContentEditor.switchToCanvasModalText": "Вы можете нажать \"нет\" и ввести свой текст непосредственно в окно редактирования, хотя вы также можете добавить поля ввода на ваш слайд, положение и размер которых можно изменять. Тогда у вас будет возможность добавлять новые поля ввода, чтобы отделить существующее содержимое или добавить новые поля. Желаете продолжить?",
"SlideContentEditor.switchToCanvasModalConfirm": "Да, переключиться на стиль канвы с полями ввода",
"SlideContentEditor.switchToCanvasModalCancel": "Нет",
"SlideContentEditor.unsavedChangesAlert": "У вас есть несохраненные изменения. Если вы не сохраните слайд, он не будет обновлен. Вы уверены, что хотите покинуть эту страницу?",
- "SlideContentEditor.contextMenuEditImage": "Edit Image",
+ "SlideContentEditor.contextMenuEditImage": "Править изображение",
"SlideContentEditor.contextMenuBringToFront": "На передний план (Ctrl shift +)",
"SlideContentEditor.contextMenuSendToBack": "На задний план (Ctrl shift -)",
"SlideContentEditor.contextDuplicate": "Дублировать (Ctrl d)",
@@ -448,32 +619,52 @@
"SlideContentEditor.imageUploadErrorTitle": "Ошибка",
"SlideContentEditor.imageUploadErrorText": "Загрузка изображения закончилась ошибкой. Пожалуйста, попробуйте еще раз и убедитесь, что вы выбрали изображение, размер файла которого не слишком большой. Также, пожалуйста, убедитесь, что вы не загрузили одно и то же изображение дважды.",
"SlideContentEditor.imageUploadErrorConfirm": "Закрыть",
- "SlideContentEditor.SaveAfterSlideNameChangeModalTitle": "Save now or continue editing?",
- "SlideContentEditor.SaveAfterSlideNameChangeModalText": "The slide name will be updated after saving the slide and exiting slide edit mode. Click \"yes\" to save the slide and exit edit mode. Click \"no\" to continue editing your slide.",
- "SlideContentEditor.SaveAfterSlideNameChangeModalConfirm": "Yes, save and exit slide edit mode",
- "SlideContentEditor.SaveAfterSlideNameChangeModalCancel": "No, continue editing",
+ "SlideContentEditor.SaveAfterSlideNameChangeModalTitle": "Сохранить сейчас или продолжить редактирование?",
+ "SlideContentEditor.SaveAfterSlideNameChangeModalText": "Заголовок обновится после сохранения слайда и выхода из режима редактирования. Нажмите \"Да\" чтобы сохранить слайд и выйти из режима редактирования. Нажмите \"Нет\" чтобы продолжить редактировать слайд. ",
+ "SlideContentEditor.SaveAfterSlideNameChangeModalConfirm": "Да, сохранить слайд и выйти из режима редактирования",
+ "SlideContentEditor.SaveAfterSlideNameChangeModalCancel": "Нет, продолжить редактирование",
"SlideContentEditor.deleteModalTitle": "Удалить элемент.",
"SlideContentEditor.deleteModalText": "Вы уверены, что хотите удалить этот элемент?",
"SlideContentEditor.deleteModalConfirm": "Да",
"SlideContentEditor.deleteModalCancel": "Нет",
- "DeckTranslationsModal.header": "Start new deck translations",
- "DeckTranslationsModal.chooseLanguage": "Choose the target language...",
- "DeckTranslationsModal.startTranslation": "Create a new translation:",
- "DeckTranslationsModal.startTranslationSearchOptions": "(start typing to find your language in its native name)",
- "DeckTranslationsModal.cancel": "Cancel",
- "DeckTranslationsModal.translate": "Create translation",
- "DeckTranslationsModal.originLanguage": "Original Language:",
- "DeckTranslationsModal.switchSR": "Create a new deck translation",
- "InfoPanelInfoView.selectLanguage": "Select language",
- "similarContentItem.creator": "Creator",
- "similarContentItem.likes": "Number of likes",
- "similarContentItem.open_deck": "Open deck",
- "similarContentItem.open_slideshow": "Open slideshow in new tab",
- "similarContentPanel.panel_header": "Recommended Decks",
- "similarContentPanel.panel_loading": "Loading",
+ "DeckTranslationsModal.header": "Начать новый перевод",
+ "DeckTranslationsModal.chooseLanguage": "Выберите целевой язык...",
+ "DeckTranslationsModal.startTranslation": "Создать новый перевод:",
+ "DeckTranslationsModal.startTranslationSearchOptions": "(начните вводить наименование языка)",
+ "DeckTranslationsModal.cancel": "Отмена",
+ "DeckTranslationsModal.translate": "Создать перевод",
+ "DeckTranslationsModal.originLanguage": "Оригинальный язык:",
+ "DeckTranslationsModal.switchSR": "Создать новый перевод",
+ "SlideTranslationsModal.header": "Перевести слайд",
+ "SlideTranslationsModal.chooseSourceLanguage": "Выберите язык оригинала...",
+ "SlideTranslationsModal.chooseTargetLanguage": "Выберите целевой язык",
+ "SlideTranslationsModal.sourceTranslation": "Текущий язык:",
+ "SlideTranslationsModal.targetTranslation": "Целевой язык:",
+ "SlideTranslationsModal.autoSelect": "Текущий и целевой языки выбираются автоматически. Вы можете изменить их вручную. ",
+ "SlideTranslationsModal.alternativeTranslation1": "Мы предоставляем ограниченное число автоматических переводов каждый месяц. Вы также можете использовать...",
+ "SlideTranslationsModal.alternativeTranslation2": "...встроенную функцию перевода, ...",
+ "SlideTranslationsModal.alternativeTranslation3": "...стороннее приложение-переводчик, или перевести с помощью одного из приложений-переводчиков Mozilla Firefox (...",
+ "SlideTranslationsModal.openOriginal": "Вы можете открыть текущую версию презентации в новом окне, используя кнопку Воспроизведение",
+ "SlideTranslationsModal.sourceLanguageSearchOptions": "(начните ввод чтобы найти язык оригинала)",
+ "SlideTranslationsModal.targetLanguageSearchOptions": "(начните ввод чтобы найти целевой язык)",
+ "SlideTranslationsModal.cancel": "Отмена",
+ "SlideTranslationsModal.translate": "Перевести слайд",
+ "SlideTranslationsModal.originLanguage": "Оригинальный язык:",
+ "SlideTranslationsModal.switchSR": "Начать новый перевод слайда",
+ "InfoPanelInfoView.selectLanguage": "Выберите язык",
+ "Stats.deckUserStatsTitle": "Активность пользователя",
+ "similarContentItem.creator": "Создатель",
+ "similarContentItem.likes": "Число \"лайков\"",
+ "similarContentItem.open_deck": "Открыть презентацию",
+ "similarContentItem.open_slideshow": "Открыть слайд-шоу в новой вкладке",
+ "similarContentPanel.panel_header": "Рекомендованные презентации",
+ "similarContentPanel.panel_loading": "Идет загрузка",
+ "slideEditLeftPanel.transitionAlertTitle": "Изменяем Переход для презентации",
+ "slideEditLeftPanel.transitionAlertContent": "This transition will be used for the transition to this slide, do you want to proceed?",
"editpanel.slideSizeCurrent": "(current: {size})",
"editpanel.back": "назад",
"editpanel.embed": "Встроить",
+ "editpanel.lti": "LTI",
"editpanel.table": "Таблица",
"editpanel.Maths": "Математика",
"editpanel.Code": "Код",
@@ -490,6 +681,14 @@
"editpanel.embedAdd": "Добавить к слайду",
"editpanel.embedNote": "Not all website owners allow their content to be embedded. Using embed code provided by the website you want to embed (instead of URL) often works best.",
"editpanel.embedNoteTerms": "Please note that our terms (e.g., on malicious code and commercial material) also strictly apply to any content on webpages that you embed.",
+ "editpanel.ltiKey": "LTI Key:",
+ "editpanel.ltiKeyMissingError": "missing LTI key",
+ "editpanel.ltiURL": "URL/Link to LTI content:",
+ "editpanel.ltiURLMissingError": "отсутствует URL/ссылка на содержимое",
+ "editpanel.ltiWidth": "Width of LTI content:",
+ "editpanel.ltiHeight": "Height of LTI content:",
+ "editpanel.ltiAdd": "Добавить к слайду",
+ "editpanel.ltiNote": "Use an LTI URL and key.",
"editpanel.template2": "Пустой документ - Режим документа (не канва)",
"editpanel.template3": "Document with title - Document-mode (non-canvas)",
"editpanel.template31": "Document with rich text example - Document-mode (non-canvas)",
@@ -511,6 +710,7 @@
"editpanel.templateVMU": "VMU template - Title page",
"editpanel.slideTitleButton": "Change slide name",
"editpanel.slideSizeChange": "Change slide size",
+ "editpanel.slideTransition": "Slide Transition",
"editpanel.changeBackgroundColor": "Change Background Colour",
"editpanel.removeBackground": "Remove background",
"editpanel.titleMissingError": "Ошибка: название слайда не может быть пустым",
@@ -526,6 +726,12 @@
"editpanel.slideSizeName720": "720p HDTV Wide XGA",
"editpanel.slideSizeWidescreen1080": "Широкоэкранный (16:9) высокое качество",
"editpanel.slideSizeName1080": "1080p/1080i HDTV Blu-ray",
+ "transitionpanel.none": "No slide transition",
+ "transitionpanel.convex": "Convex",
+ "transitionpanel.fade": "Fade",
+ "transitionpanel.slide": "Слайд",
+ "transitionpanel.zoom": "Zoom",
+ "transitionpanel.concave": "Concave",
"editpanel.addTextBox": "Добавить текстовое поле",
"editpanel.Image": "Add image",
"editpanel.Video": "Add video",
@@ -535,24 +741,24 @@
"editpanel.Help": "Помощь",
"CollectionDecksReorder.moveup": "Переместить вверх",
"CollectionDecksReorder.movedown": "Переместить вниз",
- "CollectionDecksReorder.remove": "Remove",
- "CollectionDecksReorder.noDescription": "No description provided",
+ "CollectionDecksReorder.remove": "Удалить",
+ "CollectionDecksReorder.noDescription": "Не указано описание",
"CollectionPanel.error.reorder": "An error occurred while updating deck order in the playlist...",
"CollectionPanel.title": "Playlist",
"CollectionPanel.creator": "Создатель",
"CollectionPanel.date": "Дата",
"CollectionPanel.decks.title": "Decks in Playlist",
- "CollectionPanel.decks.edit": "Edit",
+ "CollectionPanel.decks.edit": "Правка",
"CollectionPanel.decks.edit.header": "Edit Playlist",
"CollectionPanel.save.reorder": "Сохранить",
- "CollectionPanel.cancel.reorder": "Cancel",
+ "CollectionPanel.cancel.reorder": "Отмена",
"CollectionPanel.sort.default": "Порядок по умолчанию",
"CollectionPanel.sort.lastUpdated": "Последний обновленный",
"CollectionPanel.sort.date": "Дата создания",
"CollectionPanel.sort.title": "Заголовок",
"UserCollections.collections.subscribe": "Subscribe to this playlist",
"UserCollections.collections.unsubscribe": "You are subscribed to this playlist, click to unsubscribe",
- "GroupCollections.error.text": "Error",
+ "GroupCollections.error.text": "Ошибка",
"GroupCollections.error.read": "An error occurred while fetching playlists. Please try again later.",
"GroupCollections.error.delete": "An error occurred while deleting playlist...",
"GroupCollections.error.create": "An error occurred while creating playlist....",
@@ -561,11 +767,11 @@
"GroupCollections.collections.create": "Create new Playlist",
"GroupCollections.collections.delete": "Delete Playlist",
"GroupCollections.collections.settings": "Playlist Settings",
- "GroupCollections.collections.mycollections": "Playlists",
+ "GroupCollections.collections.mycollections": "Списки воспроизведения",
"GroupCollections.collections.owned": "Groups Playlists",
"GroupCollections.collections.group": "Playlists linked to this group",
- "GroupCollections.deck": "deck",
- "GroupCollections.decks": "decks",
+ "GroupCollections.deck": "презентация",
+ "GroupCollections.decks": "презентации",
"GroupCollections.collections.shared": "Shared Playlist",
"GroupCollections.collections.delete.title": "Delete Playlist",
"GroupCollections.collections.delete.text": "Are you sure you want to delete this playlist?",
@@ -573,8 +779,8 @@
"AddDecksToCollectionModal.fromMyDecks": "From My Decks",
"AddDecksToCollectionModal.fromSlidewiki": "From Slidewiki",
"AddDecksToCollectionModal.button.add": "Add",
- "AddDecksToCollectionModal.button.close": "Close",
- "DecksList.loading": "Loading",
+ "AddDecksToCollectionModal.button.close": "Закрыть",
+ "DecksList.loading": "Идет загрузка",
"DecksList.error": "An unexpected error occurred while fetching more decks",
"DecksList.noResults": "No results found",
"NewCollectionModal.title": "Create a new Playlist",
@@ -593,13 +799,13 @@
"UpdateCollectionModal.field.title.placeholder": "Playlist Title",
"UpdateCollectionModal.field.description": "Описание",
"UpdateCollectionModal.field.description.placeholder": "Playlist Description",
- "UpdateCollectionModal.field.usergroup": "User Group",
- "UpdateCollectionModal.field.usergroup.placeholder": "Select User Group",
- "UpdateCollectionModal.button.save": "Save",
- "UpdateCollectionModal.button.close": "Close",
+ "UpdateCollectionModal.field.usergroup": "Группа пользователя",
+ "UpdateCollectionModal.field.usergroup.placeholder": "Выберите группу пользователя",
+ "UpdateCollectionModal.button.save": "Сохранить",
+ "UpdateCollectionModal.button.close": "Закрыть",
"UpdateCollectionModal.success.title": "Update Playlist",
"UpdateCollectionModal.success.text": "We are updating the Playlist...",
- "UserCollections.error.text": "Error",
+ "UserCollections.error.text": "Ошибка",
"UserCollections.error.read": "An error occurred while fetching playlists. Please try again later.",
"UserCollections.error.delete": "An error occurred while deleting playlist...",
"UserCollections.error.create": "An error occurred while creating playlist....",
@@ -608,17 +814,31 @@
"UserCollections.collections.create": "Create Playlist",
"UserCollections.collections.delete": "Delete Playlist",
"UserCollections.collections.settings": "Playlist Settings",
- "UserCollections.collections.mycollections": "Playlists",
+ "UserCollections.collections.mycollections": "Списки воспроизведения",
"UserCollections.collections.owned": "Owned Playlists",
"UserCollections.deck": "презентация",
"UserCollections.decks": "презентации",
"UserCollections.collections.shared": "Shared Playlist",
"UserCollections.collections.delete.title": "Delete Playlist",
"UserCollections.collections.delete.text": "Are you sure you want to delete this playlist?",
+ "footer.sr.header": "Information about SlideWiki",
+ "footer.header": "About",
+ "footer.about": "About Us",
+ "footer.contact": "Contact Us",
+ "footer.guides": "Guides and Help",
+ "footer.accessibility": "Accessibility",
+ "footer.terms.header": "Terms & Conditions",
+ "footer.terms": "Terms",
+ "footer.license": "License",
+ "footer.imprint": "Imprint",
+ "footer.data": "Data Protection",
+ "footer.funding": "Funding",
+ "footer.funding.text": "The SlideWiki project has received funding from the European Union's Horizon 2020 research and innovation programme under grant agreement No 688095",
+ "footer.copyright": "Copyright © 2018 All Rights Reserved",
"header.signin": "Sign In",
"header.signin.mobile": "Sign In",
"header.mydecks.mobile": "Decks",
- "header.myplaylists.mobile": "Playlists",
+ "header.myplaylists.mobile": "Списки воспроизведения",
"header.mygroups.mobile": "Groups",
"header.mysettings.mobile": "Settings",
"header.mynotifications.mobile": "Notifications",
@@ -694,7 +914,7 @@
"contactUs.typeOption_suggestion": "Suggestion",
"contactUs.typeOption_support": "Support Issue",
"contactUs.typeOption_account": "Account Issue",
- "contactUs.typeOption_other": "Other",
+ "contactUs.typeOption_other": "Другое",
"contactUs.form_explanation": "If you wish to contact us, please complete the form below. If you wish to report an issue with a particular deck, please use the Reporting button on the deck.",
"contactUs.form_subheader": "Feedback",
"contactUs.form_type_label": "Type of report:",
@@ -711,9 +931,9 @@
"contactUs.form_description_placeholder": "Please give us more information about.",
"contactUs.form_button": "Send Feedback",
"contactUs.send_swal_text": "Feedback sent. Thank you!",
- "contactUs.send_swal_button": "Close",
+ "contactUs.send_swal_button": "Закрыть",
"contactUs.send_swal_error_text": "An error occured while contacting us. Please try again later.",
- "contactUs.send_swal_error_button": "Close",
+ "contactUs.send_swal_error_button": "Закрыть",
"dataProtection.header": "Statement of Data Protection Conditions",
"dataProtection.p1": "The Fraunhofer-Gesellschaft zur Förderung der angewandten Forschung e.V. (Fraunhofer-Gesellschaft) takes the protection of your personal data very seriously. When we process the personal data that is collected during your visits to our Web site, we always observe the rules laid down in the applicable data protection laws. Your data will not be disclosed publicly by us, nor transferred to any third parties without your consent.",
"dataProtection.p2": "In the following sections, we explain what types of data we record when you visit our Web site, and precisely how they are used:",
@@ -757,11 +977,16 @@
"dataProtection.8.email": "data-protection(at)zv.fraunhofer.de",
"dataProtection.9.header": "9. Acceptance, validity and modification of data protection conditions",
"dataProtection.9.p1": "By using our Web site, you implicitly agree to accept the use of your personal data as specified above. This present statement of data protection conditions came into effect on October 1st, 2013. As our Web site evolves, and new technologies come into use, it may become necessary to amend the statement of data protection conditions. The Fraunhofer-Gesellschaft reserves the right to modify its data protection conditions at any time, with effect as of a future date. We recommend that you re-read the latest version from time to time.",
+ "decklist.featured.alt": "Featured Image.",
"decklist.decklanguage": "Default language",
+ "decklist.decknumberofslides": "Number of slides",
"decklist.forkcount": "Number of forks",
+ "decklist.likecount": "Число \"лайков\"",
+ "decklist.numberofshares": "Number of shares",
+ "decklist.numberofdownloads": "Number of downloads",
"decklist.featured.notavailable": "No featured decks available",
"decklist.recent.notavailable": "No recent decks available",
- "decklist.meta.creator": "Creator",
+ "decklist.meta.creator": "Создатель",
"decklist.meta.date": "Last Modified",
"featured.header": "Featured decks",
"features.screenshot": "screenshot of slide editor interface.",
@@ -796,10 +1021,10 @@
"features.4.header": "Supporting Knowledge Communities",
"features.4.description": "Through a range of interactive and open tools, SlideWiki aims to nurture knowledge communities around the world. Our goal is to significantly increase content available to a world-wide audience. By involve peer-educators in improving and maintaining the quality and attractiveness of your e-learning content SlideWiki can give you a platform to support knowledge communities. With SlideWiki we aim to dramatically improve the efficiency and effectiveness of the collaborative creation of rich learning material for online and offline use.",
"features.4.shareDescks.strong": "Share decks",
- "features.4.comments.strong": "Comments",
- "features.4.download.strong": "Download",
+ "features.4.comments.strong": "Комментарии",
+ "features.4.download.strong": "Загрузить",
"features.4.findMore.link": "help file deck",
- "home.welcome": "Welcome to SlideWiki",
+ "home.welcome": "Добро пожаловать в СлайдВики",
"home.signUp": "Sign Up",
"home.learnMore": "Learn More",
"home.findSlides": "Find slides",
@@ -812,7 +1037,7 @@
"home.sharingSlidesSubtitle": "Present, Share and Communicate",
"home.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
"home.getStarted": "Get started right away.",
- "home.signIn": "Sign in",
+ "home.signIn": "Войти",
"home.getStartedDescription": "Create an account to start creating and sharing your decks.",
"home.decks": "Open educational resources for all learning environments",
"home.schools": "Schools",
@@ -825,8 +1050,36 @@
"home.slideWikiAbout": "The SlideWiki Project",
"home.slideWikiAboutContent": "SlideWiki is an online slideshow tool that offers users the chance to create and collaborate on slides, assessments and to share content as structured open educational resources using a Creative Commons licence. With SlideWiki you can engage with your audience by collaborating with colleagues to co-design and co-create course materials and share your knowledge across the world. SlideWiki is an open-source platform, and all its content can be reused under Creative Commons CC-BY-SA license. SlideWiki development, large-scale trials and underlying research is funded from Framework Programme for Research and Innovation Horizon 2020 under grant agreement no 688095. The project involves 17 partners to develop, test and trial SlideWiki.",
"home.slideWikiAboutVisit": "visit the project website.",
- "home.myDecks": "My Decks.",
+ "home.myDecksLink": "Мои презентации",
"home.seeMoreDecks": "See more decks",
+ "home.leanrMoreSW": "Learn more about SlideWiki",
+ "home.featuredDeck": "Featured Deck",
+ "imprint.licensing.text": "Content on the SlideWiki OCW Authoring platform is licensed under the Creative Commons Attribution-ShareAlike 4.0 International (CC BY-SA 4.0), Creative Commons Attribution 4.0 International (CC BY 4.0), or Creative Commons 1.0 Universal Public Domain Dedication (CC0 1.0) – unless otherwise marked. See the CC {link_licenses} for more information.",
+ "imprint.software.text": "All of SlideWiki’s software code is Open Source software; please check our code repository.",
+ "imprint.header": "Imprint – also serves as provider identification according to § 5 Telemediengesetz (TMG)",
+ "imprint.provider": "Provider",
+ "imprint.representative": "Authorised Representative",
+ "imprint.representative.text": "Prof. Dr. Sören Auer (Director of TIB)",
+ "imprint.representative.text2": "Technische Informationsbibliothek (TIB) is a foundation of public law of the state of Lower Saxony.",
+ "imprint.authority": "Responsible Supervisory Authority",
+ "imprint.authority.text": "Ministry for Science and Culture of Lower Saxony",
+ "imprint.contact": "Contact",
+ "imprint.VAT": "VAT (sales tax) registration number",
+ "imprint.editorialOffice": "Editorial Office",
+ "imprint.copyright": "Copyright",
+ "imprint.copyright.text": "The layout of this website is protected under copyright, as are the graphics and all other contents contained in the website.",
+ "imprint.content": "Content Available",
+ "imprint.content.text1": "Provided as-is:",
+ "imprint.content.text2": "You acknowledge that we do not make any representations or warranties about the material, data, and information, such as data files, text, computer software, code, music, audio files or other sounds, photographs, videos, or other images (collectively, the “Content”) which you may have access to through your use of SlideWiki. Under no circumstances are we liable in any way for any Content, including, but not limited to: any infringing Content, any errors or omissions in Content, or for any loss or damage of any kind incurred as a result of the use of any Content posted, transmitted, linked from, or otherwise accessible through or made available via SlideWiki. You understand that by using SlideWiki, you may be exposed to Content that is offensive, indecent, or objectionable. You agree that you are solely responsible for your reuse of Content made available through SlideWiki. You should review the terms of the applicable license before you use the Content so that you know what you can and cannot do.",
+ "imprint.licensing": "Licensing",
+ "imprint.licenses.page": "licenses page",
+ "imprint.software": "SlideWiki Software",
+ "imprint.repository": "repository",
+ "imprint.content2": "Content Supplied by You",
+ "imprint.content2.text": "Your responsibility: You represent, warrant, and agree that no Content posted or otherwise shared by you on or through SlideWiki (“Your Content”), violates or infringes upon the rights of any third party, including copyright, trademark, privacy, publicity, or other personal or proprietary rights, breaches or conflicts with any obligation, such as a confidentiality obligation, or contains libelous, defamatory, or otherwise unlawful material.",
+ "imprint.licensing.2": "Licensing Your Content: You retain any copyright that you may have in Your Content. You hereby agree that Your Content: (a) is hereby licensed under the Creative Commons Attribution 4.0 License and may be used under the terms of that license or any later version of a Creative Commons Attribution License, or (b) is in the public domain (such as Content that is not copyrightable or Content you make available under CC0), or © if not owned by you, (i) is available under a Creative Commons Attribution 4.0 License or (ii) is a media file that is available under any Creative Commons license.",
+ "imprint.disclaimer": "Disclaimer",
+ "imprint.disclaimer.text": "We cannot assume any liability for the content of external pages. Solely the operators of those linked pages are responsible for their content.",
"licence.ccBySaLicenceLogo": "Creative Commons BY-SA License logo",
"licence.1.p2": "Find out more about the CC BY-SA and access the full license text by viewing the {link_1}.",
"licence.1.3.p2": "{link_1} lists sources of materials published under creative commons licenses. Some media services such as Flickr, YouTube and Vimeo publish some content under creative commons licenses. Content marked “All rights reserved” cannot be included in SlideWiki.",
@@ -858,6 +1111,19 @@
"licence.4.header": "Notices",
"licence.4.p1": "The SlideWiki website and its content are provided \"as is\". We offer no warranties, explicit or implied regarding any content, the webiste or the accuracy of any information. These license may not give you all of the permissions necessary for your intended use. For example, other rights such as publicity, privacy, or moral rights may limit how you use the material. We reserve the right to remove materials and content that we believe to infringe copyright and license requirements.",
"recent.header": "Recent decks added by users",
+ "staticPage.findSlides": "Find slides",
+ "staticPage.findSlidesSubtitle": "Explore the deck",
+ "staticPage.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics.",
+ "staticPage.createSlides": "Create slides",
+ "staticPage.createSlidesSubtitle": "Add and adapt course material",
+ "staticPage.createSlidesContent": "Create a new deck or import existing slides to create HTML slide decks.",
+ "staticPage.sharingSlides": "Share slides",
+ "staticPage.sharingSlidesSubtitle": "Present, Share and Communicate",
+ "staticPage.sharingSlidesContent": "Collaborate on decks with peers. Group decks in playlists and share via social media or email.",
+ "staticPage.getStarted": "Get started right away.",
+ "staticPage.signIn": "Войти",
+ "staticPage.getStartedDescription": "Create an account to start creating and sharing your decks.",
+ "staticPage.myDecks": "My Decks.",
"terms.mainTitle": "Terms of us of SlideWiki",
"terms.summary": "This is a human-readable summary of the Terms of Use for SlideWiki (the project).",
"terms.disclaimer": "Disclaimer: This summary is not a part of the Terms of Use and is not a legal document. It is simply a handy reference for understanding the full terms. Think of it as the user-friendly interface to the legal language of our Terms of Use.",
@@ -881,24 +1147,11 @@
"terms.paragraph1": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Vivamus id nisl magna. Sed a metus vel dui vehicula viverra. Quisque sed tellus at justo semper dictum. Nullam at rutrum leo. Vivamus at aliquam metus. Aliquam nec nunc in libero posuere hendrerit nec at lacus. Nunc malesuada lobortis tortor nec porta. Cras vulputate mollis nisi, at sollicitudin quam eleifend ac. Nam sed venenatis turpis. Sed vestibulum malesuada nunc vitae ultricies. Donec bibendum ultrices facilisis. Mauris sollicitudin mi et vulputate rhoncus.",
"terms.paragraph2": "Mauris tincidunt, urna non aliquam dapibus, enim metus varius tellus, non dignissim urna odio ac augue. Fusce id lacinia ipsum, id egestas dui. Suspendisse nec quam vel mi tincidunt bibendum a vel mauris. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia Curae; Proin magna elit, molestie eu libero ut, bibendum facilisis turpis. Mauris sem lorem, dignissim a ex sit amet, suscipit fermentum turpis. Integer porttitor arcu non porttitor faucibus. Fusce nisi risus, rutrum vitae vulputate vitae, consectetur et nunc. Aliquam placerat ipsum felis, nec fermentum arcu sagittis nec. Aenean imperdiet laoreet quam ac placerat. Ut accumsan tristique elementum. Etiam congue venenatis lorem, malesuada tristique mauris congue vel. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Nam tincidunt libero a nisi consequat sodales.",
"terms.paragraph3": "Aliquam vitae velit iaculis, vestibulum felis eu, lacinia risus. Donec mollis enim nec accumsan tristique. Morbi dapibus condimentum erat quis placerat. Integer velit augue, sodales quis scelerisque nec, facilisis nec velit. Maecenas rhoncus sagittis lectus, vel feugiat nulla aliquet quis. Quisque condimentum sapien nec eros tristique, vitae pulvinar sem tempus. Nulla ut odio id elit accumsan interdum. Maecenas sagittis sed sem a malesuada. Vivamus venenatis ex sed ex pretium, et pellentesque purus vehicula. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egesta",
- "terms.findSlides": "Find slides",
- "terms.findSlidesSubtitle": "Explore the deck lorem ipsum",
- "terms.findSlidesContent": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Aenean eget elit sapien. Nunc semper urna in lectus consectetur fermentum. Vestibulum eu sem pulvinar, sollicitudin ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet aliquam n ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet.",
- "terms.createSlides": "Create slides",
- "terms.createSlidesSubtitle": "Learn how to create slides with SlideWiki",
- "terms.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
- "terms.sharingSlides": "Sharing slides",
- "terms.sharingSlidesSubtitle": "Present, Share and Communicate",
- "terms.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
- "terms.getStarted": "Get started right away.",
- "terms.signIn": "Sign in",
- "terms.getStartedDescription": "Create an account to start creating and sharing your decks.",
- "terms.myDecks": "My Decks.",
"welcome.3.slideshowMode": "Use the {strong} to view a deck as a slideshow. Includes a timer and speaker notes&apo; view.",
"welcome.3.shareDecks": "{strong} via social media or email.",
"welcome.3.comments": "Add {strong} to decks and slides to interact with other learners.",
"welcome.3.download": "{download} decks in PDF, ePub or SCORM format.",
- "welcome.header": "Welcome to SlideWiki",
+ "welcome.header": "Добро пожаловать в СлайдВики",
"welcome.div1": "Thank you for signing up to SlideWiki. Now your account has been created, you can get started with creating, enhancing and sharing open educational resources.",
"welcome.1.header": "1. Create a deck",
"welcome.1.p1": "Start creating your own slide deck by selecting the Add deck button.",
@@ -917,16 +1170,16 @@
"welcome.3.p1": "There are many ways that you and your students can engage and interact with slides and decks.",
"welcome.3.slideshowMode.strong": "Slideshow mode",
"welcome.shareDecks.strong": "Share decks",
- "welcome.3.comments.strong": "Comments",
- "welcome.3.download.strong": "Download",
+ "welcome.3.comments.strong": "Комментарии",
+ "welcome.3.download.strong": "Загрузить",
"importFileModal.modal_header": "Upload your presentation",
"importFileModal.swal_button": "Accept",
"importFileModal.swal_message": "This file is not supported. Please, remember only pptx, odp, and zip (HTML download) files are supported.",
- "importFileModal.modal_selectButton": "Select file",
- "importFileModal.modal_uploadButton": "Upload",
+ "importFileModal.modal_selectButton": "Выберите файл",
+ "importFileModal.modal_uploadButton": "Загрузить",
"importFileModal.modal_explanation1": "Select your presentation file and upload it to SlideWiki.",
"importFileModal.modal_explanation2": "Only PowerPoint (.pptx), OpenOffice (.odp) and SlideWiki HTML (.zip - previously downloaded/exported) are supported (Max size:",
- "importFileModal.modal_cancelButton": "Cancel",
+ "importFileModal.modal_cancelButton": "Отмена",
"userSignIn.errormessage.isSPAM": "Your account was marked as SPAM thus you are not able to sign in. Contact us directly for reactivation.",
"userSignIn.errormessage.notFound": "The credentials are unknown. Please retry with another input.",
"userSignIn.errormessage.deactivatedOrUnactivated": "Your user account either have to be activated via the activation link in your email or is deactivated in general.",
@@ -934,12 +1187,16 @@
"LoginModal.placeholder.email": "E-Mail",
"LoginModal.placeholder.password": "Password",
"userSignIn.headerText": "Sign In",
+ "LoginModal.aria.google": "sign in with your Google account",
+ "LoginModal.aria.github": "sign in with your Github account",
"LoginModal.label.email": "E-Mail",
"LoginModal.label.password": "Password",
"LoginModal.button.signIn": "Sign In",
"LoginModal.text.iCannotAccessMyAccount": "I can not access my account",
"LoginModal.text.dontHaveAnAccount": "Don't have an account? Sign up here.",
- "LoginModal.button.close": "Close",
+ "LoginModal.button.close": "Закрыть",
+ "Migrate.text1": "We are merging your user account. This will take just a few seconds.",
+ "Migrate.text2": "You will be directed to next view.",
"resetPassword.mailprompt": "Please enter your email address",
"resetPassword.mailprompt2": "Please enter a valid email address",
"resetPassword.mailreprompt": "Please reenter your email address",
@@ -947,20 +1204,33 @@
"resetPassword.captchaprompt": "Please verify that you're a human",
"resetPassword.swalTitle1": "Success!",
"resetPassword.swalText1": "Your password is now an automated created one. Please check your inbox.",
- "resetPassword.swalClose1": "Close",
- "resetPassword.swalTitle2": "Error",
+ "resetPassword.swalClose1": "Закрыть",
+ "resetPassword.swalTitle2": "Ошибка",
"resetPassword.swalText2": "There was a special error. The page will now be reloaded.",
"resetPassword.swalButton2": "Reload page",
- "resetPassword.swalTitle3": "Information",
+ "resetPassword.swalTitle3": "Информация",
"resetPassword.swalText3": "This email address is unknown. Please check the spelling.",
"resetPassword.resetPW": "Reset Password",
"resetPassword.mail": "Email *",
"resetPassword.remail": "Re-enter email *",
- "resetPassword.loading": "Loading",
+ "resetPassword.loading": "Идет загрузка",
"resetPassword.reset": "Reset my password now",
"SSOSignIn.errormessage.isForbidden": "Migration is not possible with this user. Please start all over again.",
"SSOSignIn.errormessage.accountNotFound": "This account was not prepared for migration. Please start all over again.",
"SSOSignIn.errormessage.badImplementation": "An unknown error occurred.",
+ "socialLogin.text1": "We are acquiring your data. This will take just a few seconds.",
+ "socialLogin.text2": "This window will close automatically.",
+ "UserMenuDropdown.mydecks": "Мои презентации",
+ "UserMenuDropdown.decks": "Decks",
+ "UserMenuDropdown.myplaylists": "My Playlists",
+ "UserMenuDropdown.playlists": "Списки воспроизведения",
+ "UserMenuDropdown.mygroups": "Мои группы",
+ "UserMenuDropdown.groups": "Groups",
+ "UserMenuDropdown.mySettings": "Мои настройки",
+ "UserMenuDropdown.settings": "Settings",
+ "UserMenuDropdown.myNotifications": "Мои уведомления",
+ "UserMenuDropdown.notifications": "Notifications",
+ "UserMenuDropdown.signout": "Sign Out",
"paintModal.title": "Draw your own SVG image",
"paintModal.primaryColourInput": "Primary colour:",
"paintModal.secondaryColourInput": "Secondary colour:",
@@ -968,9 +1238,9 @@
"paintModal.transparencyInput": "Object Transparency:",
"paintModal.drawingMode": "Drawing Mode",
"paintModal.selectMode": "Select Mode",
- "paintModal.addToSlide": "Add to Slide",
+ "paintModal.addToSlide": "Добавить к слайду",
"oaintModal.paintHeading": "Draw and Paint",
- "paintModal.licenseHeading": "License information",
+ "paintModal.licenseHeading": "Информация о лицензировании",
"paintModal.undo": "Undo",
"paintModal.redo": "Redo",
"paintModal.bringForwards": "Bring Forwards",
@@ -984,24 +1254,24 @@
"paintModal.addTriangle": "Add Triangle",
"paintModal.addArrow": "Add Arrow",
"paintModal.instruction": "Draw inside the canvas using the tools provided.",
- "paintModal.copyrightholder": "Copyrightholder",
- "paintModal.imageAttribution": "Image created by/ attributed to:",
- "paintModal.imageTitle": "Title:",
- "paintModal.imageTitleAria": "Title of the image",
+ "paintModal.copyrightholder": "Владелец лицензии",
+ "paintModal.imageAttribution": "Кем изображение создано/(кому принадлежит): ",
+ "paintModal.imageTitle": "Название:",
+ "paintModal.imageTitleAria": "Название изображения:",
"paintModal.imageDescription": "Description/Alt Text:",
- "paintModal.imageDescriptionAria": "Description of the image",
- "paintModal.imageDescriptionQuestion": "What does the picture mean?",
+ "paintModal.imageDescriptionAria": "Краткое описание изображения",
+ "paintModal.imageDescriptionQuestion": "Что означает эта картинка?",
"paintModal.chooseLicense": "Choose a license:",
- "paintModal.selectLicense": "Select a license",
- "paintModal.agreementAria": "Agree to terms and conditions",
- "paintModal.agreement1": "I confirm that I have the rights to upload this image as per the SlideWiki",
- "paintModal.agreement2": "terms and conditions",
- "paintModal.agreement3": "and that the",
- "paintModal.agreement4": "license information",
- "paintModal.agreement5": "I have provided is correct.",
+ "paintModal.selectLicense": "Выберите лицензию",
+ "paintModal.agreementAria": "Согласен с условиями использования",
+ "paintModal.agreement1": "Я подтверждаю, что обладаю правами на загрузку этого изображения, согласно СлайдВики",
+ "paintModal.agreement2": "условиям использования",
+ "paintModal.agreement3": "и ",
+ "paintModal.agreement4": "информация о лицензии",
+ "paintModal.agreement5": "которую я предоставил является правдивой.",
"paintModal.paintButton": "Paint",
- "paintModal.upload": "Upload",
- "paintModal.cancel": "Cancel",
+ "paintModal.upload": "Загрузить",
+ "paintModal.cancel": "Отмена",
"reportModal.input_name": "Name",
"reportModal.modal_title": "Report legal or spam issue with",
"reportModal.modal_title_2": "content",
@@ -1013,34 +1283,34 @@
"reportModal.explanation": "Explanation",
"reportModal.explanation_placeholder": "Please give a short explanation about your report",
"reportModal.send_button": "Send",
- "reportModal.cancel_button": "Cancel",
+ "reportModal.cancel_button": "Отмена",
"reportModal.swal_title": "Deck Report",
"reportModal.send_swal_text": "Report sent. Thank you!",
- "reportModal.send_swal_button": "Close",
+ "reportModal.send_swal_button": "Закрыть",
"reportModal.send_swal_error_text": "An error occured while sending the report. Please try again later.",
- "reportModal.send_swal_error_button": "Close",
+ "reportModal.send_swal_error_button": "Закрыть",
"HeaderSearchBox.placeholder": "Search",
"KeywordsInputWithFilter.allContentOption": "All Content",
- "KeywordsInputWithFilter.titleOption": "Title",
- "KeywordsInputWithFilter.descriptionOption": "Description",
+ "KeywordsInputWithFilter.titleOption": "Заголовок",
+ "KeywordsInputWithFilter.descriptionOption": "Описание",
"KeywordsInputWithFilter.contentOption": "Content",
"SearchPanel.header": "Search SlideWiki",
"SearchPanel.searchTerm": "Search Term",
"SearchPanel.KeywordsInput.placeholder": "Type your search terms here",
"SearchPanel.filters.searchField.title": "Search Field",
"SearchPanel.filters.searchField.placeholder": "Select Search Field",
- "SearchPanel.filters.searchField.option.title": "Title",
- "SearchPanel.filters.searchField.option.description": "Description",
+ "SearchPanel.filters.searchField.option.title": "Заголовок",
+ "SearchPanel.filters.searchField.option.description": "Описание",
"SearchPanel.filters.searchField.option.content": "Content",
"SearchPanel.filters.searchField.option.speakernotes": "Speakernotes",
"SearchPanel.filters.entity.title": "Entity",
"SearchPanel.filters.entity.placeholder": "Select Entity",
- "SearchPanel.filters.entity.option.slide": "Slide",
- "SearchPanel.filters.entity.option.deck": "Deck",
- "SearchPanel.filters.language.title": "Language",
+ "SearchPanel.filters.entity.option.slide": "Слайд",
+ "SearchPanel.filters.entity.option.deck": "презентация",
+ "SearchPanel.filters.language.title": "Язык",
"SearchPanel.filters.language.placeholder": "Select Language",
"SearchPanel.filters.language.option.dutch": "Dutch",
- "SearchPanel.filters.language.option.english": "English",
+ "SearchPanel.filters.language.option.english": "Анлийский",
"SearchPanel.filters.language.option.german": "German",
"SearchPanel.filters.language.option.greek": "Greek",
"SearchPanel.filters.language.option.italian": "Italian",
@@ -1051,27 +1321,31 @@
"SearchPanel.filters.language.option.lithuanian": "Lithuanian",
"SearchPanel.filters.users.title": "Owners",
"SearchPanel.filters.users.placeholder": "Select Users",
- "SearchPanel.filters.tags.title": "Tags",
+ "SearchPanel.filters.tags.title": "Тэги",
"SearchPanel.filters.tags.placeholder": "Select Tags",
- "SearchPanel.button.submit": "Submit",
+ "SearchPanel.button.submit": "Отправить",
+ "DeckFilter.Tag.Topic": "Область знаний",
+ "DeckFilter.Education": "Образовательный уровень",
"Facets.languagesFacet": "Languages",
"Facets.ownersFacet": "Owners",
- "Facets.tagsFacet": "Tags",
+ "Facets.tagsFacet": "Тэги",
+ "Facets.educationLevelFacet": "Education Levels",
+ "Facets.topicsFacet": "Subjects",
"Facets.showMore": "show more",
"Facets.showLess": "show less",
"SearchResultsItem.otherVersions.deck": "Deck Version {index}: {title}",
"SearchResultsItem.otherVersions.slide": "Also in Deck: {title}",
- "SearchResultsItem.by": "by",
+ "SearchResultsItem.by": " ",
"SearchResultsItem.lastModified": "Last modified",
- "SearchResultsItem.description": "Description",
+ "SearchResultsItem.description": "Описание",
"SearchResultsItem.otherVersionsMsg": "Other versions available ({count})",
"SearchResultsItem.otherVersionsHeader": "Other matching versions",
"SearchResultsPanel.sort.relevance": "Relevance",
- "SearchResultsPanel.sort.lastUpdated": "Last updated",
+ "SearchResultsPanel.sort.lastUpdated": "Последний обновленный",
"SearchResultsPanel.header": "Results",
"SearchResultsPanel.noResults": "No results found for the specified input parameters",
"SearchResultsPanel.loadMore": "Load More",
- "SearchResultsPanel.loading": "Loading",
+ "SearchResultsPanel.loading": "Идет загрузка",
"SearchResultsPanel.results.message": "Displaying {resultsNum} out of {totalResults} results",
"SearchResultsPanel.error": "An error occured while fetching search results",
"SearchResultsPanel.filters": "Filters",
@@ -1090,11 +1364,11 @@
"SSOSignIn.errormessage.deactivatedOrUnactivated": "Your user account either have to be activated via the activation link in your email or is deactivated in general.",
"CategoryBox.personalSettings": "Personal settings",
"CategoryBox.profile": "Profile",
- "CategoryBox.account": "Account",
+ "CategoryBox.account": "Accounts",
"CategoryBox.authorizedAccounts": "Authorized Accounts & Services",
"CategoryBox.userStats": "User Stats",
"CategoryBox.groups": "Groups",
- "CategoryBox.myGroups": "My Groups",
+ "CategoryBox.myGroups": "Мои группы",
"ChangePassword.passwordMismatch": "Your passwords do not match",
"ChangePassword.passwordToolTipp": "This is not the password you entered before - Please try again",
"ChangePassword.newPasswordTitle": "Your password should contain 8 characters or more",
@@ -1112,7 +1386,7 @@
"ChangePersonalData.country": "Country",
"ChangePersonalData.organization": "Organization",
"ChangePersonalData.bio": "Biography",
- "ChangePersonalData.loading": "Loading",
+ "ChangePersonalData.loading": "Идет загрузка",
"ChangePersonalData.submit": "Submit Changes",
"ChangePicture.modalTitle": "Big file",
"ChangePicture.modalText": "The selected file is quite big (> 10MB). This could cause problems like a white profile picture. You should upload a smaller picture if you notice strange things.",
@@ -1124,8 +1398,8 @@
"ChangePictureModal.modalTitle": "Photo selection not processible!",
"ChangePictureModal.modalText": "Sorry, we could not process your chosen selection. Please try again with a different photo or selection.",
"ChangePictureModal.description": "This modal is used to crop and save a picture meant to be used as a user-profile picture.",
- "ChangePictureModal.cancel": "Cancel",
- "ChangePictureModal.save": "Save",
+ "ChangePictureModal.cancel": "Отмена",
+ "ChangePictureModal.save": "Сохранить",
"ChangePictureModal.modalHeader": "Crop your image",
"DeactivateAccount.modalHeading": "Deactivate SlideWiki Account",
"DeactivateAccount.modalHeader": "Are you sure you want to deactivate your SlideWiki Account?",
@@ -1133,27 +1407,28 @@
"DeactivateAccount.infoMessage1": "In case you deactivate your account, all of your data will remain. This includes your user data, your authorship of decks and slides, your linked social providers and also your authorship of any comments and discussions.",
"DeactivateAccount.infoMessage2": "This is reversible, but needs an administrator to re-activate your account!",
"DeactivateAccount.button1": "Deactivate my account",
- "DeactivateAccount.modalCancel": "Cancel",
+ "DeactivateAccount.modalCancel": "Отмена",
"DeactivateAccount.modalSubmit": "Deactivate account",
"user.deck.linkLabelUnlisted": "Unlisted deck: {title}. Last updated {update} ago",
"user.deck.linkLabel": "Deck: {title}. Last updated {update} ago",
- "user.deckcard.likesnumber": "Number of likes",
- "user.deckcard.lastupdate": "Last updated",
- "user.deckcard.opendeck": "Open deck",
- "user.deckcard.slideshow": "Open slideshow in new tab",
+ "user.deckcard.likesnumber": "Число \"лайков\"",
+ "user.deckcard.lastupdate": "Последний обновленный",
+ "user.deckcard.opendeck": "Открыть презентацию",
+ "user.deckcard.slideshow": "Открыть слайд-шоу в новой вкладке",
"user.deckcard.unlisted": "Unlisted",
- "Integration.swalTitle3": "Error",
+ "user.populardecks.notavailable": "No decks available",
+ "Integration.swalTitle3": "Ошибка",
"Integration.swalText3": "The provider hasn't been disabled, because something unexpected happened. Please try again later.",
"Integration.swalbutton3": "Confirmed",
"Integration.swalText4": "The provider hasn't been added, because something unexpected happened. Please try again later.",
"Integration.swalText5": "The provider you wanted to add is already assigned to another user. Do you have another user account at SlideWiki?",
"Integration.swalTitle5": "Duplication",
- "Integration.swalTitle2": "Error",
+ "Integration.swalTitle2": "Ошибка",
"Integration.swalText2": "You are not allowed to disable all providers.",
"Integration.swalbutton2": "Confirmed",
- "Integration.swalTitle1": "Error",
+ "Integration.swalTitle1": "Ошибка",
"Integration.swalText1": "The data from {provider} was incomplete. In case you want to use this provider, please add an e-mail address at the provider itself and try again at SlideWiki.",
- "Integration.swalbutton1": "Confirm",
+ "Integration.swalbutton1": "Подтвердить",
"Integration.text_providerEnabled": "This provider is enabled and you may use it.",
"Integration.text_providerDisabled": "This provider is currently disabled. To enable it, click on the button next to it.",
"Integration.hint": "Hint",
@@ -1163,44 +1438,45 @@
"Integration.enableGoogle": "Enable",
"Integration.disableGithub": "Disable",
"Integration.enableGithub": "Enable",
- "Integration.loading": "loading",
- "user.populardecks.notavailable": "No decks available",
+ "Integration.loading": "загрузка",
+ "Integration.ltis": "Learning Services (LTIs)",
+ "Integration.myLTIs": "My Learning Services",
"user.userProfile.privatePublicProfile.allStatus": "All",
"user.userProfile.privatePublicProfile.publicStatus": "Published",
"user.userProfile.privatePublicProfile.hiddenStatus": "Unlisted",
"user.userProfile.privatePublicProfile.publicationStatus": "Publication status",
- "UserDecks.sort.lastUpdated": "Last updated",
- "UserDecks.sort.date": "Creation date",
- "UserDecks.sort.title": "Title",
- "UserDecks.header.myDecks": "My Decks",
+ "UserDecks.sort.lastUpdated": "Последний обновленный",
+ "UserDecks.sort.date": "Дата создания",
+ "UserDecks.sort.title": "Заголовок",
+ "UserDecks.header.myDecks": "Мои презентации",
"UserDecks.header.ownedDecks": "Owned Decks",
"UserDecks.header.sharedDecks": "Shared Decks",
"user.userProfile.userDecks.loadMore": "Load More",
- "user.userProfile.userDecks.loading": "Loading",
+ "user.userProfile.userDecks.loading": "Идет загрузка",
"user.userProfile.userDecks.error": "An unexpected error occurred while fetching more decks",
- "UserMenu.myDecks": "My Decks",
+ "UserMenu.myDecks": "Мои презентации",
"UserMenu.ownedDecks": "Owned Decks",
"UserMenu.sharedDecks": "Shared Decks",
- "UserMenu.collections": "Playlists",
+ "UserMenu.collections": "Списки воспроизведения",
"UserMenu.ownedCollections": "Owned Playlists",
- "UserMenu.recommendedDecks": "Recommended Decks",
+ "UserMenu.recommendedDecks": "Рекомендованные презентации",
"UserMenu.stats": "User Stats",
- "UserGroups.error": "Error",
+ "UserGroups.error": "Ошибка",
"UserGroups.unknownError": "Unknown error while saving.",
- "UserGroups.close": "Close",
+ "UserGroups.close": "Закрыть",
"UserGroups.msgError": "Error while deleting the group",
"UserGroups.msgErrorLeaving": "Error while leaving the group",
"UserGroups.member": "Member",
"UserGroups.members": "Members",
"UserGroups.groupSettings": "Group settings",
- "UserGroups.groupDetails": "Group details",
+ "UserGroups.groupDetails": "Детали группы",
"UserGroups.notAGroupmember": "Not a member of a group.",
- "UserGroups.loading": "Loading",
+ "UserGroups.loading": "Идет загрузка",
"UserGroups.groups": "Groups",
"UserGroups.createGroup": "Create new group",
"UserProfile.swalTitle1": "Changes have been applied",
"UserProfile.swalTitle2": "Your Account has been deleted",
- "UserProfile.swalTitle3": "Error",
+ "UserProfile.swalTitle3": "Ошибка",
"UserProfile.swalText3": "Something went wrong",
"UserProfile.swalButton3": "Ok",
"UserProfile.exchangePicture": "Exchange picture",
@@ -1208,13 +1484,21 @@
"UserProfile.changePassword": "Change password",
"UserProfile.deactivateAccount": "Deactivate Account",
"user.userRecommendations.changeOrder": "change order",
- "user.userRecommendations.loading": "Loading",
- "user.userRecommendations.recommendedDecks": "Recommended Decks",
+ "user.userRecommendations.loading": "Идет загрузка",
+ "user.userRecommendations.recommendedDecks": "Рекомендованные презентации",
"user.userRecommendations.ranking": "Ranking",
- "user.userRecommendations.lastUpdated": "Last updated",
- "user.userRecommendations.creationDate": "Creation date",
- "user.userRecommendations.title": "Title",
+ "user.userRecommendations.lastUpdated": "Последний обновленный",
+ "user.userRecommendations.creationDate": "Дата создания",
+ "user.userRecommendations.title": "Заголовок",
+ "Stats.userStatsTitle": "User Statistics",
"Stats.tagCloudTitle": "Popular Tags",
+ "Stats.userEngagementTitle": "User Engagement Overview",
+ "Stats.activeEngagement": "Active Engagement",
+ "Stats.passiveEngagement": "Passive Engagement",
+ "Stats.socialEngagement": "Social Engagement",
+ "Stats.activeEngagementDesc": "The degree of active participation based on the user's content creation history",
+ "Stats.passiveEngagementDesc": "The degree of passive participation based on the user's content usage",
+ "Stats.socialEngagementDesc": "The degree of social interaction through SW content",
"UserRegistration.firstName_prompt": "Please enter your first name",
"UserRegistration.lastName_prompt": "Please enter your last name",
"UserRegistration.userName_prompt": "Please select your username",
@@ -1231,7 +1515,7 @@
"UserRegistration.reenterPassword_prompt": "Please enter your password again",
"UserRegistration.noMatchReenterPassword_error": "Your password does not match",
"UserRegistration.recaptcha_prompt": "Please verify that you are a human",
- "UserRegistration.swal_title": "Information",
+ "UserRegistration.swal_title": "Информация",
"UserRegistration.swal_text": "Signing up with this provider failed because you are already registered at SlideWiki with this provider. Either sign in or sign up with another provider if you wish to create a new account.",
"UserRegistration.swal_confirmButton": "Login",
"UserRegistration.swal_cancelButton": "Register",
@@ -1239,12 +1523,12 @@
"UserRegistration.swal2_text": "These provider credentials are already used by a deactivated user. To reactivate a specific user please contact us directly.",
"UserRegistration.swal3_title": "Thanks for signing up!",
"UserRegistration.swal3_text": "Thank you. You have successfully registered. Please sign in with your new credentials.",
- "UserRegistration.swal3_confirmButton": "Close",
+ "UserRegistration.swal3_confirmButton": "Закрыть",
"UserRegistration.swal4_title": "Error!",
- "UserRegistration.swal5_title": "Error",
+ "UserRegistration.swal5_title": "Ошибка",
"UserRegistration.swal5_text": "The data from",
"UserRegistration.swal5_text2": "was incomplete. In case you want to use this provider, please add an e-mail address at the provider itself and try again.",
- "UserRegistration.swal5_confirmButton": "Confirm",
+ "UserRegistration.swal5_confirmButton": "Подтвердить",
"UserRegistration.modal_title": "Sign Up",
"UserRegistration.modal_subtitle": "Sign Up with a Social Provider",
"UserRegistration.modal_googleButton": "Sign up with Google",
@@ -1264,6 +1548,11 @@
"UserRegistration.form_terms": "By clicking Sign Up, you agree to our",
"UserRegistration.form_terms2": "Terms",
"UserRegistration.noAccess": "I can not access my account",
+ "UserRegistration.emailRegistered": "This E-Mail has already been registered by someone else. Please use another one.",
+ "UserRegistration.usernameRegistered": "This Username has already been registered by someone else. Please choose another one.",
+ "UserRegistration.username.suggestion": "Here are some suggestions:",
+ "UserRegistration.SSO.title": "Sign up with an account of another SlideWiki instance",
+ "UserRegistration.SSO.aria": "Sign up with another SlideWiki instance",
"UserRegistrationSocial.firstnameprompt": "Please enter your first name",
"UserRegistrationSocial.lastnameprompt": "Please enter your last name",
"UserRegistrationSocial.usernameprompt": "Please select your username",
@@ -1273,11 +1562,12 @@
"UserRegistrationSocial.mailprompt": "Please enter your email address",
"UserRegistrationSocial.mailprompt2": "Please enter a valid email address",
"UserRegistrationSocial.mailprompt3": "The email address is already in use",
- "UserRegistrationSocial.genericError": "An error occured. Please try again later.",
+ "UserRegistrationSocial.genericError": "Произошла ошибка. Пожалуйста, попробуйте снова.",
"UserRegistrationSocial.error": "Social Login Error",
- "UserRegistrationSocial.confirm": "OK",
+ "UserRegistrationSocial.confirm": "ОК",
"UserRegistrationSocial.emailNotAllowed": "This E-Mail has already been used by someone else. Please choose another one.",
"UserRegistrationSocial.usernameNotAllowed": "This Username has already been used by someone else. Please choose another one.",
+ "UserRegistrationSocial.usernamesuggestion": "Here are some suggestions:",
"UserRegistrationSocial.validate": "Validate user information",
"UserRegistrationSocial.fname": "First name *",
"UserRegistrationSocial.lname": "Last name *",
@@ -1285,7 +1575,7 @@
"UserRegistrationSocial.email": "Email *",
"UserRegistrationSocial.signup": "Sign Up",
"UserRegistrationSocial.account": "I can not access my account",
- "UserRegistrationSocial.cancel": "Cancel",
+ "UserRegistrationSocial.cancel": "Отмена",
"ChangePicture.Groups.modalTitle": "Big file",
"ChangePicture.Groups.modalText": "The selected file is quite big (> 10MB). This could cause problems like a white profile picture. You should upload a smaller picture if you notice strange things.",
"ChangePicture.Groups.modalTitle2": "Wrong file type",
@@ -1295,32 +1585,32 @@
"ChangeGroupPictureModal.modalTitle": "Photo selection not processible!",
"ChangeGroupPictureModal.modalText": "Sorry, we could not process your chosen selection. Please try again with a different photo or selection.",
"ChangeGroupPictureModal.description": "This modal is used to crop and save a picture meant to be used as a group picture.",
- "ChangeGroupPictureModal.cancel": "Cancel",
- "ChangeGroupPictureModal.save": "Save",
+ "ChangeGroupPictureModal.cancel": "Отмена",
+ "ChangeGroupPictureModal.save": "Сохранить",
"ChangeGroupPictureModal.modalHeader": "Crop your image",
- "GroupDecks.sort.lastUpdated": "Last updated",
- "GroupDecks.sort.date": "Creation date",
- "GroupDecks.sort.title": "Title",
+ "GroupDecks.sort.lastUpdated": "Последний обновленный",
+ "GroupDecks.sort.date": "Дата создания",
+ "GroupDecks.sort.title": "Заголовок",
"GroupDecks.header.sharedDecks": "Shared decks edited by this group",
- "UserGroupEdit.error": "Error",
+ "UserGroupEdit.error": "Ошибка",
"UserGroupEdit.unknownError": "Unknown error while saving.",
- "UserGroupEdit.close": "Close",
+ "UserGroupEdit.close": "Закрыть",
"UserGroupEdit.messageGroupName": "Group name required.",
"UserGroupEdit.createGroup": "Create Group",
"UserGroupEdit.editGroup": "Edit Group",
"UserGroupEdit.messageUsericon": "The username is a link which will open a new browser tab. Close it when you want to go back to the form and list.",
"UserGroupEdit.groupOwner": "Group owner",
- "UserGroupEdit.unknownOrganization": "Unknown organization",
+ "UserGroupEdit.unknownOrganization": "Неизвестная организация",
"UserGroupEdit.unknownCountry": "Unknown country",
"UserGroupEdit.groupName": "Group Name",
- "UserGroupEdit.description": "Description",
+ "UserGroupEdit.description": "Описание",
"UserGroupEdit.addUser": "Add user",
"UserGroupEdit.saveGroup": "Save Group",
"UserGroupEdit.deleteGroup": "Delete Group",
"UserGroupEdit.leaveGroup": "Leave Group",
- "UserGroupEdit.loading": "Loading",
+ "UserGroupEdit.loading": "Идет загрузка",
"UserGroupEdit.members": "Members",
- "UserGroupEdit.details": "Group details",
+ "UserGroupEdit.details": "Детали группы",
"UserGroupEdit.unsavedChangesAlert": "You have unsaved changes. If you do not save the group, it will not be updated. Are you sure you want to exit this page?",
"UserGroupEdit.joined": "Joined {time} ago",
"GroupDetails.exchangePicture": "Group picture",
@@ -1331,4 +1621,4 @@
"GroupMenu.settings": "Group Settings",
"GroupMenu.stats": "Group Stats",
"UserGroupPage.goBack": "Return to My Groups List"
-}
+}
\ No newline at end of file
diff --git a/intl/sr.json b/intl/sr.json
index ef7616b5a..7d139afb3 100644
--- a/intl/sr.json
+++ b/intl/sr.json
@@ -8,12 +8,12 @@
"AddDeck.progress.slides": "слајдова",
"AddDeck.swal.success_title_text": "Дек је креиран!",
"AddDeck.swal.success_text": "Фајл је учитан и нови дек је креиран.",
- "AddDeck.swal.preview_text": "Here is a preview of your slides. It may take a few seconds for the images to be created. You can use the tab key to move through the images.",
- "AddDeck.swal.success_text_extra": "This new deck will not be visible to others in your decks page or in search results until published.",
- "AddDeck.swal.success_confirm_text": "Complete import",
+ "AddDeck.swal.preview_text": "Ово је преглед Ваших слајдова. Може трајати неколико секунди да се слике генеришу. Можете користити таб тастер за кретање кроз слике.",
+ "AddDeck.swal.success_text_extra": "Овај нови дек неће бити видљив осталим корисницима на Вашој страни са дековима или у резултатима претрага, док не буде публикован.",
+ "AddDeck.swal.success_confirm_text": "Заврши учитавање",
"AddDeck.swal.success_reject_text": "Покушај поново",
"AddDeck.swal.success_imported_slides_text": "Учитани слајдови:",
- "AddDeck.swal.success_publish_deck_text": "Publish your deck for it to show in search results immediately (publishing occurs after a few seconds)",
+ "AddDeck.swal.success_publish_deck_text": "Публикујте одмах свој дек да би био видљив у резултатима претрага (публикација је готова за пар секунди)",
"AddDeck.swal.error_title_text": "Грешка",
"AddDeck.swal.error_text": "Дошло је до проблема са учитавањем овог фајла. Молимо, покушајте поново.",
"AddDeck.swal.error_confirm_text": "Затвори",
@@ -22,13 +22,16 @@
"AddDeck.form.hint_language": "Молимо изаберите језик.",
"AddDeck.form.selected_message": "(Изабран фајл: {filename})",
"AddDeck.form.button_create": "Креирај дек",
- "AddDeck.form.metadata": "Please select from the following lists to specify the education level and subject area of your deck. You can find out more about these options in our {link_help}.",
+ "AddDeck.form.metadata": "Молимо изаберите из следећих листа едукациони ниво и сиже Вашег дека. О овим опцијама можете више сазнати на страници {link_help}.",
"AddDeck.form.heading": "Додај дек у SlideWiki",
"AddDeck.form.label_title": "Наслов",
"AddDeck.form.label_language": "Језик",
"AddDeck.form.label_themes": "Изаберите тему за дек",
"AddDeck.form.label_description": "Опис",
- "add.help": "Help decks",
+ "add.help": "Помоћни декови",
+ "AddDeck.sr.education": "Изабери едукациони ниво садржаја дека",
+ "AddDeck.sr.subject": "Изаберите сиже дека из из понуђених опција. Више опција може бити изабрано",
+ "AddDeck.sr.tags": "Додајте тагове и кључне речи за Ваш дек. Можете додати више тагова.",
"DeckProperty.Education.Choose": "Изабери едукациони ниво",
"DeckProperty.Tag.Topic.Choose": "Изабери сиже",
"DeckProperty.Tag.Choose": "Изабери тагове",
@@ -37,6 +40,9 @@
"AddDeck.form.label_terms2": "условима",
"AddDeck.form.label_terms3": "и да ће садржај који учитам, креирам и модификујем бити објављен под лиценцом Creative Commons ShareAlike.",
"AddDeck.form.label_termsimages": "Слажем се да су слике унутар мојих учитаних слајдова у оквиру јавних домена или су расположиве под лиценцом Creative Commons Attribution (CC-BY or CC-BY-SA) .",
+ "activationMessages.swalTitle": "Налог је активиран",
+ "activationMessages.swalText": "Ваш налог је успешно активиран. Сада можете да се улогујете.",
+ "activationMessages.swalConfirm": "Затвори",
"header.cookieBanner": "Овај сајт користи колачиће.",
"CountryDropdown.placeholder": "Изаберите своју земљу",
"CountryDropdown.Afghanistan": "Авганистан",
@@ -289,19 +295,19 @@
"LanguageDropdown.tooltip": "Још више у будућности",
"LanguageDropdown.placeholder": "Изаберите свој језик",
"uploadMediaModal.swal_error_title": "Грешка",
- "uploadMediaModal.swal_error_text": "Reading the selected file failed. Check you privileges and try again",
- "uploadMediaModal.drop_message1": "Drop a file directly from your filebrowser here to upload it.",
+ "uploadMediaModal.swal_error_text": "Читање изабраног фајла није успело. Проверите своје привилегије и покушајте поново",
+ "uploadMediaModal.drop_message1": "Спустите фајл овде директно из изборника фајлова да би га учитали.",
"uploadMediaModal.drop_message2": "Алтернативно, кликните",
- "uploadMediaModal.drop_message3": "or anywhere around this text to select a file to upload.",
- "uploadMediaModal.drop_message4": "Not the right image? Click on the image to upload another one.",
+ "uploadMediaModal.drop_message3": "или било где око овог текста да би селектовали фајл за учитавање.",
+ "uploadMediaModal.drop_message4": "Није права слика? Кликните на слику да бисте учитали другу.",
"uploadMediaModal.upload_button_aria": "изаберите фајл за учитавање",
"uploadMediaModal.upload_button_label": "Изаберите фајл",
"uploadMediaModal.modal_heading1": "Додај слику - учитајте датотеку са сликом из Вашег рачунара",
- "uploadMediaModal.modal_description1": "This modal is used to upload media files and to provide additional information about these.",
+ "uploadMediaModal.modal_description1": "Овај модални дијалог се користи за учитавање медијских фајлова и за прикупљање додатних информација.",
"uploadMediaModal.modal_heading2": "Информације о лиценци",
- "uploadMediaModal.modal_description2": "Please confirm the title, alt text and licence for this image.",
- "uploadMediaModal.copyrightHolder_label": "Image created by/ attributed to:",
- "uploadMediaModal.copyrightHolder_aria_label": "Copyrightholder",
+ "uploadMediaModal.modal_description2": "Молимо потврдите назив, алт текст и лиценцу за ову слику.",
+ "uploadMediaModal.copyrightHolder_label": "Слика креирана/приписана:",
+ "uploadMediaModal.copyrightHolder_aria_label": "Власник права",
"uploadMediaModal.media_title_label": "Наслов:",
"uploadMediaModal.media_title_aria": "Назив слике",
"uploadMediaModal.media_altText_label": "Опис/Alt",
@@ -309,8 +315,8 @@
"uploadMediaModal.media_altText_content": "Шта ова слика значи?",
"uploadMediaModal.licence_label": "Изабери лиценцу:",
"uploadMediaModal.licence_content": "Изабери лиценцу",
- "uploadMediaModal.media_terms_aria": "Agree to terms and conditions",
- "uploadMediaModal.media_terms_label1": "I confirm that I have the rights to upload this image as per the SlideWiki",
+ "uploadMediaModal.media_terms_aria": "Слажем се са условима",
+ "uploadMediaModal.media_terms_label1": "Потврђујем да имам права да учитам ову слику према SlideWiki",
"uploadMediaModal.media_terms_label2": "условима",
"uploadMediaModal.media_terms_label3": "и да ",
"uploadMediaModal.media_terms_label4": "информације о лиценци",
@@ -321,10 +327,10 @@
"uploadMediaModal.cancel_button": "Откажи",
"uploadMediaModal.background_aria": "Користи као позадинску слику?",
"uploadMediaModal.background_message1": "Користи као позадинску слику?",
- "CollectionsList.partOfPlaylists": "This deck is part of the following playlists",
+ "CollectionsList.partOfPlaylists": "Овај дек је део следећих плејлиста",
"CollectionsListItem.removeTooltip": "Уклони",
"CollectionsListItem.removeAria": "Уклони тренутни дек из колекције",
- "CollectionsListItem.noDescription": "No description provided",
+ "CollectionsListItem.noDescription": "Није креиран опис",
"CollectionsPanel.header": "Плејлисте",
"CollectionsPanel.createCollection": "Додај у нову плејлисту",
"CollectionsPanel.ariaCreateCollection": "Додај у нову плејлисту",
@@ -332,7 +338,172 @@
"CollectionsPanel.error.removeDeck": "Настала је грешка приликом уклањања плејлисте из дека...",
"CollectionsPanel.error.adDeck": "Настала је грешка приликом додавања плејлисте деку...",
"CollectionsPanel.addToPlaylist": "Додај дек у плејлисту",
+ "AddComment.form.comment_title_placeholder": "Наслов",
+ "AddComment.form.comment_text_placeholder": "Текст",
+ "AddComment.form.label_comment_title": "Наслов коментара",
+ "AddComment.form.label_comment_text": "Текст коментара",
+ "AddComment.form.button_submit": "Поднеси",
+ "AddComment.form.button_cancel": "Откажи",
+ "AddReply.form.reply_text_placeholder": "Текст",
+ "AddReply.form.label_reply_title": "Назив одговора",
+ "AddReply.form.label_reply_text": "Текст одговора",
+ "AddReply.form.button_add": "Додај одговор",
+ "Comment.form.revision_note": "ревизија",
+ "Comment.form.from_note": "са",
+ "Comment.form.comment_removed": "Коментар је уклоњен",
+ "Comment.form.delete_aria": "Обриши коментар",
+ "Comment.form.label_reply": "Одговори",
+ "ContentDiscussionPanel.form.no_comments": "Тренутно нема коментара за овај",
+ "ContentDiscussionPanel.form.button_add": "Додај коментар",
+ "ContentDiscussionPanel.form.comments": "Коментари",
+ "ContentChangeItem.swal.text": "Ова акција ће вратити слајд на ранију верзију. Да ли желите да наставите?",
+ "ContentChangeItem.swal.confirmButtonText": "Да, врати слајд",
+ "ContentChangeItem.swal.cancelButtonText": "Не",
+ "ContentChangeItem.form.add_description": "додао",
+ "ContentChangeItem.form.copy_description": "креирао дупликат",
+ "ContentChangeItem.form.attach_description": "закачио",
+ "ContentChangeItem.form.fork_description": "Креирао копују дека",
+ "ContentChangeItem.form.translate_description_added": "додао",
+ "ContentChangeItem.form.translate_description_translation": "превод за",
+ "ContentChangeItem.form.revise_description": "креирао нову верзију",
+ "ContentChangeItem.form.rename_description_renamed": "преименовао",
+ "ContentChangeItem.form.rename_description_to": "у",
+ "ContentChangeItem.form.revert_description_restored": "вратио",
+ "ContentChangeItem.form.revert_description_to": "на ранију верзију",
+ "ContentChangeItem.form.remove_description": "уклонио",
+ "ContentChangeItem.form.edit_description_slide_translation": "модификовао превод слајда",
+ "ContentChangeItem.form.edit_description_slide": "модификовао слајд",
+ "ContentChangeItem.form.move_description_slide": "померио слајд",
+ "ContentChangeItem.form.move_description_deck": "померио дек",
+ "ContentChangeItem.form.move_description": "померио",
+ "ContentChangeItem.form.update_description": "ажурирао дек",
+ "ContentChangeItem.form.default_description": "ажурирао дек",
+ "ContentChangeItem.form.button_compare": "Упореди са тренутном верзијом слајда",
+ "ContentChangeItem.form.button_restore": "Врати слајд",
+ "ContentChangeItem.form.button_view": "Погледај слајд",
+ "ContentChangeItem.form.date_on": "дана",
+ "ContentChangeItem.form.date_at": "у",
+ "DeckHistoryPanel.swal.text": "Ова акција ће креирати нову верзију овог дека. Да ли желите да наставите?",
+ "DeckHistoryPanel.swal.confirmButtonText": "Да, креирај нову верзију",
+ "DeckHistoryPanel.swal.cancelButtonText": "Не",
+ "DeckHistoryPanel.form.button_aria": "Направи нову верзију овог дека",
+ "DeckHistoryPanel.form.button_content": "Креирај нову верзију",
+ "DeckRevision.swal.text": "Ова акција ће вратити дек на ранију верзију. Да ли желите да наставите?",
+ "DeckRevision.swal.confirmButtonText": "Да, врати дек",
+ "DeckRevision.swal.cancelButtonText": "Не",
+ "DeckRevision.form.icon_aria_saved": "Сачуван у",
+ "DeckRevision.form.date_on": "дана",
+ "DeckRevision.form.date_at": "у",
+ "DeckRevision.form.by": "од",
+ "DeckRevision.form.button_aria_show": "Прикажи детаље",
+ "DeckRevision.form.version_changes": "Промене верзија",
+ "DeckRevision.form.button_aria_restore": "Врати дек",
+ "DeckRevision.form.button_aria_view": "Погледај дек у новом табу",
+ "DeckRevisionChanges.form.no_changes": "Нема промена за ову верзију.",
+ "SlideHistoryPanel.form.no_changes": "Нема промена за овај слајд.",
+ "ContentModulesPanel.form.label_sources": "Референце",
+ "ContentModulesPanel.form.label_tags": "Тагови",
+ "ContentModulesPanel.form.label_comments": "Коментари",
+ "ContentModulesPanel.form.label_history": "Историја",
+ "ContentModulesPanel.form.label_usage": "Коришћење",
+ "ContentModulesPanel.form.label_questions": "Питања",
+ "ContentModulesPanel.form.label_playlists": "Плејлисте",
+ "ContentModulesPanel.form.aria_additional": "Додатни алати за декове",
+ "ContentModulesPanel.form.dropdown_text": "Алати",
+ "ContentModulesPanel.form.header": "Алати за садржај",
+ "ContentQuestionAdd.no_question": "Молимо, унесите питање",
+ "ContentQuestionAdd.no_answers": "Молимо, додајте одговоре",
+ "ContentQuestionAdd.form.question": "Питање",
+ "ContentQuestionAdd.form.difficulty": "Тежина",
+ "ContentQuestionAdd.form.difficulty_easy": "Лако",
+ "ContentQuestionAdd.form.difficulty_moderate": "Средње",
+ "ContentQuestionAdd.form.difficulty_hard": "Тешко",
+ "ContentQuestionAdd.form.answer_choices": "Избор одговора",
+ "ContentQuestionAdd.form.explanation": "Објашњење (опционо)",
+ "ContentQuestionAdd.form.exam_question": "Ово је питање за испит",
+ "ContentQuestionAdd.form.button_save": "Сними",
+ "ContentQuestionAdd.form.button_cancel": "Откажи",
+ "ContentQuestionAnswersList.form.button_answer_show": "Прикажи одговор",
+ "ContentQuestionAnswersList.form.button_answer_hide": "Сакриј одговор",
+ "ContentQuestionAnswersList.form.button_edit": "Модификуј питање",
+ "ContentQuestionAnswersList.form.explanation": "Објашњење:",
+ "ContentQuestionEdit.no_question": "Молимо, унесите питање",
+ "ContentQuestionEdit.no_answers": "Молимо, додајте одговоре",
+ "ContentQuestionEdit.swal.text": "Брисање питања. Да ли сте сигурни?",
+ "ContentQuestionEdit.swal.confirmButtonText": "Да, обриши!",
+ "ContentQuestionEdit.form.question": "Питање",
+ "ContentQuestionEdit.form.difficulty": "Тежина",
+ "ContentQuestionEdit.form.difficulty_easy": "Лако",
+ "ContentQuestionEdit.form.difficulty_moderate": "Средње",
+ "ContentQuestionEdit.form.difficulty_hard": "Тешко",
+ "ContentQuestionEdit.form.answer_choices": "Избор одговора",
+ "ContentQuestionEdit.form.explanation": "Објашњење (опционо)",
+ "ContentQuestionEdit.form.exam_question": "Ово је питање за испит",
+ "ContentQuestionEdit.form.button_save": "Сними",
+ "ContentQuestionEdit.form.button_cancel": "Откажи",
+ "ContentQuestionEdit.form.button_delete": "Брисање",
+ "ContentQuestionsItem.form.originally": "(оригинално из",
+ "ContentQuestionsPanel.form.no_questions": "Тренутно нема питања за овај",
+ "ContentQuestionsPanel.form.button_exam": "Испитни мод",
+ "ContentQuestionsPanel.form.button_select": "Избор питања за испит",
+ "ContentQuestionsPanel.form.button_add": "Додај питање",
+ "ContentQuestionsPanel.form.questions_header": "Питања",
+ "QuestionDownloadList.form.heading": "Изаберите питања за преузимање",
+ "QuestionDownloadList.form.button": "Изабери све",
+ "QuestionDownloadModal.form.download_aria": "Преузимање питања",
+ "QuestionDownloadModal.form.download_tooltip": "Преузимање питања у JSON формату",
+ "QuestionDownloadModal.form.modal_description": "Можете изабрати једно или више питања из овог дека за преузимање.",
+ "QuestionDownloadModal.form.button_cancel": "Откажи",
+ "QuestionDownloadModal.form.download_text": "Преузимање",
"questionpanel.handleDownloadQuestionsClick": "Преузимање питања",
+ "QuestionDownloadModal.form.modal_header": "Преузимање питања",
+ "ExamAnswersItem.form.answer_correct": "Ваш одговор је тачан",
+ "ExamAnswersItem.form.answer_not_selected": "тачан одговор који нисте изабрали",
+ "ExamAnswersItem.form.answer_incorrect": "нетачан одговор",
+ "ExamAnswersList.form.explanation": "Објашњење:",
+ "ExamAnswersList.form.answer_incorrect": "Ваш одговор на питање није тачан",
+ "ExamList.swal.title": "Одговори су пријављени",
+ "ExamList.swal.text": "Ваш резултат:",
+ "ExamList.form.button_submit": "Пошаљи одговоре",
+ "ExamList.form.button_cancel": "Откажи",
+ "ExamPanel.form.no_questions": "Тренутно нема испитних питања за овај",
+ "ExamPanel.form.exam_mode": "Испитни мод",
+ "ExamPanel.form.button_back": "Назад",
+ "ExamQuestionsList.form.header": "Избор питања за испит",
+ "ExamQuestionsList.form.button_save": "Сними",
+ "ExamQuestionsList.form.button_cancel": "Откажи",
+ "ContentUsageItem.form.by": "од",
+ "ContentUsageList.form.no_usage": "Тренутно нема употреба овог",
+ "ContributorsPanel.form.no_contributors": "Тренутно нема контрибутора за овај",
+ "ContributorsPanel.form.header": "Креатор",
+ "ContributorsPanel.form.title": "Контрибутори",
+ "DataSourceItem.form.originally": "оригинално из слајда",
+ "DataSourcePanel.form.no_sources": "Тренутно нема референци за овај",
+ "DataSourcePanel.form.button_add": "Додај референцу",
+ "DataSourcePanel.form.header": "Референце",
+ "DataSourcePanel.form.show_more": "Прикажи више ...",
+ "EditDataSource.no_title": "Ово поље не може бити празно.",
+ "EditDataSource.valid_url": "URL мора бити валидан.",
+ "EditDataSource.valid_year": "Унесите валидан број за Годину, који мора бити мањи или једнак тренутној.",
+ "EditDataSource.form.header_edit": "Модификуј референцу",
+ "EditDataSource.form.header_add": "Додај референцу",
+ "EditDataSource.form.placeholder_title": "Наслов",
+ "EditDataSource.form.placeholder_authors": "Аутори",
+ "EditDataSource.form.placeholder_year": "Година",
+ "EditDataSource.form.placeholder_comment": "Коментар",
+ "EditDataSource.form.button_delete": "Брисање",
+ "EditDataSource.form.type_webpage": "Веб страница",
+ "EditDataSource.form.type_webdocument": "Веб документ",
+ "EditDataSource.form.type_publication": "Публикација",
+ "EditDataSource.form.type_person": "Особа",
+ "EditDataSource.form.type_text": "Обичан текст",
+ "EditDataSource.form.label_type": "Тип",
+ "EditDataSource.form.label_title": "Наслов",
+ "EditDataSource.form.label_authors": "Аутори",
+ "EditDataSource.form.label_year": "Година",
+ "EditDataSource.form.label_comment": "Коментар",
+ "EditDataSource.form.button_submit": "Поднеси",
+ "EditDataSource.form.button_cancel": "Откажи",
"RecommendedTags.header": "Препоручени тагови",
"RecommendedTags.aria.add": "Додај препоручени таг",
"RecommendedTags.aria.dismiss": "Одбаци препоруку",
@@ -464,16 +635,36 @@
"DeckTranslationsModal.translate": "Креирај превод",
"DeckTranslationsModal.originLanguage": "Оригинални језик:",
"DeckTranslationsModal.switchSR": "Креирај нови превод дека",
+ "SlideTranslationsModal.header": "Преведи слајд",
+ "SlideTranslationsModal.chooseSourceLanguage": "Choose the source language...",
+ "SlideTranslationsModal.chooseTargetLanguage": "Choose the target language...",
+ "SlideTranslationsModal.sourceTranslation": "Current language:",
+ "SlideTranslationsModal.targetTranslation": "Target language:",
+ "SlideTranslationsModal.autoSelect": "Current and target language are automatically selected. You may alter manually if required.",
+ "SlideTranslationsModal.alternativeTranslation1": "We have a limited amount of automatic translation each month. Alternatively, you can use the...",
+ "SlideTranslationsModal.alternativeTranslation2": "...built-in translation feature, ...",
+ "SlideTranslationsModal.alternativeTranslation3": "...translation extension or “app”, or translate via one of the Mozilla Firefox translations extensions (...",
+ "SlideTranslationsModal.openOriginal": "To assist with translation, you can open the current version of this deck in a new browser tab via the Play button.",
+ "SlideTranslationsModal.sourceLanguageSearchOptions": "(start typing to find the source language)",
+ "SlideTranslationsModal.targetLanguageSearchOptions": "(start typing to find the target language)",
+ "SlideTranslationsModal.cancel": "Откажи",
+ "SlideTranslationsModal.translate": "Преведи слајд",
+ "SlideTranslationsModal.originLanguage": "Оригинални језик:",
+ "SlideTranslationsModal.switchSR": "Start a new slide translation",
"InfoPanelInfoView.selectLanguage": "Изаберите језик",
+ "Stats.deckUserStatsTitle": "User Activity",
"similarContentItem.creator": "Креатор",
"similarContentItem.likes": "Број лајкова",
"similarContentItem.open_deck": "Отвори дек",
"similarContentItem.open_slideshow": "Отвори презентациони мод у новом тагу",
"similarContentPanel.panel_header": "Предложени декови",
"similarContentPanel.panel_loading": "Учитавање",
+ "slideEditLeftPanel.transitionAlertTitle": "Changing Transition for the presentation",
+ "slideEditLeftPanel.transitionAlertContent": "This transition will be used for the transition to this slide, do you want to proceed?",
"editpanel.slideSizeCurrent": "(тренутно: {size})",
"editpanel.back": "назад",
"editpanel.embed": "Угради",
+ "editpanel.lti": "LTI",
"editpanel.table": "Табела",
"editpanel.Maths": "Математика",
"editpanel.Code": "Код",
@@ -490,6 +681,14 @@
"editpanel.embedAdd": "Додај слајду",
"editpanel.embedNote": "Не дозвоавају сви веб сајтови да се њихов садржај угради. Коришћење уграђеног кода од стране самог веб сајта (уместо URL-а) често најбоље функционише.",
"editpanel.embedNoteTerms": "Please note that our terms (e.g., on malicious code and commercial material) also strictly apply to any content on webpages that you embed.",
+ "editpanel.ltiKey": "LTI кључ:",
+ "editpanel.ltiKeyMissingError": "missing LTI key",
+ "editpanel.ltiURL": "URL/Link to LTI content:",
+ "editpanel.ltiURLMissingError": "недостаје URL/Линк до садржаја:",
+ "editpanel.ltiWidth": "Width of LTI content:",
+ "editpanel.ltiHeight": "Height of LTI content:",
+ "editpanel.ltiAdd": "Додај слајду",
+ "editpanel.ltiNote": "Use an LTI URL and key.",
"editpanel.template2": "Празан документ - Режим документа (не-канвас)",
"editpanel.template3": "Документ са називом - Режим документа (не-канвас)",
"editpanel.template31": "Document with rich text example - Document-mode (non-canvas)",
@@ -511,6 +710,7 @@
"editpanel.templateVMU": "VMU шаблон - насловна страна",
"editpanel.slideTitleButton": "Промени име слајда",
"editpanel.slideSizeChange": "Промени величину слајда",
+ "editpanel.slideTransition": "Slide Transition",
"editpanel.changeBackgroundColor": "Промени боју позадине",
"editpanel.removeBackground": "Уклони позадину",
"editpanel.titleMissingError": "Грешка: Име слајда не може бити празно",
@@ -526,6 +726,12 @@
"editpanel.slideSizeName720": "720p HDTV Wide XGA",
"editpanel.slideSizeWidescreen1080": "Широки екран (16:9) висока",
"editpanel.slideSizeName1080": "1080p/1080i HDTV Blu-ray",
+ "transitionpanel.none": "No slide transition",
+ "transitionpanel.convex": "Convex",
+ "transitionpanel.fade": "Fade",
+ "transitionpanel.slide": "Слајд",
+ "transitionpanel.zoom": "Zoom",
+ "transitionpanel.concave": "Concave",
"editpanel.addTextBox": "Додај текстуално поље",
"editpanel.Image": "Додај слику",
"editpanel.Video": "Додај видео",
@@ -615,6 +821,20 @@
"UserCollections.collections.shared": "Дељене плејлисте",
"UserCollections.collections.delete.title": "Обриши плејлисту",
"UserCollections.collections.delete.text": "Да ли сте сигурни да желите да обришете овау плејлисту?",
+ "footer.sr.header": "Information about SlideWiki",
+ "footer.header": "O",
+ "footer.about": "О нама",
+ "footer.contact": "Контактирајте нас",
+ "footer.guides": "Guides and Help",
+ "footer.accessibility": "Приступачност",
+ "footer.terms.header": "Услови",
+ "footer.terms": "Услови",
+ "footer.license": "Лиценца",
+ "footer.imprint": "Imprint",
+ "footer.data": "Заштита података",
+ "footer.funding": "Финансирање",
+ "footer.funding.text": "The SlideWiki project has received funding from the European Union's Horizon 2020 research and innovation programme under grant agreement No 688095",
+ "footer.copyright": "Copyright © 2018 All Rights Reserved",
"header.signin": "Пријавите се",
"header.signin.mobile": "Пријавите се",
"header.mydecks.mobile": "Декови",
@@ -757,9 +977,14 @@
"dataProtection.8.email": "data-protection(at)zv.fraunhofer.de",
"dataProtection.9.header": "9. Прихватање, валидност и модификација услова за заштиту података",
"dataProtection.9.p1": "Користећи нашу веб сајт, имплицитно се слажете да прихватите кориштење ваших личних података како је наведено горе. Ова изјава о условима заштите података ступила је на снагу 1. октобра 2013. године. Како се наша веб сајт развија, а нове технологије се користе, може постати неопходно да се измени изјава о условима заштите података. Fraunhofer-Gesellschaft задржава право да модификује своје услове заштите података у било ком тренутку, са ефектом од будућег датума. Препоручујемо да с времена на време поново прочитате најновију верзију.",
+ "decklist.featured.alt": "Featured Image.",
"decklist.decklanguage": "Подразумевани језик",
+ "decklist.decknumberofslides": "Број слајдова",
"decklist.forkcount": "Number of forks",
- "decklist.featured.notavailable": "No featured decks available",
+ "decklist.likecount": "Број лајкова",
+ "decklist.numberofshares": "Number of shares",
+ "decklist.numberofdownloads": "Број преузимања",
+ "decklist.featured.notavailable": "Нема расположивих истакнутих декова",
"decklist.recent.notavailable": "Нема скорађшњих декова",
"decklist.meta.creator": "Креатор",
"decklist.meta.date": "Последње модификован",
@@ -825,8 +1050,36 @@
"home.slideWikiAbout": "SlideWiki пројекат",
"home.slideWikiAboutContent": "SlideWiki је онлајн алат који корисницима пружа могућност да креирају и сарађују на слајдовима, проценама и да деле садржај као структуриране отворене образовне ресурсе користећи Creative Commons лиценцу. Са SlideWiki-ем можете се остварити интеракцију са вашом публиком, сарађивати са колегама да бисте заједно дизајнирали и креирали материјале за курсеве и поделили своје знање широм света. SlideWiki платформа отвореног кода и сав садржај може бит икоришћен под лиценцом Creative Commons CC-BY-SA. Развој SlideWiki платформе испитивање великих размера и повезано истраживање су финансирани од стране Оквирног Програма за Истраживање и Иновације Хоризонт 2020 под споразумом о донацији број 688095. Пројекат укључује 17 партнера који развијају, тестирају и испитују SlideWiki.",
"home.slideWikiAboutVisit": "посетите web страницу пројекта.",
- "home.myDecks": "Моји декови.",
+ "home.myDecksLink": "Моји декови",
"home.seeMoreDecks": "Погледајте више декова",
+ "home.leanrMoreSW": "Learn more about SlideWiki",
+ "home.featuredDeck": "Истакнут дек",
+ "imprint.licensing.text": "Content on the SlideWiki OCW Authoring platform is licensed under the Creative Commons Attribution-ShareAlike 4.0 International (CC BY-SA 4.0), Creative Commons Attribution 4.0 International (CC BY 4.0), or Creative Commons 1.0 Universal Public Domain Dedication (CC0 1.0) – unless otherwise marked. See the CC {link_licenses} for more information.",
+ "imprint.software.text": "All of SlideWiki’s software code is Open Source software; please check our code repository.",
+ "imprint.header": "Imprint – also serves as provider identification according to § 5 Telemediengesetz (TMG)",
+ "imprint.provider": "Provider",
+ "imprint.representative": "Authorised Representative",
+ "imprint.representative.text": "Проф. Др. Sören Auer (Директор TIB)",
+ "imprint.representative.text2": "Technische Informationsbibliothek (TIB) is a foundation of public law of the state of Lower Saxony.",
+ "imprint.authority": "Responsible Supervisory Authority",
+ "imprint.authority.text": "Ministry for Science and Culture of Lower Saxony",
+ "imprint.contact": "Контакт",
+ "imprint.VAT": "VAT (sales tax) registration number",
+ "imprint.editorialOffice": "Editorial Office",
+ "imprint.copyright": "Autorsko pravo",
+ "imprint.copyright.text": "The layout of this website is protected under copyright, as are the graphics and all other contents contained in the website.",
+ "imprint.content": "Content Available",
+ "imprint.content.text1": "Provided as-is:",
+ "imprint.content.text2": "You acknowledge that we do not make any representations or warranties about the material, data, and information, such as data files, text, computer software, code, music, audio files or other sounds, photographs, videos, or other images (collectively, the “Content”) which you may have access to through your use of SlideWiki. Under no circumstances are we liable in any way for any Content, including, but not limited to: any infringing Content, any errors or omissions in Content, or for any loss or damage of any kind incurred as a result of the use of any Content posted, transmitted, linked from, or otherwise accessible through or made available via SlideWiki. You understand that by using SlideWiki, you may be exposed to Content that is offensive, indecent, or objectionable. You agree that you are solely responsible for your reuse of Content made available through SlideWiki. You should review the terms of the applicable license before you use the Content so that you know what you can and cannot do.",
+ "imprint.licensing": "Licensing",
+ "imprint.licenses.page": "licenses page",
+ "imprint.software": "SlideWiki софтвер",
+ "imprint.repository": "репозиторијум",
+ "imprint.content2": "Content Supplied by You",
+ "imprint.content2.text": "Your responsibility: You represent, warrant, and agree that no Content posted or otherwise shared by you on or through SlideWiki (“Your Content”), violates or infringes upon the rights of any third party, including copyright, trademark, privacy, publicity, or other personal or proprietary rights, breaches or conflicts with any obligation, such as a confidentiality obligation, or contains libelous, defamatory, or otherwise unlawful material.",
+ "imprint.licensing.2": "Licensing Your Content: You retain any copyright that you may have in Your Content. You hereby agree that Your Content: (a) is hereby licensed under the Creative Commons Attribution 4.0 License and may be used under the terms of that license or any later version of a Creative Commons Attribution License, or (b) is in the public domain (such as Content that is not copyrightable or Content you make available under CC0), or © if not owned by you, (i) is available under a Creative Commons Attribution 4.0 License or (ii) is a media file that is available under any Creative Commons license.",
+ "imprint.disclaimer": "Disclaimer",
+ "imprint.disclaimer.text": "We cannot assume any liability for the content of external pages. Solely the operators of those linked pages are responsible for their content.",
"licence.ccBySaLicenceLogo": "Лого за лиценцу Creative Commons BY-SA",
"licence.1.p2": "Сазнајте више о CC BY-SA и погледајте комплетан текст лиценце на линку {link_1}.",
"licence.1.3.p2": "{link_1} наводи изворе материјала објављених под лиценцама creative commons. Неке медијске услуге као што су Flickr, YouTube и Vimeo објављују неке садржаје под лиценцамаcreative commons. Садржај означен са \"Сва права задржана\" не може бити коришћен на SlideWiki платформи.",
@@ -858,6 +1111,19 @@
"licence.4.header": "Обавештења",
"licence.4.p1": "SlideWiki вебсајт и његов садржај су на располагању \"као што су\". Не нудимо никакве гаранције, експлицитне или имплицитне у вези са било којим садржајем, веб сајтом или тачност било које информације. Ове лиценце вам не могу дати све потребне дозволе за вашу намену. На пример, друга права као што су публицитет, приватност или морална права могу ограничити начин на који користите материјал. Задржавамо право уклањања материјала и садржаја за које верујемо да крше услове за заштиту ауторских права и лиценци.",
"recent.header": "Недавно креирани декови",
+ "staticPage.findSlides": "Проналажење слајдова",
+ "staticPage.findSlidesSubtitle": "Истражи дек",
+ "staticPage.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics.",
+ "staticPage.createSlides": "Креирање слајдова",
+ "staticPage.createSlidesSubtitle": "Add and adapt course material",
+ "staticPage.createSlidesContent": "Create a new deck or import existing slides to create HTML slide decks.",
+ "staticPage.sharingSlides": "Делите слајдове",
+ "staticPage.sharingSlidesSubtitle": "Презентирајте, делите и комуницирајте",
+ "staticPage.sharingSlidesContent": "Collaborate on decks with peers. Group decks in playlists and share via social media or email.",
+ "staticPage.getStarted": "Почните одмах.",
+ "staticPage.signIn": "Пријавите се",
+ "staticPage.getStartedDescription": "Креирајте налог да бисте почели са креирањем и дељењем својих декова.",
+ "staticPage.myDecks": "Моји декови.",
"terms.mainTitle": "Услови коришћења SlideWiki платформе",
"terms.summary": "Ово је читљив резиме права коришћења за SlideWiki (пројекат).",
"terms.disclaimer": "Одрицање одговорности: Овај резиме није део Услова коришћења и није правни документ. То је једноставно практична референца за разумевање термина. Посматрајте га као прихватљивији интерфејс до правног језика наших Услова коришћења.",
@@ -881,19 +1147,6 @@
"terms.paragraph1": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Vivamus id nisl magna. Sed a metus vel dui vehicula viverra. Quisque sed tellus at justo semper dictum. Nullam at rutrum leo. Vivamus at aliquam metus. Aliquam nec nunc in libero posuere hendrerit nec at lacus. Nunc malesuada lobortis tortor nec porta. Cras vulputate mollis nisi, at sollicitudin quam eleifend ac. Nam sed venenatis turpis. Sed vestibulum malesuada nunc vitae ultricies. Donec bibendum ultrices facilisis. Mauris sollicitudin mi et vulputate rhoncus.",
"terms.paragraph2": "Mauris tincidunt, urna non aliquam dapibus, enim metus varius tellus, non dignissim urna odio ac augue. Fusce id lacinia ipsum, id egestas dui. Suspendisse nec quam vel mi tincidunt bibendum a vel mauris. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia Curae; Proin magna elit, molestie eu libero ut, bibendum facilisis turpis. Mauris sem lorem, dignissim a ex sit amet, suscipit fermentum turpis. Integer porttitor arcu non porttitor faucibus. Fusce nisi risus, rutrum vitae vulputate vitae, consectetur et nunc. Aliquam placerat ipsum felis, nec fermentum arcu sagittis nec. Aenean imperdiet laoreet quam ac placerat. Ut accumsan tristique elementum. Etiam congue venenatis lorem, malesuada tristique mauris congue vel. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Nam tincidunt libero a nisi consequat sodales.",
"terms.paragraph3": "Aliquam vitae velit iaculis, vestibulum felis eu, lacinia risus. Donec mollis enim nec accumsan tristique. Morbi dapibus condimentum erat quis placerat. Integer velit augue, sodales quis scelerisque nec, facilisis nec velit. Maecenas rhoncus sagittis lectus, vel feugiat nulla aliquet quis. Quisque condimentum sapien nec eros tristique, vitae pulvinar sem tempus. Nulla ut odio id elit accumsan interdum. Maecenas sagittis sed sem a malesuada. Vivamus venenatis ex sed ex pretium, et pellentesque purus vehicula. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egesta",
- "terms.findSlides": "Проналажење слајдова",
- "terms.findSlidesSubtitle": "Истражи дек",
- "terms.findSlidesContent": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Aenean eget elit sapien. Nunc semper urna in lectus consectetur fermentum. Vestibulum eu sem pulvinar, sollicitudin ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet aliquam n ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet.",
- "terms.createSlides": "Креирање слајдова",
- "terms.createSlidesSubtitle": "Сазнајте како да креирате слајдове помоћу SlideWiki",
- "terms.createSlidesContent": "Креирајте нови дек или учитајте своје постојеће слајдове из PowerPoint (*.pptx) или OpenDocument Presentation (*.odp) фајла. Ваши учитани слајдови ће бити конвертовани у HTML слајдове да би вам било омогућено да наставите рад на њима и да додате нове слајдове.",
- "terms.sharingSlides": "Дељење слајдова",
- "terms.sharingSlidesSubtitle": "Презентирајте, делите и комуницирајте",
- "terms.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
- "terms.getStarted": "Почните одмах.",
- "terms.signIn": "Пријавите се",
- "terms.getStartedDescription": "Креирајте налог да бисте почели са креирањем и дељењем својих декова.",
- "terms.myDecks": "Моји декови.",
"welcome.3.slideshowMode": "Користите {strong} да бисте погледали дек као слајд шоу. Омогућено је и приказивање времена и бележака.",
"welcome.3.shareDecks": "{strong} преко друштвених медија или е-поште.",
"welcome.3.comments": "Додајте {strong} дековима и слајдовима како бисте остварили интеракцију са другим корисницима.",
@@ -934,12 +1187,16 @@
"LoginModal.placeholder.email": "Имејл",
"LoginModal.placeholder.password": "Лозинка",
"userSignIn.headerText": "Пријавите се",
+ "LoginModal.aria.google": "sign in with your Google account",
+ "LoginModal.aria.github": "sign in with your Github account",
"LoginModal.label.email": "Имејл",
"LoginModal.label.password": "Шифра",
"LoginModal.button.signIn": "Пријавите се",
"LoginModal.text.iCannotAccessMyAccount": "Не могу да приступим свом налогу",
"LoginModal.text.dontHaveAnAccount": "Немате налог? Пријавите се овде.",
"LoginModal.button.close": "Затвори",
+ "Migrate.text1": "We are merging your user account. This will take just a few seconds.",
+ "Migrate.text2": "You will be directed to next view.",
"resetPassword.mailprompt": "Молимо унесите своју имејл адресу",
"resetPassword.mailprompt2": "Молимо унесите исправну имејл адресу",
"resetPassword.mailreprompt": "Молимо поново унесите своју имејл адресу",
@@ -961,6 +1218,19 @@
"SSOSignIn.errormessage.isForbidden": "Миграција овог корисника није погућа. Молимо покушајте поново.",
"SSOSignIn.errormessage.accountNotFound": "Овај налог није припремљен за миграцију. Молимо покушајте поново.",
"SSOSignIn.errormessage.badImplementation": "Догодила се непозната грешка.",
+ "socialLogin.text1": "We are acquiring your data. This will take just a few seconds.",
+ "socialLogin.text2": "Овај прозор ће се аутоматски затворити.",
+ "UserMenuDropdown.mydecks": "Моји декови",
+ "UserMenuDropdown.decks": "Декови",
+ "UserMenuDropdown.myplaylists": "Моје плејлисте",
+ "UserMenuDropdown.playlists": "Плејлисте",
+ "UserMenuDropdown.mygroups": "Моје групе",
+ "UserMenuDropdown.groups": "Групе",
+ "UserMenuDropdown.mySettings": "Моја подешавања",
+ "UserMenuDropdown.settings": "Подешавања",
+ "UserMenuDropdown.myNotifications": "Моја обавештења",
+ "UserMenuDropdown.notifications": "Обавештења",
+ "UserMenuDropdown.signout": "Одјављивање",
"paintModal.title": "Нацртајте своју SVG слику",
"paintModal.primaryColourInput": "Примарна боја:",
"paintModal.secondaryColourInput": "Секундарна боја:",
@@ -984,8 +1254,8 @@
"paintModal.addTriangle": "Додај троугао",
"paintModal.addArrow": "Додај стрелицу",
"paintModal.instruction": "Draw inside the canvas using the tools provided.",
- "paintModal.copyrightholder": "Copyrightholder",
- "paintModal.imageAttribution": "Image created by/ attributed to:",
+ "paintModal.copyrightholder": "Власник права",
+ "paintModal.imageAttribution": "Слика креирана/приписана:",
"paintModal.imageTitle": "Наслов:",
"paintModal.imageTitleAria": "Назив слике",
"paintModal.imageDescription": "Опис/Alt текст:",
@@ -994,7 +1264,7 @@
"paintModal.chooseLicense": "Изабери лиценцу:",
"paintModal.selectLicense": "Изабери лиценцу",
"paintModal.agreementAria": "Слажем се са условима",
- "paintModal.agreement1": "I confirm that I have the rights to upload this image as per the SlideWiki",
+ "paintModal.agreement1": "Потврђујем да имам права да учитам ову слику према SlideWiki",
"paintModal.agreement2": "условима",
"paintModal.agreement3": "и да ",
"paintModal.agreement4": "информације о лиценци",
@@ -1054,9 +1324,13 @@
"SearchPanel.filters.tags.title": "Тагови",
"SearchPanel.filters.tags.placeholder": "Изабери тагове",
"SearchPanel.button.submit": "Поднеси",
+ "DeckFilter.Tag.Topic": "Сиже",
+ "DeckFilter.Education": "Eдукациони ниво",
"Facets.languagesFacet": "Језици",
"Facets.ownersFacet": "Власници",
"Facets.tagsFacet": "Тагови",
+ "Facets.educationLevelFacet": "Eдукациони нивои",
+ "Facets.topicsFacet": "Сижеи",
"Facets.showMore": "прикажи више",
"Facets.showLess": "прикажи мање",
"SearchResultsItem.otherVersions.deck": "Верзија дека {index}: {title}",
@@ -1090,8 +1364,8 @@
"SSOSignIn.errormessage.deactivatedOrUnactivated": "Ваш кориснички налог треба да се активира помоћу активационог линка у имејлу који сте добили или је деактивиран.",
"CategoryBox.personalSettings": "Лична подешавања",
"CategoryBox.profile": "Профил",
- "CategoryBox.account": "Налог",
- "CategoryBox.authorizedAccounts": "Ауторизовани налози",
+ "CategoryBox.account": "Налози",
+ "CategoryBox.authorizedAccounts": "Authorized Accounts & Services",
"CategoryBox.userStats": "Статистика корисника",
"CategoryBox.groups": "Групе",
"CategoryBox.myGroups": "Моје групе",
@@ -1142,6 +1416,7 @@
"user.deckcard.opendeck": "Отвори дек",
"user.deckcard.slideshow": "Отвори презентациони мод у новом табу",
"user.deckcard.unlisted": "Unlisted",
+ "user.populardecks.notavailable": "Нема расположивих декова",
"Integration.swalTitle3": "Грешка",
"Integration.swalText3": "Провајдер није био онемогућен, јер се догодило нешто неочекивано. Покушајте поново касније.",
"Integration.swalbutton3": "Потврђено",
@@ -1164,7 +1439,8 @@
"Integration.disableGithub": "Онемогући",
"Integration.enableGithub": "Омогући",
"Integration.loading": "учитавање",
- "user.populardecks.notavailable": "Нема расположивих декова",
+ "Integration.ltis": "Learning Services (LTIs)",
+ "Integration.myLTIs": "My Learning Services",
"user.userProfile.privatePublicProfile.allStatus": "Све",
"user.userProfile.privatePublicProfile.publicStatus": "Публиковани",
"user.userProfile.privatePublicProfile.hiddenStatus": "Unlisted",
@@ -1214,7 +1490,15 @@
"user.userRecommendations.lastUpdated": "Најскорије промењени",
"user.userRecommendations.creationDate": "Датум креирања",
"user.userRecommendations.title": "Наслов",
+ "Stats.userStatsTitle": "Статистика корисника",
"Stats.tagCloudTitle": "Популарни тагови",
+ "Stats.userEngagementTitle": "User Engagement Overview",
+ "Stats.activeEngagement": "Active Engagement",
+ "Stats.passiveEngagement": "Passive Engagement",
+ "Stats.socialEngagement": "Social Engagement",
+ "Stats.activeEngagementDesc": "The degree of active participation based on the user's content creation history",
+ "Stats.passiveEngagementDesc": "The degree of passive participation based on the user's content usage",
+ "Stats.socialEngagementDesc": "The degree of social interaction through SW content",
"UserRegistration.firstName_prompt": "Молимо унесите своје име",
"UserRegistration.lastName_prompt": "Молимо унесите своје презиме",
"UserRegistration.userName_prompt": "Молимо изаберите своје корисничко име",
@@ -1264,6 +1548,11 @@
"UserRegistration.form_terms": "Кликом на Регистрација, пристајете на наше",
"UserRegistration.form_terms2": "Услови",
"UserRegistration.noAccess": "Не могу да приступим свом налогу",
+ "UserRegistration.emailRegistered": "This E-Mail has already been registered by someone else. Please use another one.",
+ "UserRegistration.usernameRegistered": "This Username has already been registered by someone else. Please choose another one.",
+ "UserRegistration.username.suggestion": "Ево неких предлога:",
+ "UserRegistration.SSO.title": "Sign up with an account of another SlideWiki instance",
+ "UserRegistration.SSO.aria": "Sign up with another SlideWiki instance",
"UserRegistrationSocial.firstnameprompt": "Молимо унесите своје име",
"UserRegistrationSocial.lastnameprompt": "Молимо унесите своје презиме",
"UserRegistrationSocial.usernameprompt": "Молимо изаберите своје корисничко име",
@@ -1278,6 +1567,7 @@
"UserRegistrationSocial.confirm": "ОК",
"UserRegistrationSocial.emailNotAllowed": "Ову имејл адресу већ користи неко други. Молимо, изаберите другу.",
"UserRegistrationSocial.usernameNotAllowed": "Ово корисничко име већ користи неко други. Молимо, изаберите друго.",
+ "UserRegistrationSocial.usernamesuggestion": "Ево неких предлога:",
"UserRegistrationSocial.validate": "Валидација корисничких информација",
"UserRegistrationSocial.fname": "Име *",
"UserRegistrationSocial.lname": "Презиме *",
@@ -1305,7 +1595,7 @@
"UserGroupEdit.error": "Грешка",
"UserGroupEdit.unknownError": "Непозната грешка приликом снимања.",
"UserGroupEdit.close": "Затвори",
- "UserGroupEdit.messageGroupName": "Group name required.",
+ "UserGroupEdit.messageGroupName": "Потребно је име групе.",
"UserGroupEdit.createGroup": "Креирај групу",
"UserGroupEdit.editGroup": "Промени групу",
"UserGroupEdit.messageUsericon": "The username is a link which will open a new browser tab. Close it when you want to go back to the form and list.",
@@ -1330,5 +1620,5 @@
"GroupMenu.collections": "Плејлисте групе",
"GroupMenu.settings": "Подешавања групе",
"GroupMenu.stats": "Статистика групе",
- "UserGroupPage.goBack": "Return to My Groups List"
+ "UserGroupPage.goBack": "Повратак на листу мојих група"
}
\ No newline at end of file
diff --git a/intl/zh.json b/intl/zh.json
index 54b432314..84af67b9d 100644
--- a/intl/zh.json
+++ b/intl/zh.json
@@ -29,6 +29,9 @@
"AddDeck.form.label_themes": "Choose deck theme",
"AddDeck.form.label_description": "Description",
"add.help": "Help decks",
+ "AddDeck.sr.education": "Select education level of deck content",
+ "AddDeck.sr.subject": "Select subject of deck content from autocomplete. Multiple subjects can be selected",
+ "AddDeck.sr.tags": "Add tags or keywords for your deck. Multiple tags can be provided.",
"DeckProperty.Education.Choose": "Choose Education Level",
"DeckProperty.Tag.Topic.Choose": "Choose Subject",
"DeckProperty.Tag.Choose": "Choose Tags",
@@ -37,6 +40,9 @@
"AddDeck.form.label_terms2": "terms and conditions",
"AddDeck.form.label_terms3": "and that content I upload, create and edit can be published under a Creative Commons ShareAlike license.",
"AddDeck.form.label_termsimages": "I agree that images within my imported slides are in the public domain or made available under a Creative Commons Attribution (CC-BY or CC-BY-SA) license.",
+ "activationMessages.swalTitle": "Account activated",
+ "activationMessages.swalText": "Your account has been successfully activated. You are now able to login",
+ "activationMessages.swalConfirm": "Close",
"header.cookieBanner": "This website uses cookies.",
"CountryDropdown.placeholder": "Select your country",
"CountryDropdown.Afghanistan": "Afghanistan",
@@ -332,7 +338,172 @@
"CollectionsPanel.error.removeDeck": "An error occured while removing playlist from deck...",
"CollectionsPanel.error.adDeck": "An error occured while adding playlist to the deck...",
"CollectionsPanel.addToPlaylist": "Add deck to playlist",
+ "AddComment.form.comment_title_placeholder": "Title",
+ "AddComment.form.comment_text_placeholder": "Text",
+ "AddComment.form.label_comment_title": "Comment title",
+ "AddComment.form.label_comment_text": "Comment text",
+ "AddComment.form.button_submit": "Submit",
+ "AddComment.form.button_cancel": "Cancel",
+ "AddReply.form.reply_text_placeholder": "Text",
+ "AddReply.form.label_reply_title": "Reply title",
+ "AddReply.form.label_reply_text": "Reply text",
+ "AddReply.form.button_add": "Add Reply",
+ "Comment.form.revision_note": "revision",
+ "Comment.form.from_note": "from",
+ "Comment.form.comment_removed": "Comment was removed",
+ "Comment.form.delete_aria": "Delete comment",
+ "Comment.form.label_reply": "Reply",
+ "ContentDiscussionPanel.form.no_comments": "There are currently no comments for this",
+ "ContentDiscussionPanel.form.button_add": "Add comment",
+ "ContentDiscussionPanel.form.comments": "Comments",
+ "ContentChangeItem.swal.text": "This action will restore the slide to an earlier version. Do you want to continue?",
+ "ContentChangeItem.swal.confirmButtonText": "Yes, restore slide",
+ "ContentChangeItem.swal.cancelButtonText": "No",
+ "ContentChangeItem.form.add_description": "added",
+ "ContentChangeItem.form.copy_description": "created a duplicate of",
+ "ContentChangeItem.form.attach_description": "attached",
+ "ContentChangeItem.form.fork_description": "created a fork of deck",
+ "ContentChangeItem.form.translate_description_added": "added",
+ "ContentChangeItem.form.translate_description_translation": "translation for",
+ "ContentChangeItem.form.revise_description": "created a new version of",
+ "ContentChangeItem.form.rename_description_renamed": "renamed",
+ "ContentChangeItem.form.rename_description_to": "to",
+ "ContentChangeItem.form.revert_description_restored": "restored",
+ "ContentChangeItem.form.revert_description_to": "to an earlier version",
+ "ContentChangeItem.form.remove_description": "removed",
+ "ContentChangeItem.form.edit_description_slide_translation": "edited slide translation",
+ "ContentChangeItem.form.edit_description_slide": "edited slide",
+ "ContentChangeItem.form.move_description_slide": "moved the slide",
+ "ContentChangeItem.form.move_description_deck": "moved the deck",
+ "ContentChangeItem.form.move_description": "moved",
+ "ContentChangeItem.form.update_description": "updated deck",
+ "ContentChangeItem.form.default_description": "updated the deck",
+ "ContentChangeItem.form.button_compare": "Compare to current slide version",
+ "ContentChangeItem.form.button_restore": "Restore slide",
+ "ContentChangeItem.form.button_view": "View slide",
+ "ContentChangeItem.form.date_on": "on",
+ "ContentChangeItem.form.date_at": "at",
+ "DeckHistoryPanel.swal.text": "This action will create a new version for this deck. Do you want to continue?",
+ "DeckHistoryPanel.swal.confirmButtonText": "Yes, create a new version",
+ "DeckHistoryPanel.swal.cancelButtonText": "No",
+ "DeckHistoryPanel.form.button_aria": "Create a new version of this deck",
+ "DeckHistoryPanel.form.button_content": "Create a new version",
+ "DeckRevision.swal.text": "This action will restore the deck to an earlier version. Do you want to continue?",
+ "DeckRevision.swal.confirmButtonText": "Yes, restore deck",
+ "DeckRevision.swal.cancelButtonText": "No",
+ "DeckRevision.form.icon_aria_saved": "Saved at",
+ "DeckRevision.form.date_on": "on",
+ "DeckRevision.form.date_at": "at",
+ "DeckRevision.form.by": "by",
+ "DeckRevision.form.button_aria_show": "Show details",
+ "DeckRevision.form.version_changes": "Version changes",
+ "DeckRevision.form.button_aria_restore": "Restore deck",
+ "DeckRevision.form.button_aria_view": "View deck in new tab",
+ "DeckRevisionChanges.form.no_changes": "There are no changes for this version.",
+ "SlideHistoryPanel.form.no_changes": "There are no changes for this slide.",
+ "ContentModulesPanel.form.label_sources": "Sources",
+ "ContentModulesPanel.form.label_tags": "Tags",
+ "ContentModulesPanel.form.label_comments": "Comments",
+ "ContentModulesPanel.form.label_history": "History",
+ "ContentModulesPanel.form.label_usage": "Usage",
+ "ContentModulesPanel.form.label_questions": "Questions",
+ "ContentModulesPanel.form.label_playlists": "Playlists",
+ "ContentModulesPanel.form.aria_additional": "Additional deck tools",
+ "ContentModulesPanel.form.dropdown_text": "Tools",
+ "ContentModulesPanel.form.header": "Content Tools",
+ "ContentQuestionAdd.no_question": "Please, enter question",
+ "ContentQuestionAdd.no_answers": "Please, add answers",
+ "ContentQuestionAdd.form.question": "Question",
+ "ContentQuestionAdd.form.difficulty": "Difficulty",
+ "ContentQuestionAdd.form.difficulty_easy": "Easy",
+ "ContentQuestionAdd.form.difficulty_moderate": "Moderate",
+ "ContentQuestionAdd.form.difficulty_hard": "Hard",
+ "ContentQuestionAdd.form.answer_choices": "Answer Choices",
+ "ContentQuestionAdd.form.explanation": "Explanation (optional)",
+ "ContentQuestionAdd.form.exam_question": "This is an exam question",
+ "ContentQuestionAdd.form.button_save": "Save",
+ "ContentQuestionAdd.form.button_cancel": "Cancel",
+ "ContentQuestionAnswersList.form.button_answer_show": "Show answer",
+ "ContentQuestionAnswersList.form.button_answer_hide": "Hide answer",
+ "ContentQuestionAnswersList.form.button_edit": "Edit question",
+ "ContentQuestionAnswersList.form.explanation": "Explanation:",
+ "ContentQuestionEdit.no_question": "Please, enter question",
+ "ContentQuestionEdit.no_answers": "Please, add answers",
+ "ContentQuestionEdit.swal.text": "Delete this question. Are you sure?",
+ "ContentQuestionEdit.swal.confirmButtonText": "Yes, delete!",
+ "ContentQuestionEdit.form.question": "Question",
+ "ContentQuestionEdit.form.difficulty": "Difficulty",
+ "ContentQuestionEdit.form.difficulty_easy": "Easy",
+ "ContentQuestionEdit.form.difficulty_moderate": "Moderate",
+ "ContentQuestionEdit.form.difficulty_hard": "Hard",
+ "ContentQuestionEdit.form.answer_choices": "Answer Choices",
+ "ContentQuestionEdit.form.explanation": "Explanation (optional)",
+ "ContentQuestionEdit.form.exam_question": "This is an exam question",
+ "ContentQuestionEdit.form.button_save": "Save",
+ "ContentQuestionEdit.form.button_cancel": "Cancel",
+ "ContentQuestionEdit.form.button_delete": "Delete",
+ "ContentQuestionsItem.form.originally": "(originally from",
+ "ContentQuestionsPanel.form.no_questions": "There are currently no questions for this",
+ "ContentQuestionsPanel.form.button_exam": "Exam mode",
+ "ContentQuestionsPanel.form.button_select": "Select exam questions",
+ "ContentQuestionsPanel.form.button_add": "Add question",
+ "ContentQuestionsPanel.form.questions_header": "Questions",
+ "QuestionDownloadList.form.heading": "Select questions to download",
+ "QuestionDownloadList.form.button": "Select all",
+ "QuestionDownloadModal.form.download_aria": "Download Questions",
+ "QuestionDownloadModal.form.download_tooltip": "Download Questions as JSON format",
+ "QuestionDownloadModal.form.modal_description": "You can select one or more questions from this deck to download.",
+ "QuestionDownloadModal.form.button_cancel": "Cancel",
+ "QuestionDownloadModal.form.download_text": "Download",
"questionpanel.handleDownloadQuestionsClick": "Download questions",
+ "QuestionDownloadModal.form.modal_header": "Download questions",
+ "ExamAnswersItem.form.answer_correct": "your answer was correct",
+ "ExamAnswersItem.form.answer_not_selected": "the correct answer which you did not select",
+ "ExamAnswersItem.form.answer_incorrect": "your answer was incorrect",
+ "ExamAnswersList.form.explanation": "Explanation:",
+ "ExamAnswersList.form.answer_incorrect": "Your answer to the question was incorrect",
+ "ExamList.swal.title": "Exam submitted",
+ "ExamList.swal.text": "Your score:",
+ "ExamList.form.button_submit": "Submit answers",
+ "ExamList.form.button_cancel": "Cancel",
+ "ExamPanel.form.no_questions": "There are currently no exam questions for this",
+ "ExamPanel.form.exam_mode": "Exam mode",
+ "ExamPanel.form.button_back": "Back",
+ "ExamQuestionsList.form.header": "Select exam questions",
+ "ExamQuestionsList.form.button_save": "Save",
+ "ExamQuestionsList.form.button_cancel": "Cancel",
+ "ContentUsageItem.form.by": "by",
+ "ContentUsageList.form.no_usage": "There is currently no usage of this",
+ "ContributorsPanel.form.no_contributors": "There are no contributors for this",
+ "ContributorsPanel.form.header": "Creator",
+ "ContributorsPanel.form.title": "Contributors",
+ "DataSourceItem.form.originally": "originally from slide",
+ "DataSourcePanel.form.no_sources": "There are currently no sources for this",
+ "DataSourcePanel.form.button_add": "Add source",
+ "DataSourcePanel.form.header": "Sources",
+ "DataSourcePanel.form.show_more": "Show more ...",
+ "EditDataSource.no_title": "This field cannot be empty.",
+ "EditDataSource.valid_url": "The URL must be a valid one.",
+ "EditDataSource.valid_year": "Enter a valid number for a Year, which is less or equal the current one.",
+ "EditDataSource.form.header_edit": "Edit source",
+ "EditDataSource.form.header_add": "Add source",
+ "EditDataSource.form.placeholder_title": "Title",
+ "EditDataSource.form.placeholder_authors": "Authors",
+ "EditDataSource.form.placeholder_year": "Year",
+ "EditDataSource.form.placeholder_comment": "Comment",
+ "EditDataSource.form.button_delete": "Delete",
+ "EditDataSource.form.type_webpage": "Web page",
+ "EditDataSource.form.type_webdocument": "Web document",
+ "EditDataSource.form.type_publication": "Publication",
+ "EditDataSource.form.type_person": "Person",
+ "EditDataSource.form.type_text": "Plain text",
+ "EditDataSource.form.label_type": "Type",
+ "EditDataSource.form.label_title": "Title",
+ "EditDataSource.form.label_authors": "Authors",
+ "EditDataSource.form.label_year": "Year",
+ "EditDataSource.form.label_comment": "Comment",
+ "EditDataSource.form.button_submit": "Submit",
+ "EditDataSource.form.button_cancel": "Cancel",
"RecommendedTags.header": "Recommended Tags",
"RecommendedTags.aria.add": "Add recommended tag",
"RecommendedTags.aria.dismiss": "Dismiss recommendation",
@@ -464,16 +635,36 @@
"DeckTranslationsModal.translate": "Create translation",
"DeckTranslationsModal.originLanguage": "Original Language:",
"DeckTranslationsModal.switchSR": "Create a new deck translation",
+ "SlideTranslationsModal.header": "Translate Slide",
+ "SlideTranslationsModal.chooseSourceLanguage": "Choose the source language...",
+ "SlideTranslationsModal.chooseTargetLanguage": "Choose the target language...",
+ "SlideTranslationsModal.sourceTranslation": "Current language:",
+ "SlideTranslationsModal.targetTranslation": "Target language:",
+ "SlideTranslationsModal.autoSelect": "Current and target language are automatically selected. You may alter manually if required.",
+ "SlideTranslationsModal.alternativeTranslation1": "We have a limited amount of automatic translation each month. Alternatively, you can use the...",
+ "SlideTranslationsModal.alternativeTranslation2": "...built-in translation feature, ...",
+ "SlideTranslationsModal.alternativeTranslation3": "...translation extension or “app”, or translate via one of the Mozilla Firefox translations extensions (...",
+ "SlideTranslationsModal.openOriginal": "To assist with translation, you can open the current version of this deck in a new browser tab via the Play button.",
+ "SlideTranslationsModal.sourceLanguageSearchOptions": "(start typing to find the source language)",
+ "SlideTranslationsModal.targetLanguageSearchOptions": "(start typing to find the target language)",
+ "SlideTranslationsModal.cancel": "Cancel",
+ "SlideTranslationsModal.translate": "Translate slide",
+ "SlideTranslationsModal.originLanguage": "Original Language:",
+ "SlideTranslationsModal.switchSR": "Start a new slide translation",
"InfoPanelInfoView.selectLanguage": "Select language",
+ "Stats.deckUserStatsTitle": "User Activity",
"similarContentItem.creator": "Creator",
"similarContentItem.likes": "Number of likes",
"similarContentItem.open_deck": "Open deck",
"similarContentItem.open_slideshow": "Open slideshow in new tab",
"similarContentPanel.panel_header": "Recommended Decks",
"similarContentPanel.panel_loading": "Loading",
+ "slideEditLeftPanel.transitionAlertTitle": "Changing Transition for the presentation",
+ "slideEditLeftPanel.transitionAlertContent": "This transition will be used for the transition to this slide, do you want to proceed?",
"editpanel.slideSizeCurrent": "(current: {size})",
"editpanel.back": "back",
"editpanel.embed": "Embed",
+ "editpanel.lti": "LTI",
"editpanel.table": "Table",
"editpanel.Maths": "Maths",
"editpanel.Code": "Code",
@@ -490,6 +681,14 @@
"editpanel.embedAdd": "Add to Slide",
"editpanel.embedNote": "Not all website owners allow their content to be embedded. Using embed code provided by the website you want to embed (instead of URL) often works best.",
"editpanel.embedNoteTerms": "Please note that our terms (e.g., on malicious code and commercial material) also strictly apply to any content on webpages that you embed.",
+ "editpanel.ltiKey": "LTI Key:",
+ "editpanel.ltiKeyMissingError": "missing LTI key",
+ "editpanel.ltiURL": "URL/Link to LTI content:",
+ "editpanel.ltiURLMissingError": "missing URL/link to content",
+ "editpanel.ltiWidth": "Width of LTI content:",
+ "editpanel.ltiHeight": "Height of LTI content:",
+ "editpanel.ltiAdd": "Add to Slide",
+ "editpanel.ltiNote": "Use an LTI URL and key.",
"editpanel.template2": "Empty document - Document-mode (non-canvas)",
"editpanel.template3": "Document with title - Document-mode (non-canvas)",
"editpanel.template31": "Document with rich text example - Document-mode (non-canvas)",
@@ -511,6 +710,7 @@
"editpanel.templateVMU": "VMU template - Title page",
"editpanel.slideTitleButton": "Change slide name",
"editpanel.slideSizeChange": "Change slide size",
+ "editpanel.slideTransition": "Slide Transition",
"editpanel.changeBackgroundColor": "Change Background Colour",
"editpanel.removeBackground": "Remove background",
"editpanel.titleMissingError": "Error: Slide name can not be empty",
@@ -526,6 +726,12 @@
"editpanel.slideSizeName720": "720p HDTV Wide XGA",
"editpanel.slideSizeWidescreen1080": "Widescreen (16:9) high",
"editpanel.slideSizeName1080": "1080p/1080i HDTV Blu-ray",
+ "transitionpanel.none": "No slide transition",
+ "transitionpanel.convex": "Convex",
+ "transitionpanel.fade": "Fade",
+ "transitionpanel.slide": "Slide",
+ "transitionpanel.zoom": "Zoom",
+ "transitionpanel.concave": "Concave",
"editpanel.addTextBox": "Add text box",
"editpanel.Image": "Add image",
"editpanel.Video": "Add video",
@@ -615,6 +821,20 @@
"UserCollections.collections.shared": "Shared Playlist",
"UserCollections.collections.delete.title": "Delete Playlist",
"UserCollections.collections.delete.text": "Are you sure you want to delete this playlist?",
+ "footer.sr.header": "Information about SlideWiki",
+ "footer.header": "About",
+ "footer.about": "About Us",
+ "footer.contact": "Contact Us",
+ "footer.guides": "Guides and Help",
+ "footer.accessibility": "Accessibility",
+ "footer.terms.header": "Terms & Conditions",
+ "footer.terms": "Terms",
+ "footer.license": "License",
+ "footer.imprint": "Imprint",
+ "footer.data": "Data Protection",
+ "footer.funding": "Funding",
+ "footer.funding.text": "The SlideWiki project has received funding from the European Union's Horizon 2020 research and innovation programme under grant agreement No 688095",
+ "footer.copyright": "Copyright © 2018 All Rights Reserved",
"header.signin": "Sign In",
"header.signin.mobile": "Sign In",
"header.mydecks.mobile": "Decks",
@@ -757,8 +977,13 @@
"dataProtection.8.email": "data-protection(at)zv.fraunhofer.de",
"dataProtection.9.header": "9. Acceptance, validity and modification of data protection conditions",
"dataProtection.9.p1": "By using our Web site, you implicitly agree to accept the use of your personal data as specified above. This present statement of data protection conditions came into effect on October 1st, 2013. As our Web site evolves, and new technologies come into use, it may become necessary to amend the statement of data protection conditions. The Fraunhofer-Gesellschaft reserves the right to modify its data protection conditions at any time, with effect as of a future date. We recommend that you re-read the latest version from time to time.",
+ "decklist.featured.alt": "Featured Image.",
"decklist.decklanguage": "Default language",
+ "decklist.decknumberofslides": "Number of slides",
"decklist.forkcount": "Number of forks",
+ "decklist.likecount": "Number of likes",
+ "decklist.numberofshares": "Number of shares",
+ "decklist.numberofdownloads": "Number of downloads",
"decklist.featured.notavailable": "No featured decks available",
"decklist.recent.notavailable": "No recent decks available",
"decklist.meta.creator": "Creator",
@@ -825,8 +1050,36 @@
"home.slideWikiAbout": "The SlideWiki Project",
"home.slideWikiAboutContent": "SlideWiki is an online slideshow tool that offers users the chance to create and collaborate on slides, assessments and to share content as structured open educational resources using a Creative Commons licence. With SlideWiki you can engage with your audience by collaborating with colleagues to co-design and co-create course materials and share your knowledge across the world. SlideWiki is an open-source platform, and all its content can be reused under Creative Commons CC-BY-SA license. SlideWiki development, large-scale trials and underlying research is funded from Framework Programme for Research and Innovation Horizon 2020 under grant agreement no 688095. The project involves 17 partners to develop, test and trial SlideWiki.",
"home.slideWikiAboutVisit": "visit the project website.",
- "home.myDecks": "My Decks.",
+ "home.myDecksLink": "My Decks",
"home.seeMoreDecks": "See more decks",
+ "home.leanrMoreSW": "Learn more about SlideWiki",
+ "home.featuredDeck": "Featured Deck",
+ "imprint.licensing.text": "Content on the SlideWiki OCW Authoring platform is licensed under the Creative Commons Attribution-ShareAlike 4.0 International (CC BY-SA 4.0), Creative Commons Attribution 4.0 International (CC BY 4.0), or Creative Commons 1.0 Universal Public Domain Dedication (CC0 1.0) – unless otherwise marked. See the CC {link_licenses} for more information.",
+ "imprint.software.text": "All of SlideWiki’s software code is Open Source software; please check our code repository.",
+ "imprint.header": "Imprint – also serves as provider identification according to § 5 Telemediengesetz (TMG)",
+ "imprint.provider": "Provider",
+ "imprint.representative": "Authorised Representative",
+ "imprint.representative.text": "Prof. Dr. Sören Auer (Director of TIB)",
+ "imprint.representative.text2": "Technische Informationsbibliothek (TIB) is a foundation of public law of the state of Lower Saxony.",
+ "imprint.authority": "Responsible Supervisory Authority",
+ "imprint.authority.text": "Ministry for Science and Culture of Lower Saxony",
+ "imprint.contact": "Contact",
+ "imprint.VAT": "VAT (sales tax) registration number",
+ "imprint.editorialOffice": "Editorial Office",
+ "imprint.copyright": "Copyright",
+ "imprint.copyright.text": "The layout of this website is protected under copyright, as are the graphics and all other contents contained in the website.",
+ "imprint.content": "Content Available",
+ "imprint.content.text1": "Provided as-is:",
+ "imprint.content.text2": "You acknowledge that we do not make any representations or warranties about the material, data, and information, such as data files, text, computer software, code, music, audio files or other sounds, photographs, videos, or other images (collectively, the “Content”) which you may have access to through your use of SlideWiki. Under no circumstances are we liable in any way for any Content, including, but not limited to: any infringing Content, any errors or omissions in Content, or for any loss or damage of any kind incurred as a result of the use of any Content posted, transmitted, linked from, or otherwise accessible through or made available via SlideWiki. You understand that by using SlideWiki, you may be exposed to Content that is offensive, indecent, or objectionable. You agree that you are solely responsible for your reuse of Content made available through SlideWiki. You should review the terms of the applicable license before you use the Content so that you know what you can and cannot do.",
+ "imprint.licensing": "Licensing",
+ "imprint.licenses.page": "licenses page",
+ "imprint.software": "SlideWiki Software",
+ "imprint.repository": "repository",
+ "imprint.content2": "Content Supplied by You",
+ "imprint.content2.text": "Your responsibility: You represent, warrant, and agree that no Content posted or otherwise shared by you on or through SlideWiki (“Your Content”), violates or infringes upon the rights of any third party, including copyright, trademark, privacy, publicity, or other personal or proprietary rights, breaches or conflicts with any obligation, such as a confidentiality obligation, or contains libelous, defamatory, or otherwise unlawful material.",
+ "imprint.licensing.2": "Licensing Your Content: You retain any copyright that you may have in Your Content. You hereby agree that Your Content: (a) is hereby licensed under the Creative Commons Attribution 4.0 License and may be used under the terms of that license or any later version of a Creative Commons Attribution License, or (b) is in the public domain (such as Content that is not copyrightable or Content you make available under CC0), or © if not owned by you, (i) is available under a Creative Commons Attribution 4.0 License or (ii) is a media file that is available under any Creative Commons license.",
+ "imprint.disclaimer": "Disclaimer",
+ "imprint.disclaimer.text": "We cannot assume any liability for the content of external pages. Solely the operators of those linked pages are responsible for their content.",
"licence.ccBySaLicenceLogo": "Creative Commons BY-SA License logo",
"licence.1.p2": "Find out more about the CC BY-SA and access the full license text by viewing the {link_1}.",
"licence.1.3.p2": "{link_1} lists sources of materials published under creative commons licenses. Some media services such as Flickr, YouTube and Vimeo publish some content under creative commons licenses. Content marked “All rights reserved” cannot be included in SlideWiki.",
@@ -858,6 +1111,19 @@
"licence.4.header": "Notices",
"licence.4.p1": "The SlideWiki website and its content are provided \"as is\". We offer no warranties, explicit or implied regarding any content, the webiste or the accuracy of any information. These license may not give you all of the permissions necessary for your intended use. For example, other rights such as publicity, privacy, or moral rights may limit how you use the material. We reserve the right to remove materials and content that we believe to infringe copyright and license requirements.",
"recent.header": "Recent decks added by users",
+ "staticPage.findSlides": "Find slides",
+ "staticPage.findSlidesSubtitle": "Explore the deck",
+ "staticPage.findSlidesContent": "SlideWiki provides open educational resourcs and courses across a wide range of topics.",
+ "staticPage.createSlides": "Create slides",
+ "staticPage.createSlidesSubtitle": "Add and adapt course material",
+ "staticPage.createSlidesContent": "Create a new deck or import existing slides to create HTML slide decks.",
+ "staticPage.sharingSlides": "Share slides",
+ "staticPage.sharingSlidesSubtitle": "Present, Share and Communicate",
+ "staticPage.sharingSlidesContent": "Collaborate on decks with peers. Group decks in playlists and share via social media or email.",
+ "staticPage.getStarted": "Get started right away.",
+ "staticPage.signIn": "Sign in",
+ "staticPage.getStartedDescription": "Create an account to start creating and sharing your decks.",
+ "staticPage.myDecks": "My Decks.",
"terms.mainTitle": "Terms of us of SlideWiki",
"terms.summary": "This is a human-readable summary of the Terms of Use for SlideWiki (the project).",
"terms.disclaimer": "Disclaimer: This summary is not a part of the Terms of Use and is not a legal document. It is simply a handy reference for understanding the full terms. Think of it as the user-friendly interface to the legal language of our Terms of Use.",
@@ -881,19 +1147,6 @@
"terms.paragraph1": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Vivamus id nisl magna. Sed a metus vel dui vehicula viverra. Quisque sed tellus at justo semper dictum. Nullam at rutrum leo. Vivamus at aliquam metus. Aliquam nec nunc in libero posuere hendrerit nec at lacus. Nunc malesuada lobortis tortor nec porta. Cras vulputate mollis nisi, at sollicitudin quam eleifend ac. Nam sed venenatis turpis. Sed vestibulum malesuada nunc vitae ultricies. Donec bibendum ultrices facilisis. Mauris sollicitudin mi et vulputate rhoncus.",
"terms.paragraph2": "Mauris tincidunt, urna non aliquam dapibus, enim metus varius tellus, non dignissim urna odio ac augue. Fusce id lacinia ipsum, id egestas dui. Suspendisse nec quam vel mi tincidunt bibendum a vel mauris. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia Curae; Proin magna elit, molestie eu libero ut, bibendum facilisis turpis. Mauris sem lorem, dignissim a ex sit amet, suscipit fermentum turpis. Integer porttitor arcu non porttitor faucibus. Fusce nisi risus, rutrum vitae vulputate vitae, consectetur et nunc. Aliquam placerat ipsum felis, nec fermentum arcu sagittis nec. Aenean imperdiet laoreet quam ac placerat. Ut accumsan tristique elementum. Etiam congue venenatis lorem, malesuada tristique mauris congue vel. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Nam tincidunt libero a nisi consequat sodales.",
"terms.paragraph3": "Aliquam vitae velit iaculis, vestibulum felis eu, lacinia risus. Donec mollis enim nec accumsan tristique. Morbi dapibus condimentum erat quis placerat. Integer velit augue, sodales quis scelerisque nec, facilisis nec velit. Maecenas rhoncus sagittis lectus, vel feugiat nulla aliquet quis. Quisque condimentum sapien nec eros tristique, vitae pulvinar sem tempus. Nulla ut odio id elit accumsan interdum. Maecenas sagittis sed sem a malesuada. Vivamus venenatis ex sed ex pretium, et pellentesque purus vehicula. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egesta",
- "terms.findSlides": "Find slides",
- "terms.findSlidesSubtitle": "Explore the deck lorem ipsum",
- "terms.findSlidesContent": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Aenean eget elit sapien. Nunc semper urna in lectus consectetur fermentum. Vestibulum eu sem pulvinar, sollicitudin ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet aliquam n ipsum eu, porttitor elit. Maecenas bibendum congue lectus, viligula finibus, sit amet.",
- "terms.createSlides": "Create slides",
- "terms.createSlidesSubtitle": "Learn how to create slides with SlideWiki",
- "terms.createSlidesContent": "Create a new deck or import existing slides from PowerPoint (*.pptx) or OpenDocument Presentation (*.odp) files. Your imported slides will be converted into HTML slides to allow you to continue to edit and add new slides.",
- "terms.sharingSlides": "Sharing slides",
- "terms.sharingSlidesSubtitle": "Present, Share and Communicate",
- "terms.sharingSlidesContent": "There are many ways that you and your students can engage and interact with slides and decks. Use the Slideshow mode to view a deck as a slideshow. Includes a timer and speaker notes' view. Share decks via social media or email.",
- "terms.getStarted": "Get started right away.",
- "terms.signIn": "Sign in",
- "terms.getStartedDescription": "Create an account to start creating and sharing your decks.",
- "terms.myDecks": "My Decks.",
"welcome.3.slideshowMode": "Use the {strong} to view a deck as a slideshow. Includes a timer and speaker notes&apo; view.",
"welcome.3.shareDecks": "{strong} via social media or email.",
"welcome.3.comments": "Add {strong} to decks and slides to interact with other learners.",
@@ -934,12 +1187,16 @@
"LoginModal.placeholder.email": "E-Mail",
"LoginModal.placeholder.password": "Password",
"userSignIn.headerText": "Sign In",
+ "LoginModal.aria.google": "sign in with your Google account",
+ "LoginModal.aria.github": "sign in with your Github account",
"LoginModal.label.email": "E-Mail",
"LoginModal.label.password": "Password",
"LoginModal.button.signIn": "Sign In",
"LoginModal.text.iCannotAccessMyAccount": "I can not access my account",
"LoginModal.text.dontHaveAnAccount": "Don't have an account? Sign up here.",
"LoginModal.button.close": "Close",
+ "Migrate.text1": "We are merging your user account. This will take just a few seconds.",
+ "Migrate.text2": "You will be directed to next view.",
"resetPassword.mailprompt": "Please enter your email address",
"resetPassword.mailprompt2": "Please enter a valid email address",
"resetPassword.mailreprompt": "Please reenter your email address",
@@ -961,6 +1218,19 @@
"SSOSignIn.errormessage.isForbidden": "Migration is not possible with this user. Please start all over again.",
"SSOSignIn.errormessage.accountNotFound": "This account was not prepared for migration. Please start all over again.",
"SSOSignIn.errormessage.badImplementation": "An unknown error occurred.",
+ "socialLogin.text1": "We are acquiring your data. This will take just a few seconds.",
+ "socialLogin.text2": "This window will close automatically.",
+ "UserMenuDropdown.mydecks": "My Decks",
+ "UserMenuDropdown.decks": "Decks",
+ "UserMenuDropdown.myplaylists": "My Playlists",
+ "UserMenuDropdown.playlists": "Playlists",
+ "UserMenuDropdown.mygroups": "My Groups",
+ "UserMenuDropdown.groups": "Groups",
+ "UserMenuDropdown.mySettings": "My Settings",
+ "UserMenuDropdown.settings": "Settings",
+ "UserMenuDropdown.myNotifications": "My Notifications",
+ "UserMenuDropdown.notifications": "Notifications",
+ "UserMenuDropdown.signout": "Sign Out",
"paintModal.title": "Draw your own SVG image",
"paintModal.primaryColourInput": "Primary colour:",
"paintModal.secondaryColourInput": "Secondary colour:",
@@ -1054,9 +1324,13 @@
"SearchPanel.filters.tags.title": "Tags",
"SearchPanel.filters.tags.placeholder": "Select Tags",
"SearchPanel.button.submit": "Submit",
+ "DeckFilter.Tag.Topic": "Subject",
+ "DeckFilter.Education": "Education Level",
"Facets.languagesFacet": "Languages",
"Facets.ownersFacet": "Owners",
"Facets.tagsFacet": "Tags",
+ "Facets.educationLevelFacet": "Education Levels",
+ "Facets.topicsFacet": "Subjects",
"Facets.showMore": "show more",
"Facets.showLess": "show less",
"SearchResultsItem.otherVersions.deck": "Deck Version {index}: {title}",
@@ -1090,8 +1364,8 @@
"SSOSignIn.errormessage.deactivatedOrUnactivated": "Your user account either have to be activated via the activation link in your email or is deactivated in general.",
"CategoryBox.personalSettings": "Personal settings",
"CategoryBox.profile": "Profile",
- "CategoryBox.account": "Account",
- "CategoryBox.authorizedAccounts": "Authorized Accounts",
+ "CategoryBox.account": "Accounts",
+ "CategoryBox.authorizedAccounts": "Authorized Accounts & Services",
"CategoryBox.userStats": "User Stats",
"CategoryBox.groups": "Groups",
"CategoryBox.myGroups": "My Groups",
@@ -1142,6 +1416,7 @@
"user.deckcard.opendeck": "Open deck",
"user.deckcard.slideshow": "Open slideshow in new tab",
"user.deckcard.unlisted": "Unlisted",
+ "user.populardecks.notavailable": "No decks available",
"Integration.swalTitle3": "Error",
"Integration.swalText3": "The provider hasn't been disabled, because something unexpected happened. Please try again later.",
"Integration.swalbutton3": "Confirmed",
@@ -1164,7 +1439,8 @@
"Integration.disableGithub": "Disable",
"Integration.enableGithub": "Enable",
"Integration.loading": "loading",
- "user.populardecks.notavailable": "No decks available",
+ "Integration.ltis": "Learning Services (LTIs)",
+ "Integration.myLTIs": "My Learning Services",
"user.userProfile.privatePublicProfile.allStatus": "All",
"user.userProfile.privatePublicProfile.publicStatus": "Published",
"user.userProfile.privatePublicProfile.hiddenStatus": "Unlisted",
@@ -1214,7 +1490,15 @@
"user.userRecommendations.lastUpdated": "Last updated",
"user.userRecommendations.creationDate": "Creation date",
"user.userRecommendations.title": "Title",
+ "Stats.userStatsTitle": "User Statistics",
"Stats.tagCloudTitle": "Popular Tags",
+ "Stats.userEngagementTitle": "User Engagement Overview",
+ "Stats.activeEngagement": "Active Engagement",
+ "Stats.passiveEngagement": "Passive Engagement",
+ "Stats.socialEngagement": "Social Engagement",
+ "Stats.activeEngagementDesc": "The degree of active participation based on the user's content creation history",
+ "Stats.passiveEngagementDesc": "The degree of passive participation based on the user's content usage",
+ "Stats.socialEngagementDesc": "The degree of social interaction through SW content",
"UserRegistration.firstName_prompt": "Please enter your first name",
"UserRegistration.lastName_prompt": "Please enter your last name",
"UserRegistration.userName_prompt": "Please select your username",
@@ -1264,6 +1548,11 @@
"UserRegistration.form_terms": "By clicking Sign Up, you agree to our",
"UserRegistration.form_terms2": "Terms",
"UserRegistration.noAccess": "I can not access my account",
+ "UserRegistration.emailRegistered": "This E-Mail has already been registered by someone else. Please use another one.",
+ "UserRegistration.usernameRegistered": "This Username has already been registered by someone else. Please choose another one.",
+ "UserRegistration.username.suggestion": "Here are some suggestions:",
+ "UserRegistration.SSO.title": "Sign up with an account of another SlideWiki instance",
+ "UserRegistration.SSO.aria": "Sign up with another SlideWiki instance",
"UserRegistrationSocial.firstnameprompt": "Please enter your first name",
"UserRegistrationSocial.lastnameprompt": "Please enter your last name",
"UserRegistrationSocial.usernameprompt": "Please select your username",
@@ -1278,6 +1567,7 @@
"UserRegistrationSocial.confirm": "OK",
"UserRegistrationSocial.emailNotAllowed": "This E-Mail has already been used by someone else. Please choose another one.",
"UserRegistrationSocial.usernameNotAllowed": "This Username has already been used by someone else. Please choose another one.",
+ "UserRegistrationSocial.usernamesuggestion": "Here are some suggestions:",
"UserRegistrationSocial.validate": "Validate user information",
"UserRegistrationSocial.fname": "First name *",
"UserRegistrationSocial.lname": "Last name *",
diff --git a/server/handleServerRendering.js b/server/handleServerRendering.js
index ee32707cd..286f49298 100644
--- a/server/handleServerRendering.js
+++ b/server/handleServerRendering.js
@@ -120,26 +120,25 @@ export default function handleServerRendering(req, res, next){
reqId: req.reqId
}, (err) => {
if (err) {
- if (err.statusCode && err.statusCode === '301') {
- //console.log('REDIRECTING to '+ JSON.stringify(err));
+ if (err.statusCode === 301) {
res.redirect(301, err.redirectURL);
- }else
- if (err.statusCode && err.statusCode === '404') {
+ } else if (err.statusCode) {
+ // render page and also set status to the error code
let html = renderApp(req, res, context);
debug('Sending markup');
res.type('html');
res.status(err.statusCode);
log.error({Id: res.reqId, URL: req.url, StatusCode: res.statusCode, StatusMessage: res.statusMessage, Message: 'Sending response'});
+ res.write('' + html);
res.end();
- return;
- }else{
+ } else {
+ // TODO render page even though there was an error ????
let html = renderApp(req, res, context);
debug('Sending markup');
res.type('html');
res.write('' + html);
log.error({Id: res.reqId, URL: req.url, StatusCode: res.statusCode, StatusMessage: res.statusMessage, Message: 'Sending response'});
res.end();
- return;
}
} else {
diff --git a/services/deck.js b/services/deck.js
index dacf2cbda..d21a51ad1 100644
--- a/services/deck.js
+++ b/services/deck.js
@@ -225,6 +225,8 @@ export default {
return userPromisesMap[user] = userPromisesMap[user] || rp.get({
uri: Microservices.user.uri + '/user/' + user.toString(),
json: true,
+ }).catch((err) => {
+ // ignore this for now, return nothing
});
});
return Promise.all(userPromises);
@@ -252,8 +254,8 @@ export default {
callback(null, {
deckData,
slidesData,
- creatorData: usersData[0],
- ownerData: usersData[1],
+ creatorData: usersData[0] || {},
+ ownerData: usersData[1] || {},
originCreatorData: usersData[2] || {},
});
}).catch((err) => {
diff --git a/services/decktree.js b/services/decktree.js
index 22d1e279e..cffbe70e4 100644
--- a/services/decktree.js
+++ b/services/decktree.js
@@ -30,8 +30,7 @@ export default {
}).then((res) => {
callback(null, {translations: res, selector: selector, language: args.language});
}).catch((err) => {
- console.log(err);
- callback(null, {translations: [], selector: selector, language: args.language});
+ callback(err);
});
}
diff --git a/stores/ApplicationStore.js b/stores/ApplicationStore.js
index 63414ca10..c856dcdb1 100644
--- a/stores/ApplicationStore.js
+++ b/stores/ApplicationStore.js
@@ -7,7 +7,6 @@ class ApplicationStore extends BaseStore {
super(dispatcher);
this.pageTitle = '';
this.pageThumbnail = '/assets/images/slideWiki-logo-linear.png'; //can add a default image here
- this.pageDescription = '';
this.showActivationMessage = false;
//this.frozen = false;
}
@@ -56,14 +55,12 @@ class ApplicationStore extends BaseStore {
return {
pageTitle: this.pageTitle,
pageThumbnail: this.pageThumbnail,
- pageDescription: this.pageDescription,
showActivationMessage: this.showActivationMessage,
};
}
rehydrate(state) {
this.pageTitle = state.pageTitle;
this.pageThumbnail = state.pageThumbnail;
- this.pageDescription = state.pageDescription;
this.showActivationMessage = state.showActivationMessage;
}
}
diff --git a/stores/DeckViewStore.js b/stores/DeckViewStore.js
index 4d4aa0d7d..c0fd69e08 100644
--- a/stores/DeckViewStore.js
+++ b/stores/DeckViewStore.js
@@ -34,6 +34,16 @@ class DeckViewStore extends BaseStore {
this.emitChange();
}
+ resetContent() {
+ this.deckData = {};
+ this.slidesData = {};
+ this.creatorData = {};
+ this.ownerData = {};
+ this.originCreatorData = {};
+ this.deckViewPanelHeight = 450;
+ this.emitChange();
+ }
+
getState() {
return {
deckData: this.deckData,
@@ -59,6 +69,7 @@ class DeckViewStore extends BaseStore {
DeckViewStore.storeName = 'DeckViewStore';
DeckViewStore.handlers = {
+ 'LOAD_DECK_PAGE_START': 'resetContent',
'LOAD_DECK_CONTENT_SUCCESS': 'updateContent',
'UPDATE_DECK_VIEW_PANEL_HEIGHT': 'updateDeckViewPanelHeight',
'INCREMENT_DECK_VIEW_COUNTER': 'incrementDeckViewCounter'
diff --git a/stores/ImportStore.js b/stores/ImportStore.js
index 3da4cbc04..71b09c124 100644
--- a/stores/ImportStore.js
+++ b/stores/ImportStore.js
@@ -20,6 +20,8 @@ class ImportStore extends BaseStore {
this.description = '';
this.theme = '';
this.license = '';
+ this.tags = [];
+ this.topics = [];
}
destructor()
{
@@ -40,6 +42,8 @@ class ImportStore extends BaseStore {
this.description = '';
this.theme = '';
this.license = '';
+ this.tags = [];
+ this.topics = [];
}
cancel() {
this.destructor();
@@ -63,7 +67,9 @@ class ImportStore extends BaseStore {
language: this.language,
description: this.description,
theme: this.theme,
- license: this.license
+ license: this.license,
+ tags: this.tags,
+ topics: this.topics
};
}
dehydrate() {
@@ -87,6 +93,8 @@ class ImportStore extends BaseStore {
this.description = state.description;
this.theme = state.theme;
this.license = state.license;
+ this.tags = state.tags;
+ this.topics = state.topics;
}
storeFile(payload) {
@@ -97,6 +105,11 @@ class ImportStore extends BaseStore {
this.fileReadyForUpload = true;
this.emitChange();
}
+ storeTags(payload) {
+ this.tags = payload.tags;
+ this.topics = payload.topics;
+ this.emitChange();
+ }
uploadFailed(error) {
console.log('ImportStore: uploadFailed()', error);
this.destructor();
@@ -184,6 +197,7 @@ class ImportStore extends BaseStore {
ImportStore.storeName = 'ImportStore';
ImportStore.handlers = {
'STORE_FILE': 'storeFile',
+ 'STORE_TAGS': 'storeTags',
'IMPORT_CANCELED': 'cancel',
'IMPORT_FINISHED': 'destructor',
'UPLOAD_FAILED': 'uploadFailed',
diff --git a/stores/SlideEditStore.js b/stores/SlideEditStore.js
index ce16fcf8c..2df4964a2 100644
--- a/stores/SlideEditStore.js
+++ b/stores/SlideEditStore.js
@@ -16,7 +16,8 @@ class SlideEditStore extends BaseStore {
this.embedQuestionsContent = ''; //contains the content for the question embedding
this.slideSize = '';
this.slideTransition = '';
- this.slideSizeText = '';
+ this.transitionType = '';
+ this.slideSizeText = '';
this.saveSlideClick = 'false';
this.cancelClick = 'false';
this.selector = '';
@@ -89,6 +90,7 @@ class SlideEditStore extends BaseStore {
changeSlideTransition(payload){
this.slideTransition = payload.slideTransition;
+ // this.transitionType = payload.transitionType;
this.emitChange();
}
@@ -266,6 +268,7 @@ class SlideEditStore extends BaseStore {
embedQuestionsContent: this.embedQuestionsContent,
slideSize: this.slideSize,
slideTransition: this.slideTransition,
+ transitionType: this.transitionType,
slideSizeText: this.slideSizeText,
addInputBox: this.addInputBox,
uploadMediaClick: this.uploadMediaClick,
@@ -320,6 +323,7 @@ class SlideEditStore extends BaseStore {
this.embedQuestionsContent = state.embedQuestionsContent;
this.slideSize = state.slideSize;
this.slideTransition = state.slideTransition;
+ this.transitionType = state.transitionType;
this.slideSizeText = state.slideSizeText;
this.addInputBox = state.addInputBox;
this.uploadMediaClick = state.uploadMediaClick;
diff --git a/stores/SlideViewStore.js b/stores/SlideViewStore.js
index f5d548fed..4a8f80f81 100644
--- a/stores/SlideViewStore.js
+++ b/stores/SlideViewStore.js
@@ -14,6 +14,16 @@ class SlideViewStore extends BaseStore {
this.annotations = [];
}
+ resetContent() {
+ this.id = '';
+ this.slideId = '';
+ this.title = '';
+ this.content = '';
+ this.speakernotes = '';
+ this.tags = [];
+ this.emitChange();
+ }
+
updateContent(payload) {
//this.id = payload.slide.id;
this.slideId = payload.selector.sid;
@@ -78,6 +88,7 @@ class SlideViewStore extends BaseStore {
SlideViewStore.storeName = 'SlideViewStore';
SlideViewStore.handlers = {
+ 'LOAD_DECK_PAGE_START': 'resetContent',
'LOAD_SLIDE_CONTENT_SUCCESS': 'updateContent',
'ZOOM': 'zoomContent'
};