From 00498a907f685f4a768d0f9514a404899c57aade Mon Sep 17 00:00:00 2001 From: Dani Palou Date: Mon, 4 Dec 2017 07:44:03 +0100 Subject: [PATCH 01/31] MOBILE-2301 course: Add option to download whole course in context menu --- www/addons/competency/services/handlers.js | 15 ++ .../coursecompletion/services/handlers.js | 15 ++ www/addons/grades/services/handlers.js | 15 ++ www/addons/notes/services/handlers.js | 21 ++ www/addons/participants/services/handlers.js | 15 ++ .../participants/services/participants.js | 30 ++- .../components/course/controllers/sections.js | 65 +++++- www/core/components/course/lang/en.json | 2 + www/core/components/course/services/course.js | 203 +++++++++++++++++- www/core/components/course/services/helper.js | 117 +++++++++- .../components/course/templates/sections.html | 1 + .../components/courses/services/delegate.js | 5 +- www/core/components/grades/services/grades.js | 3 +- .../settings/controllers/space-usage.js | 3 +- www/core/lib/events.js | 1 + 15 files changed, 498 insertions(+), 13 deletions(-) diff --git a/www/addons/competency/services/handlers.js b/www/addons/competency/services/handlers.js index c1b971d6afb..f587fc46f30 100644 --- a/www/addons/competency/services/handlers.js +++ b/www/addons/competency/services/handlers.js @@ -228,6 +228,21 @@ angular.module('mm.addons.competency') }); }; + /** + * Prefetch the addon for a certain course. + * + * @param {Object} course Course to prefetch. + * @return {Promise} Promise resolved when the prefetch is finished. + */ + self.prefetch = function(course) { + // Invalidate data to be sure to get the latest info. + return $mmaCompetency.invalidateCourseCompetencies(course.id).catch(function() { + // Ignore errors. + }).then(function() { + return $mmaCompetency.getCourseCompetencies(course.id); + }); + }; + return self; }; diff --git a/www/addons/coursecompletion/services/handlers.js b/www/addons/coursecompletion/services/handlers.js index 775cd9121aa..471e9fab6a6 100644 --- a/www/addons/coursecompletion/services/handlers.js +++ b/www/addons/coursecompletion/services/handlers.js @@ -260,6 +260,21 @@ angular.module('mm.addons.coursecompletion') }); }; + /** + * Prefetch the addon for a certain course. + * + * @param {Object} course Course to prefetch. + * @return {Promise} Promise resolved when the prefetch is finished. + */ + self.prefetch = function(course) { + // Invalidate data to be sure to get the latest info. + return $mmaCourseCompletion.invalidateCourseCompletion(course.id).catch(function() { + // Ignore errors. + }).then(function() { + return $mmaCourseCompletion.getCompletion(course.id); + }); + }; + return self; }; diff --git a/www/addons/grades/services/handlers.js b/www/addons/grades/services/handlers.js index 1f1a676b3bc..8e1715a6cd1 100644 --- a/www/addons/grades/services/handlers.js +++ b/www/addons/grades/services/handlers.js @@ -128,6 +128,21 @@ angular.module('mm.addons.grades') }; }; + /** + * Prefetch the addon for a certain course. + * + * @param {Object} course Course to prefetch. + * @return {Promise} Promise resolved when the prefetch is finished. + */ + self.prefetch = function(course) { + // Invalidate data to be sure to get the latest info. + return $mmGrades.invalidateGradesTableData(course.id).catch(function() { + // Ignore errors. + }).then(function() { + return $mmGrades.getGradesTable(course.id); + }); + }; + return self; }; diff --git a/www/addons/notes/services/handlers.js b/www/addons/notes/services/handlers.js index 9710cba8bfb..fc5725d8533 100644 --- a/www/addons/notes/services/handlers.js +++ b/www/addons/notes/services/handlers.js @@ -295,6 +295,27 @@ angular.module('mm.addons.notes') }); }; + /** + * Prefetch the addon for a certain course. + * + * @param {Object} course Course to prefetch. + * @return {Promise} Promise resolved when the prefetch is finished. + */ + self.prefetch = function(course) { + // Invalidate data to be sure to get the latest info. + return $mmaNotes.invalidateNotes(course.id).catch(function() { + // Ignore errors. + }).then(function() { + return $mmaNotes.getNotes(course.id, false, true); + }).then(function(notesTypes) { + var promises = []; + angular.forEach(notesTypes, function(notes) { + promises.push($mmaNotes.getNotesUserData(notes, course.id)); + }); + return $mmUtil.allPromises(promises); + }); + }; + return self; }; diff --git a/www/addons/participants/services/handlers.js b/www/addons/participants/services/handlers.js index c1e91cf39f9..0bedb88cb0d 100644 --- a/www/addons/participants/services/handlers.js +++ b/www/addons/participants/services/handlers.js @@ -125,6 +125,21 @@ angular.module('mm.addons.participants') return $mmaParticipants.isPluginEnabledForCourse(courseId); }; + /** + * Prefetch the addon for a certain course. + * + * @param {Object} course Course to prefetch. + * @return {Promise} Promise resolved when the prefetch is finished. + */ + self.prefetch = function(course) { + // Invalidate data to be sure to get the latest info. + return $mmaParticipants.invalidateParticipantsList(course.id).catch(function() { + // Ignore errors. + }).then(function() { + return $mmaParticipants.getAllParticipants(course.id); + }); + }; + return self; }; diff --git a/www/addons/participants/services/participants.js b/www/addons/participants/services/participants.js index 20c531ea208..aa45b7b9bde 100644 --- a/www/addons/participants/services/participants.js +++ b/www/addons/participants/services/participants.js @@ -27,6 +27,34 @@ angular.module('mm.addons.participants') var self = {}; + /** + * Get all the participants for a certain course, performing 1 request per page until there are no more participants. + * + * @module mm.addons.participants + * @ngdoc method + * @name $mmaParticipants#getAllParticipants + * @param {Number} courseId ID of the course. + * @param {Number} [limitFrom] Position of the first participant to get. + * @param {Number} [limitNumber] Number of participants to get in each request. + * @param {String} [siteId] Site Id. If not defined, use current site. + * @return {Promise} Promise to be resolved when the participants are retrieved. + */ + self.getAllParticipants = function(courseId, limitFrom, limitNumber, siteId) { + siteId = siteId || $mmSite.getId(); + limitFrom = limitFrom || 0; + + return self.getParticipants(courseId, limitFrom, limitNumber, siteId).then(function(data) { + if (data.canLoadMore) { + // Load the next "page". + limitFrom = limitFrom + data.participants.length; + return self.getAllParticipants(courseId, limitFrom, limitNumber, siteId).then(function(nextParts) { + return data.participants.concat(nextParts); + }); + } + return data.participants; + }); + }; + /** * Get cache key for participant list WS calls. * @@ -43,7 +71,7 @@ angular.module('mm.addons.participants') * @module mm.addons.participants * @ngdoc method * @name $mmaParticipants#getParticipants - * @param {String} courseId ID of the course. + * @param {Number} courseId ID of the course. * @param {Number} limitFrom Position of the first participant to get. * @param {Number} limitNumber Number of participants to get. * @param {String} [siteId] Site Id. If not defined, use current site. diff --git a/www/core/components/course/controllers/sections.js b/www/core/components/course/controllers/sections.js index 18e3a84efab..471b02d5277 100644 --- a/www/core/components/course/controllers/sections.js +++ b/www/core/components/course/controllers/sections.js @@ -37,6 +37,7 @@ angular.module('mm.core.course') $scope.downloadSectionsIcon = getDownloadSectionIcon(); $scope.sectionHasContent = $mmCourseHelper.sectionHasContent; $scope.courseActions = []; + $scope.prefetchCourseIcon = 'spinner'; // Show spinner while calculating it. function loadSections(refresh) { var promise; @@ -76,7 +77,8 @@ angular.module('mm.core.course') // Fake event (already prevented) to avoid errors on app. var ev = document.createEvent("MouseEvent"); return newScope.action(ev, course); - } + }, + prefetch: button.prefetch }; newScope.$destroy(); @@ -145,6 +147,13 @@ angular.module('mm.core.course') }); } + // Determines the prefetch icon of a course. + function determineCoursePrefetchIcon() { + return $mmCourseHelper.getCourseStatusIcon(courseId).then(function(icon) { + $scope.prefetchCourseIcon = icon; + }); + } + // Prefetch a section. The second parameter indicates if the prefetch was started manually (true) // or it was automatically started because all modules are being downloaded (false). function prefetch(section, manual) { @@ -245,9 +254,63 @@ angular.module('mm.core.course') }); }; + // Prefetch the whole course, including the course options. + $scope.prefetchCourse = function() { + $scope.prefetchCourseIcon = 'spinner'; + $mmCourseHelper.confirmDownloadSize(courseId, undefined, $scope.sections).then(function() { + // User confirmed, download course. + $mmCourseHelper.prefetchCourse(course, $scope.sections, $scope.courseActions).catch(function(error) { + // Don't show error message if scope is destroyed. + if ($scope.$$destroyed) { + return; + } + + $mmUtil.showErrorModalDefault(error, 'mm.course.errordownloadingcourse', true); + }).finally(function() { + if (!$scope.$$destroyed) { + determineCoursePrefetchIcon(); + + if ($scope.downloadSectionsEnabled) { + // Recalculate the status. + calculateSectionStatus(false); + } + } + }); + }).catch(function() { + // User cancelled, ignore. + determineCoursePrefetchIcon(); + }); + }; + + // Load the sections. loadSections().finally(function() { autoloadSection(); $scope.sectionsLoaded = true; + + // Determine the course prefetch status. + determineCoursePrefetchIcon().then(function() { + if ($scope.prefetchCourseIcon == 'spinner') { + // Course is being downloaded. Get the download promise. + var promise = $mmCourseHelper.getCourseDownloadPromise(courseId); + if (promise) { + // There is a download promise. Once it finishes, determine the icon again. + promise.catch(function(error) { + if (!$scope.$$destroyed) { + $mmUtil.showErrorModalDefault(error, 'mm.course.errordownloadingcourse', true); + } + }).finally(function() { + if (!$scope.$$destroyed) { + determineCoursePrefetchIcon(); + } + }); + } else { + // No download, this probably means that the app was closed while downloading. Set previous status. + $mmCourse.setCoursePreviousStatus(courseId).then(function(status) { + $scope.prefetchCourseIcon = $mmCourseHelper.getCourseStatusIconFromStatus(status); + }); + } + } + }); }); // Listen for section status changes. diff --git a/www/core/components/course/lang/en.json b/www/core/components/course/lang/en.json index 88811317e51..8c6cb9d35c1 100644 --- a/www/core/components/course/lang/en.json +++ b/www/core/components/course/lang/en.json @@ -11,6 +11,8 @@ "contents": "Contents", "couldnotloadsectioncontent": "Could not load the section content. Please try again later.", "couldnotloadsections": "Could not load the sections. Please try again later.", + "downloadcourse": "Download course", + "errordownloadingcourse": "Error downloading course.", "errordownloadingsection": "Error downloading section.", "errorgetmodule": "Error getting activity data.", "hiddenfromstudents": "Hidden from students", diff --git a/www/core/components/course/services/course.js b/www/core/components/course/services/course.js index a26ab1aa1be..1a06d0776dd 100644 --- a/www/core/components/course/services/course.js +++ b/www/core/components/course/services/course.js @@ -15,12 +15,22 @@ angular.module('mm.core.course') .constant('mmCoreCourseModulesStore', 'course_modules') // @deprecated since version 2.6. Please do not use. +.constant('mmCoreCourseStatusStore', 'course_status') -.config(function($mmSitesFactoryProvider, mmCoreCourseModulesStore) { +.config(function($mmSitesFactoryProvider, mmCoreCourseModulesStore, mmCoreCourseStatusStore) { var stores = [ { name: mmCoreCourseModulesStore, keyPath: 'id' + }, + { + name: mmCoreCourseStatusStore, + keyPath: 'id', + indexes: [ + { + name: 'status', + } + ] } ]; $mmSitesFactoryProvider.registerStores(stores); @@ -33,7 +43,8 @@ angular.module('mm.core.course') * @ngdoc service * @name $mmCourse */ -.factory('$mmCourse', function($mmSite, $translate, $q, $log, $mmEvents, $mmSitesManager, mmCoreEventCompletionModuleViewed) { +.factory('$mmCourse', function($mmSite, $translate, $q, $log, $mmEvents, $mmSitesManager, mmCoreEventCompletionModuleViewed, + mmCoreCourseStatusStore, mmCoreDownloading, mmCoreNotDownloaded, mmCoreEventCourseStatusChanged, $mmUtil) { $log = $log.getInstance('$mmCourse'); @@ -110,6 +121,32 @@ angular.module('mm.core.course') } }; + /** + * Clear all courses status in a site. + * + * @module mm.core.course + * @ngdoc method + * @name $mmCourse#clearAllCoursesStatus + * @param {String} siteId Site ID. + * @return {Promise} Promise resolved when all status are cleared. + */ + self.clearAllCoursesStatus = function(siteId) { + var promises = []; + $log.debug('Clear all course status for site ' + siteId); + return $mmSitesManager.getSite(siteId).then(function(site) { + var db = site.getDb(); + return db.getAll(mmCoreCourseStatusStore).then(function(entries) { + angular.forEach(entries, function(entry) { + promises.push(db.remove(mmCoreCourseStatusStore, entry.id).then(function() { + // Trigger course status changed, setting it as not downloaded. + self._triggerCourseStatusChanged(entry.id, mmCoreNotDownloaded, siteId); + })); + }); + return $q.all(promises); + }); + }); + }; + /** * Get completion status of all the activities in a course for a certain user. * @@ -156,6 +193,47 @@ angular.module('mm.core.course') return 'mmCourse:activitiescompletion:' + courseid + ':' + userid; } + /** + * Get the data stored for a course. + * + * @module mm.core.course + * @ngdoc method + * @name $mmCourse#getCourseStatusData + * @param {Number} courseId Course ID. + * @param {String} [siteId] Site ID. If not defined, current site. + * @return {Promise} Promise resolved with the data. + */ + self.getCourseStatusData = function(courseId, siteId) { + return $mmSitesManager.getSite(siteId).then(function(site) { + var db = site.getDb(); + + return db.get(mmCoreCourseStatusStore, courseId).then(function(entry) { + if (!entry) { + return $q.reject(); + } + return entry; + }); + }); + }; + + /** + * Get a course status. + * + * @module mm.core.course + * @ngdoc method + * @name $mmCourse#getCourseStatus + * @param {Number} courseId Course ID. + * @param {String} [siteId] Site ID. If not defined, current site. + * @return {Promise} Promise resolved with the status. + */ + self.getCourseStatus = function(courseId, siteId) { + return self.getCourseStatusData(courseId, siteId).then(function(entry) { + return entry.status || mmCoreNotDownloaded; + }).catch(function() { + return mmCoreNotDownloaded; + }); + }; + /** * Gets a module basic info by module ID. * @@ -630,6 +708,107 @@ angular.module('mm.core.course') }); }; + /** + * Change the course status, setting it to the previous status. + * + * @module mm.core.course + * @ngdoc method + * @name $mmCourse#setCoursePreviousStatus + * @param {Number} courseId Course ID. + * @param {String} [siteId] Site ID. If not defined, current site. + * @return {Promise} Promise resolved when the status is changed. Resolve param: new status. + */ + self.setCoursePreviousStatus = function(courseId, siteId) { + siteId = siteId || $mmSite.getId(); + + $log.debug('Set previous status for course ' + courseId + ' in site ' + siteId); + + return $mmSitesManager.getSite(siteId).then(function(site) { + var db = site.getDb(); + + // Get current stored data, we'll only update 'status' and 'updated' fields. + return db.get(mmCoreCourseStatusStore, courseId).then(function(entry) { + if (entry.status == mmCoreDownloading) { + // Going back from downloading to previous status, restore previous download time. + entry.downloadtime = entry.previousdownloadtime; + } + entry.status = entry.previous || mmCoreNotDownloaded; + entry.updated = Date.now(); + $log.debug('Set previous status \'' + entry.status + '\' for course ' + courseId); + + return db.insert(mmCoreCourseStatusStore, entry).then(function() { + // Success updating, trigger event. + self._triggerCourseStatusChanged(courseId, entry.status, siteId); + return entry.status; + }); + }); + }); + }; + + /** + * Store course status. + * + * @module mm.core.course + * @ngdoc method + * @name $mmCourse#setCourseStatus + * @param {Number} courseId Course ID. + * @param {String} status New course status. + * @param {String} [siteId] Site ID. If not defined, current site. + * @return {Promise} Promise resolved when the status is stored. + */ + self.setCourseStatus = function(courseId, status, siteId) { + siteId = siteId || $mmSite.getId(); + + $log.debug('Set status \'' + status + '\' for course ' + courseId + ' in site ' + siteId); + + return $mmSitesManager.getSite(siteId).then(function(site) { + var db = site.getDb(), + downloadTime, + previousDownloadTime; + + if (status == mmCoreDownloading) { + // Set download time if course is now downloading. + downloadTime = $mmUtil.timestamp(); + } + + // Search current status to set it as previous status. + return db.get(mmCoreCourseStatusStore, courseId).then(function(entry) { + if (typeof downloadTime == 'undefined') { + // Keep previous download time. + downloadTime = entry.downloadtime; + previousDownloadTime = entry.previousdownloadtime; + } else { + // downloadTime will be updated, store current time as previous. + previousDownloadTime = entry.downloadTime; + } + + return entry.status; + }).catch(function() { + return undefined; // No previous status. + }).then(function(previousStatus) { + var promise; + if (previousStatus === status) { + // The course already has this status, no need to change it. + promise = $q.when(); + } else { + promise = db.insert(mmCoreCourseStatusStore, { + id: courseId, + status: status, + previous: previousStatus, + updated: new Date().getTime(), + downloadtime: downloadTime, + previousdownloadtime: previousDownloadTime + }); + } + + return promise.then(function() { + // Success inserting, trigger event. + self._triggerCourseStatusChanged(courseId, status, siteId); + }); + }); + }); + }; + /** * Translate a module name to current language. * @@ -650,6 +829,26 @@ angular.module('mm.core.course') return translated !== langKey ? translated : moduleName; }; + /** + * Trigger mmCoreEventCourseStatusChanged with the right data. + * + * @module mm.core.course + * @ngdoc method + * @name $mmCourse#_triggerCourseStatusChanged + * @param {Number} courseId Course ID. + * @param {String} status New course status. + * @param {String} [siteId] Site ID. If not defined, current site. + * @return {Void} + * @protected + */ + self._triggerCourseStatusChanged = function(courseId, status, siteId) { + var data = { + siteId: siteId, + courseId: courseId, + status: status + }; + $mmEvents.trigger(mmCoreEventCourseStatusChanged, data); + }; return self; }); diff --git a/www/core/components/course/services/helper.js b/www/core/components/course/services/helper.js index 39d7c1ad953..8b9caf67ac3 100644 --- a/www/core/components/course/services/helper.js +++ b/www/core/components/course/services/helper.js @@ -27,7 +27,8 @@ angular.module('mm.core.course') mmCoreDownloaded) { var self = {}, - calculateSectionStatus = false; + calculateSectionStatus = false, + courseDwnPromises = {}; /** @@ -174,16 +175,16 @@ angular.module('mm.core.course') * @module mm.core.course * @ngdoc method * @name $mmCourseHelper#confirmDownloadSize - * @param {Number} courseid Course ID the section belongs to. - * @param {Object} section Section. - * @param {Object[]} sections List of sections. Used when downloading all the sections. - * @return {Promise} Promise resolved if the user confirms or there's no need to confirm. + * @param {Number} courseid Course ID the section belongs to. + * @param {Object} [section] Section. If not provided, all sections. + * @param {Object[]} [sections] List of sections. Used when downloading all the sections. + * @return {Promise} Promise resolved if the user confirms or there's no need to confirm. */ self.confirmDownloadSize = function(courseid, section, sections) { var sizePromise; // Calculate the size of the download. - if (section.id != mmCoreCourseAllSectionsId) { + if (section && section.id != mmCoreCourseAllSectionsId) { sizePromise = $mmCoursePrefetchDelegate.getDownloadSize(section.modules, courseid); } else { var promises = [], @@ -761,6 +762,110 @@ angular.module('mm.core.course') }); }; + /** + * Get a course download promise (if any). + * + * @module mm.core.course + * @ngdoc method + * @name $mmCourseHelper#getCourseDownloadPromise + * @param {Number} courseId Course ID. + * @param {String} [siteId] Site ID. If not defined, current site. + * @return {Promise} Download promise, undefined if not found: + */ + self.getCourseDownloadPromise = function(courseId, siteId) { + siteId = siteId || $mmSite.getId(); + return courseDwnPromises[siteId] && courseDwnPromises[siteId][courseId]; + }; + + /** + * Get a course status icon. + * + * @module mm.core.course + * @ngdoc method + * @name $mmCourseHelper#getCourseStatusIcon + * @param {Number} courseId Course ID. + * @param {String} [siteId] Site ID. If not defined, current site. + * @return {Promise} Promise resolved with the icon name. + */ + self.getCourseStatusIcon = function(courseId, siteId) { + return $mmCourse.getCourseStatus(courseId, siteId).then(function(status) { + return self.getCourseStatusIconFromStatus(status); + }); + }; + + /** + * Get a course status icon from status. + * + * @module mm.core.course + * @ngdoc method + * @name $mmCourseHelper#getCourseStatusIconFromStatus + * @param {String} status Course status. + * @return {String} Icon name. + */ + self.getCourseStatusIconFromStatus = function(status) { + if (status == mmCoreDownloaded) { + // Always show refresh icon, we cannot knew if there's anything new in course options. + return 'ion-android-refresh'; + } else if (status == mmCoreDownloading) { + return 'spinner'; + } else { + return 'ion-ios-cloud-download-outline'; + } + }; + + /** + * Prefetch all the activities in a course and also the course options. + * + * @module mm.core.course + * @ngdoc method + * @name $mmCourseHelper#prefetchCourse + * @param {Object} course The course to prefetch. + * @param {Object[]} sections List of course sections. + * @param {Object[]} courseOptions List of course options. Each option should have a "prefetch" function if it's downloadable. + * @return {Promise} Promise resolved when the download finishes. + */ + self.prefetchCourse = function(course, sections, courseOptions) { + var siteId = $mmSite.getId(); + + if (courseDwnPromises[siteId] && courseDwnPromises[siteId][course.id]) { + // There's already a download ongoing for this course, return the promise. + return courseDwnPromises[siteId][course.id]; + } else if (!courseDwnPromises[siteId]) { + courseDwnPromises[siteId] = {}; + } + + // First of all, mark the course as being downloaded. + courseDwnPromises[siteId][course.id] = $mmCourse.setCourseStatus(course.id, mmCoreDownloading, siteId).then(function() { + var promises = [], + allSectionsSection; + + // Prefetch all the sections. If the first section is "All sections", use it. Otherwise, use a fake "All sections". + allSectionsSection = sections[0].id == mmCoreCourseAllSectionsId ? sections[0] : {id: mmCoreCourseAllSectionsId}; + promises.push(self.prefetch(allSectionsSection, course.id, sections)); + + // Prefetch course options. + angular.forEach(courseOptions, function(option) { + if (option.prefetch) { + promises.push($q.when(option.prefetch(course))); + } + }); + + return $mmUtil.allPromises(promises); + }).then(function() { + // Download success, mark the course as downloaded. + return $mmCourse.setCourseStatus(course.id, mmCoreDownloaded, siteId); + }).catch(function(error) { + // Error, restore previous status. + return $mmCourse.setCoursePreviousStatus(course.id, siteId).then(function() { + return $q.reject(error); + }); + }).finally(function() { + delete courseDwnPromises[siteId][course.id]; + }); + + return courseDwnPromises[siteId][course.id]; + }; + return self; }) diff --git a/www/core/components/course/templates/sections.html b/www/core/components/course/templates/sections.html index abb0829c921..4834d7aa702 100644 --- a/www/core/components/course/templates/sections.html +++ b/www/core/components/course/templates/sections.html @@ -3,6 +3,7 @@ + diff --git a/www/core/components/courses/services/delegate.js b/www/core/components/courses/services/delegate.js index 2d58e872fcd..2b25abe7634 100644 --- a/www/core/components/courses/services/delegate.js +++ b/www/core/components/courses/services/delegate.js @@ -50,6 +50,8 @@ angular.module('mm.core.courses') * for the list of scope variables expected. * - invalidateEnabledForCourse(courseId, navOptions, admOptions) (Promise) Optional. Should * invalidate data to determine if handler is enabled for a certain course. + * - prefetch(course) (Promise) Optional. Will be called when a course is downloaded, and it + * should prefetch all the data to be able to see the addon in offline. */ self.registerNavHandler = function(addon, handler, priority) { if (typeof navHandlers[addon] !== 'undefined') { @@ -305,7 +307,8 @@ angular.module('mm.core.courses') if (enabled) { handlersToDisplay.push({ controller: handler.instance.getController(course.id), - priority: handler.priority + priority: handler.priority, + prefetch: handler.instance.prefetch }); } })); diff --git a/www/core/components/grades/services/grades.js b/www/core/components/grades/services/grades.js index cc4e50c8a8e..09eeaa5603b 100644 --- a/www/core/components/grades/services/grades.js +++ b/www/core/components/grades/services/grades.js @@ -78,12 +78,13 @@ angular.module('mm.core.grades') * @ngdoc method * @name $mmGrades#invalidateGradesTableData * @param {Number} courseId Course ID. - * @param {Number} userId User ID. + * @param {Number} [userId] User ID (empty for current user in the site). * @param {Number} [siteId] Site id (empty for current site). * @return {Promise} Promise resolved when the data is invalidated. */ self.invalidateGradesTableData = function(courseId, userId, siteId) { return $mmSitesManager.getSite(siteId).then(function(site) { + userId = userId || site.getUserId(); return site.invalidateWsCacheForKey(getGradesTableCacheKey(courseId, userId)); }); }; diff --git a/www/core/components/settings/controllers/space-usage.js b/www/core/components/settings/controllers/space-usage.js index fbb1fa336e3..09b1a83a000 100644 --- a/www/core/components/settings/controllers/space-usage.js +++ b/www/core/components/settings/controllers/space-usage.js @@ -23,7 +23,7 @@ angular.module('mm.core.settings') * @todo When "mock site" is implemented we should have functions to calculate the site usage and delete its files. */ .controller('mmSettingsSpaceUsageCtrl', function($log, $scope, $mmSitesManager, $mmFS, $q, $mmUtil, $translate, $mmSite, - $mmText, $mmFilepool) { + $mmText, $mmFilepool, $mmCourse) { $log = $log.getInstance('mmSettingsSpaceUsageCtrl'); $scope.currentSiteId = $mmSite.getId(); @@ -110,6 +110,7 @@ angular.module('mm.core.settings') return $mmSitesManager.getSite(siteid); }).then(function(site) { return site.deleteFolder().then(function() { + $mmCourse.clearAllCoursesStatus(siteid); $mmFilepool.clearAllPackagesStatus(siteid); $mmFilepool.clearFilepool(siteid); updateSiteUsage(siteData, 0); diff --git a/www/core/lib/events.js b/www/core/lib/events.js index 38a8c590d69..09b55755605 100644 --- a/www/core/lib/events.js +++ b/www/core/lib/events.js @@ -31,6 +31,7 @@ angular.module('mm.core') .constant('mmCoreEventCompletionModuleViewed', 'completion_module_viewed') .constant('mmCoreEventUserDeleted', 'user_deleted') .constant('mmCoreEventPackageStatusChanged', 'filepool_package_status_changed') +.constant('mmCoreEventCourseStatusChanged', 'course_status_changed') .constant('mmCoreEventSectionStatusChanged', 'section_status_changed') .constant('mmCoreEventRemoteAddonsLoaded', 'remote_addons_loaded') .constant('mmCoreEventOnline', 'online') // Deprecated on version 3.1.3. From 243fc96e7d16a3de669718cf36eb8db43bf1c9d4 Mon Sep 17 00:00:00 2001 From: Dani Palou Date: Mon, 4 Dec 2017 11:39:40 +0100 Subject: [PATCH 02/31] MOBILE-2301 courses: Allow download whole course in list and overview --- .../components/course/controllers/sections.js | 2 +- www/core/components/course/services/helper.js | 5 +- .../courses/directives/courselistprogress.js | 86 +++++++++++++++++-- www/core/components/courses/scss/styles.scss | 12 +++ .../courses/templates/courselistprogress.html | 8 +- www/core/lib/util.js | 5 +- 6 files changed, 106 insertions(+), 12 deletions(-) diff --git a/www/core/components/course/controllers/sections.js b/www/core/components/course/controllers/sections.js index 471b02d5277..c05212e22b7 100644 --- a/www/core/components/course/controllers/sections.js +++ b/www/core/components/course/controllers/sections.js @@ -257,7 +257,7 @@ angular.module('mm.core.course') // Prefetch the whole course, including the course options. $scope.prefetchCourse = function() { $scope.prefetchCourseIcon = 'spinner'; - $mmCourseHelper.confirmDownloadSize(courseId, undefined, $scope.sections).then(function() { + $mmCourseHelper.confirmDownloadSize(courseId, undefined, $scope.sections, true).then(function() { // User confirmed, download course. $mmCourseHelper.prefetchCourse(course, $scope.sections, $scope.courseActions).catch(function(error) { // Don't show error message if scope is destroyed. diff --git a/www/core/components/course/services/helper.js b/www/core/components/course/services/helper.js index 8b9caf67ac3..ed74805438e 100644 --- a/www/core/components/course/services/helper.js +++ b/www/core/components/course/services/helper.js @@ -178,9 +178,10 @@ angular.module('mm.core.course') * @param {Number} courseid Course ID the section belongs to. * @param {Object} [section] Section. If not provided, all sections. * @param {Object[]} [sections] List of sections. Used when downloading all the sections. + * @param {Boolean} [alwaysConfirm] True to show a confirm even if the size isn't high, false otherwise. * @return {Promise} Promise resolved if the user confirms or there's no need to confirm. */ - self.confirmDownloadSize = function(courseid, section, sections) { + self.confirmDownloadSize = function(courseid, section, sections, alwaysConfirm) { var sizePromise; // Calculate the size of the download. @@ -208,7 +209,7 @@ angular.module('mm.core.course') return sizePromise.then(function(size) { // Show confirm modal if needed. - return $mmUtil.confirmDownloadSize(size); + return $mmUtil.confirmDownloadSize(size, undefined, undefined, undefined, undefined, alwaysConfirm); }); }; diff --git a/www/core/components/courses/directives/courselistprogress.js b/www/core/components/courses/directives/courselistprogress.js index 9af7c5f70e5..3a3aa78ea1e 100644 --- a/www/core/components/courses/directives/courselistprogress.js +++ b/www/core/components/courses/directives/courselistprogress.js @@ -30,7 +30,8 @@ angular.module('mm.core.courses') * * */ -.directive('mmCourseListProgress', function($ionicActionSheet, $mmCoursesDelegate, $translate, $controller, $q) { +.directive('mmCourseListProgress', function($ionicActionSheet, $mmCoursesDelegate, $translate, $controller, $q, $mmCourseHelper, + $mmUtil, $mmCourse, $mmEvents, $mmSite, mmCoreEventCourseStatusChanged) { /** * Check if the actions button should be shown. @@ -48,7 +49,7 @@ angular.module('mm.core.courses') scope.showActions = false; return $q.reject(error); }).finally(function() { - scope.loaded = true; + scope.actionsLoaded = true; }); } @@ -62,17 +63,50 @@ angular.module('mm.core.courses') showSummary: "=?" }, link: function(scope) { - var buttons; + var buttons, + obsStatus, + siteId = $mmSite.getId(); + // Check if actions should be shown. shouldShowActions(scope, false); + // Determine course prefetch icon. + scope.prefetchCourseIcon = 'spinner'; + $mmCourseHelper.getCourseStatusIcon(scope.course.id).then(function(icon) { + scope.prefetchCourseIcon = icon; + + if (icon == 'spinner') { + // Course is being downloaded. Get the download promise. + var promise = $mmCourseHelper.getCourseDownloadPromise(scope.course.id); + if (promise) { + // There is a download promise. If it fails, show an error. + promise.catch(function(error) { + if (!scope.$$destroyed) { + $mmUtil.showErrorModalDefault(error, 'mm.course.errordownloadingcourse', true); + } + }); + } else { + // No download, this probably means that the app was closed while downloading. Set previous status. + $mmCourse.setCoursePreviousStatus(courseId); + } + } + }); + + // Listen for status change in course. + obsStatus = $mmEvents.on(mmCoreEventCourseStatusChanged, function(data) { + if (data.siteId == siteId && data.courseId == scope.course.id) { + scope.prefetchCourseIcon = $mmCourseHelper.getCourseStatusIconFromStatus(data.status); + } + }); + scope.showCourseActions = function($event) { $event.preventDefault(); $event.stopPropagation(); // Get the list of handlers to display. - scope.loaded = false; + scope.actionsLoaded = false; $mmCoursesDelegate.getNavHandlersToDisplay(scope.course, false, false, true).then(function(handlers) { + buttons = handlers.map(function(handler) { var newScope = scope.$new(); $controller(handler.controller, {$scope: newScope}); @@ -91,9 +125,9 @@ angular.module('mm.core.courses') }).sort(function(a, b) { return b.priority - a.priority; }); - }).finally(function() { + }).then(function() { // We have the list of buttons to show, show the action sheet. - scope.loaded = true; + scope.actionsLoaded = true; $ionicActionSheet.show({ titleText: scope.course.fullname, @@ -104,6 +138,7 @@ angular.module('mm.core.courses') // Execute the action and close the action sheet. return buttons[index].action($event, scope.course); } + // Never close the action sheet. It will automatically be closed if success. return false; }, @@ -112,8 +147,47 @@ angular.module('mm.core.courses') return true; } }); + }).catch(function(error) { + $mmUtil.showErrorModalDefault(error, 'Error loading options'); + }).finally(function() { + scope.loaded = true; }); }; + + scope.prefetchCourse = function($event) { + $event.preventDefault(); + $event.stopPropagation(); + + var course = scope.course, + initialIcon = scope.prefetchCourseIcon; + + scope.prefetchCourseIcon = 'spinner'; + + // Get the sections first. + $mmCourse.getSections(course.id, false, true).then(function(sections) { + // Confirm the download. + return $mmCourseHelper.confirmDownloadSize(course.id, undefined, sections, true).then(function() { + // User confirmed, get the course actions and download. + return $mmCoursesDelegate.getNavHandlersToDisplay(course, false, false, true).then(function(handlers) { + return $mmCourseHelper.prefetchCourse(course, sections, handlers); + }); + }, function() { + // User cancelled. + scope.prefetchCourseIcon = initialIcon; + }); + }).catch(function(error) { + // Don't show error message if scope is destroyed. + if (scope.$$destroyed) { + return; + } + + $mmUtil.showErrorModalDefault(error, 'mm.course.errordownloadingcourse', true); + }); + }; + + scope.$on('$destroy', function() { + obsStatus && obsStatus.off && obsStatus.off(); + }); } }; }); diff --git a/www/core/components/courses/scss/styles.scss b/www/core/components/courses/scss/styles.scss index a562d1b726f..9ff5e7a52c2 100644 --- a/www/core/components/courses/scss/styles.scss +++ b/www/core/components/courses/scss/styles.scss @@ -15,6 +15,18 @@ $doughnut-text-colour: $gray-darker; color: $doughnut-text-colour; position: absolute; } + + &.item-progress .mm-course-download-spinner { + top: 46px; + } + + &:not(.item-progress) { + padding-right: 80px; + + .mm-course-download-spinner { + right: 40px; + } + } } .item-progress { diff --git a/www/core/components/courses/templates/courselistprogress.html b/www/core/components/courses/templates/courselistprogress.html index f6924d020af..64c9aa7a7b0 100644 --- a/www/core/components/courses/templates/courselistprogress.html +++ b/www/core/components/courses/templates/courselistprogress.html @@ -18,8 +18,12 @@

{{course.fullname}}

- - + + + + + +

diff --git a/www/core/lib/util.js b/www/core/lib/util.js index 02b4cfa04d3..6f7cfb720a3 100644 --- a/www/core/lib/util.js +++ b/www/core/lib/util.js @@ -1416,9 +1416,10 @@ angular.module('mm.core') * Default: 'mm.course.confirmdownloadunknownsize'. * @param {Number} [wifiThreshold] Threshold to show confirm in WiFi connection. Default: mmCoreWifiDownloadThreshold. * @param {Number} [limitedThreshold] Threshold to show confirm in limited connection. Default: mmCoreDownloadThreshold. + * @param {Boolean} [alwaysConfirm] True to show a confirm even if the size isn't high, false otherwise. * @return {Promise} Promise resolved when the user confirms or if no confirm needed. */ - self.confirmDownloadSize = function(sizeCalc, message, unknownsizemessage, wifiThreshold, limitedThreshold) { + self.confirmDownloadSize = function(sizeCalc, message, unknownsizemessage, wifiThreshold, limitedThreshold, alwaysConfirm) { wifiThreshold = typeof wifiThreshold == 'undefined' ? mmCoreWifiDownloadThreshold : wifiThreshold; limitedThreshold = typeof limitedThreshold == 'undefined' ? mmCoreDownloadThreshold : limitedThreshold; @@ -1439,6 +1440,8 @@ angular.module('mm.core') message = message || 'mm.course.confirmdownload'; var readableSize = $mmText.bytesToSize(sizeCalc.size, 2); return self.showConfirm($translate(message, {size: readableSize})); + } else if (alwaysConfirm) { + return self.showConfirm($translate('mm.core.areyousure')); } return $q.when(); }; From 883dda6a85a2b44dccd71a95558fcbc221dd546e Mon Sep 17 00:00:00 2001 From: Dani Palou Date: Mon, 4 Dec 2017 13:09:36 +0100 Subject: [PATCH 03/31] MOBILE-2301 courses:: Allow download in view result page --- .../components/course/controllers/sections.js | 43 +++++-------- www/core/components/course/services/helper.js | 62 ++++++++++++++++++- .../courses/controllers/viewresult.js | 44 ++++++++++++- .../courses/directives/courselistprogress.js | 33 ++-------- .../courses/templates/viewresult.html | 5 ++ 5 files changed, 125 insertions(+), 62 deletions(-) diff --git a/www/core/components/course/controllers/sections.js b/www/core/components/course/controllers/sections.js index c05212e22b7..623f6d82a7a 100644 --- a/www/core/components/course/controllers/sections.js +++ b/www/core/components/course/controllers/sections.js @@ -23,7 +23,7 @@ angular.module('mm.core.course') */ .controller('mmCourseSectionsCtrl', function($mmCourse, $mmUtil, $scope, $stateParams, $translate, $mmCourseHelper, $mmEvents, $mmSite, $mmCoursePrefetchDelegate, $mmCourses, $q, $ionicHistory, $ionicPlatform, mmCoreCourseAllSectionsId, - mmCoreEventSectionStatusChanged, $state, $timeout, $mmCoursesDelegate, $controller) { + mmCoreEventSectionStatusChanged, $state, $timeout, $mmCoursesDelegate, $controller, mmCoreEventCourseStatusChanged) { var courseId = $stateParams.courseid, sectionId = parseInt($stateParams.sid, 10), sectionNumber = parseInt($stateParams.sectionnumber, 10), @@ -256,29 +256,11 @@ angular.module('mm.core.course') // Prefetch the whole course, including the course options. $scope.prefetchCourse = function() { - $scope.prefetchCourseIcon = 'spinner'; - $mmCourseHelper.confirmDownloadSize(courseId, undefined, $scope.sections, true).then(function() { - // User confirmed, download course. - $mmCourseHelper.prefetchCourse(course, $scope.sections, $scope.courseActions).catch(function(error) { - // Don't show error message if scope is destroyed. - if ($scope.$$destroyed) { - return; - } - - $mmUtil.showErrorModalDefault(error, 'mm.course.errordownloadingcourse', true); - }).finally(function() { - if (!$scope.$$destroyed) { - determineCoursePrefetchIcon(); - - if ($scope.downloadSectionsEnabled) { - // Recalculate the status. - calculateSectionStatus(false); - } - } - }); - }).catch(function() { - // User cancelled, ignore. - determineCoursePrefetchIcon(); + $mmCourseHelper.confirmAndPrefetchCourse($scope, course, $scope.sections, $scope.courseActions).then(function(downloaded) { + if (downloaded && $scope.downloadSectionsEnabled) { + // Recalculate the status. + calculateSectionStatus(false); + } }); }; @@ -293,15 +275,11 @@ angular.module('mm.core.course') // Course is being downloaded. Get the download promise. var promise = $mmCourseHelper.getCourseDownloadPromise(courseId); if (promise) { - // There is a download promise. Once it finishes, determine the icon again. + // There is a download promise. Show an error if it fails. promise.catch(function(error) { if (!$scope.$$destroyed) { $mmUtil.showErrorModalDefault(error, 'mm.course.errordownloadingcourse', true); } - }).finally(function() { - if (!$scope.$$destroyed) { - determineCoursePrefetchIcon(); - } }); } else { // No download, this probably means that the app was closed while downloading. Set previous status. @@ -342,7 +320,14 @@ angular.module('mm.core.course') } }); + var courseStatusObserver = $mmEvents.on(mmCoreEventCourseStatusChanged, function(data) { + if (data.siteId == $mmSite.getId() && data.courseId == courseId) { + $scope.prefetchCourseIcon = $mmCourseHelper.getCourseStatusIconFromStatus(data.status); + } + }); + $scope.$on('$destroy', function() { statusObserver && statusObserver.off && statusObserver.off(); + courseStatusObserver && courseStatusObserver.off && courseStatusObserver.off(); }); }); diff --git a/www/core/components/course/services/helper.js b/www/core/components/course/services/helper.js index ed74805438e..8bbf82eba15 100644 --- a/www/core/components/course/services/helper.js +++ b/www/core/components/course/services/helper.js @@ -24,7 +24,7 @@ angular.module('mm.core.course') .factory('$mmCourseHelper', function($q, $mmCoursePrefetchDelegate, $mmFilepool, $mmUtil, $mmCourse, $mmSite, $state, $mmText, mmCoreNotDownloaded, mmCoreOutdated, mmCoreDownloading, mmCoreCourseAllSectionsId, $mmSitesManager, $mmAddonManager, $controller, $mmCourseDelegate, $translate, $mmEvents, mmCoreEventPackageStatusChanged, mmCoreNotDownloadable, - mmCoreDownloaded) { + mmCoreDownloaded, $mmCoursesDelegate) { var self = {}, calculateSectionStatus = false, @@ -867,6 +867,66 @@ angular.module('mm.core.course') return courseDwnPromises[siteId][course.id]; }; + /** + * Show a confirm and prefetch a course. It will retrieve the sections and the course options if not provided. + * This function will set the icon to "spinner" when starting and it will also set it back to the initial icon if the + * user cancels. All the other updates of the icon should be made when mmCoreEventCourseStatusChanged is received. + * + * @module mm.core.course + * @ngdoc method + * @name $mmCourseHelper#confirmAndPrefetchCourse + * @param {Object} scope Scope to set the icon. + * @param {Object} course Course to prefetch. + * @param {Object[]} [sections] List of course sections. + * @param {Object[]} [courseOptions] List of options. Each option should have a "prefetch" function if it's downloadable. + * @return {Promise} Promise resolved with true when the download finishes, resolved with false if user + * doesn't confirm, rejected if an error occurs. + */ + self.confirmAndPrefetchCourse = function(scope, course, sections, courseOptions) { + var initialIcon = scope.prefetchCourseIcon, + promise; + + scope.prefetchCourseIcon = 'spinner'; + + // Get the sections first if needed. + if (sections) { + promise = $q.when(sections); + } else { + promise = $mmCourse.getSections(course.id, false, true); + } + + return promise.then(function(sections) { + // Confirm the download. + return self.confirmDownloadSize(course.id, undefined, sections, true).then(function() { + // User confirmed, get the course actions if needed. + if (courseOptions) { + promise = $q.when(courseOptions); + } else { + promise = $mmCoursesDelegate.getNavHandlersToDisplay(course, false, false, true); + } + + return promise.then(function(handlers) { + // Now we have all the data, download the course. + return self.prefetchCourse(course, sections, handlers); + }).then(function() { + // Download successful. + return true; + }); + }, function() { + // User cancelled. + scope.prefetchCourseIcon = initialIcon; + return false; + }); + }).catch(function(error) { + // Don't show error message if scope is destroyed. + if (!scope.$$destroyed) { + $mmUtil.showErrorModalDefault(error, 'mm.course.errordownloadingcourse', true); + } + + return $q.reject(error); + }); + }; + return self; }) diff --git a/www/core/components/courses/controllers/viewresult.js b/www/core/components/courses/controllers/viewresult.js index 168650ebc96..ac3d2705f99 100644 --- a/www/core/components/courses/controllers/viewresult.js +++ b/www/core/components/courses/controllers/viewresult.js @@ -23,7 +23,7 @@ angular.module('mm.core.courses') */ .controller('mmCoursesViewResultCtrl', function($scope, $stateParams, $mmCourses, $mmCoursesDelegate, $mmUtil, $translate, $q, $ionicModal, $mmEvents, $mmSite, mmCoursesSearchComponent, mmCoursesEnrolInvalidKey, mmCoursesEventMyCoursesUpdated, - $timeout, $mmFS, $rootScope, $mmApp, $ionicPlatform) { + $timeout, $mmFS, $rootScope, $mmApp, $ionicPlatform, $mmCourseHelper, $mmCourse, mmCoreEventCourseStatusChanged) { var course = angular.copy($stateParams.course || {}), // Copy the object to prevent modifying the one from the previous view. selfEnrolWSAvailable = $mmCourses.isSelfEnrolmentEnabled(), @@ -38,7 +38,8 @@ angular.module('mm.core.courses') inAppLoadListener, inAppFinishListener, inAppExitListener, - appResumeListener; + appResumeListener, + obsStatus; $scope.course = course; $scope.component = mmCoursesSearchComponent; @@ -163,7 +164,29 @@ angular.module('mm.core.courses') }); } - getCourse(); + getCourse().finally(function() { + // Determine course prefetch icon. + $scope.prefetchCourseIcon = 'spinner'; + $mmCourseHelper.getCourseStatusIcon(course.id).then(function(icon) { + $scope.prefetchCourseIcon = icon; + + if (icon == 'spinner') { + // Course is being downloaded. Get the download promise. + var promise = $mmCourseHelper.getCourseDownloadPromise(course.id); + if (promise) { + // There is a download promise. If it fails, show an error. + promise.catch(function(error) { + if (!scope.$$destroyed) { + $mmUtil.showErrorModalDefault(error, 'mm.course.errordownloadingcourse', true); + } + }); + } else { + // No download, this probably means that the app was closed while downloading. Set previous status. + $mmCourse.setCoursePreviousStatus(courseId); + } + } + }); + }); $scope.doRefresh = function() { refreshData().finally(function() { @@ -171,6 +194,17 @@ angular.module('mm.core.courses') }); }; + $scope.prefetchCourse = function() { + $mmCourseHelper.confirmAndPrefetchCourse($scope, course, undefined, course._handlers); + }; + + // Listen for status change in course. + obsStatus = $mmEvents.on(mmCoreEventCourseStatusChanged, function(data) { + if (data.siteId == $mmSite.getId() && data.courseId == course.id) { + $scope.prefetchCourseIcon = $mmCourseHelper.getCourseStatusIconFromStatus(data.status); + } + }); + if (selfEnrolWSAvailable && course.enrollmentmethods && course.enrollmentmethods.indexOf('self') > -1) { // Setup password modal for self-enrolment. $ionicModal.fromTemplateUrl('core/components/courses/templates/password-modal.html', { @@ -325,4 +359,8 @@ angular.module('mm.core.courses') } }; } + + $scope.$on('$destroy', function() { + obsStatus && obsStatus.off && obsStatus.off(); + }); }); diff --git a/www/core/components/courses/directives/courselistprogress.js b/www/core/components/courses/directives/courselistprogress.js index 3a3aa78ea1e..77db0196276 100644 --- a/www/core/components/courses/directives/courselistprogress.js +++ b/www/core/components/courses/directives/courselistprogress.js @@ -64,8 +64,7 @@ angular.module('mm.core.courses') }, link: function(scope) { var buttons, - obsStatus, - siteId = $mmSite.getId(); + obsStatus; // Check if actions should be shown. shouldShowActions(scope, false); @@ -87,14 +86,14 @@ angular.module('mm.core.courses') }); } else { // No download, this probably means that the app was closed while downloading. Set previous status. - $mmCourse.setCoursePreviousStatus(courseId); + $mmCourse.setCoursePreviousStatus(scope.course.id); } } }); // Listen for status change in course. obsStatus = $mmEvents.on(mmCoreEventCourseStatusChanged, function(data) { - if (data.siteId == siteId && data.courseId == scope.course.id) { + if (data.siteId == $mmSite.getId() && data.courseId == scope.course.id) { scope.prefetchCourseIcon = $mmCourseHelper.getCourseStatusIconFromStatus(data.status); } }); @@ -158,31 +157,7 @@ angular.module('mm.core.courses') $event.preventDefault(); $event.stopPropagation(); - var course = scope.course, - initialIcon = scope.prefetchCourseIcon; - - scope.prefetchCourseIcon = 'spinner'; - - // Get the sections first. - $mmCourse.getSections(course.id, false, true).then(function(sections) { - // Confirm the download. - return $mmCourseHelper.confirmDownloadSize(course.id, undefined, sections, true).then(function() { - // User confirmed, get the course actions and download. - return $mmCoursesDelegate.getNavHandlersToDisplay(course, false, false, true).then(function(handlers) { - return $mmCourseHelper.prefetchCourse(course, sections, handlers); - }); - }, function() { - // User cancelled. - scope.prefetchCourseIcon = initialIcon; - }); - }).catch(function(error) { - // Don't show error message if scope is destroyed. - if (scope.$$destroyed) { - return; - } - - $mmUtil.showErrorModalDefault(error, 'mm.course.errordownloadingcourse', true); - }); + $mmCourseHelper.confirmAndPrefetchCourse(scope, scope.course); }; scope.$on('$destroy', function() { diff --git a/www/core/components/courses/templates/viewresult.html b/www/core/components/courses/templates/viewresult.html index a0b088f008d..28efc546c19 100644 --- a/www/core/components/courses/templates/viewresult.html +++ b/www/core/components/courses/templates/viewresult.html @@ -40,6 +40,11 @@

{{course.fullname}}

{{ 'mm.courses.notenrollable' | translate }}

+ + + +

{{ 'mm.course.downloadcourse' | translate }}

+

{{ 'mm.course.contents' | translate }}

From 82dac6364e191e6f0a9bd7aed63fdaf4144d1623 Mon Sep 17 00:00:00 2001 From: Dani Palou Date: Tue, 5 Dec 2017 14:57:47 +0100 Subject: [PATCH 04/31] MOBILE-2301 courses: Allow downloading all courses --- www/addons/myoverview/controllers/index.js | 61 +++++++++- www/addons/myoverview/templates/index.html | 14 ++- www/core/components/course/services/helper.js | 107 +++++++++++++++++- .../components/courses/controllers/list.js | 60 +++++++++- www/core/components/courses/lang/en.json | 1 + .../components/courses/templates/list.html | 6 +- www/core/directives/contextmenu.js | 6 +- www/core/lang/en.json | 2 + www/core/templates/contextmenu.html | 1 + www/core/templates/contextmenuicon.html | 2 +- 10 files changed, 244 insertions(+), 16 deletions(-) diff --git a/www/addons/myoverview/controllers/index.js b/www/addons/myoverview/controllers/index.js index 3e4e9bac05d..b8f7076646a 100644 --- a/www/addons/myoverview/controllers/index.js +++ b/www/addons/myoverview/controllers/index.js @@ -21,7 +21,8 @@ angular.module('mm.addons.myoverview') * @ngdoc controller * @name mmaMyOverviewCtrl */ -.controller('mmaMyOverviewCtrl', function($scope, $mmaMyOverview, $mmUtil, $q, $mmCourses, $mmCoursesDelegate) { +.controller('mmaMyOverviewCtrl', function($scope, $mmaMyOverview, $mmUtil, $q, $mmCourses, $mmCoursesDelegate, $mmCourseHelper) { + var prefetchIconsInitialized = false; $scope.tabShown = 'courses'; $scope.timeline = { @@ -44,6 +45,11 @@ angular.module('mm.addons.myoverview') $scope.showFilter = false; $scope.searchEnabled = $mmCourses.isSearchCoursesAvailable() && !$mmCourses.isSearchCoursesDisabledInSite(); + $scope.prefetchCoursesData = { + inprogress: {}, + past: {}, + future: {} + }; function fetchMyOverviewTimeline(afterEventId, refresh) { return $mmaMyOverview.getActionEventsByTimesort(afterEventId).then(function(events) { @@ -104,6 +110,8 @@ angular.module('mm.addons.myoverview') $scope.courses.inprogress.push(course); } }); + + initPrefetchCoursesIcons(); }).catch(function(message) { $mmUtil.showErrorModalDefault(message, 'Error getting my overview data.'); return $q.reject(); @@ -137,6 +145,34 @@ angular.module('mm.addons.myoverview') }); } + // Initialize the prefetch icon for selected courses. + function initPrefetchCoursesIcons() { + if (prefetchIconsInitialized) { + // Already initialized. + return; + } + + prefetchIconsInitialized = true; + + Object.keys($scope.prefetchCoursesData).forEach(function(filter) { + if (!$scope.courses[filter] || $scope.courses[filter].length < 2) { + // Not enough courses. + $scope.prefetchCoursesData[filter].icon = ''; + return; + } + + $mmCourseHelper.determineCoursesStatus($scope.courses[filter]).then(function(status) { + var icon = $mmCourseHelper.getCourseStatusIconFromStatus(status); + if (icon == 'spinner') { + // It seems all courses are being downloaded, show a download button instead. + icon = 'ion-ios-cloud-download-outline'; + } + $scope.prefetchCoursesData[filter].icon = icon; + }); + + }); + } + $scope.switchFilter = function() { $scope.showFilter = !$scope.showFilter; if (!$scope.showFilter) { @@ -175,6 +211,7 @@ angular.module('mm.addons.myoverview') } break; case 'courses': + prefetchIconsInitialized = false; promise = fetchMyOverviewCourses(); break; } @@ -238,4 +275,26 @@ angular.module('mm.addons.myoverview') course.canLoadMore = courseEvents.canLoadMore; }); }; + + // Download all the shown courses. + $scope.downloadCourses = function() { + var selected = $scope.courses.selected, + selectedData = $scope.prefetchCoursesData[selected], + initialIcon = selectedData.icon; + + selectedData.icon = 'spinner'; + selectedData.badge = ''; + return $mmCourseHelper.confirmAndPrefetchCourses($scope.courses[selected]).then(function(downloaded) { + selectedData.icon = downloaded ? 'ion-android-refresh' : initialIcon; + }, function(error) { + if (!$scope.$$destroyed) { + $mmUtil.showErrorModalDefault(error, 'mm.course.errordownloadingcourse', true); + selectedData.icon = initialIcon; + } + }, function(progress) { + selectedData.badge = progress.count + ' / ' + progress.total; + }).finally(function() { + selectedData.badge = ''; + }); + }; }); diff --git a/www/addons/myoverview/templates/index.html b/www/addons/myoverview/templates/index.html index d9c440450a8..064c779db93 100644 --- a/www/addons/myoverview/templates/index.html +++ b/www/addons/myoverview/templates/index.html @@ -29,10 +29,7 @@
-
- -
-
+
-
- +
+ + + + + +
diff --git a/www/core/components/course/services/helper.js b/www/core/components/course/services/helper.js index 8bbf82eba15..a512951b713 100644 --- a/www/core/components/course/services/helper.js +++ b/www/core/components/course/services/helper.js @@ -823,10 +823,11 @@ angular.module('mm.core.course') * @param {Object} course The course to prefetch. * @param {Object[]} sections List of course sections. * @param {Object[]} courseOptions List of course options. Each option should have a "prefetch" function if it's downloadable. + * @param {String} [siteId] Site ID. If not defined, current site. * @return {Promise} Promise resolved when the download finishes. */ - self.prefetchCourse = function(course, sections, courseOptions) { - var siteId = $mmSite.getId(); + self.prefetchCourse = function(course, sections, courseOptions, siteId) { + siteId = siteId || $mmSite.getId(); if (courseDwnPromises[siteId] && courseDwnPromises[siteId][course.id]) { // There's already a download ongoing for this course, return the promise. @@ -884,7 +885,8 @@ angular.module('mm.core.course') */ self.confirmAndPrefetchCourse = function(scope, course, sections, courseOptions) { var initialIcon = scope.prefetchCourseIcon, - promise; + promise, + siteId = $mmSite.getId(); scope.prefetchCourseIcon = 'spinner'; @@ -907,7 +909,7 @@ angular.module('mm.core.course') return promise.then(function(handlers) { // Now we have all the data, download the course. - return self.prefetchCourse(course, sections, handlers); + return self.prefetchCourse(course, sections, handlers, siteId); }).then(function() { // Download successful. return true; @@ -927,6 +929,103 @@ angular.module('mm.core.course') }); }; + /** + * Confirm and prefetches a list of courses. + * + * @module mm.core.course + * @ngdoc method + * @name $mmCourseHelper#confirmAndPrefetchCourses + * @param {Object[]} courses List of courses to download. + * @return {Promise} Promise resolved with true when downloaded, resolved with false if user cancels, rejected if error. + * It will send a "progress" everytime a course is downloaded or fails to download. + */ + self.confirmAndPrefetchCourses = function(courses) { + var siteId = $mmSite.getId(); + + // Confirm the download without checking size because it could take a while. + return $mmUtil.showConfirm($translate('mm.core.areyousure')).then(function() { + var deferred = $q.defer(), // Use a deferred to be able to notify the progress. + promises = [], + total = courses.length, + count = 0; + + // Notify the start of the download. + setTimeout(function() { + deferred.notify({ + count: count, + total: total + }); + }); + + angular.forEach(courses, function(course) { + var subPromises = [], + sections, + handlers, + success = true; + + // Get the sections and the handlers. + subPromises.push($mmCourse.getSections(course.id, false, true).then(function(courseSections) { + sections = courseSections; + })); + subPromises.push($mmCoursesDelegate.getNavHandlersToDisplay(course, false, false, true).then(function(cHandlers) { + handlers = cHandlers; + })); + + promises.push($q.all(subPromises).then(function() { + return self.prefetchCourse(course, sections, handlers, siteId); + }).catch(function(error) { + success = false; + return $q.reject(error); + }).finally(function() { + // Course downloaded or failed, notify the progress. + count++; + deferred.notify({ + count: count, + total: total, + course: course.id, + success: success + }); + })); + }); + + $mmUtil.allPromises(promises).then(function() { + deferred.resolve(true); + }, deferred.reject); + + return deferred.promise; + }, function() { + // User cancelled. + return false; + }); + }; + + /** + * Determine the status of a list of courses. + * + * @ngdoc method + * @name $mmCourseHelper#determineCoursesStatus + * @param {Object[]} courses Courses + * @return {Promise} Promise resolved with the status. + */ + self.determineCoursesStatus = function(courses) { + // Get the status of each course. + var promises = [], + siteId = $mmSite.getId(); + + angular.forEach(courses, function(course) { + promises.push($mmCourse.getCourseStatus(course.id, siteId)); + }); + + return $q.all(promises).then(function(statuses) { + // Now determine the status of the whole list. + var status = statuses[0]; + for (var i = 1; i < statuses.length; i++) { + status = $mmFilepool.determinePackagesStatus(status, statuses[i]); + } + return status; + }); + }; + return self; }) diff --git a/www/core/components/courses/controllers/list.js b/www/core/components/courses/controllers/list.js index a2cdb6b5c69..6fe0272e40e 100644 --- a/www/core/components/courses/controllers/list.js +++ b/www/core/components/courses/controllers/list.js @@ -22,13 +22,16 @@ angular.module('mm.core.courses') * @name mmCoursesListCtrl */ .controller('mmCoursesListCtrl', function($scope, $mmCourses, $mmCoursesDelegate, $mmUtil, $mmEvents, $mmSite, $q, - mmCoursesEventMyCoursesUpdated, mmCoreEventSiteUpdated) { + mmCoursesEventMyCoursesUpdated, mmCoreEventSiteUpdated, $mmCourseHelper) { var updateSiteObserver, - myCoursesObserver; + myCoursesObserver, + prefetchIconInitialized = false; $scope.searchEnabled = $mmCourses.isSearchCoursesAvailable() && !$mmCourses.isSearchCoursesDisabledInSite(); $scope.filter = {}; + $scope.prefetchCoursesData = {}; + $scope.showFilter = false; // Convenience function to fetch courses. function fetchCourses(refresh) { @@ -46,12 +49,39 @@ angular.module('mm.core.courses') course.admOptions = options.admOptions[course.id]; }); $scope.courses = courses; + + initPrefetchCoursesIcon(); }); }, function(error) { $mmUtil.showErrorModalDefault(error, 'mm.courses.errorloadcourses', true); }); } + // Initialize the prefetch icon for the list of courses. + function initPrefetchCoursesIcon() { + if (prefetchIconInitialized) { + // Already initialized. + return; + } + + prefetchIconInitialized = true; + + if (!$scope.courses || $scope.courses.length < 2) { + // Not enough courses. + $scope.prefetchCoursesData.icon = ''; + return; + } + + $mmCourseHelper.determineCoursesStatus($scope.courses).then(function(status) { + var icon = $mmCourseHelper.getCourseStatusIconFromStatus(status); + if (icon == 'spinner') { + // It seems all courses are being downloaded, show a download button instead. + icon = 'ion-ios-cloud-download-outline'; + } + $scope.prefetchCoursesData.icon = icon; + }); + } + fetchCourses().finally(function() { $scope.coursesLoaded = true; }); @@ -64,12 +94,38 @@ angular.module('mm.core.courses') $q.all(promises).finally(function() { + prefetchIconInitialized = false; fetchCourses(true).finally(function() { $scope.$broadcast('scroll.refreshComplete'); }); }); }; + $scope.switchFilter = function() { + $scope.filter.filterText = ''; + $scope.showFilter = !$scope.showFilter; + }; + + // Download all the courses. + $scope.downloadCourses = function() { + var initialIcon = $scope.prefetchCoursesData.icon; + + $scope.prefetchCoursesData.icon = 'spinner'; + $scope.prefetchCoursesData.badge = ''; + return $mmCourseHelper.confirmAndPrefetchCourses($scope.courses).then(function(downloaded) { + $scope.prefetchCoursesData.icon = downloaded ? 'ion-android-refresh' : initialIcon; + }, function(error) { + if (!$scope.$$destroyed) { + $mmUtil.showErrorModalDefault(error, 'mm.course.errordownloadingcourse', true); + $scope.prefetchCoursesData.icon = initialIcon; + } + }, function(progress) { + $scope.prefetchCoursesData.badge = progress.count + ' / ' + progress.total; + }).finally(function() { + $scope.prefetchCoursesData.badge = ''; + }); + }; + myCoursesObserver = $mmEvents.on(mmCoursesEventMyCoursesUpdated, function(siteid) { if (siteid == $mmSite.getId()) { fetchCourses(); diff --git a/www/core/components/courses/lang/en.json b/www/core/components/courses/lang/en.json index 83ac75364b1..f04f3836df8 100644 --- a/www/core/components/courses/lang/en.json +++ b/www/core/components/courses/lang/en.json @@ -5,6 +5,7 @@ "categories": "Course categories", "confirmselfenrol": "Are you sure you want to enrol yourself in this course?", "courses": "Courses", + "downloadcourses": "Download courses", "enrolme": "Enrol me", "errorloadcategories": "An error occurred while loading categories.", "errorloadcourses": "An error occurred while loading courses.", diff --git a/www/core/components/courses/templates/list.html b/www/core/components/courses/templates/list.html index b8e736c1828..ba9e42dd1f8 100644 --- a/www/core/components/courses/templates/list.html +++ b/www/core/components/courses/templates/list.html @@ -1,13 +1,17 @@ + + + + -
+
diff --git a/www/core/directives/contextmenu.js b/www/core/directives/contextmenu.js index 4ae6abfbadd..a9a7cbdc002 100644 --- a/www/core/directives/contextmenu.js +++ b/www/core/directives/contextmenu.js @@ -189,6 +189,8 @@ angular.module('mm.core') * @param {Boolean} [closeOnClick=true] If close the popover when clicked. Only works if action or href is provided. * @param {Boolean} [closeWhenDone=false] Close popover when action is done. Only if action is supplied and closeOnClick=false. * @param {Number} [priority] Used to sort items. The highest priority, the highest position. + * @param {String} [badge] A badge to show in the item. + * @param {String} [badgeClass] A class to set in the badge. */ .directive('mmContextMenuItem', function($mmUtil, $timeout, $ionicPlatform) { @@ -245,7 +247,9 @@ angular.module('mm.core') closeOnClick: '=?', closeWhenDone: '=?', priority: '=?', - ngShow: '=?' + ngShow: '=?', + badge: '=?', + badgeClass: '=?' }, link: function(scope, element, attrs, CtxtMenuCtrl) { // Initialize values. Change the name of some of them to prevent being reconverted to string. diff --git a/www/core/lang/en.json b/www/core/lang/en.json index 1133484ca80..a04acb91ed1 100644 --- a/www/core/lang/en.json +++ b/www/core/lang/en.json @@ -103,6 +103,8 @@ "lastdownloaded": "Last downloaded", "lastmodified": "Last modified", "lastsync": "Last synchronisation", + "layoutgrid": "Grid", + "list": "List", "listsep": ",", "loading": "Loading", "loadmore": "Load more", diff --git a/www/core/templates/contextmenu.html b/www/core/templates/contextmenu.html index 6f709052bc7..25e816338a7 100644 --- a/www/core/templates/contextmenu.html +++ b/www/core/templates/contextmenu.html @@ -11,6 +11,7 @@ + {{item.badge}}
diff --git a/www/core/templates/contextmenuicon.html b/www/core/templates/contextmenuicon.html index 9f0cf5fde5f..86e96262cb2 100644 --- a/www/core/templates/contextmenuicon.html +++ b/www/core/templates/contextmenuicon.html @@ -1,2 +1,2 @@ - +
\ No newline at end of file From 73f3ffc3725bba27e3c70d55e288532e96bce389 Mon Sep 17 00:00:00 2001 From: Dani Palou Date: Tue, 5 Dec 2017 15:45:30 +0100 Subject: [PATCH 05/31] MOBILE-2301 courses: Move download button to action sheet --- .../courses/directives/courselistprogress.js | 74 +++++++++---------- .../courses/templates/courselistprogress.html | 5 +- 2 files changed, 38 insertions(+), 41 deletions(-) diff --git a/www/core/components/courses/directives/courselistprogress.js b/www/core/components/courses/directives/courselistprogress.js index 77db0196276..b43192f6731 100644 --- a/www/core/components/courses/directives/courselistprogress.js +++ b/www/core/components/courses/directives/courselistprogress.js @@ -33,26 +33,6 @@ angular.module('mm.core.courses') .directive('mmCourseListProgress', function($ionicActionSheet, $mmCoursesDelegate, $translate, $controller, $q, $mmCourseHelper, $mmUtil, $mmCourse, $mmEvents, $mmSite, mmCoreEventCourseStatusChanged) { - /** - * Check if the actions button should be shown. - * - * @param {Object} scope Directive's scope. - * @param {Boolean} refresh Whether to refresh the list of handlers. - * @return {Promise} Promise resolved when done. - */ - function shouldShowActions(scope, refresh) { - scope.loaded = false; - - return $mmCoursesDelegate.getNavHandlersForCourse(scope.course, refresh, true).then(function(handlers) { - scope.showActions = !!handlers.length; - }).catch(function(error) { - scope.showActions = false; - return $q.reject(error); - }).finally(function() { - scope.actionsLoaded = true; - }); - } - return { restrict: 'E', templateUrl: 'core/components/courses/templates/courselistprogress.html', @@ -64,17 +44,25 @@ angular.module('mm.core.courses') }, link: function(scope) { var buttons, - obsStatus; - - // Check if actions should be shown. - shouldShowActions(scope, false); + obsStatus, + downloadText = $translate.instant('mm.course.downloadcourse'), + downloadingText = $translate.instant('mm.core.downloading'), + downloadButton = { + isDownload: true, + className: 'mm-download-course', + priority: 1000 + }; + + // Always show options, since the download course option will always be there. + scope.actionsLoaded = true; // Determine course prefetch icon. - scope.prefetchCourseIcon = 'spinner'; $mmCourseHelper.getCourseStatusIcon(scope.course.id).then(function(icon) { scope.prefetchCourseIcon = icon; if (icon == 'spinner') { + downloadButton.text = downloadingText; + // Course is being downloaded. Get the download promise. var promise = $mmCourseHelper.getCourseDownloadPromise(scope.course.id); if (promise) { @@ -88,13 +76,22 @@ angular.module('mm.core.courses') // No download, this probably means that the app was closed while downloading. Set previous status. $mmCourse.setCoursePreviousStatus(scope.course.id); } + } else { + downloadButton.text = '' + downloadText; } }); // Listen for status change in course. obsStatus = $mmEvents.on(mmCoreEventCourseStatusChanged, function(data) { if (data.siteId == $mmSite.getId() && data.courseId == scope.course.id) { - scope.prefetchCourseIcon = $mmCourseHelper.getCourseStatusIconFromStatus(data.status); + var icon = $mmCourseHelper.getCourseStatusIconFromStatus(data.status); + scope.prefetchCourseIcon = icon; + + if (icon == 'spinner') { + downloadButton.text = downloadingText; + } else { + downloadButton.text = '' + downloadText; + } } }); @@ -121,19 +118,27 @@ angular.module('mm.core.courses') newScope.$destroy(); return buttonInfo; - }).sort(function(a, b) { + }); + + // Add the download button. + buttons.unshift(downloadButton); + + // Sort the buttons. + buttons = buttons.sort(function(a, b) { return b.priority - a.priority; }); }).then(function() { // We have the list of buttons to show, show the action sheet. - scope.actionsLoaded = true; - $ionicActionSheet.show({ titleText: scope.course.fullname, buttons: buttons, cancelText: $translate.instant('mm.core.cancel'), buttonClicked: function(index) { - if (angular.isFunction(buttons[index].action)) { + if (buttons[index].isDownload) { + // Download button. + $mmCourseHelper.confirmAndPrefetchCourse(scope, scope.course); + return true; + } else if (angular.isFunction(buttons[index].action)) { // Execute the action and close the action sheet. return buttons[index].action($event, scope.course); } @@ -149,17 +154,10 @@ angular.module('mm.core.courses') }).catch(function(error) { $mmUtil.showErrorModalDefault(error, 'Error loading options'); }).finally(function() { - scope.loaded = true; + scope.actionsLoaded = true; }); }; - scope.prefetchCourse = function($event) { - $event.preventDefault(); - $event.stopPropagation(); - - $mmCourseHelper.confirmAndPrefetchCourse(scope, scope.course); - }; - scope.$on('$destroy', function() { obsStatus && obsStatus.off && obsStatus.off(); }); diff --git a/www/core/components/courses/templates/courselistprogress.html b/www/core/components/courses/templates/courselistprogress.html index 64c9aa7a7b0..cbe47348fb7 100644 --- a/www/core/components/courses/templates/courselistprogress.html +++ b/www/core/components/courses/templates/courselistprogress.html @@ -19,10 +19,9 @@

{{course.fullname}}

- + - - +
From 02a8b091a1f383fe0a23a0ff5ecaa910fd605f73 Mon Sep 17 00:00:00 2001 From: Dani Palou Date: Wed, 6 Dec 2017 11:57:14 +0100 Subject: [PATCH 06/31] MOBILE-2301 course: Fix prefetch section with password lessons --- upgrade.txt | 4 ++++ www/addons/mod/lesson/services/handlers.js | 4 ++-- .../mod/lesson/services/prefetch_handler.js | 13 +++++----- .../mod/quiz/services/prefetch_handler.js | 4 ++-- .../mod/wiki/services/prefetch_handler.js | 8 +++---- .../components/course/controllers/sections.js | 5 ++++ www/core/components/course/services/helper.js | 11 +++++---- .../course/services/prefetchdelegate.js | 24 ++++++++++++------- 8 files changed, 45 insertions(+), 28 deletions(-) diff --git a/upgrade.txt b/upgrade.txt index 05707ffed43..37ed5bd02c2 100644 --- a/upgrade.txt +++ b/upgrade.txt @@ -1,6 +1,10 @@ This files describes API changes in the Moodle Mobile app, information provided here is intended especially for developers. +=== 3.4.1 === + + * Some modules implemented a siteId param in the getDownloadSize of their prefetch handler. This param was never sent, so it has been replaced by a "single" param. + === 3.4 === * For performance reasons, $mmCoursesDelegate has changed a bit: diff --git a/www/addons/mod/lesson/services/handlers.js b/www/addons/mod/lesson/services/handlers.js index 61fb53e1c37..86325076b8d 100644 --- a/www/addons/mod/lesson/services/handlers.js +++ b/www/addons/mod/lesson/services/handlers.js @@ -96,9 +96,9 @@ angular.module('mm.addons.mod_lesson') downloadBtn.hidden = true; refreshBtn.hidden = true; - $mmaModLessonPrefetchHandler.getDownloadSize(module, courseId).then(function(size) { + $mmaModLessonPrefetchHandler.getDownloadSize(module, courseId, true).then(function(size) { $mmUtil.confirmDownloadSize(size).then(function() { - return $mmaModLessonPrefetchHandler.prefetch(module, courseId).catch(function(error) { + return $mmaModLessonPrefetchHandler.prefetch(module, courseId, true).catch(function(error) { if (!$scope.$$destroyed) { $mmUtil.showErrorModalDefault(error, 'mm.core.errordownloading', true); return $q.reject(); diff --git a/www/addons/mod/lesson/services/prefetch_handler.js b/www/addons/mod/lesson/services/prefetch_handler.js index 7b58cdf68aa..9e7ac57a48b 100644 --- a/www/addons/mod/lesson/services/prefetch_handler.js +++ b/www/addons/mod/lesson/services/prefetch_handler.js @@ -162,21 +162,20 @@ angular.module('mm.addons.mod_lesson') * @name $mmaModLessonPrefetchHandler#getDownloadSize * @param {Object} module Module to get the size. * @param {Number} courseId Course ID the module belongs to. - * @param {String} [siteId] Site ID. If not defined, current site. - * @return {Object} With the file size and a boolean to indicate if it is the total size or only partial. + * @param {Boolean} single True if we're downloading a single module, false if we're downloading a whole section. + * @return {Promise} Resolved With the file size and a boolean to indicate if it is the total size or only partial. */ - self.getDownloadSize = function(module, courseId, siteId) { - siteId = siteId || $mmSite.getId(); - + self.getDownloadSize = function(module, courseId, single) { var lesson, password, - result; + result, + siteId = $mmSite.getId(); return $mmaModLesson.getLesson(courseId, module.id, siteId).then(function(lessonData) { lesson = lessonData; // Get the lesson password if it's needed. - return self.gatherLessonPassword(lesson.id, false, true, true, siteId); + return self.gatherLessonPassword(lesson.id, false, true, single, siteId); }).then(function(data) { password = data.password; lesson = data.lesson || lesson; diff --git a/www/addons/mod/quiz/services/prefetch_handler.js b/www/addons/mod/quiz/services/prefetch_handler.js index 1bad3d95e20..c7022ed4350 100644 --- a/www/addons/mod/quiz/services/prefetch_handler.js +++ b/www/addons/mod/quiz/services/prefetch_handler.js @@ -139,10 +139,10 @@ angular.module('mm.addons.mod_quiz') * @name $mmaModQuizPrefetchHandler#getDownloadSize * @param {Object} module Module to get the size. * @param {Number} courseId Course ID the module belongs to. - * @param {String} [siteId] Site ID. If not defined, current site. + * @param {Boolean} single True if we're downloading a single module, false if we're downloading a whole section. * @return {Object} With the file size and a boolean to indicate if it is the total size or only partial. */ - self.getDownloadSize = function(module, courseId, siteId) { + self.getDownloadSize = function(module, courseId, single) { return {size: -1, total: false}; }; diff --git a/www/addons/mod/wiki/services/prefetch_handler.js b/www/addons/mod/wiki/services/prefetch_handler.js index 65ad4e2d72b..8745f8ebace 100644 --- a/www/addons/mod/wiki/services/prefetch_handler.js +++ b/www/addons/mod/wiki/services/prefetch_handler.js @@ -52,12 +52,12 @@ angular.module('mm.addons.mod_wiki') * @name $mmaModWikiPrefetchHandler#getDownloadSize * @param {Object} module Module to get the size. * @param {Number} courseId Course ID the module belongs to. - * @param {String} [siteId] Site ID. If not defined, current site. + * @param {Boolean} single True if we're downloading a single module, false if we're downloading a whole section. * @return {Promise} With the file size and a boolean to indicate if it is the total size or only partial. */ - self.getDownloadSize = function(module, courseId, siteId) { - var promises = []; - siteId = siteId || $mmSite.getId(); + self.getDownloadSize = function(module, courseId, single) { + var promises = [], + siteId = $mmSite.getId(); promises.push(self.getFiles(module, courseId, siteId).then(function(files) { return $mmUtil.sumFileSizes(files); diff --git a/www/core/components/course/controllers/sections.js b/www/core/components/course/controllers/sections.js index 623f6d82a7a..ae6eee6d3cc 100644 --- a/www/core/components/course/controllers/sections.js +++ b/www/core/components/course/controllers/sections.js @@ -249,6 +249,11 @@ angular.module('mm.core.course') section.isCalculating = true; $mmCourseHelper.confirmDownloadSize(courseId, section, $scope.sections).then(function() { prefetch(section, true); + }, function(error) { + // User cancelled or there was an error calculating the size. + if (error) { + $mmUtil.showErrorModal(error); + } }).finally(function() { section.isCalculating = false; }); diff --git a/www/core/components/course/services/helper.js b/www/core/components/course/services/helper.js index a512951b713..707ad61d08d 100644 --- a/www/core/components/course/services/helper.js +++ b/www/core/components/course/services/helper.js @@ -695,9 +695,9 @@ angular.module('mm.core.course') scope.prefetchStatusIcon = 'spinner'; // Show spinner since this operation might take a while. // We need to call getDownloadSize, the package might have been updated. - return $mmCoursePrefetchDelegate.getModuleDownloadSize(module, courseId).then(function(size) { + return $mmCoursePrefetchDelegate.getModuleDownloadSize(module, courseId, true).then(function(size) { return $mmUtil.confirmDownloadSize(size).then(function() { - return $mmCoursePrefetchDelegate.prefetchModule(module, courseId).catch(function(error) { + return $mmCoursePrefetchDelegate.prefetchModule(module, courseId, true).catch(function(error) { return failPrefetch(!scope.$$destroyed, error); }); }, function() { @@ -914,8 +914,11 @@ angular.module('mm.core.course') // Download successful. return true; }); - }, function() { - // User cancelled. + }, function(error) { + // User cancelled or there was an error calculating the size. + if (error) { + $mmUtil.showErrorModal(error); + } scope.prefetchCourseIcon = initialIcon; return false; }); diff --git a/www/core/components/course/services/prefetchdelegate.js b/www/core/components/course/services/prefetchdelegate.js index 5a4c9d4afd6..258bc2ee366 100644 --- a/www/core/components/course/services/prefetchdelegate.js +++ b/www/core/components/course/services/prefetchdelegate.js @@ -59,7 +59,7 @@ angular.module('mm.core') * - (Optional) updatesNames (RegExp) RegExp of update names to check. If getCourseUpdates returns * an update whose names matches this, the module will be marked * as outdated. Ignored if hasUpdates function is defined. - * - getDownloadSize(module, courseid) (Object|Promise) Get the download size of a module. + * - getDownloadSize(module, courseid, single) (Object|Promise) Get the download size of a module. * The returning object should have size field with file size * in bytes and and total field which indicates if it's been * able to calculate the total size (true) or only partial size @@ -619,14 +619,15 @@ angular.module('mm.core') * @name $mmCoursePrefetchDelegate#prefetchModule * @param {Object} module Module to be prefetch. * @param {Number} courseid Course ID the module belongs to. + * @param {Boolean} single True if we're downloading a single module, false if we're downloading a whole section. * @return {Promise} Promise resolved when finished. */ - self.prefetchModule = function(module, courseid) { + self.prefetchModule = function(module, courseid, single) { var handler = enabledHandlers[module.modname]; // Check if the module has a prefetch handler. if (handler) { - return handler.prefetch(module, courseid); + return handler.prefetch(module, courseid, single); } return $q.when(); }; @@ -639,9 +640,10 @@ angular.module('mm.core') * @name $mmCoursePrefetchDelegate#getModuleDownloadSize * @param {Object} module Module to be get info from. * @param {Number} courseid Course ID the module belongs to. + * @param {Boolean} single True if we're downloading a single module, false if we're downloading a whole section. * @return {Promise} Promise with the size. */ - self.getModuleDownloadSize = function(module, courseid) { + self.getModuleDownloadSize = function(module, courseid, single) { var downloadSize, handler = enabledHandlers[module.modname]; @@ -649,7 +651,7 @@ angular.module('mm.core') if (handler) { return self.isModuleDownloadable(module, courseid).then(function(downloadable) { if (!downloadable) { - return; + return {size: 0, total: true}; } downloadSize = statusCache.getValue(handler.component, module.id, 'downloadSize'); @@ -657,15 +659,19 @@ angular.module('mm.core') return downloadSize; } - return $q.when(handler.getDownloadSize(module, courseid)).then(function(size) { + return $q.when(handler.getDownloadSize(module, courseid, single)).then(function(size) { return statusCache.setValue(handler.component, module.id, 'downloadSize', size); - }).catch(function() { - return statusCache.getValue(handler.component, module.id, 'downloadSize', true); + }).catch(function(error) { + var cachedSize = statusCache.getValue(handler.component, module.id, 'downloadSize', true); + if (cachedSize) { + return cachedSize; + } + return $q.reject(error); }); }); } - return $q.when(0); + return $q.when({size: 0, total: false}); }; /** From ee9597e71917a71ba3049a5d93b5a9e9af82ce67 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Pau=20Ferrer=20Oca=C3=B1a?= Date: Tue, 12 Dec 2017 17:21:56 +0100 Subject: [PATCH 07/31] MOBILE-2305 e2e: Update scripts to work with new login --- .travis.yml | 2 +- e2e/lib.js | 8 ++++---- e2e/sauce/protractor-sauce-android.js | 2 +- e2e/sauce/protractor-sauce-ios.js | 2 +- 4 files changed, 7 insertions(+), 7 deletions(-) diff --git a/.travis.yml b/.travis.yml index 73024f79fd4..9c93c9924d8 100644 --- a/.travis.yml +++ b/.travis.yml @@ -15,7 +15,7 @@ addons: language: node_js node_js: -- '6.9.1' +- '6.10.1' cache: directories: diff --git a/e2e/lib.js b/e2e/lib.js index b4a91dc6ba0..9f75e1bb3d0 100644 --- a/e2e/lib.js +++ b/e2e/lib.js @@ -153,12 +153,12 @@ MM.loginAs = function (username, password) { browser.ignoreSynchronization = true; browser.waitForAngular(); - browser.wait(EC.visibilityOf(element(by.model('siteurl'))), 15000); + browser.wait(EC.visibilityOf(element(by.model('loginData.siteurl'))), 15000); - element(by.model('siteurl')) + element(by.model('loginData.siteurl')) .sendKeys(SITEURL); - browser.wait(EC.elementToBeClickable($('[ng-click="connect(siteurl)"]')), 15000); - return $('[ng-click="connect(siteurl)"]').click() + browser.wait(EC.elementToBeClickable($('[ng-click="connect(loginData.siteurl)"]')), 15000); + return $('[ng-click="connect(loginData.siteurl)"]').click() .then(function () { waitForCondition(); browser.wait(EC.visibilityOf($('[ng-click="login()"]')), 15000); diff --git a/e2e/sauce/protractor-sauce-android.js b/e2e/sauce/protractor-sauce-android.js index c71fdcf981a..2a48bf3155c 100644 --- a/e2e/sauce/protractor-sauce-android.js +++ b/e2e/sauce/protractor-sauce-android.js @@ -87,7 +87,7 @@ exports.config = { global.DEVICEURL = 'http://localhost:8100/'; global.DEVICEVERSION = undefined; global.SITEURL = 'http://school.demo.moodle.net'; - global.SITEVERSION = 3.3; + global.SITEVERSION = 3.4; global.SITEHASLM = false; global.USERS = { "STUDENT": { diff --git a/e2e/sauce/protractor-sauce-ios.js b/e2e/sauce/protractor-sauce-ios.js index 3c8221da95a..bc0f1dce631 100644 --- a/e2e/sauce/protractor-sauce-ios.js +++ b/e2e/sauce/protractor-sauce-ios.js @@ -86,7 +86,7 @@ exports.config = { global.DEVICEURL = 'http://localhost:8100/'; global.DEVICEVERSION = undefined; global.SITEURL = 'http://school.demo.moodle.net'; - global.SITEVERSION = 3.3; + global.SITEVERSION = 3.4; global.SITEHASLM = false; global.USERS = { "STUDENT": { From d0f20171a24bd44ed3b3a76ced62007c3491f8b7 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Pau=20Ferrer=20Oca=C3=B1a?= Date: Tue, 12 Dec 2017 17:22:11 +0100 Subject: [PATCH 08/31] MOBILE-2305 workshop: Add workshop basic testing --- .../protractor-sauce-browser-activities-3.js | 3 +- e2e/sauce/protractor-sauce-android.js | 1 + e2e/sauce/protractor-sauce-ios.js | 1 + .../mod/workshop/e2e/mod_workshop.spec.js | 35 +++++++++++++++++++ 4 files changed, 39 insertions(+), 1 deletion(-) create mode 100644 www/addons/mod/workshop/e2e/mod_workshop.spec.js diff --git a/e2e/sauce/browser/protractor-sauce-browser-activities-3.js b/e2e/sauce/browser/protractor-sauce-browser-activities-3.js index c897bfab20d..b46e9115b5a 100644 --- a/e2e/sauce/browser/protractor-sauce-browser-activities-3.js +++ b/e2e/sauce/browser/protractor-sauce-browser-activities-3.js @@ -13,7 +13,8 @@ exports.config = { "../../../e2e/*.js", "../../../www/**/e2e/mod_glossary.spec.js", "../../../www/**/e2e/mod_wiki.spec.js", - "../../../www/**/e2e/mod_data.spec.js" + "../../../www/**/e2e/mod_data.spec.js", + "../../../www/**/e2e/mod_workshop.spec.js" ], baseUrl: 'http://localhost:8100/', seleniumAddress: "http://" + process.env.SAUCE_USERNAME + ":" + process.env.SAUCE_ACCESS_KEY + "@ondemand.saucelabs.com:80/wd/hub", diff --git a/e2e/sauce/protractor-sauce-android.js b/e2e/sauce/protractor-sauce-android.js index 2a48bf3155c..4cf386acc98 100644 --- a/e2e/sauce/protractor-sauce-android.js +++ b/e2e/sauce/protractor-sauce-android.js @@ -25,6 +25,7 @@ exports.config = { "../../../www/**/e2e/mod_glossary.spec.js", "../../../www/**/e2e/mod_wiki.spec.js", "../../../www/**/e2e/mod_data.spec.js", + "../../../www/**/e2e/mod_workshop.spec.js", "../../../www/**/e2e/notifications.spec.js", "../../../www/**/e2e/contacts.spec.js", "../../../www/**/e2e/messages.spec.js", diff --git a/e2e/sauce/protractor-sauce-ios.js b/e2e/sauce/protractor-sauce-ios.js index bc0f1dce631..281df9d5f94 100644 --- a/e2e/sauce/protractor-sauce-ios.js +++ b/e2e/sauce/protractor-sauce-ios.js @@ -25,6 +25,7 @@ exports.config = { "../../../www/**/e2e/mod_glossary.spec.js", "../../../www/**/e2e/mod_wiki.spec.js", "../../../www/**/e2e/mod_data.spec.js", + "../../../www/**/e2e/mod_workshop.spec.js", "../../../www/**/e2e/notifications.spec.js", "../../../www/**/e2e/contacts.spec.js", "../../../www/**/e2e/messages.spec.js", diff --git a/www/addons/mod/workshop/e2e/mod_workshop.spec.js b/www/addons/mod/workshop/e2e/mod_workshop.spec.js new file mode 100644 index 00000000000..dd6efe67718 --- /dev/null +++ b/www/addons/mod/workshop/e2e/mod_workshop.spec.js @@ -0,0 +1,35 @@ +// (C) Copyright 2015 Martin Dougiamas +// +// Licensed under the Apache License, Version 2.0 (the "License"); +// you may not use this file except in compliance with the License. +// You may obtain a copy of the License at +// +// http://www.apache.org/licenses/LICENSE-2.0 +// +// Unless required by applicable law or agreed to in writing, software +// distributed under the License is distributed on an "AS IS" BASIS, +// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +// See the License for the specific language governing permissions and +// limitations under the License. + +describe('User can enter course workshop', function () { + + it('View course workshop', function (done) { + return MM.loginAsStudent().then(function () { + return MM.clickOnInSideMenu('Course overview'); + }).then(function () { + return MM.clickOn('Digital Literacy'); + }).then(function () { + return MM.clickOn('Group work and assessment'); + }).then(function () { + return MM.clickOn("Workshop: Transmediation"); + }).then(function () { + browser.sleep(5000); // Wait for css to render. + expect(MM.getNavBar().getText()).toContain("Workshop: Transmediation"); + expect(MM.getView().getText()).toContain('Submission phase'); + expect(MM.getView().getText()).toContain('Instructions for submission'); + }).then(function () { + done(); + }); + }); +}); \ No newline at end of file From cace118b558aa23c838b84bddf9b75c637950206 Mon Sep 17 00:00:00 2001 From: Juan Leyva Date: Thu, 11 Jan 2018 12:56:09 +0100 Subject: [PATCH 09/31] MOBILE-2316 badges: Display expired info for badges --- www/addons/badges/controllers/issuedbadge.js | 1 + www/addons/badges/controllers/userbadges.js | 2 +- www/addons/badges/lang/en.json | 1 + www/addons/badges/templates/issuedbadge.html | 3 +++ www/addons/badges/templates/userbadges.html | 3 +++ 5 files changed, 9 insertions(+), 1 deletion(-) diff --git a/www/addons/badges/controllers/issuedbadge.js b/www/addons/badges/controllers/issuedbadge.js index 624e2db41d8..6a7f5af7a38 100644 --- a/www/addons/badges/controllers/issuedbadge.js +++ b/www/addons/badges/controllers/issuedbadge.js @@ -31,6 +31,7 @@ angular.module('mm.addons.badges') var promises = [], promise; + $scope.currentTime = $mmUtil.timestamp(); promise = $mmUser.getProfile($scope.userId, $scope.courseId, true).then(function(user) { $scope.user = user; }); diff --git a/www/addons/badges/controllers/userbadges.js b/www/addons/badges/controllers/userbadges.js index 7c85a70f157..5eb3d81a3ee 100644 --- a/www/addons/badges/controllers/userbadges.js +++ b/www/addons/badges/controllers/userbadges.js @@ -27,7 +27,7 @@ angular.module('mm.addons.badges') $scope.userId = $stateParams.userid || $mmSite.getUserId(); function fetchBadges() { - + $scope.currentTime = $mmUtil.timestamp(); return $mmaBadges.getUserBadges($scope.courseId, $scope.userId).then(function(badges) { $scope.badges = badges; }).catch(function(message) { diff --git a/www/addons/badges/lang/en.json b/www/addons/badges/lang/en.json index 838d671e069..b041ca4e989 100644 --- a/www/addons/badges/lang/en.json +++ b/www/addons/badges/lang/en.json @@ -3,6 +3,7 @@ "badges": "Badges", "contact": "Contact", "dateawarded": "Date issued", + "expired": "Expired", "expirydate": "Expiry date", "issuancedetails": "Badge expiry", "issuerdetails": "Issuer details", diff --git a/www/addons/badges/templates/issuedbadge.html b/www/addons/badges/templates/issuedbadge.html index bf0989e63a1..859aee50044 100644 --- a/www/addons/badges/templates/issuedbadge.html +++ b/www/addons/badges/templates/issuedbadge.html @@ -6,6 +6,9 @@
{{badge.name}} + + {{ 'mma.badges.expired' | translate }} +
diff --git a/www/addons/badges/templates/userbadges.html b/www/addons/badges/templates/userbadges.html index 369817cd6b3..f3af838ff7a 100644 --- a/www/addons/badges/templates/userbadges.html +++ b/www/addons/badges/templates/userbadges.html @@ -8,6 +8,9 @@
  • {{badge.name}} + + {{ 'mma.badges.expired' | translate }} +

    {{badge.name}}

    {{ badge.dateissued | mmToLocaleString }}

    From 281d566eec2d61a83bc9fdfeb68e9999e1161f37 Mon Sep 17 00:00:00 2001 From: Juan Leyva Date: Thu, 11 Jan 2018 13:09:12 +0100 Subject: [PATCH 10/31] MOBILE-2316 badges: Fix handler for site profile --- www/addons/badges/services/handlers.js | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/www/addons/badges/services/handlers.js b/www/addons/badges/services/handlers.js index e29c15f63ea..4b6350e8b32 100644 --- a/www/addons/badges/services/handlers.js +++ b/www/addons/badges/services/handlers.js @@ -57,14 +57,15 @@ angular.module('mm.addons.badges') * @param {Number} courseId Course ID. * @param {Object} [navOptions] Course navigation options for current user. See $mmCourses#getUserNavigationOptions. * @param {Object} [admOptions] Course admin options for current user. See $mmCourses#getUserAdministrationOptions. - * @return {Promise} Promise resolved with true if enabled, resolved with false otherwise. + * @return {Promise} Promise resolved with true if enabled. */ self.isEnabledForUser = function(user, courseId, navOptions, admOptions) { if (navOptions && typeof navOptions.badges != 'undefined') { return navOptions.badges; } - return false; + // If we reach here, it means we are opening the user site profile. + return true; }; /** From de478fd12f218c7411aa03fa4b8de4501f0b5277 Mon Sep 17 00:00:00 2001 From: Juan Leyva Date: Mon, 29 Jan 2018 14:14:54 +0100 Subject: [PATCH 11/31] MOBILE-1629 cordova: Keep splash aspect ratio --- config.xml | 1 + 1 file changed, 1 insertion(+) diff --git a/config.xml b/config.xml index 72ecffb0ab4..d3b51458c38 100644 --- a/config.xml +++ b/config.xml @@ -33,6 +33,7 @@ + From bb07845a0176e17451eac129196fe62b19869027 Mon Sep 17 00:00:00 2001 From: Juan Leyva Date: Mon, 29 Jan 2018 14:46:00 +0100 Subject: [PATCH 12/31] MOBILE-2280 forum: Use correct text for adding discussions --- www/addons/mod/forum/controllers/discussions.js | 13 +++++++++++++ www/addons/mod/forum/lang/en.json | 2 ++ www/addons/mod/forum/templates/discussions.html | 4 ++-- 3 files changed, 17 insertions(+), 2 deletions(-) diff --git a/www/addons/mod/forum/controllers/discussions.js b/www/addons/mod/forum/controllers/discussions.js index 0f908594032..aaf81353607 100644 --- a/www/addons/mod/forum/controllers/discussions.js +++ b/www/addons/mod/forum/controllers/discussions.js @@ -46,6 +46,7 @@ angular.module('mm.addons.mod_forum') $scope.component = mmaModForumComponent; $scope.componentId = module.id; $scope.trackPosts = false; + $scope.addDiscussionText = $translate.instant('mma.mod_forum.addanewdiscussion'); // Convenience function to get forum data and discussions. function fetchForumDataAndDiscussions(refresh, sync, showErrors) { @@ -65,6 +66,18 @@ angular.module('mm.addons.mod_forum') $scope.linkToLoad = $scope.isCreateEnabled && forum.cancreatediscussions ? 2 : 1; } + switch (forumdata.type) { + case 'news': + case 'blog': + $scope.addDiscussionText = $translate.instant('mma.mod_forum.addanewtopic'); + break; + case 'qanda': + $scope.addDiscussionText = $translate.instant('mma.mod_forum.addanewquestion'); + break; + default: + $scope.addDiscussionText = $translate.instant('mma.mod_forum.addanewdiscussion'); + } + if (sync) { // Try to synchronize the forum. return syncForum(showErrors).catch(function() { diff --git a/www/addons/mod/forum/lang/en.json b/www/addons/mod/forum/lang/en.json index 0b3ffb881b4..d3dd37e2da8 100644 --- a/www/addons/mod/forum/lang/en.json +++ b/www/addons/mod/forum/lang/en.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Add a new discussion topic", + "addanewquestion": "Add a new question", + "addanewtopic": "Add a new topic", "cannotadddiscussion": "Adding discussions to this forum requires group membership.", "cannotadddiscussionall": "You do not have permission to add a new discussion topic for all participants.", "cannotcreatediscussion": "Could not create new discussion", diff --git a/www/addons/mod/forum/templates/discussions.html b/www/addons/mod/forum/templates/discussions.html index 014fd1e4d3b..55335667ea6 100644 --- a/www/addons/mod/forum/templates/discussions.html +++ b/www/addons/mod/forum/templates/discussions.html @@ -25,7 +25,7 @@
    • @@ -86,7 +86,7 @@

      From 2a85446f42682f04e2d0464c85cc74e82792268e Mon Sep 17 00:00:00 2001 From: Juan Leyva Date: Mon, 29 Jan 2018 16:50:35 +0100 Subject: [PATCH 13/31] MOBILE-2313 formattext: Use correct regex for Vimeo The new regex matches Moodle vimeo filter one --- www/core/directives/formattext.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/www/core/directives/formattext.js b/www/core/directives/formattext.js index b74e2960da4..e014deadb6d 100644 --- a/www/core/directives/formattext.js +++ b/www/core/directives/formattext.js @@ -412,7 +412,7 @@ angular.module('mm.core') if (el.src && canTreatVimeo) { // Check if it's a Vimeo video. If it is, use the wsplayer script instead to make restricted videos work. - var matches = el.src.match(/https?:\/\/player\.vimeo\.com\/video\/([^\/]*)/); + var matches = el.src.match(/https?:\/\/player\.vimeo\.com\/video\/([0-9]+)/); if (matches && matches[1]) { var newUrl = $mmFS.concatenatePaths(site.getURL(), '/media/player/vimeo/wsplayer.php?video=') + matches[1] + '&token=' + site.getToken(); From bd9d4336fac7bde60c61a09b83e83614eaeb9044 Mon Sep 17 00:00:00 2001 From: Juan Leyva Date: Mon, 29 Jan 2018 18:02:46 +0100 Subject: [PATCH 14/31] MOBILE-2358 frontpage: Removed duplicated forums --- www/addons/frontpage/controllers/frontpage.js | 30 ++++++++++++++++++- 1 file changed, 29 insertions(+), 1 deletion(-) diff --git a/www/addons/frontpage/controllers/frontpage.js b/www/addons/frontpage/controllers/frontpage.js index c6e82c8e4f8..63be3a9080a 100644 --- a/www/addons/frontpage/controllers/frontpage.js +++ b/www/addons/frontpage/controllers/frontpage.js @@ -22,7 +22,7 @@ angular.module('mm.addons.frontpage') * @name mmaFrontpageCtrl */ .controller('mmaFrontpageCtrl', function($mmCourse, $mmUtil, $scope, $stateParams, $mmSite, $q, $mmCoursePrefetchDelegate, - $mmCourseHelper) { + $mmCourseHelper, $mmAddonManager) { // Default values are Site Home and all sections. var courseId = $mmSite.getSiteHomeId(), @@ -34,6 +34,7 @@ angular.module('mm.addons.frontpage') // Convenience function to fetch section(s). function loadContent() { + var hasNewsItem = false; $scope.hasContent = false; var config = $mmSite.getStoredConfig() || {numsections: 1}; @@ -61,6 +62,10 @@ angular.module('mm.addons.frontpage') return; } + if (item == 'mma-frontpage-item-news') { + hasNewsItem = true; + } + $scope.hasContent = true; $scope.items.push(item); }); @@ -87,6 +92,29 @@ angular.module('mm.addons.frontpage') // Add log in Moodle. $mmCourse.logView(courseId); + + // Remove duplicated news forum. + + // Remove forum activity (news one only). This should be fast since the same calls are done by the + // frontpageitemnews directive. + if (hasNewsItem && $scope.block && $scope.block.modules) { + $mmaModForum = $mmAddonManager.get('$mmaModForum'); + if ($mmaModForum) { + return $mmaModForum.getCourseForums(courseId).then(function(forums) { + for (var x in forums) { + if (forums[x].type == 'news') { + angular.forEach($scope.block.modules, function(blockModule, key) { + if (blockModule.modname == 'forum' && blockModule.instance == forums[x].id) { + $scope.block.modules.splice(key, 1); + } + }); + break; + } + } + }); + } + } + }, function(error) { $mmUtil.showErrorModalDefault(error, 'mm.course.couldnotloadsectioncontent', true); }); From e5f36bed6307ac3e83586ebced7286130b9d7d00 Mon Sep 17 00:00:00 2001 From: Juan Leyva Date: Tue, 30 Jan 2018 10:33:13 +0100 Subject: [PATCH 15/31] MOBILE-2291 courses: Add missing text formatting for categories --- www/core/components/courses/templates/viewresult.html | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/www/core/components/courses/templates/viewresult.html b/www/core/components/courses/templates/viewresult.html index 28efc546c19..198460ed55c 100644 --- a/www/core/components/courses/templates/viewresult.html +++ b/www/core/components/courses/templates/viewresult.html @@ -8,14 +8,14 @@

      {{course.fullname}}

      -

      {{course.categoryname}}

      +

      {{course.categoryname}}

      {{course.startdate * 1000 | mmFormatDate:"dfdaymonthyear"}} - {{course.enddate * 1000 | mmFormatDate:"dfdaymonthyear"}}

      {{course.fullname}}

      -

      {{course.categoryname}}

      +

      {{course.categoryname}}

      {{course.startdate * 1000 | mmFormatDate:"dfdaymonthyear"}} - {{course.enddate * 1000 | mmFormatDate:"dfdaymonthyear"}}

      From 1ab9ca6ad24ea167659f66af3e7fe4ddf24fd09d Mon Sep 17 00:00:00 2001 From: Juan Leyva Date: Tue, 30 Jan 2018 11:19:16 +0100 Subject: [PATCH 16/31] MOBILE-2359 workshop: Display correct number of dimensions --- www/addons/mod/workshop/assessment/accumulative/template.html | 2 +- www/addons/mod/workshop/assessment/comments/template.html | 2 +- www/addons/mod/workshop/assessment/numerrors/template.html | 2 +- www/addons/mod/workshop/assessment/rubric/template.html | 2 +- 4 files changed, 4 insertions(+), 4 deletions(-) diff --git a/www/addons/mod/workshop/assessment/accumulative/template.html b/www/addons/mod/workshop/assessment/accumulative/template.html index 848547b52e6..4bbc41b1419 100644 --- a/www/addons/mod/workshop/assessment/accumulative/template.html +++ b/www/addons/mod/workshop/assessment/accumulative/template.html @@ -1,4 +1,4 @@ -
      +

      {{ field.dimtitle }}

      {{field.description}} diff --git a/www/addons/mod/workshop/assessment/comments/template.html b/www/addons/mod/workshop/assessment/comments/template.html index 6ce4f75adc0..9f17bc69008 100644 --- a/www/addons/mod/workshop/assessment/comments/template.html +++ b/www/addons/mod/workshop/assessment/comments/template.html @@ -1,4 +1,4 @@ -
      +

      {{ field.dimtitle }}

      {{field.description}} diff --git a/www/addons/mod/workshop/assessment/numerrors/template.html b/www/addons/mod/workshop/assessment/numerrors/template.html index 8996abfe784..9ee7360da31 100644 --- a/www/addons/mod/workshop/assessment/numerrors/template.html +++ b/www/addons/mod/workshop/assessment/numerrors/template.html @@ -1,4 +1,4 @@ -
      +

      {{ field.dimtitle }}

      {{field.description}} diff --git a/www/addons/mod/workshop/assessment/rubric/template.html b/www/addons/mod/workshop/assessment/rubric/template.html index c62e1166342..a8db0c6ed74 100644 --- a/www/addons/mod/workshop/assessment/rubric/template.html +++ b/www/addons/mod/workshop/assessment/rubric/template.html @@ -1,4 +1,4 @@ -
      +

      {{ field.dimtitle }}

      {{field.description}} From c8564791c80cd495b1b76f5b63a54276f0d456dc Mon Sep 17 00:00:00 2001 From: Juan Leyva Date: Mon, 29 Jan 2018 15:32:44 +0100 Subject: [PATCH 17/31] MOBILE-2252 lti: Avoid cache when launching We use now only the emergencyCache to avoid repeat values like the oauth_nonce (that it is usually a timestamp and should be unique between requests). Refresh options could be removed, but I think is ok to keep it for debugging. --- www/addons/mod/lti/controllers/index.js | 43 ++++++++++++------------- www/addons/mod/lti/services/lti.js | 4 +++ www/addons/mod/lti/templates/index.html | 7 ++-- 3 files changed, 26 insertions(+), 28 deletions(-) diff --git a/www/addons/mod/lti/controllers/index.js b/www/addons/mod/lti/controllers/index.js index 01bb43cfa8b..9b7a7c1fb08 100644 --- a/www/addons/mod/lti/controllers/index.js +++ b/www/addons/mod/lti/controllers/index.js @@ -31,7 +31,7 @@ angular.module('mm.addons.mod_lti') $scope.description = module.description; $scope.moduleUrl = module.url; $scope.courseid = courseid; - $scope.refreshIcon = 'spinner'; + $scope.refreshIcon = 'ion-refresh'; $scope.component = mmaModLtiComponent; $scope.componentId = module.id; @@ -44,7 +44,9 @@ angular.module('mm.addons.mod_lti') lti.launchdata = launchdata; $scope.title = lti.name || $scope.title; $scope.description = lti.intro || $scope.description; - $scope.isValidUrl = $mmUtil.isValidURL(launchdata.endpoint); + if (!$mmUtil.isValidURL(launchdata.endpoint)) { + return $q.reject($translate.instant('mma.mod_lti.errorinvalidlaunchurl')); + } }); }).catch(function(message) { if (!refresh) { @@ -71,34 +73,29 @@ angular.module('mm.addons.mod_lti') }); } - fetchLTI().finally(function() { - $scope.ltiLoaded = true; - $scope.refreshIcon = 'ion-refresh'; - }); - // Pull to refresh. $scope.doRefresh = function() { - if ($scope.ltiLoaded) { - $scope.refreshIcon = 'spinner'; - return refreshAllData().finally(function() { - $scope.refreshIcon = 'ion-refresh'; - $scope.$broadcast('scroll.refreshComplete'); - }); - } + $scope.refreshIcon = 'spinner'; + return refreshAllData().finally(function() { + $scope.refreshIcon = 'ion-refresh'; + $scope.$broadcast('scroll.refreshComplete'); + }); }; // Launch the LTI. $scope.launch = function() { - // "View" LTI. - $mmaModLti.logView(lti.id).then(function() { - $mmCourse.checkModuleCompletion(courseid, module.completionstatus); - }); - // Launch LTI. - $mmaModLti.launch(lti.launchdata.endpoint, lti.launchdata.parameters).catch(function(message) { - if (message) { - $mmUtil.showErrorModal(message); - } + fetchLTI().then(function() { + $mmaModLti.launch(lti.launchdata.endpoint, lti.launchdata.parameters).catch(function(message) { + if (message) { + $mmUtil.showErrorModal(message); + } + }); + }).finally(function() { + // "View" LTI. + $mmaModLti.logView(lti.id).then(function() { + $mmCourse.checkModuleCompletion(courseid, module.completionstatus); + }); }); }; diff --git a/www/addons/mod/lti/services/lti.js b/www/addons/mod/lti/services/lti.js index b9ca8c2bcf6..214a6de878f 100644 --- a/www/addons/mod/lti/services/lti.js +++ b/www/addons/mod/lti/services/lti.js @@ -133,7 +133,11 @@ angular.module('mm.addons.mod_lti') var params = { toolid: id }, + // Try to avoid using cache since the "nonce" parameter is set to a timestamp. preSets = { + getFromCache: 0, + saveToCache: 1, + emergencyCache: 1, cacheKey: getLtiLaunchDataCacheKey(id) }; diff --git a/www/addons/mod/lti/templates/index.html b/www/addons/mod/lti/templates/index.html index 4b915b65853..21913be140c 100644 --- a/www/addons/mod/lti/templates/index.html +++ b/www/addons/mod/lti/templates/index.html @@ -9,10 +9,7 @@ - - - {{ 'mma.mod_lti.launchactivity' | translate }} -
      {{ 'mma.mod_lti.errorinvalidlaunchurl' | translate }}
      -
      + + {{ 'mma.mod_lti.launchactivity' | translate }}
      \ No newline at end of file From 2f404b16b73123a91f1a55be79caecc8fa5db795 Mon Sep 17 00:00:00 2001 From: Dani Palou Date: Fri, 16 Feb 2018 12:23:02 +0100 Subject: [PATCH 18/31] MOBILE-2361 quiz: Fix errors when state is undefined --- www/core/components/question/services/question.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/www/core/components/question/services/question.js b/www/core/components/question/services/question.js index fd216f5f9ec..6ed971d4993 100644 --- a/www/core/components/question/services/question.js +++ b/www/core/components/question/services/question.js @@ -413,7 +413,7 @@ angular.module('mm.core.question') * @return {Object} State. */ self.getState = function(name) { - return states[name]; + return states[name || 'unknown']; }; /** From 81322d4cb1488b6e2b31017d166bea22104bd4c8 Mon Sep 17 00:00:00 2001 From: Juan Leyva Date: Tue, 20 Feb 2018 15:21:56 +0100 Subject: [PATCH 19/31] MOBILE-2313 formattext: Calculate always width and height --- www/core/directives/formattext.js | 27 +++++++++++++++++++++++---- 1 file changed, 23 insertions(+), 4 deletions(-) diff --git a/www/core/directives/formattext.js b/www/core/directives/formattext.js index e014deadb6d..0317913204a 100644 --- a/www/core/directives/formattext.js +++ b/www/core/directives/formattext.js @@ -45,7 +45,7 @@ angular.module('mm.core') * -shorten: If shorten is present, max-height="100" will be applied. * -expand-on-click: This attribute will be discarded. The text will be expanded if shortened and fullview-on-click not true. */ -.directive('mmFormatText', function($interpolate, $mmText, $compile, $translate, $mmUtil, $mmSitesManager, $mmFS) { +.directive('mmFormatText', function($interpolate, $mmText, $compile, $translate, $mmUtil, $mmSitesManager, $mmFS, $window) { var extractVariableRegex = new RegExp('{{([^|]+)(|.*)?}}', 'i'), tagsToIgnore = ['AUDIO', 'VIDEO', 'BUTTON', 'INPUT', 'SELECT', 'TEXTAREA', 'A']; @@ -416,14 +416,33 @@ angular.module('mm.core') if (matches && matches[1]) { var newUrl = $mmFS.concatenatePaths(site.getURL(), '/media/player/vimeo/wsplayer.php?video=') + matches[1] + '&token=' + site.getToken(); + + // Width and height are mandatory, we need to calcualte one. if (el.width) { - newUrl = newUrl + '&width=' + el.width; + width = el.width; + } else { + width = getElementWidth(el); + if (!width) { + width = $window.innerWidth; + } } + if (el.height) { - newUrl = newUrl + '&height=' + el.height; + height = el.height; + } else { + height = getElementHeight(angular.element(el)); + if (!height) { + height = width; + } } - el.src = newUrl; + el.src = newUrl + '&width=' + width + '&height=' + height; + if (!el.width) { + el.width = width; + } + if (!el.height) { + el.height = height; + } } } } From 82546cd1f4d558e2dab5cd569aa2b2c8c55b446a Mon Sep 17 00:00:00 2001 From: Juan Leyva Date: Wed, 21 Feb 2018 11:39:33 +0100 Subject: [PATCH 20/31] MOBILE-2367 feedback: Apply format text for multilang --- www/addons/mod/feedback/templates/attempt.html | 2 +- www/addons/mod/feedback/templates/form.html | 15 +++++++++++---- www/addons/mod/feedback/templates/index.html | 6 ++++-- 3 files changed, 16 insertions(+), 7 deletions(-) diff --git a/www/addons/mod/feedback/templates/attempt.html b/www/addons/mod/feedback/templates/attempt.html index db0b33fa6dc..643876cf398 100644 --- a/www/addons/mod/feedback/templates/attempt.html +++ b/www/addons/mod/feedback/templates/attempt.html @@ -13,7 +13,7 @@

      {{ 'mma.mod_feedback.response_nr' |translate }}: {{attempt.number}} ({{ 'mma

      {{attempt.timemodified * 1000 | mmFormatDate:"dffulldate"}}

      -

      {{item.itemnumber}}. {{ item.name }}

      +

      {{item.itemnumber}}. {{ item.name }}

      {{ item.submittedValue }}

      diff --git a/www/addons/mod/feedback/templates/form.html b/www/addons/mod/feedback/templates/form.html index 61a43c861f9..1639577783b 100644 --- a/www/addons/mod/feedback/templates/form.html +++ b/www/addons/mod/feedback/templates/form.html @@ -12,7 +12,9 @@
      -

      {{item.itemnumber}}. {{ item.name }}

      +

      {{item.itemnumber}}. + {{ item.name }} +

      @@ -35,15 +37,20 @@ diff --git a/www/addons/mod/feedback/templates/index.html b/www/addons/mod/feedback/templates/index.html index 2f8ecc74b26..a66c4839139 100644 --- a/www/addons/mod/feedback/templates/index.html +++ b/www/addons/mod/feedback/templates/index.html @@ -96,8 +96,10 @@
      -

      {{item.number}}. {{ item.name }}

      -

      {{ item.label }}

      +

      {{item.number}}. + {{ item.name }} +

      +

      {{ item.label }}

      From cbf7d1c2d34af334230693d1688ee2acab644c22 Mon Sep 17 00:00:00 2001 From: Juan Leyva Date: Wed, 21 Feb 2018 13:49:11 +0100 Subject: [PATCH 21/31] MOBILE-2365 translate: Handle correctly vars in customstrings --- www/core/lib/lang.js | 30 +++++++++++++++++++++++++----- 1 file changed, 25 insertions(+), 5 deletions(-) diff --git a/www/core/lib/lang.js b/www/core/lib/lang.js index 3b6cc32c942..1d70a719773 100644 --- a/www/core/lib/lang.js +++ b/www/core/lib/lang.js @@ -258,27 +258,47 @@ angular.module('mm.core') $translateProvider.preferredLanguage(lang); }) -.config(function($provide) { +.config(function($provide, $translateProvider) { // Decorate $translate to use custom strings if needed. $provide.decorator('$translate', ['$delegate', '$q', '$injector', function($delegate, $q, $injector) { var $mmLang; // Inject it using $injector to prevent circular dependencies. + var translationsTable = $translateProvider.translations(); // Redefine $translate default function. var newTranslate = function(translationId, interpolateParams, interpolationId, defaultTranslationText, forceLanguage) { + + var originalString = null; var value = getCustomString(translationId, forceLanguage); if (value !== false) { - return $q.when(value); + language = forceLanguage || $delegate.preferredLanguage(); + originalString = translationsTable[language][translationId]; // May be undefined for new strings. + translationsTable[language][translationId] = value; } - return $delegate(translationId, interpolateParams, interpolationId, defaultTranslationText, forceLanguage); + return $delegate(translationId, interpolateParams, interpolationId, defaultTranslationText, forceLanguage) + .finally(function() { + if (originalString) { + // Recover original translation. + translationsTable[language][translationId] = originalString; + } + }); }; // Redefine $translate.instant. newTranslate.instant = function(translationId, interpolateParams, interpolationId, forceLanguage, sanitizeStrategy) { + + var originalString = null; var value = getCustomString(translationId, forceLanguage); if (value !== false) { - return value; + language = forceLanguage || $delegate.preferredLanguage(); + originalString = translationsTable[language][translationId]; // May be undefined for new strings. + translationsTable[language][translationId] = value; + } + translation = $delegate.instant(translationId, interpolateParams, interpolationId, forceLanguage, sanitizeStrategy); + if (originalString) { + // Recover original translation. + translationsTable[language][translationId] = originalString; } - return $delegate.instant(translationId, interpolateParams, interpolationId, forceLanguage, sanitizeStrategy); + return translation; }; // Copy the rest of functions and properties. From b2147b4ceedd4209cd5bbc6ce0fbaea9e4309d33 Mon Sep 17 00:00:00 2001 From: Juan Leyva Date: Fri, 23 Feb 2018 11:33:31 +0100 Subject: [PATCH 22/31] MOBILE-2369 release: Sync translations --- www/addons/badges/lang/ar.json | 3 +- www/addons/badges/lang/bg.json | 1 + www/addons/badges/lang/ca.json | 1 + www/addons/badges/lang/cs.json | 1 + www/addons/badges/lang/da.json | 1 + www/addons/badges/lang/de-du.json | 1 + www/addons/badges/lang/de.json | 1 + www/addons/badges/lang/el.json | 3 +- www/addons/badges/lang/es-mx.json | 1 + www/addons/badges/lang/es.json | 1 + www/addons/badges/lang/eu.json | 1 + www/addons/badges/lang/fa.json | 1 + www/addons/badges/lang/fi.json | 1 + www/addons/badges/lang/fr.json | 1 + www/addons/badges/lang/he.json | 1 + www/addons/badges/lang/hr.json | 1 + www/addons/badges/lang/hu.json | 1 + www/addons/badges/lang/it.json | 1 + www/addons/badges/lang/ja.json | 1 + www/addons/badges/lang/lt.json | 1 + www/addons/badges/lang/mr.json | 3 + www/addons/badges/lang/nl.json | 1 + www/addons/badges/lang/no.json | 1 + www/addons/badges/lang/pl.json | 7 +- www/addons/badges/lang/pt-br.json | 1 + www/addons/badges/lang/pt.json | 1 + www/addons/badges/lang/ro.json | 1 + www/addons/badges/lang/ru.json | 1 + www/addons/badges/lang/sv.json | 3 +- www/addons/badges/lang/tr.json | 3 +- www/addons/badges/lang/uk.json | 1 + www/addons/calendar/lang/bg.json | 2 +- www/addons/calendar/lang/ca.json | 2 +- www/addons/calendar/lang/cs.json | 4 +- www/addons/calendar/lang/da.json | 4 +- www/addons/calendar/lang/de-du.json | 2 +- www/addons/calendar/lang/de.json | 2 +- www/addons/calendar/lang/el.json | 2 +- www/addons/calendar/lang/es-mx.json | 2 +- www/addons/calendar/lang/es.json | 4 +- www/addons/calendar/lang/eu.json | 2 +- www/addons/calendar/lang/fa.json | 4 +- www/addons/calendar/lang/fi.json | 2 +- www/addons/calendar/lang/fr.json | 2 +- www/addons/calendar/lang/he.json | 4 +- www/addons/calendar/lang/it.json | 2 +- www/addons/calendar/lang/ja.json | 2 +- www/addons/calendar/lang/ko.json | 8 ++ www/addons/calendar/lang/lt.json | 2 +- www/addons/calendar/lang/mr.json | 2 +- www/addons/calendar/lang/nl.json | 2 +- www/addons/calendar/lang/no.json | 2 +- www/addons/calendar/lang/pt-br.json | 4 +- www/addons/calendar/lang/pt.json | 2 +- www/addons/calendar/lang/ru.json | 2 +- www/addons/calendar/lang/sv.json | 2 +- www/addons/calendar/lang/uk.json | 4 +- www/addons/competency/lang/ar.json | 6 +- www/addons/competency/lang/bg.json | 2 +- www/addons/competency/lang/ca.json | 14 +- www/addons/competency/lang/cs.json | 12 +- www/addons/competency/lang/da.json | 18 +-- www/addons/competency/lang/de-du.json | 16 +-- www/addons/competency/lang/de.json | 16 +-- www/addons/competency/lang/el.json | 4 +- www/addons/competency/lang/es-mx.json | 14 +- www/addons/competency/lang/es.json | 10 +- www/addons/competency/lang/eu.json | 18 ++- www/addons/competency/lang/fa.json | 10 +- www/addons/competency/lang/fi.json | 15 ++- www/addons/competency/lang/fr.json | 12 +- www/addons/competency/lang/he.json | 14 +- www/addons/competency/lang/hr.json | 6 +- www/addons/competency/lang/hu.json | 12 +- www/addons/competency/lang/it.json | 14 +- www/addons/competency/lang/ja.json | 14 +- www/addons/competency/lang/lt.json | 14 +- www/addons/competency/lang/mr.json | 4 +- www/addons/competency/lang/nl.json | 12 +- www/addons/competency/lang/no.json | 10 +- www/addons/competency/lang/pl.json | 10 +- www/addons/competency/lang/pt-br.json | 12 +- www/addons/competency/lang/pt.json | 14 +- www/addons/competency/lang/ro.json | 5 +- www/addons/competency/lang/ru.json | 17 +-- www/addons/competency/lang/sv.json | 14 +- www/addons/competency/lang/tr.json | 12 +- www/addons/competency/lang/uk.json | 18 +-- www/addons/coursecompletion/lang/ar.json | 6 +- www/addons/coursecompletion/lang/bg.json | 14 +- www/addons/coursecompletion/lang/ca.json | 14 +- www/addons/coursecompletion/lang/cs.json | 28 ++-- www/addons/coursecompletion/lang/da.json | 30 ++--- www/addons/coursecompletion/lang/de-du.json | 18 +-- www/addons/coursecompletion/lang/de.json | 18 +-- www/addons/coursecompletion/lang/el.json | 16 +-- www/addons/coursecompletion/lang/es-mx.json | 18 +-- www/addons/coursecompletion/lang/es.json | 8 +- www/addons/coursecompletion/lang/eu.json | 20 +-- www/addons/coursecompletion/lang/fa.json | 14 +- www/addons/coursecompletion/lang/fi.json | 12 +- www/addons/coursecompletion/lang/fr.json | 8 +- www/addons/coursecompletion/lang/he.json | 26 ++-- www/addons/coursecompletion/lang/hr.json | 12 +- www/addons/coursecompletion/lang/hu.json | 12 +- www/addons/coursecompletion/lang/it.json | 16 +-- www/addons/coursecompletion/lang/ja.json | 24 ++-- www/addons/coursecompletion/lang/ko.json | 21 +++ www/addons/coursecompletion/lang/lt.json | 22 ++-- www/addons/coursecompletion/lang/mr.json | 4 +- www/addons/coursecompletion/lang/nl.json | 14 +- www/addons/coursecompletion/lang/no.json | 10 +- www/addons/coursecompletion/lang/pl.json | 12 +- www/addons/coursecompletion/lang/pt-br.json | 22 ++-- www/addons/coursecompletion/lang/pt.json | 12 +- www/addons/coursecompletion/lang/ro.json | 28 ++-- www/addons/coursecompletion/lang/ru.json | 27 ++-- www/addons/coursecompletion/lang/sv.json | 22 ++-- www/addons/coursecompletion/lang/tr.json | 12 +- www/addons/coursecompletion/lang/uk.json | 26 ++-- www/addons/files/lang/ca.json | 4 +- www/addons/files/lang/cs.json | 10 +- www/addons/files/lang/da.json | 4 +- www/addons/files/lang/de-du.json | 4 +- www/addons/files/lang/de.json | 4 +- www/addons/files/lang/el.json | 2 +- www/addons/files/lang/es-mx.json | 4 +- www/addons/files/lang/es.json | 4 +- www/addons/files/lang/eu.json | 10 +- www/addons/files/lang/fi.json | 4 +- www/addons/files/lang/fr.json | 4 +- www/addons/files/lang/he.json | 2 +- www/addons/files/lang/hr.json | 2 +- www/addons/files/lang/it.json | 4 +- www/addons/files/lang/ja.json | 4 +- www/addons/files/lang/ko.json | 8 ++ www/addons/files/lang/lt.json | 4 +- www/addons/files/lang/nl.json | 4 +- www/addons/files/lang/pt-br.json | 4 +- www/addons/files/lang/pt.json | 6 +- www/addons/files/lang/ro.json | 4 +- www/addons/files/lang/ru.json | 9 +- www/addons/files/lang/uk.json | 4 +- www/addons/grades/lang/bg.json | 2 +- www/addons/grades/lang/el.json | 2 +- www/addons/grades/lang/fa.json | 2 +- www/addons/grades/lang/fi.json | 2 +- www/addons/grades/lang/fr.json | 2 +- www/addons/grades/lang/he.json | 2 +- www/addons/grades/lang/hr.json | 2 +- www/addons/grades/lang/it.json | 2 +- www/addons/grades/lang/ja.json | 2 +- www/addons/grades/lang/mr.json | 2 +- www/addons/grades/lang/nl.json | 2 +- www/addons/grades/lang/pl.json | 2 +- www/addons/grades/lang/ru.json | 2 +- www/addons/grades/lang/uk.json | 2 +- .../messageoutput/airnotifier/lang/ko.json | 3 + .../messageoutput/airnotifier/lang/ru.json | 3 + www/addons/messages/lang/ar.json | 4 +- www/addons/messages/lang/bg.json | 6 +- www/addons/messages/lang/ca.json | 8 +- www/addons/messages/lang/cs.json | 12 +- www/addons/messages/lang/da.json | 6 +- www/addons/messages/lang/de-du.json | 2 +- www/addons/messages/lang/de.json | 2 +- www/addons/messages/lang/el.json | 6 +- www/addons/messages/lang/es-mx.json | 8 +- www/addons/messages/lang/es.json | 6 +- www/addons/messages/lang/eu.json | 18 +-- www/addons/messages/lang/fa.json | 6 +- www/addons/messages/lang/fi.json | 6 +- www/addons/messages/lang/fr.json | 12 +- www/addons/messages/lang/he.json | 12 +- www/addons/messages/lang/hr.json | 8 +- www/addons/messages/lang/hu.json | 6 +- www/addons/messages/lang/it.json | 10 +- www/addons/messages/lang/ja.json | 8 +- www/addons/messages/lang/ko.json | 21 +++ www/addons/messages/lang/lt.json | 10 +- www/addons/messages/lang/mr.json | 6 +- www/addons/messages/lang/nl.json | 6 +- www/addons/messages/lang/no.json | 8 +- www/addons/messages/lang/pl.json | 6 +- www/addons/messages/lang/pt-br.json | 8 +- www/addons/messages/lang/pt.json | 4 +- www/addons/messages/lang/ro.json | 10 +- www/addons/messages/lang/ru.json | 22 ++-- www/addons/messages/lang/sv.json | 8 +- www/addons/messages/lang/tr.json | 4 +- www/addons/messages/lang/uk.json | 6 +- .../mod/assign/feedback/comments/lang/mr.json | 2 +- .../mod/assign/feedback/editpdf/lang/ar.json | 2 +- .../mod/assign/feedback/editpdf/lang/bg.json | 2 +- .../mod/assign/feedback/editpdf/lang/mr.json | 2 +- .../mod/assign/feedback/file/lang/el.json | 3 - .../mod/assign/feedback/file/lang/mr.json | 2 +- www/addons/mod/assign/lang/ca.json | 2 +- www/addons/mod/assign/lang/cs.json | 10 +- www/addons/mod/assign/lang/da.json | 2 +- www/addons/mod/assign/lang/de-du.json | 2 +- www/addons/mod/assign/lang/de.json | 2 +- www/addons/mod/assign/lang/el.json | 2 + www/addons/mod/assign/lang/eu.json | 18 +-- www/addons/mod/assign/lang/fi.json | 2 +- www/addons/mod/assign/lang/he.json | 2 +- www/addons/mod/assign/lang/it.json | 2 +- www/addons/mod/assign/lang/ja.json | 2 +- www/addons/mod/assign/lang/ko.json | 4 + www/addons/mod/assign/lang/nl.json | 4 +- www/addons/mod/assign/lang/pt-br.json | 2 +- www/addons/mod/assign/lang/pt.json | 2 +- www/addons/mod/assign/lang/ro.json | 2 +- www/addons/mod/assign/lang/ru.json | 13 +- www/addons/mod/assign/lang/sv.json | 2 +- www/addons/mod/assign/lang/tr.json | 2 +- .../assign/submission/onlinetext/lang/cs.json | 2 +- www/addons/mod/chat/lang/eu.json | 4 +- www/addons/mod/chat/lang/ru.json | 4 +- www/addons/mod/choice/lang/cs.json | 2 +- www/addons/mod/choice/lang/eu.json | 8 +- www/addons/mod/choice/lang/ru.json | 1 + www/addons/mod/data/lang/el.json | 3 +- www/addons/mod/data/lang/es.json | 2 +- www/addons/mod/data/lang/eu.json | 6 +- www/addons/mod/data/lang/mr.json | 2 +- www/addons/mod/data/lang/pt-br.json | 2 + www/addons/mod/data/lang/ru.json | 2 + www/addons/mod/feedback/lang/eu.json | 2 +- www/addons/mod/feedback/lang/mr.json | 6 +- www/addons/mod/feedback/lang/pt-br.json | 2 + www/addons/mod/feedback/lang/pt.json | 2 +- www/addons/mod/feedback/lang/ru.json | 2 + www/addons/mod/folder/lang/ca.json | 2 +- www/addons/mod/folder/lang/cs.json | 2 +- www/addons/mod/folder/lang/da.json | 2 +- www/addons/mod/folder/lang/de-du.json | 2 +- www/addons/mod/folder/lang/de.json | 2 +- www/addons/mod/folder/lang/es-mx.json | 2 +- www/addons/mod/folder/lang/eu.json | 2 +- www/addons/mod/folder/lang/fi.json | 2 +- www/addons/mod/folder/lang/fr.json | 2 +- www/addons/mod/folder/lang/he.json | 2 +- www/addons/mod/folder/lang/hr.json | 2 +- www/addons/mod/folder/lang/it.json | 2 +- www/addons/mod/folder/lang/ja.json | 2 +- www/addons/mod/folder/lang/lt.json | 2 +- www/addons/mod/folder/lang/nl.json | 2 +- www/addons/mod/folder/lang/pt-br.json | 2 +- www/addons/mod/folder/lang/pt.json | 2 +- www/addons/mod/folder/lang/ro.json | 2 +- www/addons/mod/forum/lang/ar.json | 2 + www/addons/mod/forum/lang/bg.json | 2 + www/addons/mod/forum/lang/ca.json | 2 + www/addons/mod/forum/lang/cs.json | 4 +- www/addons/mod/forum/lang/da.json | 2 + www/addons/mod/forum/lang/de-du.json | 2 + www/addons/mod/forum/lang/de.json | 2 + www/addons/mod/forum/lang/el.json | 2 + www/addons/mod/forum/lang/es-mx.json | 2 + www/addons/mod/forum/lang/es.json | 2 + www/addons/mod/forum/lang/eu.json | 2 + www/addons/mod/forum/lang/fa.json | 2 + www/addons/mod/forum/lang/fi.json | 2 + www/addons/mod/forum/lang/fr.json | 2 + www/addons/mod/forum/lang/he.json | 2 + www/addons/mod/forum/lang/hr.json | 2 + www/addons/mod/forum/lang/hu.json | 2 + www/addons/mod/forum/lang/it.json | 2 + www/addons/mod/forum/lang/ja.json | 2 + www/addons/mod/forum/lang/lt.json | 2 + www/addons/mod/forum/lang/mr.json | 4 +- www/addons/mod/forum/lang/nl.json | 2 + www/addons/mod/forum/lang/no.json | 2 + www/addons/mod/forum/lang/pl.json | 2 + www/addons/mod/forum/lang/pt-br.json | 2 + www/addons/mod/forum/lang/pt.json | 2 + www/addons/mod/forum/lang/ro.json | 2 + www/addons/mod/forum/lang/ru.json | 7 +- www/addons/mod/forum/lang/sv.json | 2 + www/addons/mod/forum/lang/tr.json | 2 + www/addons/mod/forum/lang/uk.json | 2 + www/addons/mod/glossary/lang/ar.json | 6 +- www/addons/mod/glossary/lang/bg.json | 6 +- www/addons/mod/glossary/lang/ca.json | 8 +- www/addons/mod/glossary/lang/cs.json | 14 +- www/addons/mod/glossary/lang/da.json | 8 +- www/addons/mod/glossary/lang/de-du.json | 8 +- www/addons/mod/glossary/lang/de.json | 8 +- www/addons/mod/glossary/lang/el.json | 8 +- www/addons/mod/glossary/lang/es-mx.json | 6 +- www/addons/mod/glossary/lang/es.json | 6 +- www/addons/mod/glossary/lang/eu.json | 14 +- www/addons/mod/glossary/lang/fa.json | 6 +- www/addons/mod/glossary/lang/fi.json | 8 +- www/addons/mod/glossary/lang/fr.json | 8 +- www/addons/mod/glossary/lang/he.json | 6 +- www/addons/mod/glossary/lang/hr.json | 6 +- www/addons/mod/glossary/lang/hu.json | 6 +- www/addons/mod/glossary/lang/it.json | 6 +- www/addons/mod/glossary/lang/ja.json | 8 +- www/addons/mod/glossary/lang/lt.json | 8 +- www/addons/mod/glossary/lang/mr.json | 4 +- www/addons/mod/glossary/lang/nl.json | 8 +- www/addons/mod/glossary/lang/no.json | 6 +- www/addons/mod/glossary/lang/pl.json | 6 +- www/addons/mod/glossary/lang/pt-br.json | 8 +- www/addons/mod/glossary/lang/pt.json | 8 +- www/addons/mod/glossary/lang/ro.json | 8 +- www/addons/mod/glossary/lang/ru.json | 18 ++- www/addons/mod/glossary/lang/sv.json | 8 +- www/addons/mod/glossary/lang/tr.json | 6 +- www/addons/mod/glossary/lang/uk.json | 8 +- www/addons/mod/label/lang/fi.json | 2 +- www/addons/mod/label/lang/he.json | 2 +- www/addons/mod/label/lang/lt.json | 2 +- www/addons/mod/label/lang/ru.json | 2 +- www/addons/mod/label/lang/uk.json | 2 +- www/addons/mod/lesson/lang/ar.json | 2 +- www/addons/mod/lesson/lang/cs.json | 2 +- www/addons/mod/lesson/lang/eu.json | 4 +- www/addons/mod/lesson/lang/pt-br.json | 17 ++- www/addons/mod/lesson/lang/pt.json | 2 +- www/addons/mod/lesson/lang/ru.json | 7 + www/addons/mod/quiz/lang/el.json | 2 + www/addons/mod/quiz/lang/eu.json | 10 +- www/addons/mod/quiz/lang/mr.json | 2 +- www/addons/mod/quiz/lang/ru.json | 21 ++- www/addons/mod/scorm/lang/eu.json | 12 +- www/addons/mod/scorm/lang/ru.json | 15 ++- www/addons/mod/survey/lang/ja.json | 2 +- www/addons/mod/survey/lang/mr.json | 4 +- www/addons/mod/survey/lang/pl.json | 2 +- www/addons/mod/survey/lang/tr.json | 2 +- www/addons/mod/url/lang/cs.json | 2 +- www/addons/mod/url/lang/eu.json | 2 +- www/addons/mod/url/lang/ru.json | 2 +- www/addons/mod/wiki/lang/ar.json | 2 +- www/addons/mod/wiki/lang/bg.json | 4 +- www/addons/mod/wiki/lang/ca.json | 2 +- www/addons/mod/wiki/lang/cs.json | 2 +- www/addons/mod/wiki/lang/da.json | 2 +- www/addons/mod/wiki/lang/el.json | 4 +- www/addons/mod/wiki/lang/es.json | 2 +- www/addons/mod/wiki/lang/eu.json | 6 +- www/addons/mod/wiki/lang/fa.json | 2 +- www/addons/mod/wiki/lang/he.json | 2 +- www/addons/mod/wiki/lang/hr.json | 2 +- www/addons/mod/wiki/lang/hu.json | 2 +- www/addons/mod/wiki/lang/it.json | 2 +- www/addons/mod/wiki/lang/ja.json | 2 +- www/addons/mod/wiki/lang/ko.json | 4 + www/addons/mod/wiki/lang/lt.json | 2 +- www/addons/mod/wiki/lang/mr.json | 2 +- www/addons/mod/wiki/lang/no.json | 2 +- www/addons/mod/wiki/lang/pl.json | 2 +- www/addons/mod/wiki/lang/pt-br.json | 2 +- www/addons/mod/wiki/lang/ro.json | 2 +- www/addons/mod/wiki/lang/ru.json | 5 +- www/addons/mod/wiki/lang/sv.json | 2 +- www/addons/mod/wiki/lang/tr.json | 2 +- www/addons/mod/wiki/lang/uk.json | 2 +- .../assessment/accumulative/lang/fi.json | 2 + .../assessment/accumulative/lang/lt.json | 2 + .../workshop/assessment/comments/lang/fi.json | 1 + .../workshop/assessment/comments/lang/lt.json | 1 + .../assessment/numerrors/lang/fi.json | 2 + .../assessment/numerrors/lang/lt.json | 2 + www/addons/mod/workshop/lang/cs.json | 4 + www/addons/mod/workshop/lang/eu.json | 4 + www/addons/mod/workshop/lang/ko.json | 6 + www/addons/mod/workshop/lang/nl.json | 16 +-- www/addons/mod/workshop/lang/pt-br.json | 34 ++--- www/addons/mod/workshop/lang/ru.json | 4 + www/addons/myoverview/lang/eu.json | 2 +- www/addons/myoverview/lang/it.json | 2 +- www/addons/myoverview/lang/pt.json | 2 +- www/addons/myoverview/lang/ro.json | 1 + www/addons/myoverview/lang/sv.json | 1 + www/addons/notes/lang/ca.json | 2 +- www/addons/notes/lang/cs.json | 4 +- www/addons/notes/lang/da.json | 2 +- www/addons/notes/lang/de-du.json | 2 +- www/addons/notes/lang/de.json | 2 +- www/addons/notes/lang/el.json | 2 +- www/addons/notes/lang/es-mx.json | 2 +- www/addons/notes/lang/eu.json | 2 +- www/addons/notes/lang/fi.json | 2 +- www/addons/notes/lang/fr.json | 2 +- www/addons/notes/lang/he.json | 2 +- www/addons/notes/lang/hr.json | 2 +- www/addons/notes/lang/it.json | 2 +- www/addons/notes/lang/ja.json | 2 +- www/addons/notes/lang/ko.json | 13 ++ www/addons/notes/lang/lt.json | 2 +- www/addons/notes/lang/nl.json | 2 +- www/addons/notes/lang/pt-br.json | 2 +- www/addons/notes/lang/pt.json | 2 +- www/addons/notes/lang/ro.json | 2 +- www/addons/notes/lang/ru.json | 7 +- www/addons/notes/lang/sv.json | 2 +- www/addons/notes/lang/uk.json | 2 +- www/addons/notifications/lang/bg.json | 2 +- www/addons/notifications/lang/ca.json | 2 +- www/addons/notifications/lang/cs.json | 4 +- www/addons/notifications/lang/da.json | 2 +- www/addons/notifications/lang/es.json | 4 +- www/addons/notifications/lang/eu.json | 6 +- www/addons/notifications/lang/fa.json | 2 +- www/addons/notifications/lang/fi.json | 2 +- www/addons/notifications/lang/he.json | 2 +- www/addons/notifications/lang/hr.json | 2 +- www/addons/notifications/lang/ja.json | 2 +- www/addons/notifications/lang/ko.json | 7 + www/addons/notifications/lang/lt.json | 2 +- www/addons/notifications/lang/mr.json | 2 +- www/addons/notifications/lang/nl.json | 2 +- www/addons/notifications/lang/no.json | 2 +- www/addons/notifications/lang/pt-br.json | 5 +- www/addons/notifications/lang/ru.json | 6 +- www/addons/notifications/lang/sv.json | 2 +- www/addons/notifications/lang/uk.json | 2 +- www/addons/participants/lang/ar.json | 2 +- www/addons/participants/lang/ca.json | 2 +- www/addons/participants/lang/cs.json | 4 +- www/addons/participants/lang/da.json | 2 +- www/addons/participants/lang/de-du.json | 2 +- www/addons/participants/lang/de.json | 2 +- www/addons/participants/lang/el.json | 2 +- www/addons/participants/lang/es-mx.json | 2 +- www/addons/participants/lang/es.json | 2 +- www/addons/participants/lang/eu.json | 2 +- www/addons/participants/lang/fa.json | 2 +- www/addons/participants/lang/fi.json | 2 +- www/addons/participants/lang/fr.json | 2 +- www/addons/participants/lang/he.json | 2 +- www/addons/participants/lang/hu.json | 2 +- www/addons/participants/lang/it.json | 4 +- www/addons/participants/lang/ja.json | 2 +- www/addons/participants/lang/ko.json | 4 + www/addons/participants/lang/lt.json | 2 +- www/addons/participants/lang/nl.json | 2 +- www/addons/participants/lang/no.json | 4 +- www/addons/participants/lang/pl.json | 2 +- www/addons/participants/lang/pt-br.json | 2 +- www/addons/participants/lang/pt.json | 2 +- www/addons/participants/lang/ro.json | 4 +- www/addons/participants/lang/ru.json | 2 +- www/addons/participants/lang/sv.json | 2 +- www/addons/participants/lang/tr.json | 2 +- www/addons/participants/lang/uk.json | 2 +- www/core/components/contentlinks/lang/ko.json | 7 + www/core/components/contentlinks/lang/ru.json | 6 +- www/core/components/course/lang/cs.json | 4 +- www/core/components/course/lang/es-mx.json | 2 +- www/core/components/course/lang/es.json | 2 +- www/core/components/course/lang/eu.json | 8 +- www/core/components/course/lang/fa.json | 2 +- www/core/components/course/lang/lt.json | 2 +- www/core/components/course/lang/mr.json | 2 +- www/core/components/course/lang/pt-br.json | 2 +- www/core/components/course/lang/ro.json | 2 +- www/core/components/course/lang/ru.json | 17 ++- www/core/components/course/lang/tr.json | 2 +- www/core/components/course/lang/uk.json | 2 +- www/core/components/courses/lang/ar.json | 12 +- www/core/components/courses/lang/bg.json | 9 +- www/core/components/courses/lang/ca.json | 10 +- www/core/components/courses/lang/cs.json | 12 +- www/core/components/courses/lang/da.json | 14 +- www/core/components/courses/lang/de-du.json | 12 +- www/core/components/courses/lang/de.json | 12 +- www/core/components/courses/lang/el.json | 8 +- www/core/components/courses/lang/es-mx.json | 8 +- www/core/components/courses/lang/es.json | 8 +- www/core/components/courses/lang/eu.json | 22 ++-- www/core/components/courses/lang/fa.json | 12 +- www/core/components/courses/lang/fi.json | 14 +- www/core/components/courses/lang/fr.json | 12 +- www/core/components/courses/lang/he.json | 10 +- www/core/components/courses/lang/hr.json | 10 +- www/core/components/courses/lang/hu.json | 12 +- www/core/components/courses/lang/it.json | 10 +- www/core/components/courses/lang/ja.json | 10 +- www/core/components/courses/lang/lt.json | 12 +- www/core/components/courses/lang/mr.json | 8 +- www/core/components/courses/lang/nl.json | 12 +- www/core/components/courses/lang/no.json | 12 +- www/core/components/courses/lang/pl.json | 12 +- www/core/components/courses/lang/pt-br.json | 10 +- www/core/components/courses/lang/pt.json | 12 +- www/core/components/courses/lang/ro.json | 12 +- www/core/components/courses/lang/ru.json | 25 ++-- www/core/components/courses/lang/sv.json | 12 +- www/core/components/courses/lang/tr.json | 12 +- www/core/components/courses/lang/uk.json | 12 +- www/core/components/fileuploader/lang/ar.json | 2 +- www/core/components/fileuploader/lang/bg.json | 2 +- www/core/components/fileuploader/lang/ca.json | 12 +- www/core/components/fileuploader/lang/cs.json | 14 +- www/core/components/fileuploader/lang/da.json | 12 +- .../components/fileuploader/lang/de-du.json | 8 +- www/core/components/fileuploader/lang/de.json | 8 +- www/core/components/fileuploader/lang/el.json | 8 +- .../components/fileuploader/lang/es-mx.json | 10 +- www/core/components/fileuploader/lang/es.json | 10 +- www/core/components/fileuploader/lang/eu.json | 12 +- www/core/components/fileuploader/lang/fa.json | 4 +- www/core/components/fileuploader/lang/fi.json | 8 +- www/core/components/fileuploader/lang/fr.json | 12 +- www/core/components/fileuploader/lang/he.json | 10 +- www/core/components/fileuploader/lang/hr.json | 4 +- www/core/components/fileuploader/lang/hu.json | 2 +- www/core/components/fileuploader/lang/it.json | 14 +- www/core/components/fileuploader/lang/ja.json | 10 +- www/core/components/fileuploader/lang/lt.json | 12 +- www/core/components/fileuploader/lang/mr.json | 2 +- www/core/components/fileuploader/lang/nl.json | 14 +- www/core/components/fileuploader/lang/no.json | 2 +- www/core/components/fileuploader/lang/pl.json | 2 +- .../components/fileuploader/lang/pt-br.json | 14 +- www/core/components/fileuploader/lang/pt.json | 12 +- www/core/components/fileuploader/lang/ro.json | 12 +- www/core/components/fileuploader/lang/ru.json | 17 ++- www/core/components/fileuploader/lang/sv.json | 8 +- www/core/components/fileuploader/lang/tr.json | 6 +- www/core/components/fileuploader/lang/uk.json | 10 +- www/core/components/grades/lang/ar.json | 2 +- www/core/components/grades/lang/bg.json | 2 +- www/core/components/grades/lang/ca.json | 4 +- www/core/components/grades/lang/cs.json | 4 +- www/core/components/grades/lang/da.json | 4 +- www/core/components/grades/lang/de-du.json | 6 +- www/core/components/grades/lang/de.json | 6 +- www/core/components/grades/lang/el.json | 2 +- www/core/components/grades/lang/es-mx.json | 2 +- www/core/components/grades/lang/es.json | 2 +- www/core/components/grades/lang/eu.json | 4 +- www/core/components/grades/lang/fi.json | 4 +- www/core/components/grades/lang/he.json | 8 +- www/core/components/grades/lang/hr.json | 4 +- www/core/components/grades/lang/it.json | 4 +- www/core/components/grades/lang/ja.json | 2 +- www/core/components/grades/lang/lt.json | 2 +- www/core/components/grades/lang/mr.json | 4 +- www/core/components/grades/lang/nl.json | 4 +- www/core/components/grades/lang/no.json | 6 +- www/core/components/grades/lang/pl.json | 4 +- www/core/components/grades/lang/pt-br.json | 4 +- www/core/components/grades/lang/pt.json | 8 +- www/core/components/grades/lang/ro.json | 4 +- www/core/components/grades/lang/ru.json | 4 +- www/core/components/grades/lang/sv.json | 8 +- www/core/components/grades/lang/tr.json | 8 +- www/core/components/grades/lang/uk.json | 8 +- www/core/components/login/lang/ar.json | 4 +- www/core/components/login/lang/ca.json | 2 +- www/core/components/login/lang/cs.json | 22 ++-- www/core/components/login/lang/da.json | 4 +- www/core/components/login/lang/de-du.json | 4 +- www/core/components/login/lang/de.json | 4 +- www/core/components/login/lang/el.json | 6 +- www/core/components/login/lang/es-mx.json | 6 +- www/core/components/login/lang/es.json | 6 +- www/core/components/login/lang/eu.json | 30 +++-- www/core/components/login/lang/fa.json | 2 +- www/core/components/login/lang/fi.json | 6 +- www/core/components/login/lang/fr.json | 6 +- www/core/components/login/lang/he.json | 4 +- www/core/components/login/lang/hr.json | 4 +- www/core/components/login/lang/hu.json | 4 +- www/core/components/login/lang/it.json | 4 +- www/core/components/login/lang/ja.json | 2 +- www/core/components/login/lang/lt.json | 8 +- www/core/components/login/lang/mr.json | 4 +- www/core/components/login/lang/nl.json | 6 +- www/core/components/login/lang/no.json | 4 +- www/core/components/login/lang/pl.json | 2 +- www/core/components/login/lang/pt-br.json | 10 +- www/core/components/login/lang/pt.json | 10 +- www/core/components/login/lang/ro.json | 6 +- www/core/components/login/lang/ru.json | 45 +++++-- www/core/components/login/lang/sv.json | 4 +- www/core/components/login/lang/tr.json | 2 +- www/core/components/login/lang/uk.json | 8 +- www/core/components/question/lang/ar.json | 14 +- www/core/components/question/lang/bg.json | 14 +- www/core/components/question/lang/ca.json | 12 +- www/core/components/question/lang/cs.json | 14 +- www/core/components/question/lang/da.json | 16 +-- www/core/components/question/lang/de-du.json | 10 +- www/core/components/question/lang/de.json | 10 +- www/core/components/question/lang/el.json | 6 +- www/core/components/question/lang/es-mx.json | 16 +-- www/core/components/question/lang/es.json | 16 +-- www/core/components/question/lang/eu.json | 10 +- www/core/components/question/lang/fa.json | 8 +- www/core/components/question/lang/fi.json | 10 +- www/core/components/question/lang/fr.json | 6 +- www/core/components/question/lang/he.json | 12 +- www/core/components/question/lang/hr.json | 8 +- www/core/components/question/lang/hu.json | 6 +- www/core/components/question/lang/it.json | 14 +- www/core/components/question/lang/ja.json | 10 +- www/core/components/question/lang/lt.json | 16 +-- www/core/components/question/lang/mr.json | 4 +- www/core/components/question/lang/nl.json | 8 +- www/core/components/question/lang/no.json | 12 +- www/core/components/question/lang/pl.json | 12 +- www/core/components/question/lang/pt-br.json | 14 +- www/core/components/question/lang/pt.json | 8 +- www/core/components/question/lang/ro.json | 12 +- www/core/components/question/lang/ru.json | 13 +- www/core/components/question/lang/sv.json | 6 +- www/core/components/question/lang/tr.json | 12 +- www/core/components/question/lang/uk.json | 6 +- www/core/components/settings/lang/ar.json | 6 +- www/core/components/settings/lang/bg.json | 4 +- www/core/components/settings/lang/ca.json | 4 +- www/core/components/settings/lang/cs.json | 12 +- www/core/components/settings/lang/da.json | 6 +- www/core/components/settings/lang/de-du.json | 4 +- www/core/components/settings/lang/de.json | 4 +- www/core/components/settings/lang/el.json | 6 +- www/core/components/settings/lang/es-mx.json | 4 +- www/core/components/settings/lang/es.json | 4 +- www/core/components/settings/lang/eu.json | 26 ++-- www/core/components/settings/lang/fa.json | 4 +- www/core/components/settings/lang/fi.json | 6 +- www/core/components/settings/lang/fr.json | 4 +- www/core/components/settings/lang/he.json | 8 +- www/core/components/settings/lang/hr.json | 4 +- www/core/components/settings/lang/hu.json | 6 +- www/core/components/settings/lang/it.json | 4 +- www/core/components/settings/lang/ja.json | 4 +- www/core/components/settings/lang/lt.json | 4 +- www/core/components/settings/lang/mr.json | 2 +- www/core/components/settings/lang/nl.json | 4 +- www/core/components/settings/lang/no.json | 8 +- www/core/components/settings/lang/pl.json | 6 +- www/core/components/settings/lang/pt-br.json | 4 +- www/core/components/settings/lang/pt.json | 4 +- www/core/components/settings/lang/ro.json | 7 +- www/core/components/settings/lang/ru.json | 35 ++++- www/core/components/settings/lang/sv.json | 6 +- www/core/components/settings/lang/tr.json | 4 +- www/core/components/settings/lang/uk.json | 6 +- www/core/components/sharedfiles/lang/ar.json | 2 +- www/core/components/sharedfiles/lang/ca.json | 2 +- www/core/components/sharedfiles/lang/cs.json | 4 +- .../components/sharedfiles/lang/de-du.json | 2 +- www/core/components/sharedfiles/lang/de.json | 2 +- .../components/sharedfiles/lang/es-mx.json | 2 +- www/core/components/sharedfiles/lang/eu.json | 6 +- www/core/components/sharedfiles/lang/fi.json | 2 +- www/core/components/sharedfiles/lang/hr.json | 2 +- www/core/components/sharedfiles/lang/it.json | 2 +- www/core/components/sharedfiles/lang/lt.json | 4 +- www/core/components/sharedfiles/lang/mr.json | 2 +- www/core/components/sharedfiles/lang/no.json | 2 +- www/core/components/sharedfiles/lang/pt.json | 2 +- www/core/components/sharedfiles/lang/ru.json | 9 +- www/core/components/sharedfiles/lang/sv.json | 2 +- www/core/components/sharedfiles/lang/tr.json | 2 +- www/core/components/sharedfiles/lang/uk.json | 2 +- www/core/components/sidemenu/lang/ca.json | 2 +- www/core/components/sidemenu/lang/cs.json | 4 +- www/core/components/sidemenu/lang/el.json | 2 +- www/core/components/sidemenu/lang/es-mx.json | 2 +- www/core/components/sidemenu/lang/eu.json | 2 +- www/core/components/sidemenu/lang/fa.json | 4 +- www/core/components/sidemenu/lang/he.json | 2 +- www/core/components/sidemenu/lang/it.json | 2 +- www/core/components/sidemenu/lang/lt.json | 6 +- www/core/components/sidemenu/lang/mr.json | 4 +- www/core/components/sidemenu/lang/nl.json | 2 +- www/core/components/sidemenu/lang/pl.json | 2 +- www/core/components/sidemenu/lang/pt.json | 2 +- www/core/components/sidemenu/lang/ro.json | 2 +- www/core/components/sidemenu/lang/ru.json | 7 +- www/core/components/sidemenu/lang/tr.json | 2 +- www/core/components/sidemenu/lang/uk.json | 2 +- www/core/components/user/lang/ar.json | 4 +- www/core/components/user/lang/bg.json | 4 +- www/core/components/user/lang/ca.json | 2 +- www/core/components/user/lang/cs.json | 6 +- www/core/components/user/lang/da.json | 6 +- www/core/components/user/lang/de-du.json | 4 +- www/core/components/user/lang/de.json | 4 +- www/core/components/user/lang/el.json | 6 +- www/core/components/user/lang/es-mx.json | 6 +- www/core/components/user/lang/es.json | 2 +- www/core/components/user/lang/eu.json | 4 +- www/core/components/user/lang/fa.json | 6 +- www/core/components/user/lang/fi.json | 6 +- www/core/components/user/lang/fr.json | 6 +- www/core/components/user/lang/he.json | 8 +- www/core/components/user/lang/hr.json | 6 +- www/core/components/user/lang/hu.json | 4 +- www/core/components/user/lang/it.json | 6 +- www/core/components/user/lang/ja.json | 4 +- www/core/components/user/lang/lt.json | 8 +- www/core/components/user/lang/mr.json | 4 +- www/core/components/user/lang/nl.json | 6 +- www/core/components/user/lang/no.json | 4 +- www/core/components/user/lang/pl.json | 6 +- www/core/components/user/lang/pt-br.json | 6 +- www/core/components/user/lang/pt.json | 2 +- www/core/components/user/lang/ro.json | 8 +- www/core/components/user/lang/ru.json | 7 +- www/core/components/user/lang/sv.json | 8 +- www/core/components/user/lang/tr.json | 8 +- www/core/components/user/lang/uk.json | 6 +- www/core/lang/ar.json | 46 +++---- www/core/lang/bg.json | 38 +++--- www/core/lang/ca.json | 53 ++++---- www/core/lang/cs.json | 65 +++++----- www/core/lang/da.json | 50 +++---- www/core/lang/de-du.json | 54 ++++---- www/core/lang/de.json | 54 ++++---- www/core/lang/el.json | 48 +++---- www/core/lang/es-mx.json | 52 ++++---- www/core/lang/es.json | 55 ++++---- www/core/lang/eu.json | 62 ++++----- www/core/lang/fa.json | 28 ++-- www/core/lang/fi.json | 48 +++---- www/core/lang/fr.json | 44 ++++--- www/core/lang/he.json | 55 ++++---- www/core/lang/hr.json | 48 +++---- www/core/lang/hu.json | 50 +++---- www/core/lang/it.json | 56 ++++---- www/core/lang/ja.json | 34 ++--- www/core/lang/ko.json | 71 ++++++++++ www/core/lang/lt.json | 61 ++++----- www/core/lang/mr.json | 33 ++--- www/core/lang/nl.json | 60 +++++---- www/core/lang/no.json | 50 +++---- www/core/lang/pl.json | 57 ++++---- www/core/lang/pt-br.json | 72 +++++++---- www/core/lang/pt.json | 59 +++++---- www/core/lang/ro.json | 68 +++++----- www/core/lang/ru.json | 122 ++++++++++++++---- www/core/lang/sv.json | 45 +++---- www/core/lang/tr.json | 50 +++---- www/core/lang/uk.json | 63 ++++----- 745 files changed, 3338 insertions(+), 2675 deletions(-) create mode 100644 www/addons/badges/lang/mr.json create mode 100644 www/addons/calendar/lang/ko.json create mode 100644 www/addons/coursecompletion/lang/ko.json create mode 100644 www/addons/files/lang/ko.json create mode 100644 www/addons/messageoutput/airnotifier/lang/ko.json create mode 100644 www/addons/messageoutput/airnotifier/lang/ru.json create mode 100644 www/addons/messages/lang/ko.json delete mode 100644 www/addons/mod/assign/feedback/file/lang/el.json create mode 100644 www/addons/mod/assign/lang/ko.json create mode 100644 www/addons/mod/wiki/lang/ko.json create mode 100644 www/addons/mod/workshop/lang/ko.json create mode 100644 www/addons/notes/lang/ko.json create mode 100644 www/addons/notifications/lang/ko.json create mode 100644 www/addons/participants/lang/ko.json create mode 100644 www/core/components/contentlinks/lang/ko.json create mode 100644 www/core/lang/ko.json diff --git a/www/addons/badges/lang/ar.json b/www/addons/badges/lang/ar.json index 7fad6dcca5a..edc0b0d08b4 100644 --- a/www/addons/badges/lang/ar.json +++ b/www/addons/badges/lang/ar.json @@ -1,3 +1,4 @@ { - "badges": "شارات" + "badges": "شارات", + "expired": "عذراً، تم إغلاق هذا النشاط في {{$a}} وهو غير متوفر الآن." } \ No newline at end of file diff --git a/www/addons/badges/lang/bg.json b/www/addons/badges/lang/bg.json index c7fae731ea7..4f6540a4a14 100644 --- a/www/addons/badges/lang/bg.json +++ b/www/addons/badges/lang/bg.json @@ -2,6 +2,7 @@ "badgedetails": "Елементи на значката", "badges": "Значки", "contact": "Контакт", + "expired": "За съжаление тази дейност е затворена от {{$a}} и вече не е достъпна", "expirydate": "Дата на изтичане", "issuancedetails": "Срок на значката", "issuerdetails": "Данни за връчващия", diff --git a/www/addons/badges/lang/ca.json b/www/addons/badges/lang/ca.json index e9baf0ea68a..4dd96b8a1dd 100644 --- a/www/addons/badges/lang/ca.json +++ b/www/addons/badges/lang/ca.json @@ -3,6 +3,7 @@ "badges": "Insígnies", "contact": "Contacte", "dateawarded": "Data publicada", + "expired": "Aquesta activitat es va tancar el dia {{$a}} i ja no està disponible.", "expirydate": "Data d'expiració", "issuancedetails": "Expiració de la insígnia", "issuerdetails": "Detalls de l'atorgador", diff --git a/www/addons/badges/lang/cs.json b/www/addons/badges/lang/cs.json index 46db082b2e4..95347f65db0 100644 --- a/www/addons/badges/lang/cs.json +++ b/www/addons/badges/lang/cs.json @@ -3,6 +3,7 @@ "badges": "Odznaky", "contact": "Kontakt", "dateawarded": "Datum udělení", + "expired": "Je nám líto, tato činnost byla uzavřena {{$a}} a není nadále dostupná", "expirydate": "Datum vypršení platnosti", "issuancedetails": "Vypršení platnosti odznaku", "issuerdetails": "Podrobnosti o vydavateli", diff --git a/www/addons/badges/lang/da.json b/www/addons/badges/lang/da.json index a069a23f8ea..5693c0af24d 100644 --- a/www/addons/badges/lang/da.json +++ b/www/addons/badges/lang/da.json @@ -3,6 +3,7 @@ "badges": "Badges", "contact": "Kontakt", "dateawarded": "Udstedelsesdato", + "expired": "Beklager, denne aktivitet er lukket d. {{$a}} og er ikke længere tilgængelig", "expirydate": "Udløbsdato", "issuancedetails": "Badge-udløb", "issuerdetails": "Udstederdata", diff --git a/www/addons/badges/lang/de-du.json b/www/addons/badges/lang/de-du.json index 7c506e176f5..14bde8d8ebb 100644 --- a/www/addons/badges/lang/de-du.json +++ b/www/addons/badges/lang/de-du.json @@ -3,6 +3,7 @@ "badges": "Auszeichnungen", "contact": "Kontakt", "dateawarded": "Verleihdatum", + "expired": "Diese Abstimmung ist seit {{$a}} beendet. Eine Auswahl ist nicht mehr möglich.", "expirydate": "Ablaufdatum", "issuancedetails": "Ablauf festlegen", "issuerdetails": "Verleiher", diff --git a/www/addons/badges/lang/de.json b/www/addons/badges/lang/de.json index 7c506e176f5..14bde8d8ebb 100644 --- a/www/addons/badges/lang/de.json +++ b/www/addons/badges/lang/de.json @@ -3,6 +3,7 @@ "badges": "Auszeichnungen", "contact": "Kontakt", "dateawarded": "Verleihdatum", + "expired": "Diese Abstimmung ist seit {{$a}} beendet. Eine Auswahl ist nicht mehr möglich.", "expirydate": "Ablaufdatum", "issuancedetails": "Ablauf festlegen", "issuerdetails": "Verleiher", diff --git a/www/addons/badges/lang/el.json b/www/addons/badges/lang/el.json index 8c24bf274f9..41294c41ed0 100644 --- a/www/addons/badges/lang/el.json +++ b/www/addons/badges/lang/el.json @@ -1,3 +1,4 @@ { - "badges": "Κονκάρδες" + "badges": "Βραβεία", + "expired": "Η δραστηριότητα αυτή έκλεισε στις {{$a}} και δεν είναι πλέον διαθέσιμη" } \ No newline at end of file diff --git a/www/addons/badges/lang/es-mx.json b/www/addons/badges/lang/es-mx.json index a026942c37e..fbddeff83b3 100644 --- a/www/addons/badges/lang/es-mx.json +++ b/www/addons/badges/lang/es-mx.json @@ -3,6 +3,7 @@ "badges": "Insignias", "contact": "Contacto", "dateawarded": "Fecha de emisión", + "expired": "Lo sentimos, esta actividad se cerró el {{$a}} y ya no está disponible", "expirydate": "Fecha de caducidad", "issuancedetails": "Caducidad de insignia", "issuerdetails": "Detalles del emisor", diff --git a/www/addons/badges/lang/es.json b/www/addons/badges/lang/es.json index cdacfca0a9f..bf84b0d2be9 100644 --- a/www/addons/badges/lang/es.json +++ b/www/addons/badges/lang/es.json @@ -3,6 +3,7 @@ "badges": "Insignias", "contact": "Contacto", "dateawarded": "Fecha de la emisión", + "expired": "Lo sentimos, esta actividad se cerró el {{$a}} y ya no está disponible", "expirydate": "Fecha de expiración", "issuancedetails": "Caducidad de la insignia", "issuerdetails": "Detalles del emisor", diff --git a/www/addons/badges/lang/eu.json b/www/addons/badges/lang/eu.json index b83abbade7a..600530dd8aa 100644 --- a/www/addons/badges/lang/eu.json +++ b/www/addons/badges/lang/eu.json @@ -3,6 +3,7 @@ "badges": "Dominak", "contact": "Kontaktua", "dateawarded": "Emate-data", + "expired": "Sentitzen dugu, jarduera hau {{$a}}(e)an itxi zen eta dagoeneko ez dago eskuragarri.", "expirydate": "Epemugaren data", "issuancedetails": "Dominaren iraungitzea", "issuerdetails": "Emailearen xehetasunak", diff --git a/www/addons/badges/lang/fa.json b/www/addons/badges/lang/fa.json index c20e29e8654..12d37d7a4a0 100644 --- a/www/addons/badges/lang/fa.json +++ b/www/addons/badges/lang/fa.json @@ -3,6 +3,7 @@ "badges": "مدال‌ها", "contact": "تماس", "dateawarded": "تاریخ صدور", + "expired": "با عرض پوزش، این فعالیت در {{$a}} بسته شد و دیگر در دسترس نیست", "expirydate": "تاریخ انقضا", "issuancedetails": "انقضای مدال", "issuerdetails": "مشخصات صادرکننده", diff --git a/www/addons/badges/lang/fi.json b/www/addons/badges/lang/fi.json index 136866e6a3a..b38f0f9a382 100644 --- a/www/addons/badges/lang/fi.json +++ b/www/addons/badges/lang/fi.json @@ -3,6 +3,7 @@ "badges": "Osaamismerkit", "contact": "Yhteystieto", "dateawarded": "Myöntämispäivä", + "expired": "Tämä aktiviteeti on suljettu {{$a}} eikä ole enää käytettävissä.", "expirydate": "Vanhenemispäivä", "issuancedetails": "Osaamismerkin vanhentuminen", "issuerdetails": "Osaamismerkin myöntäjän tiedot", diff --git a/www/addons/badges/lang/fr.json b/www/addons/badges/lang/fr.json index 922dac2a23b..c3194b478b5 100644 --- a/www/addons/badges/lang/fr.json +++ b/www/addons/badges/lang/fr.json @@ -3,6 +3,7 @@ "badges": "Badges", "contact": "Contact", "dateawarded": "Date de remise", + "expired": "Désolé, cette activité s'est terminée le {{$a}} et n'est plus disponible", "expirydate": "Date d'échéance", "issuancedetails": "Échéance du badge", "issuerdetails": "Détail de l'émetteur", diff --git a/www/addons/badges/lang/he.json b/www/addons/badges/lang/he.json index 74f4a30f79a..53e1eb6b73f 100644 --- a/www/addons/badges/lang/he.json +++ b/www/addons/badges/lang/he.json @@ -3,6 +3,7 @@ "badges": "הישגים", "contact": "ליצירת קשר", "dateawarded": "תאריך הקבלה", + "expired": "מצטערים, פעילות זו נסגרה על {{$a}} והיא איננה זמינה יותר", "expirydate": "תאריך תפוגה", "issuancedetails": "מועד תפוגת ההישג", "issuerdetails": "פרטי הגורם אשר העניק את ההישג", diff --git a/www/addons/badges/lang/hr.json b/www/addons/badges/lang/hr.json index 98b1aa11200..6cfa7c0954c 100644 --- a/www/addons/badges/lang/hr.json +++ b/www/addons/badges/lang/hr.json @@ -3,6 +3,7 @@ "badges": "Značke", "contact": "Kontakt", "dateawarded": "Datum izdavanja", + "expired": "Nažalost, ova aktivnost je zatvorena od {{$a}} i nije više dostupna", "expirydate": "Datum isteka", "issuancedetails": "Istek značke", "issuerdetails": "Detalji o izdavaču", diff --git a/www/addons/badges/lang/hu.json b/www/addons/badges/lang/hu.json index 1ef1550428a..7ce39e4cb01 100644 --- a/www/addons/badges/lang/hu.json +++ b/www/addons/badges/lang/hu.json @@ -3,6 +3,7 @@ "badges": "Kitűzők", "contact": "Kapcsolat", "dateawarded": "Kiadás dátuma", + "expired": "Ez a tevékenység {{$a}} időpontban lezárult és már nem érhető el", "expirydate": "Lejárat időpontja", "issuancedetails": "A kitűző lejárata", "issuerdetails": "Az adományozó adatai", diff --git a/www/addons/badges/lang/it.json b/www/addons/badges/lang/it.json index 45a5f3a16bc..b1694dc48d1 100644 --- a/www/addons/badges/lang/it.json +++ b/www/addons/badges/lang/it.json @@ -3,6 +3,7 @@ "badges": "Badge", "contact": "Contatto", "dateawarded": "Data di rilascio", + "expired": "Spiacente, questa attività è stata chiusa il {{$a}} e non è più disponibile", "expirydate": "Data di scadenza", "issuancedetails": "Scadenza badge", "issuerdetails": "Dettagli di chi rilascia il badge", diff --git a/www/addons/badges/lang/ja.json b/www/addons/badges/lang/ja.json index 81bbb2c30b7..9a8239a43b0 100644 --- a/www/addons/badges/lang/ja.json +++ b/www/addons/badges/lang/ja.json @@ -3,6 +3,7 @@ "badges": "バッジ", "contact": "連絡先", "dateawarded": "発効日", + "expired": "申し訳ございません、この活動は {{$a}} に終了しているため、これ以上利用することはできません。", "expirydate": "有効期限", "issuancedetails": "バッジ有効期限", "issuerdetails": "発行者詳細", diff --git a/www/addons/badges/lang/lt.json b/www/addons/badges/lang/lt.json index 612308bc8cf..2434a9c03f0 100644 --- a/www/addons/badges/lang/lt.json +++ b/www/addons/badges/lang/lt.json @@ -3,6 +3,7 @@ "badges": "Pasiekimai", "contact": "Kontaktas", "dateawarded": "Suteikimo data", + "expired": "Atsiprašome, veikla uždaryta {{$a}} ir nebegalima", "expirydate": "Galiojimo laikas", "issuancedetails": "Pasiekimo galiojimas", "issuerdetails": "Suteikėjo detalesnė informacija", diff --git a/www/addons/badges/lang/mr.json b/www/addons/badges/lang/mr.json new file mode 100644 index 00000000000..3ca1958cc11 --- /dev/null +++ b/www/addons/badges/lang/mr.json @@ -0,0 +1,3 @@ +{ + "expired": "क्षमा करा,ही कार्यक्षमता बंद आहे" +} \ No newline at end of file diff --git a/www/addons/badges/lang/nl.json b/www/addons/badges/lang/nl.json index 6c7d7b8d907..24e5430f2e0 100644 --- a/www/addons/badges/lang/nl.json +++ b/www/addons/badges/lang/nl.json @@ -3,6 +3,7 @@ "badges": "Badges", "contact": "Contact", "dateawarded": "Uitgavedatum", + "expired": "Sorry, deze activiteit is afgesloten op {{$a}} en is niet meer beschikbaar", "expirydate": "Vervaldatum", "issuancedetails": "Badge verloopt", "issuerdetails": "Details uitgever", diff --git a/www/addons/badges/lang/no.json b/www/addons/badges/lang/no.json index bc06dc39a40..6a48ea344bc 100644 --- a/www/addons/badges/lang/no.json +++ b/www/addons/badges/lang/no.json @@ -3,6 +3,7 @@ "badges": "Utmerkelser", "contact": "Kontakt", "dateawarded": "Dato tildelt", + "expired": "Beklager, denne aktiviteten ble stengt {{$a}} og er ikke tilgjengelig lenger.", "expirydate": "Utløpsdato", "issuancedetails": "Utløpsdato på utmerkelse", "issuerdetails": "Utstederdetaljer", diff --git a/www/addons/badges/lang/pl.json b/www/addons/badges/lang/pl.json index 17071f4e17d..cdbe2ea38ac 100644 --- a/www/addons/badges/lang/pl.json +++ b/www/addons/badges/lang/pl.json @@ -1,11 +1,12 @@ { - "badgedetails": "Szczegóły odznak", + "badgedetails": "Szczegóły odznaki", "badges": "Odznaki", - "contact": "Połącz", + "contact": "Kontakt", "dateawarded": "Data wydania", + "expired": "Niestety ta aktywność została zamknięta {{$a}} i nie jest już dostępna.", "expirydate": "Data ważności", "issuancedetails": "Wygaśnięcie odznaki", - "issuerdetails": "Szczegóły o wydawcy", + "issuerdetails": "Dane wystawcy", "issuername": "Nazwa wydawcy", "nobadges": "Brak dostępnych odznak", "recipientdetails": "Dane odbiorcy" diff --git a/www/addons/badges/lang/pt-br.json b/www/addons/badges/lang/pt-br.json index 9d8aa1ae0eb..f58e81ab737 100644 --- a/www/addons/badges/lang/pt-br.json +++ b/www/addons/badges/lang/pt-br.json @@ -3,6 +3,7 @@ "badges": "Emblemas", "contact": "Contato", "dateawarded": "Data de emissão", + "expired": "Esta atividade está encerrada desde {{$a}}", "expirydate": "Data de validade", "issuancedetails": "Expiração do emblema", "issuerdetails": "Detalhes do emissor", diff --git a/www/addons/badges/lang/pt.json b/www/addons/badges/lang/pt.json index 7c56f072e88..25537f644d4 100644 --- a/www/addons/badges/lang/pt.json +++ b/www/addons/badges/lang/pt.json @@ -3,6 +3,7 @@ "badges": "Medalhas", "contact": "Contacto", "dateawarded": "Data de emissão", + "expired": "Esta atividade terminou em {{$a}} e já não está disponível", "expirydate": "Data de validade", "issuancedetails": "Data de validade da Medalha", "issuerdetails": "Detalhes do emissor", diff --git a/www/addons/badges/lang/ro.json b/www/addons/badges/lang/ro.json index 6801f4977cf..f419fdda1b0 100644 --- a/www/addons/badges/lang/ro.json +++ b/www/addons/badges/lang/ro.json @@ -3,6 +3,7 @@ "badges": "Ecusoane", "contact": "Contact", "dateawarded": "Data emiterii", + "expired": "Ne pare rău, această activitate s-a închis la {{$a}} şi nu mai este disponibilă", "expirydate": "Dată de expirare", "issuancedetails": "Expirare ecuson", "issuerdetails": "Detalii emitent", diff --git a/www/addons/badges/lang/ru.json b/www/addons/badges/lang/ru.json index b089a2ef04f..0b362222986 100644 --- a/www/addons/badges/lang/ru.json +++ b/www/addons/badges/lang/ru.json @@ -3,6 +3,7 @@ "badges": "Значки", "contact": "Контакты", "dateawarded": "Дата выдачи", + "expired": "Извините, этот элемент курса закрыт {{$a}} и более недоступен", "expirydate": "Дата окончания срока действия", "issuancedetails": "Срок действия значка", "issuerdetails": "Сведения об эмитенте", diff --git a/www/addons/badges/lang/sv.json b/www/addons/badges/lang/sv.json index 878282c5e4f..7bc0c510bf2 100644 --- a/www/addons/badges/lang/sv.json +++ b/www/addons/badges/lang/sv.json @@ -1,8 +1,9 @@ { "badgedetails": "Detaljer för märke", - "badges": "Märken", + "badges": "Badges", "contact": "Kontakt", "dateawarded": "Utfärdandedatum", + "expired": "Den här aktiviteten är stängd på {{$a}} och den är inte längre tillgänglig.", "expirydate": "Förfallodatum", "issuancedetails": "Förfallande av märke", "issuerdetails": "Utfärdarens detaljer", diff --git a/www/addons/badges/lang/tr.json b/www/addons/badges/lang/tr.json index 5c79f345058..c6e5937b65e 100644 --- a/www/addons/badges/lang/tr.json +++ b/www/addons/badges/lang/tr.json @@ -1,8 +1,9 @@ { "badgedetails": "Nişan ayrıntıları", - "badges": "Nişanlar", + "badges": "Rozetler", "contact": "İletişim", "dateawarded": "Verilen tarih", + "expired": "Üzgünüz, bu etkinlik {{$a}} tarihinde kapandı ve bu etkinliğe artık ulaşılamaz", "expirydate": "Bitiş Tarihi", "issuancedetails": "Rozet sona erme", "issuerdetails": "çıkaran ayrıntıları", diff --git a/www/addons/badges/lang/uk.json b/www/addons/badges/lang/uk.json index 6ed6729d125..88c5bf62b6a 100644 --- a/www/addons/badges/lang/uk.json +++ b/www/addons/badges/lang/uk.json @@ -3,6 +3,7 @@ "badges": "Відзнаки", "contact": "Контакт", "dateawarded": "Дата отримання", + "expired": "На жаль, ця діяльність закрита для {{$a}} та більше недоступна", "expirydate": "Дата завершення", "issuancedetails": "Відзнака не актуальна", "issuerdetails": "Деталі присудження", diff --git a/www/addons/calendar/lang/bg.json b/www/addons/calendar/lang/bg.json index 33589385cc7..8d6a2e703f0 100644 --- a/www/addons/calendar/lang/bg.json +++ b/www/addons/calendar/lang/bg.json @@ -3,5 +3,5 @@ "errorloadevent": "Грешка при зареждането на събитие.", "errorloadevents": "Грешка при зареждането на събитията.", "noevents": "Няма предстоящи дейности", - "notifications": "Уведомление" + "notifications": "Уведомления" } \ No newline at end of file diff --git a/www/addons/calendar/lang/ca.json b/www/addons/calendar/lang/ca.json index a2a8930c77d..cc1ee634071 100644 --- a/www/addons/calendar/lang/ca.json +++ b/www/addons/calendar/lang/ca.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Hora de notificació per defecte", "errorloadevent": "S'ha produït un error carregant l'esdeveniment.", "errorloadevents": "S'ha produït un error carregant els esdeveniments.", - "noevents": "Cap activitat venç properament", + "noevents": "No hi ha cap esdeveniment", "notifications": "Notificacions" } \ No newline at end of file diff --git a/www/addons/calendar/lang/cs.json b/www/addons/calendar/lang/cs.json index 5dca11fb0e2..93d27c11dce 100644 --- a/www/addons/calendar/lang/cs.json +++ b/www/addons/calendar/lang/cs.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Výchozí čas oznámení", "errorloadevent": "Chyba při načítání události.", "errorloadevents": "Chyba při načítání událostí.", - "noevents": "Žádné nadcházející činnosti", - "notifications": "Informace" + "noevents": "Nejsou žádné události", + "notifications": "Upozornění" } \ No newline at end of file diff --git a/www/addons/calendar/lang/da.json b/www/addons/calendar/lang/da.json index 9af5235a51d..6826baea7eb 100644 --- a/www/addons/calendar/lang/da.json +++ b/www/addons/calendar/lang/da.json @@ -2,6 +2,6 @@ "calendarevents": "Kalenderbegivenheder", "errorloadevent": "Fejl ved indlæsning af begivenhed.", "errorloadevents": "Fejl ved indlæsning af begivenheder.", - "noevents": "Ingen forestående aktiviteter", - "notifications": "Beskeder" + "noevents": "Der er ingen begivenheder", + "notifications": "Notifikationer" } \ No newline at end of file diff --git a/www/addons/calendar/lang/de-du.json b/www/addons/calendar/lang/de-du.json index e38e81f16cd..120feaec0ae 100644 --- a/www/addons/calendar/lang/de-du.json +++ b/www/addons/calendar/lang/de-du.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Standardmäßige Benachrichtigungszeit", "errorloadevent": "Fehler beim Laden des Kalendereintrags", "errorloadevents": "Fehler beim Laden der Kalendereinträge", - "noevents": "Keine anstehenden Aktivitäten fällig", + "noevents": "Keine Kalendereinträge", "notifications": "Systemmitteilungen" } \ No newline at end of file diff --git a/www/addons/calendar/lang/de.json b/www/addons/calendar/lang/de.json index e38e81f16cd..120feaec0ae 100644 --- a/www/addons/calendar/lang/de.json +++ b/www/addons/calendar/lang/de.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Standardmäßige Benachrichtigungszeit", "errorloadevent": "Fehler beim Laden des Kalendereintrags", "errorloadevents": "Fehler beim Laden der Kalendereinträge", - "noevents": "Keine anstehenden Aktivitäten fällig", + "noevents": "Keine Kalendereinträge", "notifications": "Systemmitteilungen" } \ No newline at end of file diff --git a/www/addons/calendar/lang/el.json b/www/addons/calendar/lang/el.json index 4a7590c2db2..9a2040a3e51 100644 --- a/www/addons/calendar/lang/el.json +++ b/www/addons/calendar/lang/el.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Προεπιλεγμένος χρόνος ειδοποίησης", "errorloadevent": "Σφάλμα στην φόρτωση συμβάντου.", "errorloadevents": "Σφάλμα στην φόρτωση συμβάντων.", - "noevents": "Καμία δραστηριότητα προσεχώς", + "noevents": "Δεν υπάρχουν συμβάντα", "notifications": "Ειδοποιήσεις" } \ No newline at end of file diff --git a/www/addons/calendar/lang/es-mx.json b/www/addons/calendar/lang/es-mx.json index d54a5abc6ad..872b31813b4 100644 --- a/www/addons/calendar/lang/es-mx.json +++ b/www/addons/calendar/lang/es-mx.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Hora de notificación por defecto", "errorloadevent": "Error al cargar evento.", "errorloadevents": "Error al cargar eventos.", - "noevents": "No hay actividades próximas pendientes", + "noevents": "No hay eventos", "notifications": "Notificaciones" } \ No newline at end of file diff --git a/www/addons/calendar/lang/es.json b/www/addons/calendar/lang/es.json index 8149bc574d6..993aec44200 100644 --- a/www/addons/calendar/lang/es.json +++ b/www/addons/calendar/lang/es.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Tiempo de notificación por defecto", "errorloadevent": "Error cargando el evento.", "errorloadevents": "Error cargando los eventos.", - "noevents": "No hay actividades próximas pendientes", - "notifications": "Avisos" + "noevents": "No hay eventos", + "notifications": "Notificaciones" } \ No newline at end of file diff --git a/www/addons/calendar/lang/eu.json b/www/addons/calendar/lang/eu.json index 26477c604df..1158b9cd186 100644 --- a/www/addons/calendar/lang/eu.json +++ b/www/addons/calendar/lang/eu.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Berezko jakinarazpen-ordua", "errorloadevent": "Errorea gertakaria kargatzean.", "errorloadevents": "Errorea gertakariak kargatzean.", - "noevents": "Ez dago jardueren muga-egunik laster", + "noevents": "Ez dago ekitaldirik", "notifications": "Jakinarazpenak" } \ No newline at end of file diff --git a/www/addons/calendar/lang/fa.json b/www/addons/calendar/lang/fa.json index 76813733c1d..109ac4e7ec6 100644 --- a/www/addons/calendar/lang/fa.json +++ b/www/addons/calendar/lang/fa.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "زمان پیش‌فرض اطلاع‌رسانی", "errorloadevent": "خطا در بارگیری رویداد.", "errorloadevents": "خطا در بارگیری رویدادها.", - "noevents": "هیچ مهلتی برای فعالیت‌های آتی وجود ندارد", - "notifications": "تذکرات" + "noevents": "هیچ رویدادی نیست", + "notifications": "هشدارها" } \ No newline at end of file diff --git a/www/addons/calendar/lang/fi.json b/www/addons/calendar/lang/fi.json index 39534c661d8..c0c6a3c5b25 100644 --- a/www/addons/calendar/lang/fi.json +++ b/www/addons/calendar/lang/fi.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Oletusilmoitusaika", "errorloadevent": "Ladattaessa tapahtumaa tapahtui virhe.", "errorloadevents": "Ladattaessa tapahtumia tapahtui virhe.", - "noevents": "Ei tulevia aktiviteettien määräaikoja", + "noevents": "Tapahtumia ei ole", "notifications": "Ilmoitukset" } \ No newline at end of file diff --git a/www/addons/calendar/lang/fr.json b/www/addons/calendar/lang/fr.json index 9281fbdabb5..79e2b2edcac 100644 --- a/www/addons/calendar/lang/fr.json +++ b/www/addons/calendar/lang/fr.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Heure de notification par défaut", "errorloadevent": "Erreur de chargement de l'événement", "errorloadevents": "Erreur de chargement des événements", - "noevents": "Aucune activité", + "noevents": "Il n'y a pas d'événement", "notifications": "Notifications" } \ No newline at end of file diff --git a/www/addons/calendar/lang/he.json b/www/addons/calendar/lang/he.json index 3702664d6e1..368fb1895c4 100644 --- a/www/addons/calendar/lang/he.json +++ b/www/addons/calendar/lang/he.json @@ -2,6 +2,6 @@ "calendarevents": "אירועי לוח שנה", "errorloadevent": "שגיאה בטעינת האירוע.", "errorloadevents": "שגיאה בטעינת האירועים.", - "noevents": "לא קיימות פעילויות עתידיות להן מועד הגשה", - "notifications": "עדכונים והודעות" + "noevents": "אין אירועים", + "notifications": "התראות" } \ No newline at end of file diff --git a/www/addons/calendar/lang/it.json b/www/addons/calendar/lang/it.json index bd05740cedc..7dda0726c1e 100644 --- a/www/addons/calendar/lang/it.json +++ b/www/addons/calendar/lang/it.json @@ -2,6 +2,6 @@ "calendarevents": "Eventi nel calendario", "errorloadevent": "Si è verificato un errore durante il caricamento degli eventi.", "errorloadevents": "Si è verificato un errore durante il caricamento degli eventi.", - "noevents": "Non ci sono attività da svolgere", + "noevents": "Non ci sono eventi", "notifications": "Notifiche" } \ No newline at end of file diff --git a/www/addons/calendar/lang/ja.json b/www/addons/calendar/lang/ja.json index 8bdfec3c217..b6e5457e412 100644 --- a/www/addons/calendar/lang/ja.json +++ b/www/addons/calendar/lang/ja.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "デフォルト通知時間", "errorloadevent": "イベントの読み込み時にエラーがありました。", "errorloadevents": "イベントの読み込み時にエラーがありました。", - "noevents": "到来する活動期限はありません。", + "noevents": "イベントはありません", "notifications": "通知" } \ No newline at end of file diff --git a/www/addons/calendar/lang/ko.json b/www/addons/calendar/lang/ko.json new file mode 100644 index 00000000000..89620ab46b2 --- /dev/null +++ b/www/addons/calendar/lang/ko.json @@ -0,0 +1,8 @@ +{ + "calendarevents": "달력 일정", + "defaultnotificationtime": "기본 알림 시간", + "errorloadevent": "이벤트 올리기 오류", + "errorloadevents": "이벤트 올리기 오류", + "noevents": "이벤트 없음", + "notifications": "알림" +} \ No newline at end of file diff --git a/www/addons/calendar/lang/lt.json b/www/addons/calendar/lang/lt.json index 38fab7b87a5..84444f84a30 100644 --- a/www/addons/calendar/lang/lt.json +++ b/www/addons/calendar/lang/lt.json @@ -2,6 +2,6 @@ "calendarevents": "Renginių kalendorius", "errorloadevent": "Klaida įkeliant renginį.", "errorloadevents": "Klaida įkeliant renginius.", - "noevents": "Nėra numatytų artėjančių veiklų", + "noevents": "Renginių nėra", "notifications": "Pranešimai" } \ No newline at end of file diff --git a/www/addons/calendar/lang/mr.json b/www/addons/calendar/lang/mr.json index 9406719e93e..28aa585a614 100644 --- a/www/addons/calendar/lang/mr.json +++ b/www/addons/calendar/lang/mr.json @@ -4,5 +4,5 @@ "errorloadevent": "कार्यक्रम लोड करताना त्रुटी.", "errorloadevents": "कार्यक्रम लोड करताना त्रुटी.", "noevents": "कोणतेही कार्यक्रम नाहीत", - "notifications": "अधिसुचना" + "notifications": "सूचना" } \ No newline at end of file diff --git a/www/addons/calendar/lang/nl.json b/www/addons/calendar/lang/nl.json index 16546e8a4ee..5c7174a3165 100644 --- a/www/addons/calendar/lang/nl.json +++ b/www/addons/calendar/lang/nl.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Standaard notificatietijd", "errorloadevent": "Fout bij het laden van de gebeurtenis.", "errorloadevents": "Fout bij het laden van de gebeurtenissen.", - "noevents": "Er zijn geen verwachte activiteiten", + "noevents": "Er zijn geen gebeurtenissen", "notifications": "Meldingen" } \ No newline at end of file diff --git a/www/addons/calendar/lang/no.json b/www/addons/calendar/lang/no.json index 8021542858c..21393284448 100644 --- a/www/addons/calendar/lang/no.json +++ b/www/addons/calendar/lang/no.json @@ -4,5 +4,5 @@ "errorloadevent": "Feil ved lasting av hendelse", "errorloadevents": "Feil ved lasting av hendelser", "noevents": "Det er ingen aktiviteter som må gjøres i nærmeste fremtid.", - "notifications": "Meldinger" + "notifications": "Varslinger" } \ No newline at end of file diff --git a/www/addons/calendar/lang/pt-br.json b/www/addons/calendar/lang/pt-br.json index f66b11184df..b348e89bed4 100644 --- a/www/addons/calendar/lang/pt-br.json +++ b/www/addons/calendar/lang/pt-br.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Tempo de notificação padrão", "errorloadevent": "Erro ao carregar evento.", "errorloadevents": "Erro ao carregar eventos.", - "noevents": "Não há atividades pendentes", - "notifications": "Avisos" + "noevents": "Sem eventos", + "notifications": "Notificação" } \ No newline at end of file diff --git a/www/addons/calendar/lang/pt.json b/www/addons/calendar/lang/pt.json index a65b11f461a..6cb58c20e8d 100644 --- a/www/addons/calendar/lang/pt.json +++ b/www/addons/calendar/lang/pt.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Hora de notificação predefinida", "errorloadevent": "Erro ao carregar evento.", "errorloadevents": "Erro ao carregar eventos.", - "noevents": "Nenhuma atividade programada", + "noevents": "Sem eventos", "notifications": "Notificações" } \ No newline at end of file diff --git a/www/addons/calendar/lang/ru.json b/www/addons/calendar/lang/ru.json index 3a1b1bf3bd2..0d17cabd368 100644 --- a/www/addons/calendar/lang/ru.json +++ b/www/addons/calendar/lang/ru.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Время уведомлений по умолчанию", "errorloadevent": "Ошибка при загрузке события", "errorloadevents": "Ошибка при загрузке событий", - "noevents": "Окончаний сроков сдачи элементов курса в ближайшее время нет.", + "noevents": "Нет событий", "notifications": "Уведомления" } \ No newline at end of file diff --git a/www/addons/calendar/lang/sv.json b/www/addons/calendar/lang/sv.json index 12cef7ef2eb..d5ac5c127d0 100644 --- a/www/addons/calendar/lang/sv.json +++ b/www/addons/calendar/lang/sv.json @@ -3,5 +3,5 @@ "errorloadevent": "Fel vid inläsning av händelse.", "errorloadevents": "Fel vid inläsning av händelser", "noevents": "Det finns inga händelser", - "notifications": "Administration" + "notifications": "Notifikationer" } \ No newline at end of file diff --git a/www/addons/calendar/lang/uk.json b/www/addons/calendar/lang/uk.json index e0b616f24a4..2e0930c7034 100644 --- a/www/addons/calendar/lang/uk.json +++ b/www/addons/calendar/lang/uk.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Час сповіщень за-замовчуванням", "errorloadevent": "Помилка завантаження події.", "errorloadevents": "Помилка завантаження подій.", - "noevents": "Наразі, заплановані активності відсутні", - "notifications": "Повідомлення" + "noevents": "Немає подій", + "notifications": "Сповіщення" } \ No newline at end of file diff --git a/www/addons/competency/lang/ar.json b/www/addons/competency/lang/ar.json index 5952485e905..79ce4fda7f6 100644 --- a/www/addons/competency/lang/ar.json +++ b/www/addons/competency/lang/ar.json @@ -1,11 +1,11 @@ { - "activities": "الأنشطة", - "duedate": "تاريخ تقديم مهمة", + "activities": "أنشطة", + "duedate": "موعد التسليم", "errornocompetenciesfound": "لا يوجد أي قدرات موجودة", "myplans": "خططي للتعلم", "nocompetencies": "لا يوجد أي قدرات", "path": "مسار", "progress": "تقدّم الطالب", - "status": "الحالة", + "status": "الوضع", "template": "قالب" } \ No newline at end of file diff --git a/www/addons/competency/lang/bg.json b/www/addons/competency/lang/bg.json index 5b003195ac4..a5175cb9a90 100644 --- a/www/addons/competency/lang/bg.json +++ b/www/addons/competency/lang/bg.json @@ -10,7 +10,7 @@ "planstatusactive": "Активен", "planstatuscomplete": "Завършен", "planstatusdraft": "Чернова", - "status": "Състояние", + "status": "Състояние на значка", "template": "Шаблон", "userplans": "Учебни планове" } \ No newline at end of file diff --git a/www/addons/competency/lang/ca.json b/www/addons/competency/lang/ca.json index 93bcee24b76..ffcc6899a81 100644 --- a/www/addons/competency/lang/ca.json +++ b/www/addons/competency/lang/ca.json @@ -4,7 +4,7 @@ "competenciesmostoftennotproficientincourse": "Competències que més sovint no s'assoleixen en aquest curs", "coursecompetencies": "Competències del curs", "crossreferencedcompetencies": "Competències referenciades", - "duedate": "Data de venciment", + "duedate": "Venciment", "errornocompetenciesfound": "No s'han trobat competències", "evidence": "Evidència", "evidence_competencyrule": "La regla de competència s'ha satisfet.", @@ -20,22 +20,22 @@ "learningplans": "Plans d'aprenentatge", "myplans": "Els meus plans d'aprenentatge", "noactivities": "Cap activitat", - "nocompetencies": "No s'han creat competències en aquest marc.", + "nocompetencies": "Cap competència", "nocrossreferencedcompetencies": "No hi ha competències amb referències a aquesta.", "noevidence": "Cap evidència", "noplanswerecreated": "No s'ha creat cap pla d'aprenentatge.", - "path": "Ruta:", + "path": "Camí", "planstatusactive": "Activa", "planstatuscomplete": "Completat", "planstatusdraft": "Esborrany", "planstatusinreview": "En revisió", "planstatuswaitingforreview": "S'està esperant la revisió", "proficient": "Superada", - "progress": "Progrés", - "rating": "Qualificació", + "progress": "Progrés de l'estudiant", + "rating": "Valoració", "reviewstatus": "Estat de la revisió", - "status": "Estat", - "template": "Plantilla de pla d'aprenentatge", + "status": "Estat de la insígnia", + "template": "Plantilla", "usercompetencystatus_idle": "Inactiu", "usercompetencystatus_inreview": "En revisió", "usercompetencystatus_waitingforreview": "Esperant a ser revisat", diff --git a/www/addons/competency/lang/cs.json b/www/addons/competency/lang/cs.json index 471bc29a73e..c0650558e72 100644 --- a/www/addons/competency/lang/cs.json +++ b/www/addons/competency/lang/cs.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "Hodnocení kompetencí v tomto kurzu nemají vliv na studijní plány.", "coursecompetencyratingsarepushedtouserplans": "Hodnocení kompetencí v tomto kurzu jsou okamžitě aktualizovány v studijních plánech.", "crossreferencedcompetencies": "Průřezové kompetence", - "duedate": "Termín odevzdání", + "duedate": "Datum platnosti", "errornocompetenciesfound": "Nebyly nalezeny žádné kompetence", "evidence": "Evidence", "evidence_competencyrule": "Bylo splněno pravidlo kompetence.", @@ -22,22 +22,22 @@ "learningplans": "Studijní plány", "myplans": "Mé studijní plány", "noactivities": "Žádné činnosti", - "nocompetencies": "V tomto rámci nebyly vytvořeny žádné kompetence.", + "nocompetencies": "Žádné kompetence", "nocrossreferencedcompetencies": "K této kompetenci nebyly spojeny další průřezové kompetence.", "noevidence": "Bez záznamu", "noplanswerecreated": "Nebyly vytvořeny žádné studijní plány.", - "path": "Cesta:", + "path": "Cesta", "planstatusactive": "Aktivní", "planstatuscomplete": "Dokončeno", "planstatusdraft": "Návrh", "planstatusinreview": "V revizi", "planstatuswaitingforreview": "Čekání na revizi", "proficient": "Splněno", - "progress": "Pokrok", + "progress": "Pokrok studenta", "rating": "Hodnocení", "reviewstatus": "Stav revize", - "status": "Stav", - "template": "Šablona studijního plánu", + "status": "Stav odznaku", + "template": "Šablona", "usercompetencystatus_idle": "Nečinný", "usercompetencystatus_inreview": "V revizi", "usercompetencystatus_waitingforreview": "Čekání na revizi", diff --git a/www/addons/competency/lang/da.json b/www/addons/competency/lang/da.json index 9ca24a2a90b..dbf44a2c519 100644 --- a/www/addons/competency/lang/da.json +++ b/www/addons/competency/lang/da.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "Kompetencebedømmelser på dette kursus påvirker ikke læringsplaner.", "coursecompetencyratingsarepushedtouserplans": "Kompetencebedømmelser på dette kursus opdateres straks i læringsplaner.", "crossreferencedcompetencies": "Kryds-refererede kompetencer", - "duedate": "Afleveringsdato", + "duedate": "Forfaldsdato", "errornocompetenciesfound": "Ingen kompetencer fundet", "evidence": "Vidnesbyrd", "evidence_competencyrule": "Kompetencereglen blev opfyldt.", @@ -22,26 +22,26 @@ "learningplans": "Læringsplaner", "myplans": "Mine læringsplaner", "noactivities": "Ingen aktiviteter", - "nocompetencies": "Ingen kompetencer er oprettet i denne ramme.", + "nocompetencies": "Ingen kompetencer", "nocrossreferencedcompetencies": "Ingen andre kompetencer er krydsrefereret til denne kompetence.", "noevidence": "Ingen vidnesbyrd", "noplanswerecreated": "Der blev ikke oprettet nogen læringsplaner.", - "path": "Sti:", + "path": "Sti", "planstatusactive": "Aktiv", "planstatuscomplete": "Fuldført", "planstatusdraft": "Kladde", "planstatusinreview": "I gennemsyn", "planstatuswaitingforreview": "Venter på gennemsyn", - "proficient": "Dygtig", - "progress": "Progression", + "proficient": "Færdighedsniveau", + "progress": "Studerendes fremskridt", "rating": "Bedømmelse", "reviewstatus": "Status på gennemsyn", - "status": "Status", - "template": "Læringsplanskabelon", + "status": "Badgestatus", + "template": "Skabelon", "usercompetencystatus_idle": "Tom", "usercompetencystatus_inreview": "I gennemsyn", "usercompetencystatus_waitingforreview": "Afventer gennemsyn", "userplans": "Læringsplaner", - "xcompetenciesproficientoutofy": "{{$a.x}} ud af {{$a.y}} kompetencer er dygtige", - "xcompetenciesproficientoutofyincourse": "Du er dygtig i {{$a.x}} ud af {{$a.y}} kompetencer på dette kursus." + "xcompetenciesproficientoutofy": "{{$a.x}} ud af {{$a.y}} kompetencer er på færdighedsniveau", + "xcompetenciesproficientoutofyincourse": "Du har opnået færdighedsniveau {{$a.x}} ud af {{$a.y}} kompetencer på dette kursus." } \ No newline at end of file diff --git a/www/addons/competency/lang/de-du.json b/www/addons/competency/lang/de-du.json index eeb5102e8ee..5f38edfbdad 100644 --- a/www/addons/competency/lang/de-du.json +++ b/www/addons/competency/lang/de-du.json @@ -6,9 +6,9 @@ "coursecompetencyratingsarenotpushedtouserplans": "Kompetenzbewertungen in diesem Kurs beeinflussen keine Lernpläne.", "coursecompetencyratingsarepushedtouserplans": "Kompetenzbewertungen in diesem Kurs werden sofort in den Lernplänen aktualisiert.", "crossreferencedcompetencies": "Querverwiesene Kompetenzen", - "duedate": "Fälligkeitsdatum", + "duedate": "Termin", "errornocompetenciesfound": "Keine Kompetenzen gefunden", - "evidence": "Beleg", + "evidence": "Evidenz", "evidence_competencyrule": "Die Kompetenzregel wurde erfüllt.", "evidence_coursecompleted": "Der Kurs '{{$a}}' wurde abgeschlossen.", "evidence_coursemodulecompleted": "Die Aktivität '{{$a}}' wurde abgeschlossen.", @@ -22,22 +22,22 @@ "learningplans": "Lernpläne", "myplans": "Meine Lernpläne", "noactivities": "Keine Aktivitäten", - "nocompetencies": "Für diesen Kompetenzrahmen wurden keine Kompetenzen angelegt.", + "nocompetencies": "Keine Kompetenzen", "nocrossreferencedcompetencies": "Keine anderen Kompetenzen wurden zu dieser Kompetenz referiert.", "noevidence": "Keine Belege", "noplanswerecreated": "Bisher sind keine Lernpläne angelegt.", - "path": "Pfad:", + "path": "Pfad", "planstatusactive": "Aktiv", "planstatuscomplete": "Vollständig", "planstatusdraft": "Entwurf", "planstatusinreview": "Überprüfung läuft", "planstatuswaitingforreview": "Überprüfung abwarten", "proficient": "Erfahren", - "progress": "Fortschritt", - "rating": "Wertung", + "progress": "Bearbeitungsstand", + "rating": "Bewertung", "reviewstatus": "Überprüfungsstatus", - "status": "Status", - "template": "Lernplanvorlage", + "status": "Existierende Einschreibungen erlauben", + "template": "Vorlage", "usercompetencystatus_idle": "Abwarten", "usercompetencystatus_inreview": "Überprüfung läuft", "usercompetencystatus_waitingforreview": "Überprüfung abwarten", diff --git a/www/addons/competency/lang/de.json b/www/addons/competency/lang/de.json index eeb5102e8ee..5f38edfbdad 100644 --- a/www/addons/competency/lang/de.json +++ b/www/addons/competency/lang/de.json @@ -6,9 +6,9 @@ "coursecompetencyratingsarenotpushedtouserplans": "Kompetenzbewertungen in diesem Kurs beeinflussen keine Lernpläne.", "coursecompetencyratingsarepushedtouserplans": "Kompetenzbewertungen in diesem Kurs werden sofort in den Lernplänen aktualisiert.", "crossreferencedcompetencies": "Querverwiesene Kompetenzen", - "duedate": "Fälligkeitsdatum", + "duedate": "Termin", "errornocompetenciesfound": "Keine Kompetenzen gefunden", - "evidence": "Beleg", + "evidence": "Evidenz", "evidence_competencyrule": "Die Kompetenzregel wurde erfüllt.", "evidence_coursecompleted": "Der Kurs '{{$a}}' wurde abgeschlossen.", "evidence_coursemodulecompleted": "Die Aktivität '{{$a}}' wurde abgeschlossen.", @@ -22,22 +22,22 @@ "learningplans": "Lernpläne", "myplans": "Meine Lernpläne", "noactivities": "Keine Aktivitäten", - "nocompetencies": "Für diesen Kompetenzrahmen wurden keine Kompetenzen angelegt.", + "nocompetencies": "Keine Kompetenzen", "nocrossreferencedcompetencies": "Keine anderen Kompetenzen wurden zu dieser Kompetenz referiert.", "noevidence": "Keine Belege", "noplanswerecreated": "Bisher sind keine Lernpläne angelegt.", - "path": "Pfad:", + "path": "Pfad", "planstatusactive": "Aktiv", "planstatuscomplete": "Vollständig", "planstatusdraft": "Entwurf", "planstatusinreview": "Überprüfung läuft", "planstatuswaitingforreview": "Überprüfung abwarten", "proficient": "Erfahren", - "progress": "Fortschritt", - "rating": "Wertung", + "progress": "Bearbeitungsstand", + "rating": "Bewertung", "reviewstatus": "Überprüfungsstatus", - "status": "Status", - "template": "Lernplanvorlage", + "status": "Existierende Einschreibungen erlauben", + "template": "Vorlage", "usercompetencystatus_idle": "Abwarten", "usercompetencystatus_inreview": "Überprüfung läuft", "usercompetencystatus_waitingforreview": "Überprüfung abwarten", diff --git a/www/addons/competency/lang/el.json b/www/addons/competency/lang/el.json index ccc76e104c4..dcecd903866 100644 --- a/www/addons/competency/lang/el.json +++ b/www/addons/competency/lang/el.json @@ -1,10 +1,10 @@ { "activities": "Δραστηριότητες", - "duedate": "Καταληκτική ημερομηνία", + "duedate": "Ημερομηνία εκπνοής", "errornocompetenciesfound": "Δεν βρέθηκαν ικανότητες", "nocompetencies": "Δεν βρέθηκαν ικανότητες", "path": "Διαδρομή", "progress": "Πρόοδος μαθητών", - "status": "Επιτρέπεται η πρόσβαση στους επισκέπτες", + "status": "Κατάσταση", "template": "Πρότυπο" } \ No newline at end of file diff --git a/www/addons/competency/lang/es-mx.json b/www/addons/competency/lang/es-mx.json index e3cf26a9682..60eac50c020 100644 --- a/www/addons/competency/lang/es-mx.json +++ b/www/addons/competency/lang/es-mx.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "Las valoraciones de competencia en este curso no afectan a los planes de aprendizaje.", "coursecompetencyratingsarepushedtouserplans": "Las valoraciones de competencia en este curso son actualizadas inmediatamente dentro de planes de aprendizaje.", "crossreferencedcompetencies": "Competencias con referencias-cruzadas", - "duedate": "Fecha de entrega", + "duedate": "Vencimiento", "errornocompetenciesfound": "No se encontraron competencias", "evidence": "Evidencia", "evidence_competencyrule": "Se cumplió la regla de la competencia.", @@ -22,22 +22,22 @@ "learningplans": "Planes de aprendizaje", "myplans": "Mis planes de aprendizaje", "noactivities": "Sin actividades", - "nocompetencies": "No se han creado competencias en esta estructura.", + "nocompetencies": "Sin competencias", "nocrossreferencedcompetencies": "No se han referenciado cruzadamente otras competencias con esta competencia.", "noevidence": "Sin evidencia", "noplanswerecreated": "No se crearon planes de aprendizaje.", - "path": "Ruta:", + "path": "Ruta", "planstatusactive": "Activa/o", "planstatuscomplete": "Completo", "planstatusdraft": "Borrador", "planstatusinreview": "En revisión", "planstatuswaitingforreview": "Esperando para revisión", "proficient": "Dominio/pericia", - "progress": "Progreso", - "rating": "Valoración", + "progress": "Progreso del estudiante", + "rating": "Valuación (rating)", "reviewstatus": "Revisar estatus", - "status": "Estatus", - "template": "Plantilla de plan de aprendizaje", + "status": "Estatus de insignias", + "template": "Plantilla", "usercompetencystatus_idle": "desocupado", "usercompetencystatus_inreview": "En revisión", "usercompetencystatus_waitingforreview": "Esperando para revisión", diff --git a/www/addons/competency/lang/es.json b/www/addons/competency/lang/es.json index 53b3162fac7..1637cb26f73 100644 --- a/www/addons/competency/lang/es.json +++ b/www/addons/competency/lang/es.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "Las calificaciones de competencias de este curso no afectan los planes de aprendizaje.", "coursecompetencyratingsarepushedtouserplans": "Las calificaciones de competencias en este curso actualizan de inmediato los planes de aprendizaje.", "crossreferencedcompetencies": "Competencias referenciadas", - "duedate": "Fecha de entrega", + "duedate": "Vencimiento", "errornocompetenciesfound": "No se encontraron competencias", "evidence": "Evidencia", "evidence_coursecompleted": "El curso '{{$a}}' ha sido completado.", @@ -15,7 +15,7 @@ "learningplans": "Planes de aprendizaje", "myplans": "Mis planes de aprendizaje", "noactivities": "Sin actividades", - "nocompetencies": "No se han creado competencias para este marco.", + "nocompetencies": "Sin competencias", "nocrossreferencedcompetencies": "No se han referenciado otras competencias a esta competencia.", "noevidence": "Sin evidencias", "path": "Ruta", @@ -25,10 +25,10 @@ "planstatusinreview": "En revisión", "planstatuswaitingforreview": "Esperando revisión", "proficient": "Superada", - "progress": "Avance", - "rating": "Calificación", + "progress": "Progreso del estudiante", + "rating": "Clasificación", "reviewstatus": "Estado de la revisión", - "status": "Estado", + "status": "Estado de la insignia", "template": "Plantilla", "usercompetencystatus_idle": "No activo", "usercompetencystatus_inreview": "En revision", diff --git a/www/addons/competency/lang/eu.json b/www/addons/competency/lang/eu.json index e233197d3dc..b6747be9f5e 100644 --- a/www/addons/competency/lang/eu.json +++ b/www/addons/competency/lang/eu.json @@ -1,8 +1,11 @@ { "activities": "Jarduerak", "competencies": "Gaitasunak", + "competenciesmostoftennotproficientincourse": "Ikastaro honetan sarriago ez-gai diren gaitasunak", "coursecompetencies": "Ikastaroko gaitasunak", + "coursecompetencyratingsarenotpushedtouserplans": "Ikastaro honetako gaitasunen kalifikazioek ez dute ikasketa-planean eragiten.", "coursecompetencyratingsarepushedtouserplans": "Ikastaro honetan gaitasunen kalifikazioek ikasketa-planak berehala eguneratzen dituzte.", + "crossreferencedcompetencies": "Erreferentzia gurutzatuko gaitasunak", "duedate": "Entregatze-data", "errornocompetenciesfound": "Ez da gaitasunik aurkitu", "evidence": "Ebidentzia", @@ -19,23 +22,26 @@ "learningplans": "Ikasketa-planak", "myplans": "Nire ikasketa-planak", "noactivities": "Ez dago jarduerarik", - "nocompetencies": "Ezin izan gaitasunik sortu marko honetan.", + "nocompetencies": "Gaitasunik ez", + "nocrossreferencedcompetencies": "Ez dago gaitasun honekiko erreferentzia gurutzatua duen beste gaitasunik.", "noevidence": "Ez dago ebidentziarik", "noplanswerecreated": "Ez da ikasketa-planik sortu.", - "path": "Bidea:", + "path": "Bidea", "planstatusactive": "Aktiboa", "planstatuscomplete": "Osatu", "planstatusdraft": "Zirriborroa", "planstatusinreview": "Berrikusten", "planstatuswaitingforreview": "Berrikusketaren zain", "proficient": "Gai", - "progress": "Aurrerapena", + "progress": "Ikaslearen aurrerapena", "rating": "Puntuazioa", "reviewstatus": "Berrikusi egora", - "status": "Egoera", - "template": "Ikasketa-planerako txantiloia", + "status": "Dominen egoera", + "template": "Txantiloia", "usercompetencystatus_idle": "Ez dago aktiboa", "usercompetencystatus_inreview": "Berrikusten", "usercompetencystatus_waitingforreview": "Berrikusketaren zain", - "userplans": "Ikasketa-planak" + "userplans": "Ikasketa-planak", + "xcompetenciesproficientoutofy": "{{$a.y}} gaitasunetik {{$a.x}} gai dira", + "xcompetenciesproficientoutofyincourse": "Ikastaro honetako {{$a.y}} gaitasunetik {{$a.x}}-tan zara gai." } \ No newline at end of file diff --git a/www/addons/competency/lang/fa.json b/www/addons/competency/lang/fa.json index 1ae77642077..1c88a1c56fa 100644 --- a/www/addons/competency/lang/fa.json +++ b/www/addons/competency/lang/fa.json @@ -5,7 +5,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "امتیازهای شایستگی‌ها در این درس تاثیری در برنامه‌های یادگیری ندارند.", "coursecompetencyratingsarepushedtouserplans": "امتیازهای شایستگی‌ها در این درس بلافاصله در برنامه‌های یادگیری به‌روز می‌شوند.", "crossreferencedcompetencies": "شایستگی‌های دارای ارجاع متقابل", - "duedate": "مهلت تحویل", + "duedate": "مهلت", "errornocompetenciesfound": "هیچ شایستگی‌ای پیدا نشد", "evidence": "مدرک", "evidence_competencyrule": "شرط شایستگی برقرار شد.", @@ -23,18 +23,18 @@ "nocrossreferencedcompetencies": "هیچ شایستگی دیگری به این شایستگی به‌طور متقابل ارجاع داده نشده است.", "noevidence": "بدون مدرک", "noplanswerecreated": "هیچ برنامهٔ یادگیری‌ای ساخته نشده است.", - "path": "مسیر:", + "path": "مسیر", "planstatusactive": "فعال", "planstatuscomplete": "کامل", "planstatusdraft": "پیش‌نویس", "planstatusinreview": "درحال بازبینی", "planstatuswaitingforreview": "در انتظار بازبینی", "proficient": "کسب مهارت", - "progress": "پیشروی", + "progress": "پیشروی شاگردان", "rating": "امتیاز", "reviewstatus": "بازبینی وضعیت", - "status": "وضعیت", - "template": "الگوی برنامه یادگیری", + "status": "وضعیت مدال", + "template": "الگو", "usercompetencystatus_idle": "بی کار", "usercompetencystatus_inreview": "درحال بازبینی", "usercompetencystatus_waitingforreview": "در انتظار بازبینی", diff --git a/www/addons/competency/lang/fi.json b/www/addons/competency/lang/fi.json index f581a143647..9285357c6b8 100644 --- a/www/addons/competency/lang/fi.json +++ b/www/addons/competency/lang/fi.json @@ -6,14 +6,18 @@ "coursecompetencyratingsarenotpushedtouserplans": "Tämän kurssin pätevyyksien arvioinnit eivät vaikuta opintosuunnitelmiin.", "coursecompetencyratingsarepushedtouserplans": "Tämän kurssin pätevyyksien arvioinnit päivitetään heti opintosuunnitelmiin.", "crossreferencedcompetencies": "Ristiviitatut pätevyydet", - "duedate": "Määräpäivä", + "duedate": "Palautettava viimeistään", "errornocompetenciesfound": "Pätevyyksiä ei löytynyt", "evidence": "Todiste", + "evidence_competencyrule": "Osaamissääntökriteerit täytetty.", "evidence_coursecompleted": "Kurssi '{{$a}}' suoritettiin", "evidence_coursemodulecompleted": "Aktiviteetti '{{$a}}' suoritettiin", + "evidence_courserestored": "Osaamisenarviointi palautettiin kurssin '{{$a}}' palautuksen mukana.", "evidence_evidenceofpriorlearninglinked": "Todiste aiemmasta osaamisesta '{{$a}}' on nyt linkitetty", "evidence_evidenceofpriorlearningunlinked": "Aiemman osaamisen '{{$a}} linkitys on nyt purettu", "evidence_manualoverride": "Pätevyys arvioitiin manuaalisesti", + "evidence_manualoverrideincourse": "Osaamisen arviointi asetettiin manuaalisesti kurssille '{{$a}}'.", + "evidence_manualoverrideinplan": "Osaamisen arviointi asetettiin manuaalisesti opintosuunnitelmassa '{{$a}}'.", "learningplancompetencies": "Opintosuunnitelman pätevyydet", "learningplans": "Opintosuunnitelmat", "myplans": "Omat opintosuunnitelmani", @@ -29,10 +33,11 @@ "planstatusinreview": "Arvioitavana", "planstatuswaitingforreview": "Odottaa arviointia", "proficient": "Pätevä", - "progress": "Eteneminen", - "rating": "Arviointi", - "status": "Osaamismerkin status", - "template": "Opintosuunnitelman viitekehys", + "progress": "Opiskelijan edistyminen", + "rating": "Arvio", + "status": "Tilanne", + "template": "Mallipohja", + "usercompetencystatus_idle": "Turha", "usercompetencystatus_inreview": "Arvioitavana", "usercompetencystatus_waitingforreview": "Odottaa arviointia", "userplans": "Opintosuunnitelmat", diff --git a/www/addons/competency/lang/fr.json b/www/addons/competency/lang/fr.json index 7e23c4763ea..faf178110f1 100644 --- a/www/addons/competency/lang/fr.json +++ b/www/addons/competency/lang/fr.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "Les évaluations de compétences de ce cours n'ont pas d'influence sur les plans de formation.", "coursecompetencyratingsarepushedtouserplans": "Les évaluations de compétences de ce cours sont immédiatement reportées dans les plans de formation.", "crossreferencedcompetencies": "Compétences transversales", - "duedate": "Délai d'achèvement", + "duedate": "Date de remise", "errornocompetenciesfound": "Aucune compétence trouvée", "evidence": "Preuve", "evidence_competencyrule": "La règle pour la compétence a été atteinte.", @@ -22,22 +22,22 @@ "learningplans": "Plans de formation", "myplans": "Mes plans de formation", "noactivities": "Aucune activité", - "nocompetencies": "Aucune compétence n'a été créée dans ce référentiel.", + "nocompetencies": "Aucune compétence", "nocrossreferencedcompetencies": "Aucune autre compétence n'est transversale pour cette compétence.", "noevidence": "Aucune preuve d'acquis", "noplanswerecreated": "Aucun plan de formation n'a été créé.", - "path": "Chemin :", + "path": "Chemin", "planstatusactive": "Actif", "planstatuscomplete": "Achevé", "planstatusdraft": "Brouillon", "planstatusinreview": "En cours de validation", "planstatuswaitingforreview": "En attente de validation", "proficient": "Compétence acquise", - "progress": "Progrès", + "progress": "Suivi des activités des participants", "rating": "Évaluation", "reviewstatus": "Statut de validation", - "status": "Statut", - "template": "Modèle de plan de formation", + "status": "Statut du badge", + "template": "Modèle", "usercompetencystatus_idle": "En suspens", "usercompetencystatus_inreview": "En cours de validation", "usercompetencystatus_waitingforreview": "En attente de validation", diff --git a/www/addons/competency/lang/he.json b/www/addons/competency/lang/he.json index 28515e411cc..0a5a97fffc1 100644 --- a/www/addons/competency/lang/he.json +++ b/www/addons/competency/lang/he.json @@ -6,8 +6,8 @@ "coursecompetencyratingsarenotpushedtouserplans": "השלמת מיומנויות בקורס זה לא מתעדכנות בתוכניות־הלימוד", "coursecompetencyratingsarepushedtouserplans": "מצב רכישת מיומנות כתוצאה מהשלמת פעילות בקורס, מתעדכן באופן מידי בתוכניות־הלימוד.", "crossreferencedcompetencies": "מקושר למיומנויות", - "duedate": "תאריך סופי", - "evidence": "ראיה לבקיאות", + "duedate": "עד לתאריך", + "evidence": "סימוכין", "evidence_competencyrule": "תנאי המיומנות נענה", "evidence_coursecompleted": "הקורס '{{$a}}' הושלם.", "evidence_coursemodulecompleted": "הפעילות '{{$a}}' הושלמה.", @@ -25,18 +25,18 @@ "nocrossreferencedcompetencies": "אף מיומנות לא מקושרת למיומנות זו.", "noevidence": "טרם צורפה ראיה לבקיאות", "noplanswerecreated": "טרם נוצרו תוכניות־לימוד.", - "path": "נתיב:", + "path": "נתיב", "planstatusactive": "פעיל", "planstatuscomplete": "הושלם", "planstatusdraft": "טיוטה", "planstatusinreview": "בסקירה", "planstatuswaitingforreview": "מחכה לסקירה", "proficient": "בקיאות", - "progress": "התקדמות", - "rating": "דרוג", + "progress": "מעקב התקדמות למידה", + "rating": "דירוג", "reviewstatus": "סקירת מצב", - "status": "מצב", - "template": "תבנית תוכנית־לימוד", + "status": "סטטוס ההישג", + "template": "תבנית", "usercompetencystatus_idle": "לא־פעיל", "usercompetencystatus_inreview": "בסקירה", "usercompetencystatus_waitingforreview": "מחכה לסקירה", diff --git a/www/addons/competency/lang/hr.json b/www/addons/competency/lang/hr.json index 8c40a3b58d8..31249563426 100644 --- a/www/addons/competency/lang/hr.json +++ b/www/addons/competency/lang/hr.json @@ -1,16 +1,16 @@ { "activities": "Aktivnosti", "competencies": "Kompetencije", - "duedate": "Rok predaje", + "duedate": "Rok", "evidence": "Dokaz", "evidence_coursecompleted": "Kolegij '{{$a}}' je dovršen.", "evidence_coursemodulecompleted": "Aktivnost '{{$a}}' je dovršena.", - "path": "Putanja", + "path": "Putanja (PATH)", "planstatusactive": "Aktivno", "planstatuscomplete": "Dovršeno", "planstatusdraft": "Nacrt", "progress": "Napredak studenta", "rating": "Ocjena", - "status": "Status", + "status": "Stanje značke", "template": "Predložak" } \ No newline at end of file diff --git a/www/addons/competency/lang/hu.json b/www/addons/competency/lang/hu.json index 6af9155320b..cfc5a516e20 100644 --- a/www/addons/competency/lang/hu.json +++ b/www/addons/competency/lang/hu.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "A kurzus készségbesorolásai nem érintik a tanulási terveket.", "coursecompetencyratingsarepushedtouserplans": "A kurzus készségbesorolásai azonnal frissülnek a tanulási tervekben.", "crossreferencedcompetencies": "Kereszthivatkozott készségek", - "duedate": "Esedékesség", + "duedate": "Határidő", "evidence": "Bizonyíték", "evidence_competencyrule": "A készséghez tartozó szabály teljesítve.", "evidence_coursecompleted": "'{{$a}}' kurzus teljesítve.", @@ -25,18 +25,18 @@ "nocrossreferencedcompetencies": "A készséghez kereszthivatkozással nem kapcsolódik más készség.", "noevidence": "Nincs bizonyíték", "noplanswerecreated": "Nem jött létre tanulási terv.", - "path": "Útvonal:", + "path": "Útvonal", "planstatusactive": "Aktív", "planstatuscomplete": "Kész", "planstatusdraft": "Vázlat", "planstatusinreview": "Ellenőrzés alatt", "planstatuswaitingforreview": "Ellenőrzésre vár", "proficient": "Sikeres", - "progress": "Előmenetel", - "rating": "Besorolás", + "progress": "A tanuló előmenetele", + "rating": "Értékelés", "reviewstatus": "Ellenőrzés állapota", - "status": "Állapot", - "template": "Tanulási tervsablon", + "status": "A kitűző állapota", + "template": "Sablon", "usercompetencystatus_idle": "Inaktív", "usercompetencystatus_inreview": "Ellenőrzés alatt", "usercompetencystatus_waitingforreview": "Ellenőrzésre vár", diff --git a/www/addons/competency/lang/it.json b/www/addons/competency/lang/it.json index b48ee9ec14d..8093550d734 100644 --- a/www/addons/competency/lang/it.json +++ b/www/addons/competency/lang/it.json @@ -6,9 +6,9 @@ "coursecompetencyratingsarenotpushedtouserplans": "Le valutazioni delle competenze nel corso non si riflettono nei piani di formazione.", "coursecompetencyratingsarepushedtouserplans": "Le valutazione delle competenze nel corso si riflettono immediatamente nei piani di formazione.", "crossreferencedcompetencies": "Competenze con riferimento incrociato", - "duedate": "Termine consegne", + "duedate": "Data di termine", "errornocompetenciesfound": "Non sono state trovate competenze", - "evidence": "Attestazione", + "evidence": "Verifica", "evidence_competencyrule": "La regola della competenza è stata soddisfatta.", "evidence_coursecompleted": "Il corso '{{$a}}' è stato completato.", "evidence_coursemodulecompleted": "L'attività '{{$a}}' è stata completato.", @@ -22,22 +22,22 @@ "learningplans": "Piani di formazione", "myplans": "I miei piani di formazione", "noactivities": "Nessuna attività.", - "nocompetencies": "Questo quadro non ha competenze", + "nocompetencies": "Non sono presenti competenze", "nocrossreferencedcompetencies": "Non ci sono competenze con riferimenti incrociati a questa competenza", "noevidence": "Non sono presenti attestazioni.", "noplanswerecreated": "Non sono stati creati piani di formazione", - "path": "Percorso:", + "path": "Percorso", "planstatusactive": "Attivo", "planstatuscomplete": "Raggiunta", "planstatusdraft": "Bozza", "planstatusinreview": "In revisione", "planstatuswaitingforreview": "In attesa di revisione", "proficient": "Esperto", - "progress": "Avanzamento", + "progress": "Situazione dello studente", "rating": "Valutazione", "reviewstatus": "Stato della revisione", - "status": "Stato", - "template": "Modello di piano di formazione", + "status": "Stato badge", + "template": "Modello", "usercompetencystatus_idle": "Non attiva", "usercompetencystatus_inreview": "In revisione", "usercompetencystatus_waitingforreview": "In attesa di revisione", diff --git a/www/addons/competency/lang/ja.json b/www/addons/competency/lang/ja.json index d4109719e36..8899adb5523 100644 --- a/www/addons/competency/lang/ja.json +++ b/www/addons/competency/lang/ja.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "このコース内でのコンピテンシー評定は学習プランに影響しません。", "coursecompetencyratingsarepushedtouserplans": "このコース内でのコンピテンシー評定は学習プラン内ですぐに更新されます。", "crossreferencedcompetencies": "クロスリファレンスコンピテンシー", - "duedate": "期限", + "duedate": "終了日時", "errornocompetenciesfound": "コンピテンシーが見つかりません", "evidence": "エビデンス", "evidence_competencyrule": "コンピテンシールールが合致しません。", @@ -22,22 +22,22 @@ "learningplans": "学習プラン", "myplans": "マイ学習プラン", "noactivities": "活動なし", - "nocompetencies": "このフレームワークにコンピテンシーは作成されていません。", + "nocompetencies": "コンピテンシーなし", "nocrossreferencedcompetencies": "このコンピテンシーに相互参照されている他のコンピテンシーはありません。", "noevidence": "エビデンスなし", "noplanswerecreated": "学習プランは作成されませんでした。", - "path": "パス:", + "path": "パス", "planstatusactive": "アクティブ", "planstatuscomplete": "完了", "planstatusdraft": "下書き", "planstatusinreview": "レビュー中", "planstatuswaitingforreview": "レビュー待ち", "proficient": "熟達", - "progress": "進捗", - "rating": "評定", + "progress": "学生の進捗", + "rating": "評価", "reviewstatus": "レビューステータス", - "status": "ステータス", - "template": "学習プランテンプレート", + "status": "バッジステータス", + "template": "テンプレート", "usercompetencystatus_idle": "待機", "usercompetencystatus_inreview": "レビュー中", "usercompetencystatus_waitingforreview": "レビュー待ち", diff --git a/www/addons/competency/lang/lt.json b/www/addons/competency/lang/lt.json index 2fac9c0ec8e..1f868fecae0 100644 --- a/www/addons/competency/lang/lt.json +++ b/www/addons/competency/lang/lt.json @@ -1,10 +1,10 @@ { - "activities": "Veikla", + "activities": "Veiklos", "competencies": "Kompetencijos", "coursecompetencies": "Kurso kompetencijos", "coursecompetencyratingsarenotpushedtouserplans": "Kompetencijų reitingai šiame kurse neturi įtakos mokymosi planams.", "crossreferencedcompetencies": "Kryžminės kompetencijos", - "duedate": "Data pristatymui", + "duedate": "Terminas", "errornocompetenciesfound": "Kompetencijų nerasta", "evidence": "Įrodymas", "evidence_coursecompleted": "Kursas '{{$a}}' buvo užbaigtas.", @@ -15,7 +15,7 @@ "learningplans": "Mokymosi planai", "myplans": "Mano mokymosi planai", "noactivities": "Nėra veiklų", - "nocompetencies": "Šioje sistemoje nebuvo sukurta kompetencijų.", + "nocompetencies": "Nėra kompetencijų", "nocrossreferencedcompetencies": "Jokios kitos kompetencijos nebuvo susietos kryžmine nuoroda su šia kompetencija.", "noevidence": "Nėra įrodymų", "noplanswerecreated": "Nebuvo sukurta mokymosi planų.", @@ -26,11 +26,11 @@ "planstatusinreview": "Peržiūrima", "planstatuswaitingforreview": "Laukiama peržiūros", "proficient": "Įgūdis", - "progress": "Besimokančiojo pažanga", - "rating": "Reitingas", + "progress": "Progresas", + "rating": "Vertinimas", "reviewstatus": "Peržiūros būsena", - "status": "Būsena", - "template": "Mokymosi plano šablonas", + "status": "Pasiekimo būsena", + "template": "Šablonas", "usercompetencystatus_idle": "Nenaudojamas", "usercompetencystatus_inreview": "Peržiūrima", "usercompetencystatus_waitingforreview": "Laukiama peržiūros", diff --git a/www/addons/competency/lang/mr.json b/www/addons/competency/lang/mr.json index a31b331a86a..96dacfe50a6 100644 --- a/www/addons/competency/lang/mr.json +++ b/www/addons/competency/lang/mr.json @@ -1,6 +1,6 @@ { - "activities": "क्रिया", + "activities": "सर्व एक्टिव्हीटी", "errornocompetenciesfound": "कोणतीही कौशल्यं आढळली नाहीत", "nocompetencies": "कोणतीही क्षमता नाहीत", - "status": "स्थिती" + "status": "दर्जा" } \ No newline at end of file diff --git a/www/addons/competency/lang/nl.json b/www/addons/competency/lang/nl.json index 755c1596562..c9bb96098a4 100644 --- a/www/addons/competency/lang/nl.json +++ b/www/addons/competency/lang/nl.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "Competentiebeoordelingen in deze cursus hebben geen invloed op studieplannnen.", "coursecompetencyratingsarepushedtouserplans": "Competentiebeoordelingen in deze cursus worden onmiddellijk aangepast in studieplannen.", "crossreferencedcompetencies": "Competenties met kruisverwijzingen", - "duedate": "Uiterste inleverdatum", + "duedate": "Klaar tegen", "errornocompetenciesfound": "Geen competenties gevonden", "evidence": "Bewijs", "evidence_competencyrule": "De competentieregel werd behaald.", @@ -22,22 +22,22 @@ "learningplans": "Studieplannen", "myplans": "Mijn studieplannen", "noactivities": "Geen activiteiten", - "nocompetencies": "Er zijn nog geen competenties gemaakt in dit framework", + "nocompetencies": "Geen competenties", "nocrossreferencedcompetencies": "Er zijn geen andere competenties met een kruisverwijzing naar deze competentie.", "noevidence": "Geen bewijs", "noplanswerecreated": "Er zijn nog geen studieplannen gemaakt", - "path": "Pad:", + "path": "Pad", "planstatusactive": "Actief", "planstatuscomplete": "Volledig", "planstatusdraft": "Klad", "planstatusinreview": "Wordt beoordeeld", "planstatuswaitingforreview": "Wacht op beoordeling", "proficient": "Geslaagd", - "progress": "Vordering", + "progress": "Vordering leerling", "rating": "Beoordeling", "reviewstatus": "Beoordelingsstatus", - "status": "Status", - "template": "Studieplansjabloon", + "status": "Badge status", + "template": "Sjabloon", "usercompetencystatus_idle": "Niet aan het werk", "usercompetencystatus_inreview": "Wordt beoordeeld", "usercompetencystatus_waitingforreview": "Wacht op beoordeling", diff --git a/www/addons/competency/lang/no.json b/www/addons/competency/lang/no.json index e75d67cb1dd..6dde147ac64 100644 --- a/www/addons/competency/lang/no.json +++ b/www/addons/competency/lang/no.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "Læringsmålvurderinger i dette kurset har ingen innvirkning på opplæringsplaner.", "coursecompetencyratingsarepushedtouserplans": "Læringsmålvurderinger i dette kurset vil automatisk oppdatere opplæringsplaner.", "crossreferencedcompetencies": "Kryssrefererte læringsmål", - "duedate": "Innleveringsfrist", + "duedate": "Gyldig til", "errornocompetenciesfound": "Ingen kompetansemål funnet", "evidence": "Bevis", "evidence_competencyrule": "Læringsmålregelen ble møtt", @@ -26,18 +26,18 @@ "nocrossreferencedcompetencies": "Ingen andre læringsmål har en kryssreferanse til dette læringsmålet.", "noevidence": "Ingen bevis", "noplanswerecreated": "Ingen opplæringsplaner ble opprettet", - "path": "Sti:", + "path": "Sti", "planstatusactive": "Aktiv", "planstatuscomplete": "Fullført", "planstatusdraft": "Utkast", "planstatusinreview": "Under vurdering", "planstatuswaitingforreview": "Venter på vurdering", "proficient": "Dyktighet", - "progress": "Fremdrift", + "progress": "Studentens fremdrift", "rating": "Vurdering", "reviewstatus": "Vurderingsstatus", - "status": "Status", - "template": "Opplæringsplanmal", + "status": "Status for utmerkelse", + "template": "Mal", "usercompetencystatus_idle": "Uvirksom", "usercompetencystatus_inreview": "Under vurdering", "usercompetencystatus_waitingforreview": "Venterpå vurdering", diff --git a/www/addons/competency/lang/pl.json b/www/addons/competency/lang/pl.json index 9dcc2e6d8b9..66acf3cba51 100644 --- a/www/addons/competency/lang/pl.json +++ b/www/addons/competency/lang/pl.json @@ -2,7 +2,7 @@ "activities": "Aktywności", "competencies": "Kompetencje", "coursecompetencies": "Kompetencje kursu", - "duedate": "Termin", + "duedate": "Termin oddania", "evidence": "Dowód", "evidence_coursecompleted": "Kurs '{{$a}}' został ukończony.", "evidence_coursemodulecompleted": "Aktywność '{{$a}}' została ukończona.", @@ -15,17 +15,17 @@ "nocompetencies": "Nie utworzono żadnych kompetencji w tych ramach kwalifikacji.", "noevidence": "Brak dowodów", "noplanswerecreated": "Nie utworzono planów uczenia się.", - "path": "Ścieżka:", + "path": "Ścieżka", "planstatusactive": "Aktywne", "planstatuscomplete": "Ukończone", "planstatusdraft": "Szkic", "planstatusinreview": "W trakcie przeglądu", "planstatuswaitingforreview": "Oczekuje na przegląd", - "progress": "Postęp", + "progress": "Postępy studenta w nauce", "rating": "Ocena", "reviewstatus": "Status przeglądu", - "status": "Status", - "template": "Szablon planu uczenia się.", + "status": "Status odznaki", + "template": "Szablon", "usercompetencystatus_idle": "Bezczynny", "usercompetencystatus_inreview": "W przeglądzie", "usercompetencystatus_waitingforreview": "Oczekuje na przegląd", diff --git a/www/addons/competency/lang/pt-br.json b/www/addons/competency/lang/pt-br.json index 232ddc151ec..5262449b51f 100644 --- a/www/addons/competency/lang/pt-br.json +++ b/www/addons/competency/lang/pt-br.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "Avaliações de competência neste curso não afetam os planos de aprendizagem.", "coursecompetencyratingsarepushedtouserplans": "Avaliações de competência neste curso são atualizadas imediatamente nos planos de aprendizagem.", "crossreferencedcompetencies": "Competências referenciadas", - "duedate": "Data de entrega", + "duedate": "Data de encerramento", "errornocompetenciesfound": "Nenhuma competência encontrada", "evidence": "Evidência", "evidence_competencyrule": "A regra da competência foi cumprida.", @@ -22,22 +22,22 @@ "learningplans": "Planos de aprendizagem", "myplans": "Meus planos de aprendizagem", "noactivities": "Sem atividades", - "nocompetencies": "Nenhuma competência foi criada para esta estrutura.", + "nocompetencies": "Nenhuma competência", "nocrossreferencedcompetencies": "Nenhuma outra competência foi referenciada a esta competência.", "noevidence": "Nenhuma evidência", "noplanswerecreated": "Nenhum plano de aprendizagem foi criado.", - "path": "Caminho:", + "path": "Caminho", "planstatusactive": "Ativo", "planstatuscomplete": "Concluído", "planstatusdraft": "Rascunho", "planstatusinreview": "Em revisão", "planstatuswaitingforreview": "Aguardando revisão", "proficient": "Proficiente", - "progress": "Progresso", + "progress": "Progresso do estudante", "rating": "Avaliação", "reviewstatus": "Estado da revisão", - "status": "Status", - "template": "Modelo de plano de aprendizagem", + "status": "Status do emblema", + "template": "Modelo", "usercompetencystatus_idle": "inativo", "usercompetencystatus_inreview": "Em revisão", "usercompetencystatus_waitingforreview": "Esperando por revisão", diff --git a/www/addons/competency/lang/pt.json b/www/addons/competency/lang/pt.json index ef18f29e3fe..646bf84a31d 100644 --- a/www/addons/competency/lang/pt.json +++ b/www/addons/competency/lang/pt.json @@ -6,9 +6,9 @@ "coursecompetencyratingsarenotpushedtouserplans": "As avaliações das competências nesta disciplina não afetam os planos de aprendizagem.", "coursecompetencyratingsarepushedtouserplans": "As avaliações das competências nesta disciplina são automaticamente atualizadas nos planos de aprendizagem.", "crossreferencedcompetencies": "Competências referenciadas", - "duedate": "Data limite para submeter trabalhos", + "duedate": "Data de fim", "errornocompetenciesfound": "Competências não encontradas", - "evidence": "Comprovativo", + "evidence": "Evidência", "evidence_competencyrule": "A regra da competência foi cumprida.", "evidence_coursecompleted": "A disciplina '{{$a}}' está concluída.", "evidence_coursemodulecompleted": "A atividade '{{$a}}' está concluída.", @@ -22,22 +22,22 @@ "learningplans": "Planos de aprendizagem", "myplans": "Os meus planos de aprendizagem", "noactivities": "Nenhuma atividade associada", - "nocompetencies": "Ainda não foram criadas competências neste quadro.", + "nocompetencies": "Sem competências", "nocrossreferencedcompetencies": "Nenhuma competência foi referenciada a esta competência.", "noevidence": "Não foi adicionado nenhum comprovativo", "noplanswerecreated": "Nenhum plano de aprendizagem foi criado.", - "path": "Localização:", + "path": "Caminho", "planstatusactive": "Ativo", "planstatuscomplete": "Concluído", "planstatusdraft": "Rascunho", "planstatusinreview": "Em revisão", "planstatuswaitingforreview": "À espera de revisão", "proficient": "Proficiente", - "progress": "Progresso", + "progress": "Progresso do aluno", "rating": "Avaliação", "reviewstatus": "Estado da revisão", - "status": "Estado", - "template": "Modelo de plano de aprendizagem", + "status": "Estado da Medalha", + "template": "Modelo", "usercompetencystatus_idle": "Parado", "usercompetencystatus_inreview": "Em revisão", "usercompetencystatus_waitingforreview": "À espera de revisão", diff --git a/www/addons/competency/lang/ro.json b/www/addons/competency/lang/ro.json index d41e0906fff..f01d18ce60b 100644 --- a/www/addons/competency/lang/ro.json +++ b/www/addons/competency/lang/ro.json @@ -1,8 +1,9 @@ { - "activities": "Activităţi", + "activities": "Activități", "competencies": "Competențe", "duedate": "Termen de predare", "evidence": "Evidență", + "evidence_competencyrule": "Nu a fost îndeplinită regula competenței.", "evidence_coursecompleted": "Cursul '{{$a}}' a fost completat", "evidence_coursemodulecompleted": "Activitatea '{{$a}}' a fost completată", "learningplans": "Planuri de învățare", @@ -16,7 +17,7 @@ "planstatuswaitingforreview": "Se așteaptă recenzia", "progress": "Progres student", "rating": "Rating", - "status": "Status", + "status": "Status ecuson", "template": "Șablon", "usercompetencystatus_idle": "Pauză", "usercompetencystatus_inreview": "În revizuire", diff --git a/www/addons/competency/lang/ru.json b/www/addons/competency/lang/ru.json index 0764f8416b1..71dc14e3c01 100644 --- a/www/addons/competency/lang/ru.json +++ b/www/addons/competency/lang/ru.json @@ -1,13 +1,14 @@ { - "activities": "Элементы курса", + "activities": "Элементы", "competencies": "Компетенции", "competenciesmostoftennotproficientincourse": "Компетенции, которые чаще всего оказываются не освоенными в этом курсе", "coursecompetencies": "Компетенции курса", "coursecompetencyratingsarenotpushedtouserplans": "Рейтинги компетенций из этого курса не влияют на учебные планы.", "coursecompetencyratingsarepushedtouserplans": "Рейтинги компетенций из этого курса сразу же обновляются в учебных планах.", "crossreferencedcompetencies": "Перекрестные компетенции", - "duedate": "Последний срок сдачи", - "evidence": "Доказательство", + "duedate": "Срок выполнения", + "errornocompetenciesfound": "Компетенций не найдено", + "evidence": "Подтверждение", "evidence_competencyrule": "Выполнены требования правила компетенции.", "evidence_coursecompleted": "Курс «{{$a}}» завершен.", "evidence_coursemodulecompleted": "Элемент «{{$a}}» завершен.", @@ -21,22 +22,22 @@ "learningplans": "Учебные планы", "myplans": "Мои учебные планы", "noactivities": "Нет элементов", - "nocompetencies": "Нет компетенций, созданных в этом фреймворке.", + "nocompetencies": "Нет компетенций", "nocrossreferencedcompetencies": "Нет других компетенций, перекрестно ссылающихся на эту компетенцию.", "noevidence": "Нет доказательств", "noplanswerecreated": "Учебные планы не были созданы.", - "path": "Путь:", + "path": "Путь", "planstatusactive": "Активно", "planstatuscomplete": "Выполнено", "planstatusdraft": "Черновик", "planstatusinreview": "Проверяется", "planstatuswaitingforreview": "Ожидание отзыва", "proficient": "Освоено", - "progress": "В процессе", + "progress": "Достижения студента", "rating": "Рейтинг", "reviewstatus": "Статус пересмотра", - "status": "Статус", - "template": "Шаблон учебного плана", + "status": "Статус значка", + "template": "Шаблон", "usercompetencystatus_idle": "Не используется", "usercompetencystatus_inreview": "В процессе пересмотра", "usercompetencystatus_waitingforreview": "Ожидает пересмотра", diff --git a/www/addons/competency/lang/sv.json b/www/addons/competency/lang/sv.json index bd4f1f8b730..d95c8cd4a8b 100644 --- a/www/addons/competency/lang/sv.json +++ b/www/addons/competency/lang/sv.json @@ -6,8 +6,8 @@ "coursecompetencyratingsarenotpushedtouserplans": "Bedömning av kompetenser i denna kurs kommer inte att påverka studieplaner.", "coursecompetencyratingsarepushedtouserplans": "Bedömning av kompetenser i denna kurs uppdateras omedelbart i studieplanerna.", "crossreferencedcompetencies": "Korsrefererade kompetenser.", - "duedate": "Stoppdatum/tid", - "evidence": "Verifiering", + "duedate": "Sista inskickningsdatum", + "evidence": "Bevis", "evidence_competencyrule": "Regeln för kompetensen uppfylldes.", "evidence_coursecompleted": "Kursen '{{$a}}' genomfördes.", "evidence_coursemodulecompleted": "Aktiviteten '{{$a}}' genomfördes.", @@ -25,18 +25,18 @@ "nocrossreferencedcompetencies": "Inga andra kompetenser har korsrefererats till denna kompetens.", "noevidence": "Inga verifieringar", "noplanswerecreated": "Inga studieplaner var skapade.", - "path": "Sökväg:", + "path": "Sökväg", "planstatusactive": "Aktiv", "planstatuscomplete": "Komplett", "planstatusdraft": "Utkast", "planstatusinreview": "Granskning pågår", "planstatuswaitingforreview": "Väntar på granskning", "proficient": "Kunnig", - "progress": "Utveckling", - "rating": "Bedömning", + "progress": "Kursdeltagares progression", + "rating": "Betygssättning/omdömen", "reviewstatus": "Granska status", - "status": "Status", - "template": "Mall för studieplan", + "status": "Status för märke", + "template": "Mall", "usercompetencystatus_idle": "Overksam", "usercompetencystatus_inreview": "Bedömning pågår", "usercompetencystatus_waitingforreview": "Väntar på bedömning", diff --git a/www/addons/competency/lang/tr.json b/www/addons/competency/lang/tr.json index d54aeeb73d5..ed9f9e9852c 100644 --- a/www/addons/competency/lang/tr.json +++ b/www/addons/competency/lang/tr.json @@ -6,8 +6,8 @@ "coursecompetencyratingsarenotpushedtouserplans": "Bu dersin yetkinlik dereceleri öğrenme planlarını etkilemez.", "coursecompetencyratingsarepushedtouserplans": "Bu dersin yetkinlik dereceleri öğrenme planlarında anında güncellenir.", "crossreferencedcompetencies": "Çapraz referanslı yetkinlikler", - "duedate": "Son teslim tarihi", - "evidence": "Öğrenme kanıtı", + "duedate": "Bitiş tarihi", + "evidence": "Kanıt", "evidence_competencyrule": "Yetkinlik kuralı karşılandı.", "evidence_coursecompleted": "'{{$a}}' dersi tamamlandı.", "evidence_coursemodulecompleted": "'{{$a}}' etkinliği tamamlandı.", @@ -25,18 +25,18 @@ "nocrossreferencedcompetencies": "Bu yetkinliğe çapraz referanslı başka yetkinlik bulunmamaktadır.", "noevidence": "Öğrenme kanıtı yok", "noplanswerecreated": "Hiçbir öğrenme planı oluşturulmadı.", - "path": "Yol:", + "path": "Yol", "planstatusactive": "Aktif", "planstatuscomplete": "Tamamla", "planstatusdraft": "Taslak", "planstatusinreview": "İncelemede", "planstatuswaitingforreview": "İnceleme bekleniyor", "proficient": "Yeterli", - "progress": "İlerleme", + "progress": "Öğrenci ilerlemesi", "rating": "Derecelendirme", "reviewstatus": "İnceleme durumu", - "status": "Durum", - "template": "Öğrenme planı şablonu", + "status": "Nişan Durumu", + "template": "Şablon", "usercompetencystatus_idle": "Kullanılmayan", "usercompetencystatus_inreview": "İncelemede", "usercompetencystatus_waitingforreview": "İnceleme bekleniyor", diff --git a/www/addons/competency/lang/uk.json b/www/addons/competency/lang/uk.json index 8ba19bd44c3..19c2e6323e5 100644 --- a/www/addons/competency/lang/uk.json +++ b/www/addons/competency/lang/uk.json @@ -1,14 +1,14 @@ { - "activities": "Види діяльності", + "activities": "Діяльності", "competencies": "Компетентності", "competenciesmostoftennotproficientincourse": "Компетентності, які найчастіше не досягаються у цьому курсі", "coursecompetencies": "Компетентності курсу", "coursecompetencyratingsarenotpushedtouserplans": "Оцінювання компетентностей цього курсу не впливають на навчальні плани", "coursecompetencyratingsarepushedtouserplans": "Оцінювання компетентностей цього курсу будуть зразу передані в навчальні плани.", "crossreferencedcompetencies": "Пов'язані компетентності", - "duedate": "Кінцевий термін здачі", + "duedate": "Кінцевий термін", "errornocompetenciesfound": "Не знайдено компетенції", - "evidence": "Підтвердження", + "evidence": "Докази", "evidence_competencyrule": "Правило для компетентності досягнуте", "evidence_coursecompleted": "Курс «{{$a}}» завершено.", "evidence_coursemodulecompleted": "Діяльність «{{$a}}» завершена.", @@ -22,22 +22,22 @@ "learningplans": "Навчальний план", "myplans": "Мої навчальні плани", "noactivities": "Жодної діяльності", - "nocompetencies": "Жодної компетентності не створено у цьому репозиторії", + "nocompetencies": "Немає компетенції", "nocrossreferencedcompetencies": "Жодна інша компетентність не пов'язана з даною", "noevidence": "Жодного підтвердження", "noplanswerecreated": "Жодного навчального плану не було створено", - "path": "Шлях:", + "path": "Шлях", "planstatusactive": "Активний", "planstatuscomplete": "Завершений", "planstatusdraft": "Чернетка", "planstatusinreview": "В процесі підтвердження", "planstatuswaitingforreview": "В очікуванні підтвердження", "proficient": "Набута компетентність", - "progress": "Прогрес", - "rating": "Оцінювання", + "progress": "Прогрес студента", + "rating": "Оцінка", "reviewstatus": "Статус підтвердження", - "status": "Статус", - "template": "Шаблон навчального плану", + "status": "Статус відзнаки", + "template": "Шаблон", "usercompetencystatus_idle": "В очікуванні", "usercompetencystatus_inreview": "В процесі підтвердження", "usercompetencystatus_waitingforreview": "В очікування підтвердження", diff --git a/www/addons/coursecompletion/lang/ar.json b/www/addons/coursecompletion/lang/ar.json index 9069a17e684..6e611657e6b 100644 --- a/www/addons/coursecompletion/lang/ar.json +++ b/www/addons/coursecompletion/lang/ar.json @@ -1,5 +1,5 @@ { - "complete": "كامل", + "complete": "تم/كامل", "completecourse": "مقرر مكتمل", "completed": "تم", "completiondate": "تاريخ إكمال المقرر", @@ -13,9 +13,9 @@ "manualselfcompletion": "إكمال يدوي ذاتي", "notyetstarted": "لم يبدأ بعد", "pending": "معلق", - "required": "مفروض", + "required": "مطلوب", "requiredcriteria": "المعايير المطلوبة", "requirement": "المتطلبات", - "status": "الوضع", + "status": "الحالة", "viewcoursereport": "عرض تقرير المقرر" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/bg.json b/www/addons/coursecompletion/lang/bg.json index 4493022054d..321cd10500f 100644 --- a/www/addons/coursecompletion/lang/bg.json +++ b/www/addons/coursecompletion/lang/bg.json @@ -1,14 +1,14 @@ { - "complete": "Завършен", - "completed": "Завършено", - "coursecompletion": "Завършване на курса", - "criteria": "Критерии", + "complete": "Отговорен", + "completed": "Завършена", + "coursecompletion": "Напредване в курса", + "criteria": "Критерий", "criteriagroup": "Група критерии", "criteriarequiredall": "Всички критерии по-долу са задължителни", "criteriarequiredany": "Някои критерии по-долу са задължителни", - "inprogress": "В прогрес", + "inprogress": "Не е приключен", "manualselfcompletion": "Ръчно самоотбелязване на завършването", - "required": "Задължително", - "status": "Състояние", + "required": "Задължителен", + "status": "Състояние на значка", "viewcoursereport": "Вижте отчет за курса" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/ca.json b/www/addons/coursecompletion/lang/ca.json index 4f799f25c95..c8c2a11d5e0 100644 --- a/www/addons/coursecompletion/lang/ca.json +++ b/www/addons/coursecompletion/lang/ca.json @@ -4,18 +4,18 @@ "completed": "Completat", "completiondate": "Data de compleció", "couldnotloadreport": "No es pot carregar l'informe de compleció del curs, torneu a intentar-ho més tard.", - "coursecompletion": "Compleció de curs", + "coursecompletion": "Compleció del curs", "criteria": "Criteris", "criteriagroup": "Grup de criteris", - "criteriarequiredall": "Cal que es compleixin tots els criteris que es mostren a continuació", - "criteriarequiredany": "Cal que es compleixi algun dels criteris que es mostren a continuació", - "inprogress": "En progrés", + "criteriarequiredall": "Calen tots els criteris del dessota", + "criteriarequiredany": "Cal qualsevol dels criteris del dessota", + "inprogress": "En curs", "manualselfcompletion": "Auto-compleció manual", "notyetstarted": "No s'ha començat encara", - "pending": "Pendent", - "required": "Requerit", + "pending": "Pendents", + "required": "Necessari", "requiredcriteria": "Criteri requerit", "requirement": "Requisit", - "status": "Estat de la insígnia", + "status": "Estat", "viewcoursereport": "Visualitza l'informe del curs" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/cs.json b/www/addons/coursecompletion/lang/cs.json index 19d9e13e8d3..d4c27830900 100644 --- a/www/addons/coursecompletion/lang/cs.json +++ b/www/addons/coursecompletion/lang/cs.json @@ -1,21 +1,21 @@ { - "complete": "Splněno", + "complete": "Absolvováno", "completecourse": "Absolvovaný kurz", - "completed": "Hotovo", + "completed": "Splněno", "completiondate": "Datum ukončení", - "couldnotloadreport": "Nelze načíst zprávu o absolvování kurzu, zkuste to prosím později.", - "coursecompletion": "Studenti musí absolvovat tento kurz", - "criteria": "Podmínky", + "couldnotloadreport": "Nelze načíst zprávu o absolvování kurzu. Zkuste to prosím později.", + "coursecompletion": "Absolvování kurzu", + "criteria": "Kritéria", "criteriagroup": "Skupina podmínek", - "criteriarequiredall": "Všechny podmínky musí být splněny", - "criteriarequiredany": "Jakákoli z podmínek musí být splněna", - "inprogress": "Probíhající", - "manualselfcompletion": "Označení absolvování kurzu samotným studentem", + "criteriarequiredall": "Jsou požadovány všechny podmínky", + "criteriarequiredany": "Je požadována libovolná podmínka", + "inprogress": "Probíhá", + "manualselfcompletion": "Ručně nastavené absolvování kurzu samotným studentem", "notyetstarted": "Zatím nezačalo", - "pending": "Probíhající", - "required": "Vyžadováno", - "requiredcriteria": "Vyžadované podmínky", + "pending": "Čeká", + "required": "Požadováno", + "requiredcriteria": "Požadovaná kriteria", "requirement": "Požadavek", - "status": "Stav", - "viewcoursereport": "Zobrazit přehled kurzu" + "status": "Status", + "viewcoursereport": "Zobrazit sestavu kurzu" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/da.json b/www/addons/coursecompletion/lang/da.json index 9f617cc8b75..9d2cdeb93a0 100644 --- a/www/addons/coursecompletion/lang/da.json +++ b/www/addons/coursecompletion/lang/da.json @@ -1,21 +1,21 @@ { - "complete": "Færdiggør", + "complete": "Fuldfør", "completecourse": "Fuldfør kursus", - "completed": "Gennemført", + "completed": "Fuldført", "completiondate": "Afslutningsdato", "couldnotloadreport": "Kunne ikke indlæse rapporten vedrørende kursusfuldførelse, prøv igen senere.", - "coursecompletion": "Kursusgennemførelse", - "criteria": "Kriterie", - "criteriagroup": "Kriteriegruppe", - "criteriarequiredall": "Alle kriterier herunder er påkrævet", - "criteriarequiredany": "Et af kriterierne herunder er påkrævet", - "inprogress": "Igangværende", - "manualselfcompletion": "Manuel selvregistrering af gennemførelse", - "notyetstarted": "Ikke begyndt endnu", - "pending": "Behandles", - "required": "Påkrævet", - "requiredcriteria": "Påkrævede kriterier", + "coursecompletion": "Kursusfuldførelse", + "criteria": "Kriterier", + "criteriagroup": "Gruppe af kriterier", + "criteriarequiredall": "Alle nedenstående kriterier er påkrævet", + "criteriarequiredany": "Hvilken som helst af nedenstående kriterier er påkrævet", + "inprogress": "I gang", + "manualselfcompletion": "Manuel markering af færdiggørelse", + "notyetstarted": "Endnu ikke startet", + "pending": "Afventer", + "required": "Krævet", + "requiredcriteria": "Krævet kriterie", "requirement": "Krav", - "status": "Badgestatus", - "viewcoursereport": "Vis kursusrapport" + "status": "Status", + "viewcoursereport": "Se kursusrapport" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/de-du.json b/www/addons/coursecompletion/lang/de-du.json index 13185935141..7b599a12882 100644 --- a/www/addons/coursecompletion/lang/de-du.json +++ b/www/addons/coursecompletion/lang/de-du.json @@ -1,5 +1,5 @@ { - "complete": "Vollständig", + "complete": "Abschließen", "completecourse": "Kurs abschließen", "completed": "Abgeschlossen", "completiondate": "Abschlussdatum", @@ -7,15 +7,15 @@ "coursecompletion": "Kursabschluss", "criteria": "Kriterien", "criteriagroup": "Kriteriengruppe", - "criteriarequiredall": "Alle nachfolgenden Kriterien sind notwendig", - "criteriarequiredany": "Eine der nachfolgenden Kriterien ist notwendig", - "inprogress": "Laufend", - "manualselfcompletion": "Manueller eigener Abschluss", - "notyetstarted": "Noch nicht begonnen", - "pending": "Wartend", + "criteriarequiredall": "Alle nachfolgenden Kriterien sind notwendig.", + "criteriarequiredany": "Ein nachfolgendes Kriterium ist notwendig.", + "inprogress": "In Arbeit", + "manualselfcompletion": "Manueller Selbstabschluss", + "notyetstarted": "Nicht begonnen", + "pending": "Nicht erledigt", "required": "Notwendig", - "requiredcriteria": "Notwendiges Kriterium", + "requiredcriteria": "Notwendige Kriterien", "requirement": "Anforderung", "status": "Status", - "viewcoursereport": "Kursbericht ansehen" + "viewcoursereport": "Kursbericht anzeigen" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/de.json b/www/addons/coursecompletion/lang/de.json index 3c855911d74..5634fde0958 100644 --- a/www/addons/coursecompletion/lang/de.json +++ b/www/addons/coursecompletion/lang/de.json @@ -1,5 +1,5 @@ { - "complete": "Vollständig", + "complete": "Abschließen", "completecourse": "Kurs abschließen", "completed": "Abgeschlossen", "completiondate": "Abschlussdatum", @@ -7,15 +7,15 @@ "coursecompletion": "Kursabschluss", "criteria": "Kriterien", "criteriagroup": "Kriteriengruppe", - "criteriarequiredall": "Alle nachfolgenden Kriterien sind notwendig", - "criteriarequiredany": "Eine der nachfolgenden Kriterien ist notwendig", - "inprogress": "Laufend", - "manualselfcompletion": "Manueller eigener Abschluss", - "notyetstarted": "Noch nicht begonnen", - "pending": "Wartend", + "criteriarequiredall": "Alle nachfolgenden Kriterien sind notwendig.", + "criteriarequiredany": "Ein nachfolgendes Kriterium ist notwendig.", + "inprogress": "In Arbeit", + "manualselfcompletion": "Manueller Selbstabschluss", + "notyetstarted": "Nicht begonnen", + "pending": "Nicht erledigt", "required": "Notwendig", - "requiredcriteria": "Notwendiges Kriterium", + "requiredcriteria": "Notwendige Kriterien", "requirement": "Anforderung", "status": "Status", - "viewcoursereport": "Kursbericht ansehen" + "viewcoursereport": "Kursbericht anzeigen" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/el.json b/www/addons/coursecompletion/lang/el.json index 6c49a5c34c7..a6fb10fd47b 100644 --- a/www/addons/coursecompletion/lang/el.json +++ b/www/addons/coursecompletion/lang/el.json @@ -1,21 +1,21 @@ { "complete": "Ολοκλήρωση", "completecourse": "Ολοκλήρωση μαθήματος", - "completed": "ολοκληρώθηκε", + "completed": "Ολοκληρωμένο", "completiondate": "Ημερομηνία ολοκλήρωσης", "couldnotloadreport": "Δεν ήταν δυνατή η φόρτωση της αναφοράς ολοκλήρωσης του μαθήματος, δοκιμάστε ξανά αργότερα.", "coursecompletion": "Ολοκλήρωση μαθήματος", - "criteria": "Kριτήρια", + "criteria": "Κριτήρια", "criteriagroup": "Ομάδα κριτηρίων", - "criteriarequiredall": "Όλα τα παρακάτω κριτήρια είναι απαραίτητα", - "criteriarequiredany": "Τα παρακάτω κριτήρια είναι απαραίτητα", + "criteriarequiredall": "Όλα τα παρακάτω κριτήρια είναι υποχρεωτικά", + "criteriarequiredany": "Οποιοδήποτε από τα παρακάτω κριτήρια είναι υποχρεωτικά", "inprogress": "Σε εξέλιξη", - "manualselfcompletion": "Χειροκίνητη αυτό-ολοκλήρωση", + "manualselfcompletion": "Μη αυτόματη ολοκλήρωση", "notyetstarted": "Δεν έχει ξεκινήσει ακόμα", - "pending": "Σε εκκρεμότητα", + "pending": "Εκκρεμής", "required": "Απαιτείται", "requiredcriteria": "Απαιτούμενα κριτήρια", "requirement": "Απαίτηση", - "status": "Επιτρέπεται η πρόσβαση στους επισκέπτες", - "viewcoursereport": "Προβολή αναφορά μαθήματος" + "status": "Κατάσταση", + "viewcoursereport": "Δείτε την αναφορά μαθήματος" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/es-mx.json b/www/addons/coursecompletion/lang/es-mx.json index 0fc4dccaf08..54e6ab3bf8f 100644 --- a/www/addons/coursecompletion/lang/es-mx.json +++ b/www/addons/coursecompletion/lang/es-mx.json @@ -1,20 +1,20 @@ { - "complete": "Completada", + "complete": "Completo", "completecourse": "Curso completo", "completed": "Completado", "completiondate": "Fecha de terminación", "couldnotloadreport": "No pudo cargarse el reporte de finalización del curso. Por favor inténtelo más tarde.", "coursecompletion": "Finalización del curso", - "criteria": "Criterios", - "criteriagroup": "Grupo de criterios", - "criteriarequiredall": "Son necesarios todos los criterios que aparecen más abajo", - "criteriarequiredany": "Es necesario cualquiera de los criterios que aparecen más abajo", - "inprogress": "En progreso", - "manualselfcompletion": "Auto-finalizar manualmente", - "notyetstarted": "Aún no ha comenzado", + "criteria": "Criterio", + "criteriagroup": "Grupo de criterio", + "criteriarequiredall": "Todos los criterios debajo son necesarios.", + "criteriarequiredany": "Cualquiera de los criterios debajo es necesario.", + "inprogress": "en progreso", + "manualselfcompletion": "Auto finalización manual", + "notyetstarted": "Todavía no iniciado", "pending": "Pendiente", "required": "Requerido", - "requiredcriteria": "Criterios necesarios", + "requiredcriteria": "Criterio requerido", "requirement": "Requisito", "status": "Estatus", "viewcoursereport": "Ver reporte del curso" diff --git a/www/addons/coursecompletion/lang/es.json b/www/addons/coursecompletion/lang/es.json index 13e3e9bba2c..89ef5e6ecd0 100644 --- a/www/addons/coursecompletion/lang/es.json +++ b/www/addons/coursecompletion/lang/es.json @@ -1,21 +1,21 @@ { "complete": "Completado", "completecourse": "Curso completado", - "completed": "completada", + "completed": "Finalizado", "completiondate": "Fecha de finalización", "couldnotloadreport": "No se puede cargar el informe de finalización del curso, por favor inténtalo de nuevo más tarde.", - "coursecompletion": "Los usuarios deben finalizar este curso.", + "coursecompletion": "Finalización del curso", "criteria": "Criterios", "criteriagroup": "Grupo de criterios", "criteriarequiredall": "Son necesarios todos los criterios que aparecen más abajo", "criteriarequiredany": "Es necesario cualquiera de los criterios que aparecen más abajo", - "inprogress": "En progreso", + "inprogress": "En curso", "manualselfcompletion": "Autocompletar manualmente", "notyetstarted": "Aún no comenzado", "pending": "Pendiente", "required": "Obligatorio", "requiredcriteria": "Criterios necesarios", "requirement": "Requisito", - "status": "Estado de la insignia", + "status": "Estado", "viewcoursereport": "Ver informe del curso" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/eu.json b/www/addons/coursecompletion/lang/eu.json index 295f4ed6d7c..95215742424 100644 --- a/www/addons/coursecompletion/lang/eu.json +++ b/www/addons/coursecompletion/lang/eu.json @@ -1,21 +1,21 @@ { - "complete": "Osatu", + "complete": "Osoa", "completecourse": "Ikastaroa osatu", - "completed": "Osatua", + "completed": "Osatuta", "completiondate": "Osaketa-data", - "couldnotloadreport": "Ezin izan da ikastaro-osaketaren txostena kargatu, mesedez saiatu beranduago.", - "coursecompletion": "Erabiltzaileek ikastaro hau osatu behar dute", + "couldnotloadreport": "Ezin izan da ikastaro-osaketaren txostena kargatu. Mesedez saiatu beranduago.", + "coursecompletion": "Ikastaro-osaketa", "criteria": "Irizpidea", "criteriagroup": "Irizpide-multzoa", - "criteriarequiredall": "Beheko irizpide guztiak dira beharrezko", - "criteriarequiredany": "Beheko hainbat irizpide dira beharrezko", - "inprogress": "Martxan", + "criteriarequiredall": "Beheko irizpide guztiak dira beharrezko.", + "criteriarequiredany": "Beheko hainbat irizpide dira beharrezko.", + "inprogress": "Ari da", "manualselfcompletion": "Norberak eskuz osatu", "notyetstarted": "Ez da hasi", - "pending": "Zain", - "required": "Ezinbestekoa", + "pending": "Egin gabe", + "required": "Beharrezkoa", "requiredcriteria": "Irizpidea behar da", "requirement": "Eskakizuna", - "status": "Dominen egoera", + "status": "Egoera", "viewcoursereport": "Ikastaroaren txostena ikusi" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/fa.json b/www/addons/coursecompletion/lang/fa.json index 451cd0c4224..293365bb431 100644 --- a/www/addons/coursecompletion/lang/fa.json +++ b/www/addons/coursecompletion/lang/fa.json @@ -1,17 +1,17 @@ { "complete": "کامل", - "completed": "تکمیل‌شده", - "coursecompletion": "تکمیل درس", - "criteria": "ضابطه", + "completed": "کامل شده", + "coursecompletion": "کاربر باید این درس را تکمیل کند.", + "criteria": "معیار", "criteriagroup": "گروه ضوابط", "criteriarequiredall": "تمام ضوابط زیر باید برآورده شوند", "criteriarequiredany": "حداقل یکی از ضوابط زیر برآورده شود", "inprogress": "در جریان", "manualselfcompletion": "علامت زدن به عنوان کامل توسط خود افراد", "notyetstarted": "هنوز شروع نشده است", - "pending": "در حال بررسی", - "required": "لازم است", + "pending": "معلق", + "required": "الزامی بودن", "requiredcriteria": "ضوابط مورد نیاز", - "status": "وضعیت مدال", - "viewcoursereport": "مشاهده گزارش درس" + "status": "وضعیت", + "viewcoursereport": "مشاهدهٔ گزارش درس" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/fi.json b/www/addons/coursecompletion/lang/fi.json index 275ef6b304b..c435f6988ce 100644 --- a/www/addons/coursecompletion/lang/fi.json +++ b/www/addons/coursecompletion/lang/fi.json @@ -4,17 +4,17 @@ "completiondate": "Suorituspäivämäärä", "couldnotloadreport": "Kurssin suoritusraporttia ei pystytty lataamaan. Ole hyvä ja yritä myöhemmin uudelleen.", "coursecompletion": "Kurssin suoritus", - "criteria": "Kriteeri", + "criteria": "Kriteerit", "criteriagroup": "Kriteeriryhmä", - "criteriarequiredall": "Kaikki alla olevat kriteerit vaaditaan", + "criteriarequiredall": "Kaikki alla mainitut kriteerit vaaditaan.", "criteriarequiredany": "Jokin alla olevista kriteereistä vaaditaan", - "inprogress": "Käynnissä", + "inprogress": "Meneillään", "manualselfcompletion": "Opiskelijan itse hyväksymät suoritukset", - "notyetstarted": "Ei vielä aloitettu", + "notyetstarted": "Ei vielä alkanut", "pending": "Odottaa", "required": "Vaadittu", "requiredcriteria": "Vaaditut kriteerit", "requirement": "Vaatimus", - "status": "Osaamismerkin status", - "viewcoursereport": "Näytä kurssin raportti" + "status": "Status", + "viewcoursereport": "Näytä kurssiraportti" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/fr.json b/www/addons/coursecompletion/lang/fr.json index b42e74505a3..b8dc9bc84e4 100644 --- a/www/addons/coursecompletion/lang/fr.json +++ b/www/addons/coursecompletion/lang/fr.json @@ -4,11 +4,11 @@ "completed": "Terminé", "completiondate": "Date d'achèvement", "couldnotloadreport": "Impossible de charger le rapport d'achèvement de cours. Veuillez essayer plus tard.", - "coursecompletion": "Les participants doivent achever ce cours.", + "coursecompletion": "Achèvement du cours", "criteria": "Critères", "criteriagroup": "Groupe de critères", - "criteriarequiredall": "Tous les critères ci-dessous sont requis", - "criteriarequiredany": "Un des critères ci-dessous est requis", + "criteriarequiredall": "Tous les critères ci-dessous sont requis.", + "criteriarequiredany": "Un des critères ci-dessous est requis.", "inprogress": "En cours", "manualselfcompletion": "Auto-achèvement manuel", "notyetstarted": "Pas encore commencé", @@ -17,5 +17,5 @@ "requiredcriteria": "Critères requis", "requirement": "Condition", "status": "Statut", - "viewcoursereport": "Consulter le rapport du cours" + "viewcoursereport": "Afficher le rapport du cours" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/he.json b/www/addons/coursecompletion/lang/he.json index 021aaa2b398..dca12273f76 100644 --- a/www/addons/coursecompletion/lang/he.json +++ b/www/addons/coursecompletion/lang/he.json @@ -1,20 +1,20 @@ { - "complete": "הושלם", + "complete": "השלמה", "completecourse": "השלמת קורס", "completed": "הושלם", "completiondate": "תאריך השלמה", - "coursecompletion": "השלמת הקורס", - "criteria": "תנאי", - "criteriagroup": "קבוצת תנאים", - "criteriarequiredall": "כל התנאים המצויינים מטה נדרשים", - "criteriarequiredany": "לפחות אחד מהתנאים המצויינים מטה נדרשים", - "inprogress": "בלמידה", - "manualselfcompletion": "השלמה עצמאית ידנית", - "notyetstarted": "עדיין לא התחיל", - "pending": "בתהליך למידה", - "required": "דרוש", - "requiredcriteria": "תנאי נדרש", + "coursecompletion": "השלמת קורס", + "criteria": "מדד־הערכה", + "criteriagroup": "קבוצת מדדיי־הערכה", + "criteriarequiredall": "כל מדדיי־הערכה להלן נדרשים", + "criteriarequiredany": "אחד ממדדיי־הערכה להלן נדרש", + "inprogress": "בתהליך", + "manualselfcompletion": "הזנת השלמה עצמית", + "notyetstarted": "עדיין לא החל", + "pending": "בהמתנה", + "required": "נדרש", + "requiredcriteria": "מדד־הערכה נדרש", "requirement": "דרישה", - "status": "סטטוס ההישג", + "status": "מצב", "viewcoursereport": "צפיה בדוח הקורס" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/hr.json b/www/addons/coursecompletion/lang/hr.json index 18d1070125f..3fd3786a050 100644 --- a/www/addons/coursecompletion/lang/hr.json +++ b/www/addons/coursecompletion/lang/hr.json @@ -1,8 +1,8 @@ { - "complete": "Potpuno", - "completed": "Završeno", + "complete": "Dovršeno", + "completed": "završeno", "completiondate": "Datum dovršetka", - "coursecompletion": "Dovršenost e-kolegija", + "coursecompletion": "Polaznici moraju završiti ovaj e-kolegij.", "criteria": "Kriterij", "criteriagroup": "Grupa kriterija", "criteriarequiredall": "Potrebno je zadovoljenje svih doljnjih kriterija", @@ -11,9 +11,9 @@ "manualselfcompletion": "Ručni dovršetak", "notyetstarted": "Nije još započelo", "pending": "Na čekanju", - "required": "Obvezatno", - "requiredcriteria": "Obvezatni kriterij", + "required": "Obvezno", + "requiredcriteria": "Obvezni kriterij", "requirement": "Uvjet", - "status": "Status", + "status": "Stanje", "viewcoursereport": "Prikaz izvješća e-kolegija" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/hu.json b/www/addons/coursecompletion/lang/hu.json index 634b44da7fa..9d3a82b1862 100644 --- a/www/addons/coursecompletion/lang/hu.json +++ b/www/addons/coursecompletion/lang/hu.json @@ -1,17 +1,17 @@ { - "complete": "Teljes", - "completed": "Teljesítve", - "coursecompletion": "Kurzus teljesítése", - "criteria": "Követelmények", + "complete": "Kész", + "completed": "Kész", + "coursecompletion": "A tanulóknak teljesíteni kell ezt a kurzust", + "criteria": "Feltételek", "criteriagroup": "Követelménycsoport", "criteriarequiredall": "Az összes alábbi követelmény teljesítendő", "criteriarequiredany": "Bármely alábbi követelmény teljesítendő", - "inprogress": "Folyamatban lévő", + "inprogress": "Folyamatban", "manualselfcompletion": "Saját teljesítés kézzel", "notyetstarted": "Még nem kezdődött el", "pending": "Függőben", "required": "Kitöltendő", "requiredcriteria": "Előírt követelmények", - "status": "Állapot", + "status": "A kitűző állapota", "viewcoursereport": "Kurzusjelentés megtekintése" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/it.json b/www/addons/coursecompletion/lang/it.json index 85d2a1d7320..6521061e031 100644 --- a/www/addons/coursecompletion/lang/it.json +++ b/www/addons/coursecompletion/lang/it.json @@ -1,21 +1,21 @@ { - "complete": "Completo", + "complete": "Completato", "completecourse": "Corso completato", - "completed": "Completata", + "completed": "Completato", "completiondate": "Data di completamento", "couldnotloadreport": "Non è stato possibile caricare il report di completamento del corso, per favore riporva.", - "coursecompletion": "Completamento corso", + "coursecompletion": "Completamento del corso", "criteria": "Criteri", "criteriagroup": "Gruppo di criteri", "criteriarequiredall": "E' richiesto il soddisfacimento di tutti i criteri elencati", "criteriarequiredany": "E' richiesto il soddisfacimento di almeno uno dei criteri elencati", - "inprogress": "In corso", + "inprogress": "In svolgimento", "manualselfcompletion": "Conferma personale di completamento", - "notyetstarted": "Non ancora iniziato", + "notyetstarted": "Non iniziato", "pending": "In attesa", - "required": "Obbligatorio", + "required": "Da soddisfare", "requiredcriteria": "Criteri da soddisfare", "requirement": "Requisito", - "status": "Stato badge", - "viewcoursereport": "Visualizza il report del corso" + "status": "Stato", + "viewcoursereport": "Visualizza report del corso" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/ja.json b/www/addons/coursecompletion/lang/ja.json index df8a2b8634d..344ea673aea 100644 --- a/www/addons/coursecompletion/lang/ja.json +++ b/www/addons/coursecompletion/lang/ja.json @@ -1,21 +1,21 @@ { - "complete": "詳細", + "complete": "完了", "completecourse": "コース完了", - "completed": "完了", + "completed": "完了しました", "completiondate": "完了した日", "couldnotloadreport": "コース完了の読み込みができませんでした。後でもう一度試してください。", - "coursecompletion": "ユーザはこのコースを完了する必要があります。", + "coursecompletion": "コース完了", "criteria": "クライテリア", "criteriagroup": "クライテリアグループ", - "criteriarequiredall": "下記のクライテリアすべてが必須である", - "criteriarequiredany": "下記いくつかのクライテリアが必須である", + "criteriarequiredall": "以下すべてのクライテリアが必要", + "criteriarequiredany": "以下のクライテリアいずれかが必要", "inprogress": "進行中", - "manualselfcompletion": "手動による自己完了", - "notyetstarted": "未開始", - "pending": "保留", - "required": "必須", - "requiredcriteria": "必須クライテリア", + "manualselfcompletion": "手動自己完了", + "notyetstarted": "まだ開始されていない", + "pending": "保留中", + "required": "必要な", + "requiredcriteria": "必要なクライテリア", "requirement": "要求", - "status": "ステータス", - "viewcoursereport": "コースレポートを表示する" + "status": "状態", + "viewcoursereport": "コースレポートを見る" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/ko.json b/www/addons/coursecompletion/lang/ko.json new file mode 100644 index 00000000000..fd340f5dbad --- /dev/null +++ b/www/addons/coursecompletion/lang/ko.json @@ -0,0 +1,21 @@ +{ + "complete": "완전한", + "completecourse": "강좌 완료", + "completed": "완료 됨", + "completiondate": "완료일", + "couldnotloadreport": "강좌 완료 보고서를 로드 할 수 없습니다. 나중에 다시 시도 해주십시오.", + "coursecompletion": "강좌 완료", + "criteria": "기준", + "criteriagroup": "기준 그룹", + "criteriarequiredall": "아래 모든 기준이 필요합니다.", + "criteriarequiredany": "아래 기준을 충족해야 합니다.", + "inprogress": "진행 중", + "manualselfcompletion": "수동 완료", + "notyetstarted": "시작 전", + "pending": "연기", + "required": "필수", + "requiredcriteria": "요구 기준", + "requirement": "요구사항", + "status": "상태", + "viewcoursereport": "강좌 보고서 보기" +} \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/lt.json b/www/addons/coursecompletion/lang/lt.json index e26747a5ead..c6813474cf2 100644 --- a/www/addons/coursecompletion/lang/lt.json +++ b/www/addons/coursecompletion/lang/lt.json @@ -1,21 +1,21 @@ { - "complete": "Užbaigti", + "complete": "Visas", "completecourse": "Visa kursų medžiaga", - "completed": "Baigtas", + "completed": "Užbaigta", "completiondate": "Užbaigimo data", "couldnotloadreport": "Nepavyko įkelti kursų baigimo ataskaitos, prašome pabandyti vėliau.", - "coursecompletion": "Kurso baigimas", + "coursecompletion": "Kursų užbaigimas", "criteria": "Kriterijai", "criteriagroup": "Kriterijų grupė", - "criteriarequiredall": "Visi žemiau pateikti kriterijai yra būtini", - "criteriarequiredany": "Bet kuris žemiau pateiktas kriterijus yra būtinas", - "inprogress": "Atliekama", - "manualselfcompletion": "Savas užbaigimas neautomatiniu būdu", - "notyetstarted": "Dar nepradėta", + "criteriarequiredall": "Visi žemiau esantys kriterijai yra privalomi", + "criteriarequiredany": "Kiekvienas kriterijus, esantis žemiau, yra privalomas", + "inprogress": "Nebaigta", + "manualselfcompletion": "Savarankiško mokymosi vadovas", + "notyetstarted": "Nepradėta", "pending": "Laukiama", - "required": "Būtina", - "requiredcriteria": "Būtini kriterijai", + "required": "Privaloma", + "requiredcriteria": "Privalomi kriterijai", "requirement": "Būtina sąlyga", - "status": "Pasiekimo būsena", + "status": "Būsena", "viewcoursereport": "Peržiūrėti kursų ataskaitą" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/mr.json b/www/addons/coursecompletion/lang/mr.json index a8e6331b60b..7670c17cb41 100644 --- a/www/addons/coursecompletion/lang/mr.json +++ b/www/addons/coursecompletion/lang/mr.json @@ -1,7 +1,7 @@ { "complete": "पूर्ण", "completecourse": "पूर्ण अभ्यासक्रम", - "completed": "पूर्ण झालेले", + "completed": "पूर्ण केले", "completiondate": "Completion date", "couldnotloadreport": "अभ्यासक्रम पूर्ण केल्याचे अहवाल लोड करणे शक्य नाही, कृपया नंतर पुन्हा प्रयत्न करा.", "coursecompletion": "अभ्यासक्रम पूर्ण", @@ -13,7 +13,7 @@ "manualselfcompletion": "स्वयं पूर्ण", "notyetstarted": "स्वतःच्या हाताने पूर्ण", "pending": "प्रलंबित", - "required": "गरजेचे आहे.", + "required": "आवश्यक", "requiredcriteria": "आवश्यक निकष", "requirement": "आवश्यकता", "status": "स्थिती", diff --git a/www/addons/coursecompletion/lang/nl.json b/www/addons/coursecompletion/lang/nl.json index 9b53d0342b2..03ce6e04e4c 100644 --- a/www/addons/coursecompletion/lang/nl.json +++ b/www/addons/coursecompletion/lang/nl.json @@ -1,18 +1,18 @@ { - "complete": "Volledig", + "complete": "Voltooi", "completecourse": "Voltooi cursus", "completed": "Voltooid", "completiondate": "Voltooiingsdatum", "couldnotloadreport": "Kon het voltooiingsrapport van de cursus niet laden. Probeer later opnieuw.", - "coursecompletion": "Leerlingen moeten deze cursus voltooien.", + "coursecompletion": "Cursus voltooiing", "criteria": "Criteria", "criteriagroup": "Criteria groep", - "criteriarequiredall": "Alle onderstaande criteria zijn vereist", - "criteriarequiredany": "Al onderstaande criteria zijn vereist", + "criteriarequiredall": "Alle onderstaande criteria zijn vereist.", + "criteriarequiredany": "Alle onderstaande criteria zijn vereist.", "inprogress": "Bezig", - "manualselfcompletion": "Manueel voltooien", - "notyetstarted": "Nog niet begonnen", - "pending": "In behandeling", + "manualselfcompletion": "Handmatige zelf-voltooiing", + "notyetstarted": "Nog niet gestart", + "pending": "Nog bezig", "required": "Vereist", "requiredcriteria": "Vereiste criteria", "requirement": "Vereiste", diff --git a/www/addons/coursecompletion/lang/no.json b/www/addons/coursecompletion/lang/no.json index a7d05911dbc..540ebd9960b 100644 --- a/www/addons/coursecompletion/lang/no.json +++ b/www/addons/coursecompletion/lang/no.json @@ -4,18 +4,18 @@ "completed": "Fullført", "completiondate": "Fullført dato", "couldnotloadreport": "Kunne ikke laste kursets avslutningsrapport. Prøv igjen senere.", - "coursecompletion": "Kursfullføring", + "coursecompletion": "Brukerne må fullføre dette kurset.", "criteria": "Kriterie", "criteriagroup": "Kriteriegruppe", "criteriarequiredall": "Alle kriteriene under er obligatoriske", "criteriarequiredany": "Ethvert kriterium under er obligatorisk", - "inprogress": "Pågår", + "inprogress": "Aktive", "manualselfcompletion": "Manuell egenregistrering av fullføring", "notyetstarted": "Ikke startet ennå", - "pending": "Behandles", - "required": "Påkrevd", + "pending": "På vent", + "required": "Obligatorisk", "requiredcriteria": "Påkrevde kriterier", "requirement": "Krav", - "status": "Status for utmerkelse", + "status": "Status", "viewcoursereport": "Vis kursrapport" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/pl.json b/www/addons/coursecompletion/lang/pl.json index 2efa1327897..2786b633a72 100644 --- a/www/addons/coursecompletion/lang/pl.json +++ b/www/addons/coursecompletion/lang/pl.json @@ -1,17 +1,17 @@ { - "complete": "Pełna wersja", - "completed": "Ukończony", - "coursecompletion": "Ukończenie kursu", + "complete": "Ukończone", + "completed": "zakończony", + "coursecompletion": "Użytkownicy muszą ukończyć ten kurs.", "criteria": "Kryteria", "criteriagroup": "Grupa kryteriów", "criteriarequiredall": "Wszystkie poniższe kryteria są wymagane", "criteriarequiredany": "Wszystkie poniższe kryteria są wymagane", - "inprogress": "Aktualne", + "inprogress": "W toku", "manualselfcompletion": "Samodzielne oznaczenie ukończenia", "notyetstarted": "Jeszcze nie rozpoczęto", - "pending": "Oczekujący", + "pending": "Oczekujące", "required": "Wymagane", "requiredcriteria": "Wymagane kryteria", - "status": "Status", + "status": "Status odznaki", "viewcoursereport": "Zobacz raport kursu" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/pt-br.json b/www/addons/coursecompletion/lang/pt-br.json index afae717fe9b..da82565edc9 100644 --- a/www/addons/coursecompletion/lang/pt-br.json +++ b/www/addons/coursecompletion/lang/pt-br.json @@ -1,21 +1,21 @@ { "complete": "Concluído", "completecourse": "Curso concluído", - "completed": "Concluído", + "completed": "Completado", "completiondate": "Data de conclusão", "couldnotloadreport": "Não foi possível carregar o relatório de conclusão do curso, por favor tente novamente mais tarde.", - "coursecompletion": "Andamento do curso", + "coursecompletion": "Conclusão do curso", "criteria": "Critérios", "criteriagroup": "Grupo de critérios", "criteriarequiredall": "Todos os critérios abaixo são necessários", - "criteriarequiredany": "Qualquer um dos critérios abaixo são necessários", - "inprogress": "Em andamento", - "manualselfcompletion": "Conclusão manual por si mesmo", - "notyetstarted": "Não iniciado ainda", - "pending": "Pendentes", - "required": "Necessários", - "requiredcriteria": "Critérios exigidos", + "criteriarequiredany": "Quaisquer critérios abaixo são necessários", + "inprogress": "Em progresso", + "manualselfcompletion": "Auto conclusão manual", + "notyetstarted": "Ainda não começou", + "pending": "Pendente", + "required": "Necessário", + "requiredcriteria": "Critério necessário", "requirement": "Exigência", - "status": "Status", - "viewcoursereport": "Ver relatório do curso" + "status": "Condição", + "viewcoursereport": "Ver relatório de curso" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/pt.json b/www/addons/coursecompletion/lang/pt.json index ebe307886aa..436b7c09b82 100644 --- a/www/addons/coursecompletion/lang/pt.json +++ b/www/addons/coursecompletion/lang/pt.json @@ -1,5 +1,5 @@ { - "complete": "Respondida", + "complete": "Concluído", "completecourse": "Disciplina concluída", "completed": "Concluído", "completiondate": "Data de conclusão", @@ -7,14 +7,14 @@ "coursecompletion": "Conclusão da disciplina", "criteria": "Critérios", "criteriagroup": "Grupo de critérios", - "criteriarequiredall": "Todos os critérios abaixo são exigidos", - "criteriarequiredany": "Qualquer dos critérios abaixo é necessário", + "criteriarequiredall": "É exigido o cumprimento de todos os critérios abaixo.", + "criteriarequiredany": "É exigido o cumprimento de qualquer um dos critérios abaixo.", "inprogress": "Em progresso", "manualselfcompletion": "Conclusão manual pelo próprio", - "notyetstarted": "Ainda não iniciou", + "notyetstarted": "Não iniciou", "pending": "Pendente", - "required": "Resposta obrigatória", - "requiredcriteria": "Critério obrigatório", + "required": "Exigido", + "requiredcriteria": "Critério exigido", "requirement": "Requisito", "status": "Estado", "viewcoursereport": "Ver relatório da disciplina" diff --git a/www/addons/coursecompletion/lang/ro.json b/www/addons/coursecompletion/lang/ro.json index 7a195f67c33..46b9f21bb93 100644 --- a/www/addons/coursecompletion/lang/ro.json +++ b/www/addons/coursecompletion/lang/ro.json @@ -1,21 +1,21 @@ { - "complete": "Finalizează", + "complete": "Complet", "completecourse": "Curs complet", - "completed": "Finalizare", + "completed": "Complet", "completiondate": "Data limita până la completarea acțiunii", "couldnotloadreport": "Raportul cu privire la situația completării cursului nu se poate încărca, încercați mai târziu.", - "coursecompletion": "Absolvire curs", + "coursecompletion": "Completarea cursului", "criteria": "Criterii", - "criteriagroup": "Grup criterii", - "criteriarequiredall": "Toate criteriile de mai jos sunt necesare", - "criteriarequiredany": "Oricare dintre criteriile de mai jos sunt necesare", - "inprogress": "În curs", - "manualselfcompletion": "Auto-finalizare manuală", - "notyetstarted": "Nu a fost încă început", - "pending": "În așteptare", - "required": "Necesar", - "requiredcriteria": "Criteriu necesar", + "criteriagroup": "Criterii pentru grup", + "criteriarequiredall": "Indeplinirea următoarelor criterii este obligatorie", + "criteriarequiredany": "Oricare din urmatoarele criterii sunt obligatorii", + "inprogress": "În progres", + "manualselfcompletion": "Autocompletare", + "notyetstarted": "Înca nu a început", + "pending": "În asteptare", + "required": "Obligatoriu", + "requiredcriteria": "Criterii obligatorii", "requirement": "Cerințe", - "status": "Status", - "viewcoursereport": "Vezi raportul cursului" + "status": "Situație", + "viewcoursereport": "Vizualizați raportul despre curs" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/ru.json b/www/addons/coursecompletion/lang/ru.json index 7b7b2f2532c..b61ca6ef733 100644 --- a/www/addons/coursecompletion/lang/ru.json +++ b/www/addons/coursecompletion/lang/ru.json @@ -1,20 +1,21 @@ { - "complete": "Завершено", + "complete": "Завершить", "completecourse": "Завершить курс", - "completed": "Выполнено", + "completed": "Завершен", "completiondate": "Дата завершения", - "coursecompletion": "Окончание курса", + "couldnotloadreport": "Невозможно загрузить отчёт о завершении курса. Пожалуйста, попробуйте ещё раз позже.", + "coursecompletion": "Завершение курса", "criteria": "Критерии", - "criteriagroup": "Группа критериев", - "criteriarequiredall": "Требуются соответствие всем указанным ниже критериям", - "criteriarequiredany": "Требуется соответствие любому из указанных ниже критериев", - "inprogress": "Текущие", - "manualselfcompletion": "Пользователь может сам поставить отметку о выполнении", - "notyetstarted": "Еще не началось", - "pending": "Ожидается", - "required": "Необходимо заполнить", + "criteriagroup": "Критерии группы", + "criteriarequiredall": "Все приведенные ниже критерии являются обязательными.", + "criteriarequiredany": "Некоторые из нижеуказанных критериев обязательны.", + "inprogress": "В прогрессе", + "manualselfcompletion": "Ручное самостоятельное завершение", + "notyetstarted": "Еще не начался", + "pending": "На рассмотрении", + "required": "Необходимый", "requiredcriteria": "Необходимые критерии", "requirement": "Требование", - "status": "Статус значка", - "viewcoursereport": "Просмотреть отчет по курсу" + "status": "Статус", + "viewcoursereport": "Посмотреть отчет курса" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/sv.json b/www/addons/coursecompletion/lang/sv.json index df193278ade..1a9665c3d8e 100644 --- a/www/addons/coursecompletion/lang/sv.json +++ b/www/addons/coursecompletion/lang/sv.json @@ -1,21 +1,21 @@ { "complete": "Komplett", "completecourse": "", - "completed": "Slutfört", + "completed": "Fullföljt", "completiondate": "Datum för fullföljande", "couldnotloadreport": "Det gick inte att läsa in rapporten för fullföljande av kursen, vänligen försök igen senare .", - "coursecompletion": "Fullgörande av kurs", - "criteria": "Kriterier", - "criteriagroup": "Kriterier för grupp", - "criteriarequiredall": "Alla kriterier är obligatoriska", - "criteriarequiredany": "Alla kriterier nedan är obligatoriska", - "inprogress": "Pågår", - "manualselfcompletion": "Studenten markerar själv som fullföljd", - "notyetstarted": "Har ännu inte påbörjats", + "coursecompletion": "Fullföljande av kurs", + "criteria": "Villkor", + "criteriagroup": "Villkor grupp", + "criteriarequiredall": "Alla villkor nedan måste vara uppfyllda", + "criteriarequiredany": "Något villkor nedan måste vara uppfylld", + "inprogress": "Pågående", + "manualselfcompletion": "Manuell fullföljande av deltagare", + "notyetstarted": "Ännu inte börjat", "pending": "Avvaktar", "required": "Obligatorisk", - "requiredcriteria": "Obligatoriskt kriterium", + "requiredcriteria": "Obligatorisk villkor", "requirement": "Krav", - "status": "Status för märke", + "status": "Status", "viewcoursereport": "Visa kursrapport" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/tr.json b/www/addons/coursecompletion/lang/tr.json index 89efac25b4d..4454bb3368d 100644 --- a/www/addons/coursecompletion/lang/tr.json +++ b/www/addons/coursecompletion/lang/tr.json @@ -1,17 +1,17 @@ { - "complete": "Tamamlanmış", - "completed": "Bitirmeli", - "coursecompletion": "Ders tamamlama", - "criteria": "Ölçüt", + "complete": "Tamamlandı", + "completed": "Tamamlandı", + "coursecompletion": "Kurs tamamlama", + "criteria": "Kriter", "criteriagroup": "Ölçüt Grubu", "criteriarequiredall": "Aşağıdaki ölçütlerin tümü gereklidir", "criteriarequiredany": "Aşağıdaki herhangi bir kriter gereklidir", - "inprogress": "Devam ediyor", + "inprogress": "Devam etmekte", "manualselfcompletion": "Kendi kendine elle tamamlama", "notyetstarted": "Henüz başlamadı", "pending": "Bekliyor", "required": "Gerekli", "requiredcriteria": "Gerekli Ölçüt", - "status": "Durum", + "status": "Nişan Durumu", "viewcoursereport": "Kurs raporunu görüntüle" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/uk.json b/www/addons/coursecompletion/lang/uk.json index 8078ba36f3d..790fda5169e 100644 --- a/www/addons/coursecompletion/lang/uk.json +++ b/www/addons/coursecompletion/lang/uk.json @@ -1,21 +1,21 @@ { - "complete": "Завершено", + "complete": "Завершити", "completecourse": "Завершити курсу", - "completed": "Виконано", + "completed": "Завершено", "completiondate": "Дата завершення", "couldnotloadreport": "Не вдалося завантажити звіт про закінчення курсу, будь ласка, спробуйте ще раз пізніше.", - "coursecompletion": "Курс закінчено", - "criteria": "Критерій", + "coursecompletion": "Завершення курсу", + "criteria": "Критерія", "criteriagroup": "Група критеріїв", - "criteriarequiredall": "Потрібна відповідність всім вказаним критеріям", - "criteriarequiredany": "Потрібна відповідність будь-якому критерію", - "inprogress": "В процесі", - "manualselfcompletion": "Самореєстрація завершення", - "notyetstarted": "Ще не почато", - "pending": "Очікується", - "required": "Необхідні", - "requiredcriteria": "Необхідний критерій", + "criteriarequiredall": "Всі критерії нижче обов'язкові", + "criteriarequiredany": "Будь-яка критерія нижче обов'язкова", + "inprogress": "В процесі...", + "manualselfcompletion": "Самостійне завершення", + "notyetstarted": "Не розпочато", + "pending": "В очікуванні", + "required": "Необхідно", + "requiredcriteria": "Необхідна критерія", "requirement": "Вимога", - "status": "Статус відзнаки", + "status": "Статус", "viewcoursereport": "Переглянути звіт курсу" } \ No newline at end of file diff --git a/www/addons/files/lang/ca.json b/www/addons/files/lang/ca.json index 90887bf7b3f..035be4b1f33 100644 --- a/www/addons/files/lang/ca.json +++ b/www/addons/files/lang/ca.json @@ -2,12 +2,12 @@ "admindisableddownload": "Teniu en compte que l'administrador de Moodle ha desactivat la descàrrega d'arxius; podeu visualitzar els arxius, però no descarregar-los.", "clicktoupload": "Feu clic al botó del dessota per pujar arxius a l'àrea del vostres fitxers.", "couldnotloadfiles": "La llista d'arxius no s'ha pogut carregar.", - "emptyfilelist": "No hi ha fitxers per mostrar", + "emptyfilelist": "No hi ha fitxers per mostrar.", "erroruploadnotworking": "No es poden pujar fitxers al vostre lloc ara mateix.", "files": "Fitxers", "myprivatefilesdesc": "Els arxius que teniu disponibles a la vostra àrea privada en aquest lloc Moodle.", "privatefiles": "Fitxers privats", "sitefiles": "Fitxers del lloc", "sitefilesdesc": "Els altres arxius que es troben disponibles en aquest lloc Moodle.", - "uploadfiles": "Envia fitxers de retroacció" + "uploadfiles": "Puja fitxers" } \ No newline at end of file diff --git a/www/addons/files/lang/cs.json b/www/addons/files/lang/cs.json index becf830a35d..3e5d2932354 100644 --- a/www/addons/files/lang/cs.json +++ b/www/addons/files/lang/cs.json @@ -1,13 +1,13 @@ { - "admindisableddownload": "Upozorňujeme, že správce Moodle zakázal stahování souborů, soubory si můžete prohlížet, ale ne stáhnout.", + "admindisableddownload": "Upozorňujeme, že správce Moodle zakázal stahování souborů. Soubory si můžete prohlížet, ale ne stáhnout.", "clicktoupload": "Kliknutím na tlačítko níže nahrát soubory do vašich osobních souborů.", "couldnotloadfiles": "Seznam souborů, které nelze načíst .", - "emptyfilelist": "Žádný soubor k zobrazení", + "emptyfilelist": "Žádný soubor k zobrazení.", "erroruploadnotworking": "Bohužel v současné době není možné nahrávat na stránky vašeho Moodle.", "files": "Soubory", - "myprivatefilesdesc": "Soubory, které jsou dostupné v soukromé oblasti na těchto stránkách Moodle.", + "myprivatefilesdesc": "Soubory, které jsou dostupné pouze pro vás.", "privatefiles": "Osobní soubory", "sitefiles": "Soubory stránek", - "sitefilesdesc": "Další soubory, které jsou dostupné na těchto stránkách Moodle.", - "uploadfiles": "Poslat zpětnovazební soubory" + "sitefilesdesc": "Další soubory, které jsou dostupné na těchto stránkách.", + "uploadfiles": "Nahrát soubory" } \ No newline at end of file diff --git a/www/addons/files/lang/da.json b/www/addons/files/lang/da.json index 5f9d7d54b3b..1453d08f9f7 100644 --- a/www/addons/files/lang/da.json +++ b/www/addons/files/lang/da.json @@ -2,12 +2,12 @@ "admindisableddownload": "Bemærk venligst at din Moodleadministrator har deaktiveret download af filer. Du kan se filerne men ikke downloade dem.", "clicktoupload": "Klik på knappen nedenfor for at uploade filer til dine private filer.", "couldnotloadfiles": "Fillisten kunne ikke hentes", - "emptyfilelist": "Der er ingen filer at vise", + "emptyfilelist": "Der er ingen filer at vise.", "erroruploadnotworking": "Desværre er det p.t. ikke muligt at uploade filer til dit site.", "files": "Filer", "myprivatefilesdesc": "Filerne som er tilgængelige i dit private område på dette Moodlewebsted.", "privatefiles": "Private filer", "sitefiles": "Site filer", "sitefilesdesc": "De andre filer som er tilgængelige for dig på denne Moodlewebside.", - "uploadfiles": "Send feedbackfiler" + "uploadfiles": "Upload filer" } \ No newline at end of file diff --git a/www/addons/files/lang/de-du.json b/www/addons/files/lang/de-du.json index 4cc87c25207..de918e9ff50 100644 --- a/www/addons/files/lang/de-du.json +++ b/www/addons/files/lang/de-du.json @@ -2,12 +2,12 @@ "admindisableddownload": "Das Herunterladen von Dateien ist deaktiviert. Du kannst nur die Dateiliste sehen und nichts herunterladen.", "clicktoupload": "Tippe auf die Taste, um Dateien in den Bereich 'Meine Dateien' hochzuladen.", "couldnotloadfiles": "Die Liste der Dateien konnte nicht geladen werden.", - "emptyfilelist": "Es liegen keine Dateien vor", + "emptyfilelist": "Keine Dateien", "erroruploadnotworking": "Im Moment können keine Dateien zur Website hochgeladen werden.", "files": "Dateien", "myprivatefilesdesc": "Dateien, Auf die ausschließlich du zugreifen kannst.", "privatefiles": "Meine Dateien", "sitefiles": "Dateien der Website", "sitefilesdesc": "Weitere Dateien, die für dich auf dieser Website zugänglich sind.", - "uploadfiles": "Feedbackdateien senden" + "uploadfiles": "Dateien hochladen" } \ No newline at end of file diff --git a/www/addons/files/lang/de.json b/www/addons/files/lang/de.json index 91305f44eff..1f6e9fa90ee 100644 --- a/www/addons/files/lang/de.json +++ b/www/addons/files/lang/de.json @@ -2,12 +2,12 @@ "admindisableddownload": "Das Herunterladen von Dateien ist deaktiviert. Sie können nur die Dateiliste sehen und nichts herunterladen.", "clicktoupload": "Tippen Sie auf die Taste, um Dateien in den Bereich 'Meine Dateien' hochzuladen.", "couldnotloadfiles": "Die Liste der Dateien konnte nicht geladen werden.", - "emptyfilelist": "Es liegen keine Dateien vor", + "emptyfilelist": "Keine Dateien", "erroruploadnotworking": "Im Moment können keine Dateien zur Website hochgeladen werden.", "files": "Dateien", "myprivatefilesdesc": "Dateien, auf die ausschließlich Sie zugreifen können.", "privatefiles": "Meine Dateien", "sitefiles": "Dateien der Website", "sitefilesdesc": "Weitere Dateien, die für Sie auf dieser Website zugänglich sind.", - "uploadfiles": "Feedbackdateien senden" + "uploadfiles": "Dateien hochladen" } \ No newline at end of file diff --git a/www/addons/files/lang/el.json b/www/addons/files/lang/el.json index 105bb0c0877..8f435d24e4f 100644 --- a/www/addons/files/lang/el.json +++ b/www/addons/files/lang/el.json @@ -9,5 +9,5 @@ "privatefiles": "Προσωπικά αρχεία", "sitefiles": "Αρχεία του ιστοχώρου", "sitefilesdesc": "Άλλα αρχεία που είναι στη διάθεσή σας σε αυτό το site Moodle.", - "uploadfiles": "Αποστολή αρχείου ανατροφοδότησης" + "uploadfiles": "Μεταφορτώστε αρχεία" } \ No newline at end of file diff --git a/www/addons/files/lang/es-mx.json b/www/addons/files/lang/es-mx.json index 6a0a7e462c9..37175c738cf 100644 --- a/www/addons/files/lang/es-mx.json +++ b/www/addons/files/lang/es-mx.json @@ -2,12 +2,12 @@ "admindisableddownload": "El administrador del sitio ha deshabilitado las descargas de archivos; Usted puede ver los archivos pero no puede descargarlos.", "clicktoupload": "Haga click en el botón inferior para subir archivos a sus archivos privados.", "couldnotloadfiles": "La lista de archivos no pudo cargarse.", - "emptyfilelist": "No hay archivos que mostrar", + "emptyfilelist": "No hay archivos para mostrar.", "erroruploadnotworking": "Desafortunadamente ahorita no es posible subir archivos a su sitio.", "files": "Archivos", "myprivatefilesdesc": "Archivos a los que solamente Usted puede acceder.", "privatefiles": "Archivos privados", "sitefiles": "Archivos del sitio", "sitefilesdesc": "Otros archivos que están disponibles para Usted en este sitio.", - "uploadfiles": "Mandar archivos de retroalimentación" + "uploadfiles": "Subir archivos" } \ No newline at end of file diff --git a/www/addons/files/lang/es.json b/www/addons/files/lang/es.json index 19e67205370..cca19793086 100644 --- a/www/addons/files/lang/es.json +++ b/www/addons/files/lang/es.json @@ -4,10 +4,10 @@ "couldnotloadfiles": "La lista de archivos no ha podido cargarse.", "emptyfilelist": "No hay archivos que mostrar", "erroruploadnotworking": "Desafortunadamente en estos momentos no es posible subir archivos al sitio.", - "files": "Archivos", + "files": "Ficheros", "myprivatefilesdesc": "Los archivos que están disponibles en su área privada en este sitio Moodle.", "privatefiles": "Ficheros privados", "sitefiles": "Archivos del sitio", "sitefilesdesc": "Los otros archivos que están disponibles para Usted en este sitio Moodle.", - "uploadfiles": "Mandar archivos de retroalimentación" + "uploadfiles": "Subir archivos" } \ No newline at end of file diff --git a/www/addons/files/lang/eu.json b/www/addons/files/lang/eu.json index 4648a027001..71db9771a7d 100644 --- a/www/addons/files/lang/eu.json +++ b/www/addons/files/lang/eu.json @@ -1,13 +1,13 @@ { - "admindisableddownload": "Mesedez ohartu zaitez zure Moodle administratzaileak fitxategien jaitsiera ezgaitu duela, fitxategiak arakatu ditzakezu baina ezin dituzu jaitsi.", + "admindisableddownload": "Zure Moodle kudeatzaileak fitxategien jaitsiera ezgaitu du. Fitxategiak araka ditzakezu baina ezin dituzu jaitsi.", "clicktoupload": "Klik egin beheko botoian fitxategiak zure gune pribatura igotzeko.", "couldnotloadfiles": "Ezin izan da fitxategien zerrenda kargatu.", - "emptyfilelist": "Ez dago erakusteko fitxategirik", + "emptyfilelist": "Ez dago fitxategirik erakusteko.", "erroruploadnotworking": "Zoritxarrez une honetan ezin dira fitxategiak zure gunera igo.", "files": "Fitxategiak", - "myprivatefilesdesc": "Moodle gune honetako zure gune pribatuan eskuragarri dauden fitxategiak.", + "myprivatefilesdesc": "Soilik zuk eskura ditzakezun fitxategiak.", "privatefiles": "Fitxategi pribatuak", "sitefiles": "Guneko fitxategiak", - "sitefilesdesc": "Zure Moodle gunean eskuragarri dauden beste fitxategiak.", - "uploadfiles": "bidali feedback-fitxategiak" + "sitefilesdesc": "Gune honetan eskuragarri dauden beste fitxategiak.", + "uploadfiles": "Igo fitxategiak" } \ No newline at end of file diff --git a/www/addons/files/lang/fi.json b/www/addons/files/lang/fi.json index 14c205854fd..7514c3992a3 100644 --- a/www/addons/files/lang/fi.json +++ b/www/addons/files/lang/fi.json @@ -2,11 +2,11 @@ "admindisableddownload": "Sivuston pääkäyttäjä on estänyt tiedostojen lataamisen. Voit ainoastaan selata tiedostoja, mutta et voi ladata niitä.", "clicktoupload": "Paina alapuolella olevaa painiketta ladataksesi tiedoston omiin yksityisiin tiedostoihisi.", "couldnotloadfiles": "Tiedostolistaa ei pystytty lataamaan.", - "emptyfilelist": "Ei näytettäviä tiedostoja", + "emptyfilelist": "Ei näytettäviä tiedostoja.", "erroruploadnotworking": "Valitettavasti tiedostojen lataaminen järjestelmään ei tällä hetkellä onnistu.", "files": "Tiedostot", "myprivatefilesdesc": "Tiedostot, jotka ovat vain sinulle käytettävissä.", "privatefiles": "Yksityiset tiedostot", "sitefiles": "Sivuston tiedostot", - "uploadfiles": "Lähetä palautetiedostot" + "uploadfiles": "Lähetä tiedostot" } \ No newline at end of file diff --git a/www/addons/files/lang/fr.json b/www/addons/files/lang/fr.json index d37cbd25a3c..672c0abfa2c 100644 --- a/www/addons/files/lang/fr.json +++ b/www/addons/files/lang/fr.json @@ -2,12 +2,12 @@ "admindisableddownload": "L'administrateur de votre Moodle a désactivé le téléchargement des fichiers. Vous pouvez les consulter, mais pas les télécharger.", "clicktoupload": "Cliquer sur le bouton ci-dessous pour déposer les fichiers dans vos fichiers personnels.", "couldnotloadfiles": "La liste des fichiers n'a pas pu être chargée.", - "emptyfilelist": "Il n'y a pas de fichier à afficher", + "emptyfilelist": "Aucun fichier à afficher.", "erroruploadnotworking": "Il n'est actuellement pas possible de déposer des fichiers sur votre site.", "files": "Fichiers", "myprivatefilesdesc": "Fichiers auxquels vous seul avez accès.", "privatefiles": "Fichiers personnels", "sitefiles": "Fichiers du site", "sitefilesdesc": "Autres fichiers auxquels vous avez accès sur cette plateforme.", - "uploadfiles": "Envoyer des fichiers de feedback" + "uploadfiles": "Déposer des fichiers" } \ No newline at end of file diff --git a/www/addons/files/lang/he.json b/www/addons/files/lang/he.json index 6f612548ac8..0ed31567503 100644 --- a/www/addons/files/lang/he.json +++ b/www/addons/files/lang/he.json @@ -2,7 +2,7 @@ "admindisableddownload": "יש לשים לב כי מנהל/ת אתר המוודל שלך, ביטל/ה את אפשרות להורדת הקבצים. באפשרותך לעיין בקבצים אך לא להורידם.", "clicktoupload": "להעלאת הקבצים לקבצים הפרטיים שלך, יש להקליק על הכפתור למטה.", "couldnotloadfiles": "לא ניתן לטעון את רשימת הקבצים.", - "emptyfilelist": "אין קבצים להציג", + "emptyfilelist": "אין קבצים להצגה.", "files": "קבצים", "myprivatefilesdesc": "הקבצים הזמינים לך באזור הפרטי באתר מוודל זה.", "privatefiles": "הקבצים שלי", diff --git a/www/addons/files/lang/hr.json b/www/addons/files/lang/hr.json index 01ff2272a5e..c92c9bd4e23 100644 --- a/www/addons/files/lang/hr.json +++ b/www/addons/files/lang/hr.json @@ -1,5 +1,5 @@ { - "emptyfilelist": "Nema datoteka za prikaz", + "emptyfilelist": "Nema datoteka za prikaz.", "files": "Datoteke", "privatefiles": "Osobne datoteke korisnika", "sitefiles": "Site files", diff --git a/www/addons/files/lang/it.json b/www/addons/files/lang/it.json index d9b1f96d205..3f198893008 100644 --- a/www/addons/files/lang/it.json +++ b/www/addons/files/lang/it.json @@ -2,12 +2,12 @@ "admindisableddownload": "L'amministratore del sito Moodle ha disabilitato il download dei file. Puoi navigare tra i file ma non potrai scaricarli.", "clicktoupload": "Fai click sul pulsante sotto per caricare i file nei File personali", "couldnotloadfiles": "Non è stato possibile caricare l'elenco dei file.", - "emptyfilelist": "Non ci sono file da visualizzare", + "emptyfilelist": "Non ci sono file da visualizzare.", "erroruploadnotworking": "Al momento non è possibile caricare file sul sito.", "files": "File", "myprivatefilesdesc": "I file memorizzati nell'omonima area di Moodle", "privatefiles": "File personali", "sitefiles": "File del sito", "sitefilesdesc": "Altri file del sito Moodle ai quali puoi accedere.", - "uploadfiles": "Invia file di commento" + "uploadfiles": "Carica file" } \ No newline at end of file diff --git a/www/addons/files/lang/ja.json b/www/addons/files/lang/ja.json index 648ed7d331a..de63504d659 100644 --- a/www/addons/files/lang/ja.json +++ b/www/addons/files/lang/ja.json @@ -2,12 +2,12 @@ "admindisableddownload": "あなたのMoodle管理者に、ファイルのダウンロードを無効にするよう知らせてください。そうすれば、ファイルをデバイスにダウンロードせず閲覧のみにすることができます。", "clicktoupload": "ファイルをあなたのプライベートファイル領域にアップロードするには、下のボタンをクリックしてください。", "couldnotloadfiles": "以下のファイルが読み込みできませんでした。", - "emptyfilelist": "表示するファイルはありません。", + "emptyfilelist": "表示するファイルがありません。", "erroruploadnotworking": "残念ながら、現在、あなたのサイトにファイルをアップロードすることはできません。", "files": "ファイル", "myprivatefilesdesc": "ファイルはMoodleサイト上のあなたのプライベート領域にあります。", "privatefiles": "プライベートファイル", "sitefiles": "サイトファイル", "sitefilesdesc": "本Moodleサイトであなたが利用できる他のファイル", - "uploadfiles": "フィードバックファイルを送信する" + "uploadfiles": "アップロードファイル" } \ No newline at end of file diff --git a/www/addons/files/lang/ko.json b/www/addons/files/lang/ko.json new file mode 100644 index 00000000000..a2caab5142d --- /dev/null +++ b/www/addons/files/lang/ko.json @@ -0,0 +1,8 @@ +{ + "admindisableddownload": "사이트 관리자가 파일 다운로드를 비활성화 했습니다. 파일을 탐색 할 수는 있지만 다운로드 할 수는 없습니다.", + "clicktoupload": "아래 버튼을 클릭하여 개인 파일에 파일을 업로드하십시오.", + "emptyfilelist": "표시 할 파일이 없습니다.", + "myprivatefilesdesc": "나만 접근할 수 있는 파일", + "sitefilesdesc": "이 사이트에서 당신에게 제공되는 기타 파일들", + "uploadfiles": "파일 업로드" +} \ No newline at end of file diff --git a/www/addons/files/lang/lt.json b/www/addons/files/lang/lt.json index 1e5b2c5b2f2..82157441c00 100644 --- a/www/addons/files/lang/lt.json +++ b/www/addons/files/lang/lt.json @@ -2,12 +2,12 @@ "admindisableddownload": "Primename, kad Moodle administratorius panaikino galimybę parsisiųsti failus, failų atsisiųsti negalima, galite tik naršyti.", "clicktoupload": "Paspauskite mygtuką, esantį žemiau, kad galėtumėte atsisiųsti failus į privatų aplanką.", "couldnotloadfiles": "Negalima užkrauti failų sąrašo.", - "emptyfilelist": "Nėra rodytinų failų", + "emptyfilelist": "Nėra ką rodyti.", "erroruploadnotworking": "Deja, failo į pasirinktą svetainę įkelti negalima.", "files": "Failai", "myprivatefilesdesc": "Jūsų privatūs failai Moodle svetainėje.", "privatefiles": "Asmeniniai failai", "sitefiles": "Svetainės failai", "sitefilesdesc": "Kiti failai Moodle svetainėje", - "uploadfiles": "Siųsti grįžtamojo ryšio failus" + "uploadfiles": "Įkelti failus" } \ No newline at end of file diff --git a/www/addons/files/lang/nl.json b/www/addons/files/lang/nl.json index a6b05556b90..74f97522c0f 100644 --- a/www/addons/files/lang/nl.json +++ b/www/addons/files/lang/nl.json @@ -2,12 +2,12 @@ "admindisableddownload": "Je Moodle beheerder heeft het downloaden van bestanden uitgeschakeld. Je kunt door de bestandenlijst bladeren, maar ze niet downloaden.", "clicktoupload": "Klik op onderstaande knop om bestanden naar je privé-bestanden te uploaden.", "couldnotloadfiles": "De bestandenlijst kon niet geladen worden.", - "emptyfilelist": "Er zijn geen bestanden om te tonen", + "emptyfilelist": "Er zijn geen bestanden te tonen.", "erroruploadnotworking": "Jammer genoeg kun je op dit ogenblik geen bestanden uploaden naar de site.", "files": "Bestanden", "myprivatefilesdesc": "Bestanden die jij alleen kan zien.", "privatefiles": "Privébestanden", "sitefiles": "Sitebestanden", "sitefilesdesc": "Andere bestanden voor jou.", - "uploadfiles": "Stuur feedbackbestanden" + "uploadfiles": "Bestanden uploaden" } \ No newline at end of file diff --git a/www/addons/files/lang/pt-br.json b/www/addons/files/lang/pt-br.json index 2c3c45d9555..fa0429bebba 100644 --- a/www/addons/files/lang/pt-br.json +++ b/www/addons/files/lang/pt-br.json @@ -2,12 +2,12 @@ "admindisableddownload": "Por favor note que o administrador do Moodle desativou downloads de arquivos, você pode navegar através dos arquivos, mas não baixá-los.", "clicktoupload": "Clique no botão abaixo para enviar para seus arquivos privados.", "couldnotloadfiles": "A lista de arquivos não pode ser carregada.", - "emptyfilelist": "Não há arquivos para exibir", + "emptyfilelist": "Não há arquivos para mostrar.", "erroruploadnotworking": "Infelizmente é impossível enviar arquivos para o seu site.", "files": "Arquivos", "myprivatefilesdesc": "Os arquivos que estão disponíveis em sua área de arquivos privados nesse site Moodle.", "privatefiles": "Arquivos privados", "sitefiles": "Arquivos do site", "sitefilesdesc": "Os outros arquivos que estão disponíveis a você neste site Moodle.", - "uploadfiles": "Enviar arquivos de feedback" + "uploadfiles": "Enviar arquivos" } \ No newline at end of file diff --git a/www/addons/files/lang/pt.json b/www/addons/files/lang/pt.json index 90ed68c005a..a40324193dc 100644 --- a/www/addons/files/lang/pt.json +++ b/www/addons/files/lang/pt.json @@ -2,12 +2,12 @@ "admindisableddownload": "O administrador do Moodle desativou a opção de descarregar ficheiros. Poderá navegar nos ficheiros mas não conseguirá descarregá-los.", "clicktoupload": "Clique no botão abaixo para carregar ficheiros para os seus ficheiros privados.", "couldnotloadfiles": "Não foi possível carregar a lista de ficheiros", - "emptyfilelist": "Este repositório está vazio", + "emptyfilelist": "Não há ficheiros", "erroruploadnotworking": "Infelizmente não é possível carregar ficheiros para o seu site.", - "files": "Ficheiros", + "files": "Anexos", "myprivatefilesdesc": "Ficheiros privados.", "privatefiles": "Ficheiros privados", "sitefiles": "Ficheiros do site", "sitefilesdesc": "Os outros ficheiros que estão disponíveis para si neste site.", - "uploadfiles": "Enviar ficheiros de feedback" + "uploadfiles": "Carregar ficheiros" } \ No newline at end of file diff --git a/www/addons/files/lang/ro.json b/www/addons/files/lang/ro.json index 269b6780a16..cf90b06a4b8 100644 --- a/www/addons/files/lang/ro.json +++ b/www/addons/files/lang/ro.json @@ -2,8 +2,8 @@ "admindisableddownload": "Atenție! Administratorul platformei a dezactivat descărcarea de fișiere; puteți accesa fișierele dar nu le puteți descărca.", "clicktoupload": "Apăsați butonul de mai jos pentru a încarcă fișierele în contul dumneavoastră.", "couldnotloadfiles": "Lista fișierelor nu a putut fi încărcată.", - "emptyfilelist": "Nu există fișiere", - "files": "Fişiere", + "emptyfilelist": "Nu sunt fișiere disponibile.", + "files": "Fișiere", "myprivatefilesdesc": "Fișierele disponibile din zona personală, pe care o dețineți pe acest site.", "privatefiles": "Fișiere private", "sitefiles": "Fişiere site", diff --git a/www/addons/files/lang/ru.json b/www/addons/files/lang/ru.json index 10418095e77..171e14ee461 100644 --- a/www/addons/files/lang/ru.json +++ b/www/addons/files/lang/ru.json @@ -1,12 +1,13 @@ { - "admindisableddownload": "Обратите внимание, что администратор Moodle отключил скачивание файлов. Вы можете просмотреть файлы, но не скачать их.", + "admindisableddownload": "Администратор Moodle отключил скачивание файлов. Вы можете просмотреть файлы, но не скачать их.", "clicktoupload": "Нажмите внизу кнопку для загрузки файлов в свои личные файлы.", "couldnotloadfiles": "Файлы из списка не могут быть загружены", "emptyfilelist": "Нет файлов для отображения", + "erroruploadnotworking": "К сожалению, в данный момент невозможно загрузить файлы на ваш сайт.", "files": "Файлы", - "myprivatefilesdesc": "Файлы, которые доступны Вам в личном кабинете на этом сайте Moodle.", + "myprivatefilesdesc": "Файлы, которые доступны только вам.", "privatefiles": "Личные файлы", "sitefiles": "Файлы сайта", - "sitefilesdesc": "Другие файлы, доступные на этом сайте Moodle", - "uploadfiles": "Отправить файлы с отзывами" + "sitefilesdesc": "Другие файлы, которые доступны вам на этом сайте.", + "uploadfiles": "Загрузка файлов" } \ No newline at end of file diff --git a/www/addons/files/lang/uk.json b/www/addons/files/lang/uk.json index 4043adc3905..083a9f56194 100644 --- a/www/addons/files/lang/uk.json +++ b/www/addons/files/lang/uk.json @@ -2,12 +2,12 @@ "admindisableddownload": "Зверніть увагу, що ваш адміністратор Moodle відключив завантаження файлів. Ви можете переглядати файли, але не завантажувати їх.", "clicktoupload": "Натисніть на кнопку нижче, щоб завантажити ваші особисті файли.", "couldnotloadfiles": "Список файлів не може бути завантажений.", - "emptyfilelist": "Немає файлів для показу", + "emptyfilelist": "Немає файлів для показу.", "erroruploadnotworking": "На жаль, в даний час не представляється можливим завантажувати файли на ваш сайт.", "files": "Файли", "myprivatefilesdesc": "Файли, які доступні у приватній області на цьому сайті Moodle.", "privatefiles": "Особисті файли", "sitefiles": "Файли сайту", "sitefilesdesc": "Інші файли, які доступні для вас на цьому сайті Moodle.", - "uploadfiles": "Надіслати файл-відгук(и)" + "uploadfiles": "Завантажити файли" } \ No newline at end of file diff --git a/www/addons/grades/lang/bg.json b/www/addons/grades/lang/bg.json index 49ff4539d55..02c842d1272 100644 --- a/www/addons/grades/lang/bg.json +++ b/www/addons/grades/lang/bg.json @@ -1,3 +1,3 @@ { - "viewgrades": "Виждане на оценките" + "viewgrades": "Разглеждане на оценки" } \ No newline at end of file diff --git a/www/addons/grades/lang/el.json b/www/addons/grades/lang/el.json index c1625a02671..5517b193e17 100644 --- a/www/addons/grades/lang/el.json +++ b/www/addons/grades/lang/el.json @@ -1,4 +1,4 @@ { "nogradesreturned": "Δεν επιστράφηκε κανένας βαθμός", - "viewgrades": "Προβολή βαθμών" + "viewgrades": "Προβολή Βαθμών" } \ No newline at end of file diff --git a/www/addons/grades/lang/fa.json b/www/addons/grades/lang/fa.json index 6c9c03151dd..fd0241c2bc7 100644 --- a/www/addons/grades/lang/fa.json +++ b/www/addons/grades/lang/fa.json @@ -1,3 +1,3 @@ { - "viewgrades": "مشاهدهٔ نمره‌ها" + "viewgrades": "دیدن نمره‌ها" } \ No newline at end of file diff --git a/www/addons/grades/lang/fi.json b/www/addons/grades/lang/fi.json index 968e1cc41cb..32bd42fbd4b 100644 --- a/www/addons/grades/lang/fi.json +++ b/www/addons/grades/lang/fi.json @@ -1,4 +1,4 @@ { "nogradesreturned": "Ei tuotu arvosanoja", - "viewgrades": "Näytä arvosanat" + "viewgrades": "Katsele arvosanoja" } \ No newline at end of file diff --git a/www/addons/grades/lang/fr.json b/www/addons/grades/lang/fr.json index 37ee094566f..1c1ce861d2d 100644 --- a/www/addons/grades/lang/fr.json +++ b/www/addons/grades/lang/fr.json @@ -1,4 +1,4 @@ { "nogradesreturned": "Aucune note retournée", - "viewgrades": "Afficher les notes" + "viewgrades": "Affichage des notes" } \ No newline at end of file diff --git a/www/addons/grades/lang/he.json b/www/addons/grades/lang/he.json index 63f5df64a1c..f6450d5c884 100644 --- a/www/addons/grades/lang/he.json +++ b/www/addons/grades/lang/he.json @@ -1,4 +1,4 @@ { "nogradesreturned": "לא הוחזרו ציונים", - "viewgrades": "ראה ציונים" + "viewgrades": "תצוגת ציונים" } \ No newline at end of file diff --git a/www/addons/grades/lang/hr.json b/www/addons/grades/lang/hr.json index 79b5ed3566e..a2f968add90 100644 --- a/www/addons/grades/lang/hr.json +++ b/www/addons/grades/lang/hr.json @@ -1,4 +1,4 @@ { "nogradesreturned": "Nema ocjena", - "viewgrades": "Prikaži ocjene" + "viewgrades": "Vidi ocjene" } \ No newline at end of file diff --git a/www/addons/grades/lang/it.json b/www/addons/grades/lang/it.json index 194c13b5f5a..883d830fb4f 100644 --- a/www/addons/grades/lang/it.json +++ b/www/addons/grades/lang/it.json @@ -1,4 +1,4 @@ { "nogradesreturned": "Non è stata ottenuta alcuna valutazione", - "viewgrades": "Visualizza risultati" + "viewgrades": "Visualizza valutazioni" } \ No newline at end of file diff --git a/www/addons/grades/lang/ja.json b/www/addons/grades/lang/ja.json index c49db645dae..23abe78a3be 100644 --- a/www/addons/grades/lang/ja.json +++ b/www/addons/grades/lang/ja.json @@ -1,4 +1,4 @@ { "nogradesreturned": "評点がありません。", - "viewgrades": "評点を表示する" + "viewgrades": "評定を表示する" } \ No newline at end of file diff --git a/www/addons/grades/lang/mr.json b/www/addons/grades/lang/mr.json index 44df9604fda..45cbc830053 100644 --- a/www/addons/grades/lang/mr.json +++ b/www/addons/grades/lang/mr.json @@ -1,4 +1,4 @@ { "nogradesreturned": "श्रेणी परत दिलेल्या नाहीत", - "viewgrades": "श्रेणी बघा" + "viewgrades": "श्रेण्या दाखवा." } \ No newline at end of file diff --git a/www/addons/grades/lang/nl.json b/www/addons/grades/lang/nl.json index 1b33ee8446a..a11f8e821e2 100644 --- a/www/addons/grades/lang/nl.json +++ b/www/addons/grades/lang/nl.json @@ -1,4 +1,4 @@ { "nogradesreturned": "Geen cijfers", - "viewgrades": "Bekijk de cijfers" + "viewgrades": "Bekijk cijfers" } \ No newline at end of file diff --git a/www/addons/grades/lang/pl.json b/www/addons/grades/lang/pl.json index b2abf06357d..0f2f359336e 100644 --- a/www/addons/grades/lang/pl.json +++ b/www/addons/grades/lang/pl.json @@ -1,4 +1,4 @@ { "nogradesreturned": "Brak stopni", - "viewgrades": "Pokaż oceny" + "viewgrades": "Podgląd ocen" } \ No newline at end of file diff --git a/www/addons/grades/lang/ru.json b/www/addons/grades/lang/ru.json index fac7633651b..733ed0c23e6 100644 --- a/www/addons/grades/lang/ru.json +++ b/www/addons/grades/lang/ru.json @@ -1,4 +1,4 @@ { "nogradesreturned": "Нет оценок", - "viewgrades": "Посмотреть оценки" + "viewgrades": "Просмотр оценок" } \ No newline at end of file diff --git a/www/addons/grades/lang/uk.json b/www/addons/grades/lang/uk.json index 86c7bf00584..32dd4de48eb 100644 --- a/www/addons/grades/lang/uk.json +++ b/www/addons/grades/lang/uk.json @@ -1,4 +1,4 @@ { "nogradesreturned": "Немає оцінок", - "viewgrades": "Подивитися оцінки" + "viewgrades": "Перегляд оцінок" } \ No newline at end of file diff --git a/www/addons/messageoutput/airnotifier/lang/ko.json b/www/addons/messageoutput/airnotifier/lang/ko.json new file mode 100644 index 00000000000..fd744496354 --- /dev/null +++ b/www/addons/messageoutput/airnotifier/lang/ko.json @@ -0,0 +1,3 @@ +{ + "processorsettingsdesc": "장치 구성" +} \ No newline at end of file diff --git a/www/addons/messageoutput/airnotifier/lang/ru.json b/www/addons/messageoutput/airnotifier/lang/ru.json new file mode 100644 index 00000000000..4bfd031bb84 --- /dev/null +++ b/www/addons/messageoutput/airnotifier/lang/ru.json @@ -0,0 +1,3 @@ +{ + "processorsettingsdesc": "Настроить устройства" +} \ No newline at end of file diff --git a/www/addons/messages/lang/ar.json b/www/addons/messages/lang/ar.json index a047f3dfa6a..09addb61436 100644 --- a/www/addons/messages/lang/ar.json +++ b/www/addons/messages/lang/ar.json @@ -10,10 +10,10 @@ "messages": "رسائل", "mustbeonlinetosendmessages": "لابد أن تكون متصل بالأنترنت لكي ترسل أي رسائل", "newmessage": "رسالة جديدة", - "nomessages": "لا توجد رسائل بعد", + "nomessages": "لا يوجد رساله/رسائل جديدة", "nousersfound": "لا يوجد مستخدمون", "removecontact": "ازل عنوان الاتصال", - "send": "إرسل", + "send": "إرسال", "sendmessage": "إرسل رسالة", "type_offline": "غير متصل", "type_online": "متصل", diff --git a/www/addons/messages/lang/bg.json b/www/addons/messages/lang/bg.json index 9a9879a959c..7da54c741aa 100644 --- a/www/addons/messages/lang/bg.json +++ b/www/addons/messages/lang/bg.json @@ -10,16 +10,16 @@ "errorwhileretrievingcontacts": "Грешка при изчитането на списъка с контакти от сървъра.", "errorwhileretrievingdiscussions": "Грешка при изчитането на дискусиите от сървъра.", "errorwhileretrievingmessages": "Грешка при изчитането на съобщенията от сървъра.", - "message": "Текст на съобщението", + "message": "Вашето мнение", "messagenotsent": "Съобщението не беше изпратено. Моля опитайте пак по-късно.", "messagepreferences": "Предпочитания за съобщенията", "messages": "Съобщения", "mustbeonlinetosendmessages": "Трябва да сте онлайн, за да изпращате съобщения.", "newmessage": "Ново съобщение", - "nomessages": "Няма чакащи съобщения", + "nomessages": "Още няма съобщения", "nousersfound": "Не са намерени потребители", "removecontact": "Премахване на контакт", - "send": "изпращане", + "send": "Изпращане", "sendmessage": "Изпращане на съобщение", "type_blocked": "Блокиран", "type_offline": "Офлайн", diff --git a/www/addons/messages/lang/ca.json b/www/addons/messages/lang/ca.json index 0fde0577bf9..78d880054d7 100644 --- a/www/addons/messages/lang/ca.json +++ b/www/addons/messages/lang/ca.json @@ -3,7 +3,7 @@ "blockcontact": "Bloca contacte", "blockcontactconfirm": "Ja no rebreu més missatges d'aquest contacte.", "blocknoncontacts": "Impedeix que m'enviïn missatges els usuaris que no siguin a la meva llista de contactes", - "contactlistempty": "La vostra llista de contactes és buida", + "contactlistempty": "La llista de contactes és buida", "contactname": "Nom del contacte", "contacts": "Contactes", "deletemessage": "Esborra el missatge", @@ -13,18 +13,18 @@ "errorwhileretrievingdiscussions": "S'ha produït un error mentre es recuperaven els debats del servidor.", "errorwhileretrievingmessages": "S'ha produït un error descarregant els missatges.", "loadpreviousmessages": "Carrega els missatges anteriors", - "message": "Cos del missatge", + "message": "Missatge", "messagenotsent": "El missatge no s'ha enviat. Si us plau, intenteu-ho més tard", "messagepreferences": "Preferències dels missatges", "messages": "Missatges", "mustbeonlinetosendmessages": "Heu de tenir connexió a la xarxa per a enviar missatges", "newmessage": "Missatge nou", "newmessages": "Nous missatges", - "nomessages": "No teniu missatges pendents", + "nomessages": "No hi ha missatges encara", "nousersfound": "No s'han trobat usuaris", "removecontact": "Suprimeix contacte", "removecontactconfirm": "El contacte s'eliminarà de la vostra llista de contactes.", - "send": "envia", + "send": "Envia", "sendmessage": "Envia missatge", "type_blocked": "Bloquejat", "type_offline": "Fora de línia", diff --git a/www/addons/messages/lang/cs.json b/www/addons/messages/lang/cs.json index f5b9255069c..2ad0ea0f761 100644 --- a/www/addons/messages/lang/cs.json +++ b/www/addons/messages/lang/cs.json @@ -1,7 +1,7 @@ { "addcontact": "Přidat kontakt", "blockcontact": "Blokovat kontakt", - "blockcontactconfirm": "Přestanete dostávat zprávy od tohoto kontaktu.", + "blockcontactconfirm": "Od tohoto kontaktu již nebudete přijímat zprávy.", "blocknoncontacts": "Blokuj všechny nové zprávy od uživatelů, které nemám v seznamu kontaktů", "contactlistempty": "Seznam kontaktů je prázdný", "contactname": "Jméno kontaktu", @@ -14,18 +14,18 @@ "errorwhileretrievingmessages": "Chyba při načítání zpráv ze serveru.", "loadpreviousmessages": "Načtení předchozích zpráv", "message": "Zpráva", - "messagenotsent": "Zpráva nebyla odeslána, zkuste to prosím později.", + "messagenotsent": "Zpráva nebyla odeslána. Zkuste to prosím později.", "messagepreferences": "Nastavení zpráv", "messages": "Zprávy", "mustbeonlinetosendmessages": "Pro odesílání zpráv musíte být online", "newmessage": "Nová zpráva", "newmessages": "Nové zprávy", - "nomessages": "Zatím žádné zprávy", - "nousersfound": "Nenalezeni žádní uživatelé", + "nomessages": "Žádné zprávy", + "nousersfound": "Nebyl nalezen žádný uživatel", "removecontact": "Odebrat kontakt", "removecontactconfirm": "Kontakt bude odstraněn ze seznamu kontaktů.", - "send": "odeslat", - "sendmessage": "Odeslat zprávu", + "send": "Odeslat", + "sendmessage": "Poslat zprávu", "type_blocked": "Blokováno", "type_offline": "Offline", "type_online": "Online", diff --git a/www/addons/messages/lang/da.json b/www/addons/messages/lang/da.json index 536c242575c..b0f0da55d40 100644 --- a/www/addons/messages/lang/da.json +++ b/www/addons/messages/lang/da.json @@ -13,18 +13,18 @@ "errorwhileretrievingdiscussions": "Fejl ved hentning af diskussioner fra serveren", "errorwhileretrievingmessages": "Fejl ved hentning af beskeder fra serveren.", "loadpreviousmessages": "Indlæs forrige besked", - "message": "Beskedtekst", + "message": "Meddelelse", "messagenotsent": "Beskeden blev ikke sendt, prøv igen senere.", "messagepreferences": "Indstillinger for beskeder", "messages": "Beskeder", "mustbeonlinetosendmessages": "Du skal være online for at sende beskeder", "newmessage": "Ny besked", "newmessages": "Nye beskeder", - "nomessages": "Ingen beskeder endnu", + "nomessages": "Ingen beskeder", "nousersfound": "Ingen brugere fundet", "removecontact": "Fjern kontakt", "removecontactconfirm": "Kontakten vil blive fjernet fra listen", - "send": "send", + "send": "Send", "sendmessage": "Send besked", "type_blocked": "Blokeret", "type_offline": "Offline", diff --git a/www/addons/messages/lang/de-du.json b/www/addons/messages/lang/de-du.json index 613dd9a3c85..8825d27f57d 100644 --- a/www/addons/messages/lang/de-du.json +++ b/www/addons/messages/lang/de-du.json @@ -19,7 +19,7 @@ "newmessage": "Neue Mitteilung", "newmessages": "Neue Mitteilungen", "nomessages": "Keine Mitteilungen", - "nousersfound": "Keine Nutzer/innen gefunden", + "nousersfound": "Keine Personen gefunden", "removecontact": "Kontakt entfernen", "removecontactconfirm": "Der Kontakt wird aus deiner Kontaktliste gelöscht.", "send": "Senden", diff --git a/www/addons/messages/lang/de.json b/www/addons/messages/lang/de.json index 532a3b1d24e..b97803d226b 100644 --- a/www/addons/messages/lang/de.json +++ b/www/addons/messages/lang/de.json @@ -21,7 +21,7 @@ "newmessage": "Neue Mitteilung", "newmessages": "Neue Mitteilungen", "nomessages": "Keine Mitteilungen", - "nousersfound": "Keine Nutzer/innen gefunden", + "nousersfound": "Keine Personen gefunden", "removecontact": "Kontakt entfernen", "removecontactconfirm": "Der Kontakt wird aus Ihrer Kontaktliste gelöscht.", "send": "Senden", diff --git a/www/addons/messages/lang/el.json b/www/addons/messages/lang/el.json index 792d124765c..15904d76268 100644 --- a/www/addons/messages/lang/el.json +++ b/www/addons/messages/lang/el.json @@ -11,15 +11,15 @@ "errorwhileretrievingdiscussions": "Σφάλμα κατά την ανάκτηση των συζητήσεων από το διακομιστή.", "errorwhileretrievingmessages": "Σφάλμα κατά την ανάκτηση των μηνυμάτων από το διακομιστή.", "loadpreviousmessages": "Φορτώστε τα προηγούμενα μηνύματα", - "message": "Σώμα μηνύματος", + "message": "Μήνυμα", "messagenotsent": "Το μήνυμα δεν στάλθηκε, δοκιμάστε ξανά αργότερα.", "messagepreferences": "Προτιμήσεις μηνύματος", "messages": "Μηνύματα", "mustbeonlinetosendmessages": "Πρέπει να είστε συνδεδεμένοι για να στείλετε μηνύματα", "newmessage": "Νέο μήνυμα", "newmessages": "Νέα μηνύματα", - "nomessages": "Δεν υπάρχουν ακόμα μηνύματα", - "nousersfound": "Δε βρέθηκαν χρήστες", + "nomessages": "Δεν υπάρχουν μηνύματα σε αναμονή", + "nousersfound": "Δεν βρέθηκαν χρήστες", "removecontact": "Αφαίρεσε την επαφή", "removecontactconfirm": "Η επαφή θα καταργηθεί από τη λίστα επαφών σας.", "send": "Αποστολή", diff --git a/www/addons/messages/lang/es-mx.json b/www/addons/messages/lang/es-mx.json index db39dcf25d6..dae8cac09ea 100644 --- a/www/addons/messages/lang/es-mx.json +++ b/www/addons/messages/lang/es-mx.json @@ -13,18 +13,18 @@ "errorwhileretrievingdiscussions": "Error al recuperar las discusiones del servidor.", "errorwhileretrievingmessages": "Error al recuperar mensajes del servidor.", "loadpreviousmessages": "Cargar mensajes anteriores", - "message": "Cuerpo del mensaje", + "message": "Mensaje", "messagenotsent": "El mensaje no fue enviado. Por favor inténtelo nuevamente después.", "messagepreferences": "Preferencias de Mensaje", "messages": "Mensajes", "mustbeonlinetosendmessages": "Usted debe de estar en-linea para enviar mensajes", "newmessage": "Nuevo mensaje", "newmessages": "Nuevos mensajes", - "nomessages": "No hay mensajes", - "nousersfound": "No se encuentran usuarios", + "nomessages": "Aún no hay mensajes", + "nousersfound": "No se encontraron usuarios", "removecontact": "Eliminar contacto", "removecontactconfirm": "El contacto será quitado de su lista de contactos.", - "send": "enviar", + "send": "Enviar", "sendmessage": "Enviar mensaje", "type_blocked": "Bloqueado", "type_offline": "Fuera-de-línea", diff --git a/www/addons/messages/lang/es.json b/www/addons/messages/lang/es.json index b81086eabc9..9b3bd21fd02 100644 --- a/www/addons/messages/lang/es.json +++ b/www/addons/messages/lang/es.json @@ -13,18 +13,18 @@ "errorwhileretrievingdiscussions": "Error al recuperar las discusiones del servidor.", "errorwhileretrievingmessages": "Error al recuperar los mensajes del servidor.", "loadpreviousmessages": "Cargar mensajes anteriores", - "message": "Cuerpo del mensaje", + "message": "Mensaje", "messagenotsent": "El mensaje no fue enviado; por favor inténtelo nuevamente después.", "messagepreferences": "Preferencias de mensajes", "messages": "Mensajes", "mustbeonlinetosendmessages": "Debe conectarse para enviar mensajes", "newmessage": "Nuevo mensaje", "newmessages": "Nuevos mensajes", - "nomessages": "Aún no hay mensajes", + "nomessages": "No hay mensajes en espera", "nousersfound": "No se encuentran usuarios", "removecontact": "Eliminar contacto", "removecontactconfirm": "El contacto se eliminará de su lista de contactos.", - "send": "enviar", + "send": "Enviar", "sendmessage": "Enviar mensaje", "type_blocked": "Bloqueado", "type_offline": "Desconectado", diff --git a/www/addons/messages/lang/eu.json b/www/addons/messages/lang/eu.json index 58cbf5bd111..eb1585b25dc 100644 --- a/www/addons/messages/lang/eu.json +++ b/www/addons/messages/lang/eu.json @@ -1,7 +1,7 @@ { "addcontact": "Gehitu kontaktua", "blockcontact": "Blokeatu kontaktua", - "blockcontactconfirm": "Kontaktu honen mezuak jasotzeari utziko diozu", + "blockcontactconfirm": "Kontaktu honen mezuak jasotzeari utziko diozu.", "blocknoncontacts": "Ez utzi kontaktu ez direnei niri mezuak bidaltzen", "contactlistempty": "Kontaktu zerrenda hutsik dago", "contactname": "Kontaktuaren izena", @@ -9,22 +9,22 @@ "deletemessage": "Ezabatu mezua", "deletemessageconfirmation": "Ziur zaude mezu hau ezabatu nahi duzula? Soilik zure mezuen historiatik ezabatuko da, eta mezua bidali edo jaso duen erabiltzaileak ikusgai izaten jarraituko du.", "errordeletemessage": "Errorea mezua ezabatzean.", - "errorwhileretrievingcontacts": "Errorea kontaktuak zerbitzaritik jasotzean.", - "errorwhileretrievingdiscussions": "Errorea elkarrizketak zerbitzaritik jasotzean.", - "errorwhileretrievingmessages": "Errorea mezuak zerbitzaritik jasotzean.", + "errorwhileretrievingcontacts": "Errore bat gertatu da kontaktuak zerbitzaritik jasotzean.", + "errorwhileretrievingdiscussions": "Errore bat gertatu da elkarrizketak zerbitzaritik jasotzean.", + "errorwhileretrievingmessages": "Errore bat gertatu da mezuak zerbitzaritik jasotzean.", "loadpreviousmessages": "Kargatu aurreko mezuak", - "message": "Mezuren gurputza", - "messagenotsent": "Mezua ez da bidali, mesedez saiatu beranduago.", + "message": "Mezua", + "messagenotsent": "Mezua ez da bidali. Mesedez, saiatu beranduago.", "messagepreferences": "Mezuen hobespenak", "messages": "Mezuak", - "mustbeonlinetosendmessages": "Online egon behar zara mezuak bidaltzeko.", + "mustbeonlinetosendmessages": "On-line egon behar duzu mezuak bidali ahal izateko.", "newmessage": "Mezu berria", "newmessages": "Mezu beriak", - "nomessages": "Ez dago mezurik oraindik", + "nomessages": "Mezurik ez", "nousersfound": "Ez da erabiltzailerik aurkitu", "removecontact": "Ezabatu kontaktua", "removecontactconfirm": "Kontaktua zure kontaktuen zerrendatik ezabatuko da.", - "send": "bidali", + "send": "Bidali", "sendmessage": "Mezua bidali", "type_blocked": "Blokeatuta", "type_offline": "Lineaz kanpo", diff --git a/www/addons/messages/lang/fa.json b/www/addons/messages/lang/fa.json index a6d80f69982..f5155644c97 100644 --- a/www/addons/messages/lang/fa.json +++ b/www/addons/messages/lang/fa.json @@ -6,14 +6,14 @@ "contactname": "نام مخاطب", "contacts": "مخاطبین", "errorwhileretrievingdiscussions": "خطا در دریافت مباحثه‌ها از کارگزار.", - "message": "متن پیام", + "message": "متن", "messagepreferences": "ترجیحات پیام‌دهی", "messages": "پیام‌ها", "newmessage": "پیام جدید", - "nomessages": "هنوز پیامی گفته نشده است", + "nomessages": "هیچ پیغامی منتظر جواب نیست", "nousersfound": "کاربری پیدا نشد", "removecontact": "حذف کردن مخاطب", - "send": "فرستادن", + "send": "ارسال", "sendmessage": "ارسال پیام", "unblockcontact": "خارج کردن مخاطب از حالت مسدود" } \ No newline at end of file diff --git a/www/addons/messages/lang/fi.json b/www/addons/messages/lang/fi.json index 5deb9983470..7556dd9a613 100644 --- a/www/addons/messages/lang/fi.json +++ b/www/addons/messages/lang/fi.json @@ -11,18 +11,18 @@ "errorwhileretrievingdiscussions": "Virhe ladattaessa keskusteluja palvelimelta.", "errorwhileretrievingmessages": "Virhe ladattaessa viestejä palvelimelta.", "loadpreviousmessages": "Lataa aiemmat viestit.", - "message": "Viesti", + "message": "Viestin tekstiosa", "messagenotsent": "Viestiä ei lähetetty. Ole hyvä ja yritä uudelleen myöhemmin.", "messagepreferences": "Viestien asetukset", "messages": "Viestit", "mustbeonlinetosendmessages": "Sinun täytyy olla online-tilassa lähettääksesi viestin.", "newmessage": "Uusi viesti", "newmessages": "Uusia viestejä", - "nomessages": "Ei odottavia viestejä", + "nomessages": "Ei viestejä", "nousersfound": "Käyttäjiä ei löytynyt", "removecontact": "Poista kontakti", "removecontactconfirm": "Tämä yhteystieto poistetaan yhteystietolistaltasi.", - "send": "lähetä", + "send": "Lähetä", "sendmessage": "Lähetä viesti", "type_blocked": "Estetty", "type_search": "Hakutulokset", diff --git a/www/addons/messages/lang/fr.json b/www/addons/messages/lang/fr.json index 35e434a9ab4..ca5bb9a7a60 100644 --- a/www/addons/messages/lang/fr.json +++ b/www/addons/messages/lang/fr.json @@ -2,7 +2,7 @@ "addcontact": "Ajouter ce contact", "blockcontact": "Bloquer ce contact", "blockcontactconfirm": "Vous ne recevrez plus de messages de ce contact.", - "blocknoncontacts": "Empêcher les utilisateurs inconnus de m'envoyer des messages personnels", + "blocknoncontacts": "Empêcher les utilisateurs hors liste de contacts de m'envoyer des messages personnels", "contactlistempty": "La liste des contacts est vide", "contactname": "Nom du contact", "contacts": "Contacts", @@ -13,19 +13,19 @@ "errorwhileretrievingdiscussions": "Erreur lors de la récupération de discussions depuis le serveur.", "errorwhileretrievingmessages": "Erreur lors de la récupération de messages depuis le serveur.", "loadpreviousmessages": "Charger les messages antérieurs", - "message": "Corps du message", + "message": "Message", "messagenotsent": "Ce message n'a pas été envoyé. Veuillez essayer plus tard.", "messagepreferences": "Préférences des messages", - "messages": "Messages", + "messages": "Messages personnels", "mustbeonlinetosendmessages": "Vous devez être en ligne pour envoyer des messages.", "newmessage": "Nouveau message", "newmessages": "Nouveaux messages", - "nomessages": "Pas encore de messages", - "nousersfound": "Aucun utilisateur n'a été trouvé", + "nomessages": "Aucun message", + "nousersfound": "Aucun utilisateur trouvé", "removecontact": "Supprimer ce contact", "removecontactconfirm": "Le contact sera retiré de votre liste.", "send": "Envoyer", - "sendmessage": "Envoyer message", + "sendmessage": "Envoyer message personnel", "type_blocked": "Bloqué", "type_offline": "Hors connexion", "type_online": "En ligne", diff --git a/www/addons/messages/lang/he.json b/www/addons/messages/lang/he.json index fb473cf8205..a04b1607db2 100644 --- a/www/addons/messages/lang/he.json +++ b/www/addons/messages/lang/he.json @@ -10,17 +10,17 @@ "errorwhileretrievingcontacts": "שגיאה בזמן טעינת אנשי קשר מהשרת.", "errorwhileretrievingdiscussions": "שגיאה בזמן טעינת הדיונים מהשרת.", "errorwhileretrievingmessages": "שגיאה בזמן טעינת המסרים מהשרת.", - "message": "גוף ההודעה", + "message": "הודעה", "messagenotsent": "מסר זה לא נשלח, אנא נסה שוב מאוחר יותר.", "messagepreferences": "העדפות מסרים", - "messages": "הודעות", + "messages": "מסרים", "mustbeonlinetosendmessages": "עליך להיות מחובר/ת בכדי לשלוח מסר.", "newmessage": "הודעה חדשה", - "nomessages": "אין הודעות עדיין", - "nousersfound": "לתשומת-לב", + "nomessages": "אין מסרים ממתינים", + "nousersfound": "לא נמצאו משתמשים", "removecontact": "הסרת איש הקשר", - "send": "שליחה", - "sendmessage": "שליחת הודעה", + "send": "לשלוח", + "sendmessage": "שליחת מסר", "type_blocked": "חסומים", "type_offline": "לא מחוברים", "type_online": "מחוברים", diff --git a/www/addons/messages/lang/hr.json b/www/addons/messages/lang/hr.json index ef9b4ba2f05..cc5cb50a593 100644 --- a/www/addons/messages/lang/hr.json +++ b/www/addons/messages/lang/hr.json @@ -4,16 +4,16 @@ "blocknoncontacts": "Blokiraj nepoznate korisnike", "contactlistempty": "Vaš adresar je prazan", "contacts": "Kontakti", - "message": "Tijelo poruke", + "message": "Poruka", "messagepreferences": "Postavke za poruke", "messages": "Poruke", "newmessage": "Nova poruka", "newmessages": "Nove poruke", - "nomessages": "Nema poruka (još)", + "nomessages": "Nema poruka na čekanju", "nousersfound": "Nema korisnika", "removecontact": "Ukloni kontakt", - "send": "Pošalji", - "sendmessage": "Slanje poruke", + "send": "pošalji", + "sendmessage": "Pošalji poruku", "type_offline": "Offline", "type_online": "Online", "type_strangers": "Ostali", diff --git a/www/addons/messages/lang/hu.json b/www/addons/messages/lang/hu.json index 324fe26fe60..af6e18a3d8a 100644 --- a/www/addons/messages/lang/hu.json +++ b/www/addons/messages/lang/hu.json @@ -7,14 +7,14 @@ "contacts": "Kapcsolatok", "deletemessage": "Üzenet törlése", "deletemessageconfirmation": "Biztosan törli az üzenetet? Az csak a korábbi üzeneteiből törlődik, az azt küldő vagy fogadó fél továbbra is láthatja.", - "message": "Üzenet törzsszövege", + "message": "Üzenet", "messagepreferences": "Üzenet beállításai", "messages": "Üzenetek", "newmessage": "Új üzenet", - "nomessages": "Még nincs üzenet", + "nomessages": "Nincs üzenet.", "nousersfound": "Nincs felhasználó", "removecontact": "Kapcsolat törlése", - "send": "Elküld", + "send": "küldés", "sendmessage": "Üzenet küldése", "unblockcontact": "Kapcsolat zárolásának feloldása" } \ No newline at end of file diff --git a/www/addons/messages/lang/it.json b/www/addons/messages/lang/it.json index f3ea6e8dcd3..9eeabbcf865 100644 --- a/www/addons/messages/lang/it.json +++ b/www/addons/messages/lang/it.json @@ -2,7 +2,7 @@ "addcontact": "Aggiungi contatto", "blockcontact": "Blocca contatto", "blocknoncontacts": "Evita messaggi da parte di utenti che non fanno parte dei miei contatti", - "contactlistempty": "La lista dei contatti è vuota", + "contactlistempty": "L'elenco dei contatti è vuoto", "contactname": "Nome del contatto", "contacts": "Contatti", "deletemessage": "Elimina messaggio", @@ -11,16 +11,16 @@ "errorwhileretrievingcontacts": "Si è verificato un errore durante la ricezione dei contatti dal server.", "errorwhileretrievingdiscussions": "Si è verificato un errore durante la ricezione delle discussioni dal server.", "errorwhileretrievingmessages": "Si è verificato un errore durante la ricezione dei messaggi dal server.", - "message": "Corpo del messaggio", + "message": "Messaggio", "messagenotsent": "Il messaggio non è stato inviato, per favore riprova più tardi.", "messagepreferences": "Preferenze messaggi", "messages": "Messaggi", "mustbeonlinetosendmessages": "Per inviare messaggi devi essere online", "newmessage": "Nuovo messaggio", - "nomessages": "Non ci sono ancora messaggi", - "nousersfound": "Non trovato alcun utente", + "nomessages": "Nessun messaggio", + "nousersfound": "Non sono stati trovati utenti", "removecontact": "Cancella contatti", - "send": "invia", + "send": "Invia", "sendmessage": "Invia messaggio", "type_blocked": "Bloccato", "type_offline": "Offline", diff --git a/www/addons/messages/lang/ja.json b/www/addons/messages/lang/ja.json index b889b60b554..f9e80f8810e 100644 --- a/www/addons/messages/lang/ja.json +++ b/www/addons/messages/lang/ja.json @@ -3,7 +3,7 @@ "blockcontact": "受信拒否", "blockcontactconfirm": "この連絡先からのメッセージ受信を停止します。", "blocknoncontacts": "不明なユーザをブロックする", - "contactlistempty": "コンタクトリストは空です。", + "contactlistempty": "連絡先リストが空", "contactname": "連絡先名称", "contacts": "コンタクト", "deletemessage": "メッセージを削除する", @@ -13,15 +13,15 @@ "errorwhileretrievingdiscussions": "サーバからディスカッションを受信中にエラーが発生しました。", "errorwhileretrievingmessages": "サーバからメッセージを受信中にエラーが発生しました。", "loadpreviousmessages": "以前のメッセージを読み込み", - "message": "メッセージ本文", + "message": "メッセージ", "messagenotsent": "メッセージは送信されませんでした。後で再び試みてください。", "messagepreferences": "メッセージプリファレンス", "messages": "メッセージ", "mustbeonlinetosendmessages": "メッセージを送信するにはオンラインでなければなりません。", "newmessage": "新しいメッセージ", "newmessages": "新規メッセージ...", - "nomessages": "メッセージはありません。", - "nousersfound": "ユーザは見つかりませんでした。", + "nomessages": "メッセージがありません。", + "nousersfound": "ユーザが見つかりません", "removecontact": "コンタクトから削除する", "removecontactconfirm": "連絡先はあなたの連絡先リストから削除されます。", "send": "送信", diff --git a/www/addons/messages/lang/ko.json b/www/addons/messages/lang/ko.json new file mode 100644 index 00000000000..076397815a1 --- /dev/null +++ b/www/addons/messages/lang/ko.json @@ -0,0 +1,21 @@ +{ + "blockcontactconfirm": "이 연락처의 메시지는 더 이상 수신되지 않습니다.", + "contactlistempty": "연락처가 비어 있습니다.", + "contactname": "연락처 이름", + "errordeletemessage": "메시지를 지우는 중 오류 발생", + "errorwhileretrievingcontacts": "서버에서 연락처를 검색하는 동안 오류 발생", + "errorwhileretrievingdiscussions": "서버에서 토론을 가져 오는 중에 오류 발생", + "errorwhileretrievingmessages": "서버에서 메시지를 검색하는 중 오류 발생", + "loadpreviousmessages": "이전 메시지 로드", + "messagenotsent": "메시지가 전송되지 않았습니다. 다시 시도해 주세요.", + "mustbeonlinetosendmessages": "메시지를 전송하기 위해서는 온라인 상태여야 합니다.", + "newmessages": "새로운 메시지", + "nousersfound": "사용자가 없습니다.", + "removecontactconfirm": "연락처가 연락처 목록에서 제거됩니다.", + "type_blocked": "차단된", + "type_offline": "오프라인", + "type_online": "온라인", + "type_search": "검색 결과", + "type_strangers": "기타", + "warningmessagenotsent": "{{user}} 사용자에게 메시지를 보낼 수 없습니다. {{오류}}" +} \ No newline at end of file diff --git a/www/addons/messages/lang/lt.json b/www/addons/messages/lang/lt.json index 79b78afbfb0..a1774aa336f 100644 --- a/www/addons/messages/lang/lt.json +++ b/www/addons/messages/lang/lt.json @@ -2,23 +2,23 @@ "addcontact": "Įtraukti kontaktą", "blockcontact": "Blokuoti kontaktą", "blocknoncontacts": "Neleisti neįtrauktiems į kontaktų sąrašą asmenims siųsti man žinutes", - "contactlistempty": "Jūsų kontaktų sąrašas tuščias", + "contactlistempty": "Kontaktų sąrašas tuščias", "contactname": "Kontaktas", "contacts": "Kontaktai", "errordeletemessage": "Klaida trinant žinutes.", "errorwhileretrievingcontacts": "Klaida nuskaitant kontaktus iš serverio.", "errorwhileretrievingdiscussions": "Klaida nuskaitant diskusijas iš serverio.", "errorwhileretrievingmessages": "Klaida nuskaitant pranešimus iš serverio.", - "message": "Pranešimo tekstas", + "message": "Žinutės tekstas", "messagenotsent": "Žinutė nebuvo išsiųsta, pabandykite vėliau.", "messagepreferences": "Žinučių nuostatos", "messages": "Žinutės", "mustbeonlinetosendmessages": "Norėdamas išsiųsti žinutę, turite prisijungti", "newmessage": "Nauja žinutė", - "nomessages": "Nėra žinučių", - "nousersfound": "Nerasta naudotojų", + "nomessages": "Žinučių dar nėra", + "nousersfound": "Vartotojas nerastas", "removecontact": "Pašalinti kontaktą", - "send": "siųsti", + "send": "Siųsti", "sendmessage": "Siųsti žinutę", "type_blocked": "Užblokuota", "type_offline": "Neprisjungęs", diff --git a/www/addons/messages/lang/mr.json b/www/addons/messages/lang/mr.json index 4746a250790..c5d3a7e8e8e 100644 --- a/www/addons/messages/lang/mr.json +++ b/www/addons/messages/lang/mr.json @@ -16,11 +16,11 @@ "messages": "संदेश", "mustbeonlinetosendmessages": "आपल्याला संदेश पाठविण्यासाठी ऑनलाइन असणे आवश्यक आहे", "newmessages": "नवीन संदेश", - "nomessages": "प्रतीक्षा सुचीमध्ये संदेश नाहीत", - "nousersfound": "युजर सापडत नाहीत", + "nomessages": "आजुन पर्यत संदेश नाही", + "nousersfound": "कोणतेही वापरकर्ते आढळले नाहीत", "removecontact": "संपर्क काढुन टाका", "removecontactconfirm": "आपल्या संपर्क यादीतून संपर्क काढला जाईल.", - "sendmessage": "संदेश पाठवा", + "sendmessage": "संदेश पाठवला", "type_blocked": "अवरोधित केले", "type_offline": "ऑफलाइन", "type_online": "ऑनलाइन", diff --git a/www/addons/messages/lang/nl.json b/www/addons/messages/lang/nl.json index a6059a8c50a..a177d53d7c7 100644 --- a/www/addons/messages/lang/nl.json +++ b/www/addons/messages/lang/nl.json @@ -13,18 +13,18 @@ "errorwhileretrievingdiscussions": "Fout bij het ophalen van discussies van de server.", "errorwhileretrievingmessages": "Fout bij het ophalen van berichten van de server.", "loadpreviousmessages": "Laad vorige berichten", - "message": "Berichtinhoud", + "message": "Bericht", "messagenotsent": "Het bericht is niet verzonden. Probeer het later opnieuw.", "messagepreferences": "Berichten voorkeuren", "messages": "Berichten", "mustbeonlinetosendmessages": "Je moet online zijn om berichten te versturen", "newmessage": "Nieuw bericht", "newmessages": "Nieuwe berichten", - "nomessages": "Nog geen berichten", + "nomessages": "Geen berichten", "nousersfound": "Geen gebruikers gevonden", "removecontact": "Verwijder contactpersoon", "removecontactconfirm": "Contact zal verwijderd worden van je contactenlijst.", - "send": "Stuur", + "send": "stuur", "sendmessage": "Stuur bericht", "type_blocked": "Geblokkeerd", "type_offline": "Offline", diff --git a/www/addons/messages/lang/no.json b/www/addons/messages/lang/no.json index 17dc96bf200..ca70174ad09 100644 --- a/www/addons/messages/lang/no.json +++ b/www/addons/messages/lang/no.json @@ -11,18 +11,18 @@ "errorwhileretrievingdiscussions": "Feil ved henting av diskusjoner fra server", "errorwhileretrievingmessages": "Feil ved henting av meldinger fra server", "loadpreviousmessages": "Last forrige meldinger", - "message": "Meldingsteksten", + "message": "Melding", "messagenotsent": "Meldingen ble ikke sendt. Prøv igjen senere", "messagepreferences": "Meldingspreferanser", - "messages": "Beskjeder", + "messages": "Meldinger", "mustbeonlinetosendmessages": "Du må være på nett for å sende meldinger", "newmessage": "Ny melding", "newmessages": "Nye meldinger", - "nomessages": "Ingen beskjeder ennå", + "nomessages": "Ingen meldinger", "nousersfound": "Ingen brukere funnet", "removecontact": "Fjern kontakt", "removecontactconfirm": "Kontakten vil bli fjernet fra kontaktlisten", - "send": "Send", + "send": "send", "sendmessage": "Send melding", "type_blocked": "Blokkert", "type_offline": "Offline", diff --git a/www/addons/messages/lang/pl.json b/www/addons/messages/lang/pl.json index a0b20dc95eb..6cb4279d4f9 100644 --- a/www/addons/messages/lang/pl.json +++ b/www/addons/messages/lang/pl.json @@ -7,14 +7,14 @@ "contacts": "Kontakty", "deletemessage": "Usuń wiadomość", "deletemessageconfirmation": "Czy jesteś pewien, że chcesz usunąć tę wiadomość? Zostanie ona usunięta wyłącznie z twojej historii wiadomości, użytkownik który ją wysłał lub odebrał nadal będzie mógł ją wyświetlić.", - "message": "Treść wiadomości", + "message": "Wiadomość", "messagepreferences": "Preferencje wiadomości", "messages": "Wiadomości", "newmessage": "Nowa wiadomość", - "nomessages": "Brak wiadomości", + "nomessages": "Brak oczekujących wiadomości", "nousersfound": "Nie znaleziono użytkowników", "removecontact": "Usuń kontakt", - "send": "wyślij", + "send": "Wyślij", "sendmessage": "Wyślij wiadomość", "unblockcontact": "Odblokuj kontakt" } \ No newline at end of file diff --git a/www/addons/messages/lang/pt-br.json b/www/addons/messages/lang/pt-br.json index 05e8e92274b..54c1e1b6e2c 100644 --- a/www/addons/messages/lang/pt-br.json +++ b/www/addons/messages/lang/pt-br.json @@ -3,7 +3,7 @@ "blockcontact": "Bloquear contato", "blockcontactconfirm": "Você deixará de receber mensagens deste contato.", "blocknoncontacts": "Bloquear todas as mensagens de quem não estiver na minha lista de contatos", - "contactlistempty": "Lista de contatos vazia", + "contactlistempty": "A lista de contatos está vaiza", "contactname": "Nome do contato", "contacts": "Contatos", "deletemessage": "Excluir mensagem", @@ -13,18 +13,18 @@ "errorwhileretrievingdiscussions": "Erro ao recuperar discussão do servidor.", "errorwhileretrievingmessages": "Erro ao recuperar as mensagens do servidor.", "loadpreviousmessages": "Carregar mensagens anteriores", - "message": "Corpo da mensagem", + "message": "Mensagem", "messagenotsent": "A mensagem não foi enviada. Por favor tente novamente mais tarde.", "messagepreferences": "Preferências de mensagens", "messages": "Mensagens", "mustbeonlinetosendmessages": "Você precisa estar conectado para enviar mensagens.", "newmessage": "Nova Mensagem", "newmessages": "Novas mensagens", - "nomessages": "Sem novas mensagens", + "nomessages": "Nenhuma mensagem ainda", "nousersfound": "Nenhum usuário encontrado", "removecontact": "Eliminar contato", "removecontactconfirm": "O contato será removido da sua lista de contatos.", - "send": "enviar", + "send": "Enviar", "sendmessage": "Enviar mensagem", "type_blocked": "Bloqueado", "type_offline": "Offline", diff --git a/www/addons/messages/lang/pt.json b/www/addons/messages/lang/pt.json index 71a8115021c..0682eb8829e 100644 --- a/www/addons/messages/lang/pt.json +++ b/www/addons/messages/lang/pt.json @@ -13,14 +13,14 @@ "errorwhileretrievingdiscussions": "Erro ao obter tópicos de discussão do servidor.", "errorwhileretrievingmessages": "Erro ao obter mensagens do servidor.", "loadpreviousmessages": "Carregar mensagens antigas", - "message": "Corpo da mensagem", + "message": "Mensagem", "messagenotsent": "A mensagem não foi enviada. Tente novamente mais tarde.", "messagepreferences": "Preferências das mensagens", "messages": "Mensagens", "mustbeonlinetosendmessages": "Precisa de estar online para enviar mensagens.", "newmessage": "Nova mensagem", "newmessages": "Novas mensagens", - "nomessages": "Sem mensagens", + "nomessages": "Ainda não há mensagens", "nousersfound": "Nenhum utilizador encontrado", "removecontact": "Remover contacto", "removecontactconfirm": "O contacto será removido da sua lista de contactos.", diff --git a/www/addons/messages/lang/ro.json b/www/addons/messages/lang/ro.json index e926661d4f1..df7314e6617 100644 --- a/www/addons/messages/lang/ro.json +++ b/www/addons/messages/lang/ro.json @@ -11,15 +11,15 @@ "errorwhileretrievingcontacts": "A apărut o eroare în găsirea contactelor pe server.", "errorwhileretrievingdiscussions": "A apărut o eroare în găsirea conversațiilor de pe server.", "errorwhileretrievingmessages": "A apărut o eroare în găsirea mesajelor de pe server.", - "message": "Conținut mesaj", + "message": "Mesaj", "messagenotsent": "Mesajul nu a fost expediat, vă rugăm să încercați mai târziu.", "messages": "Mesaje", "mustbeonlinetosendmessages": "Trebuie să fiți online pentru a putea trimite mesaje", - "newmessage": "Mesaj nou!", - "nomessages": "Nu există mesaje în aşteptare", - "nousersfound": "Nu s-au găsit utilizatori", + "newmessage": "Mesaj nou", + "nomessages": "Nu a fost trimis încă niciun mesaj", + "nousersfound": "Nu au fost găsiți utilizatori", "removecontact": "Şterge prieten din listă", - "send": "Trimis", + "send": "trimis", "sendmessage": "Trimite mesaj", "type_blocked": "Blocat", "type_offline": "Deconectat", diff --git a/www/addons/messages/lang/ru.json b/www/addons/messages/lang/ru.json index adb99a6ab4d..d388c79e127 100644 --- a/www/addons/messages/lang/ru.json +++ b/www/addons/messages/lang/ru.json @@ -1,26 +1,29 @@ { "addcontact": "Добавить собеседника", "blockcontact": "Блокировать сообщения от этого человека", + "blockcontactconfirm": "Вы больше не будете получать сообщения от этого контакта.", "blocknoncontacts": "Не принимать сообщения от людей, которых нет в списке моих собеседников", - "contactlistempty": "Список собеседников пуст", + "contactlistempty": "Список контактов пуст", "contactname": "Имя контакта", "contacts": "Собеседники", "deletemessage": "Удалить сообщение", "deletemessageconfirmation": "Вы уверены, что хотите удалить данное сообщение? Сообщение будет удалено лишь из списка сообщений и будет доступно для просмотра отправителем или получателем.", - "errorwhileretrievingcontacts": "Ошибка при извлечении контактов с сервера", - "errorwhileretrievingdiscussions": "Ошибка при получении обсуждения с сервера.", - "errorwhileretrievingmessages": "Ошибка при получении сообщения с сервера", + "errordeletemessage": "Ошибка при удалении сообщения.", + "errorwhileretrievingcontacts": "Ошибка при извлечении контактов с сервера.", + "errorwhileretrievingdiscussions": "Ошибка при получении обсуждений с сервера.", + "errorwhileretrievingmessages": "Ошибка при получении сообщений с сервера.", "loadpreviousmessages": "Загрузить предыдущее сообщение", - "message": "Текст сообщения", - "messagenotsent": "Сообщение не было отправлено. Повторите попытку позже.", + "message": "Сообщение", + "messagenotsent": "Сообщение не было отправлено. Пожалуйста, повторите попытку позже.", "messagepreferences": "Настройки сообщений", "messages": "Сообщения", - "mustbeonlinetosendmessages": "Вы должны быть на сайте, чтобы отправлять сообщения", + "mustbeonlinetosendmessages": "Вы должны быть подключены к сети, чтобы отправлять сообщения.", "newmessage": "Новое сообщение", "newmessages": "Новые сообщения", - "nomessages": "Нет ни одного сообщения", + "nomessages": "Нет новых сообщений", "nousersfound": "Пользователи не найдены", "removecontact": "Удалить собеседника из моего списка", + "removecontactconfirm": "Контакт будет удалён из вашего списка контактов.", "send": "Отправить", "sendmessage": "Отправить сообщение", "type_blocked": "Заблокировано", @@ -28,5 +31,6 @@ "type_online": "На сайте", "type_search": "Результаты поиска", "type_strangers": "Другие", - "unblockcontact": "Разблокировать сообщения от этого собеседника" + "unblockcontact": "Разблокировать сообщения от этого собеседника", + "warningmessagenotsent": "Не получилось отправить сообщение(я) пользователю {{user}}. {{error}}" } \ No newline at end of file diff --git a/www/addons/messages/lang/sv.json b/www/addons/messages/lang/sv.json index 46c8195fcc9..8be41cc42dc 100644 --- a/www/addons/messages/lang/sv.json +++ b/www/addons/messages/lang/sv.json @@ -11,16 +11,16 @@ "errorwhileretrievingcontacts": "Fel vid hämtning av kontakter från servern.", "errorwhileretrievingdiscussions": "Fel vid hämtning av diskussionerna från servern.", "errorwhileretrievingmessages": "Fel vid hämtning meddelanden från servern.", - "message": "Meddelandets brödtext", + "message": "Meddelande", "messagenotsent": "Meddelandet skickades inte, försök igen senare.", "messagepreferences": "Välj inställningar för meddelanden", "messages": "Meddelanden", "mustbeonlinetosendmessages": "Du måste vara online för att skicka meddelanden", "newmessage": "Nytt meddelande", - "nomessages": "Inga meddelanden än", - "nousersfound": "Det gick inte att hitta några användare", + "nomessages": "Inga avvaktande meddelanden", + "nousersfound": "Inga användare hittades", "removecontact": "Ta bort kontakt", - "send": "skicka", + "send": "Skicka", "sendmessage": "Skicka meddelande", "type_blocked": "blockerad", "type_offline": "Offline", diff --git a/www/addons/messages/lang/tr.json b/www/addons/messages/lang/tr.json index 21ddb0e2f69..38d1a3b1e77 100644 --- a/www/addons/messages/lang/tr.json +++ b/www/addons/messages/lang/tr.json @@ -5,11 +5,11 @@ "contactlistempty": "Kişi listeniz şu anda boş", "contactname": "Adı", "contacts": "Kişiler", - "message": "Mesaj gövdesi", + "message": "Mesaj", "messagepreferences": "İleti tercihleri", "messages": "Mesajlar", "newmessage": "Yeni ileti", - "nomessages": "Yeni ileti yok", + "nomessages": "Henüz mesaj yok", "nousersfound": "Kullanıcı bulunamadı", "removecontact": "Kişiyi sil", "send": "Gönder", diff --git a/www/addons/messages/lang/uk.json b/www/addons/messages/lang/uk.json index d562482c29d..fd7748c9b53 100644 --- a/www/addons/messages/lang/uk.json +++ b/www/addons/messages/lang/uk.json @@ -11,17 +11,17 @@ "errorwhileretrievingdiscussions": "Помилка при отриманні обговорення з сервера.", "errorwhileretrievingmessages": "Помилка при отриманні повідомлень від сервера.", "loadpreviousmessages": "Завантаження попередніх повідомлень", - "message": "Текст повідомлення", + "message": "Повідомлення", "messagenotsent": "Повідомлення не було відправлено, будь ласка, спробуйте ще раз пізніше.", "messages": "Повідомлення", "mustbeonlinetosendmessages": "Ви повинні бути онлайн, щоб відправляти повідомлення", "newmessage": "Нове повідомлення...", "newmessages": "Нові повідомлення", - "nomessages": "Ще немає повідомлень", + "nomessages": "Немає нових повідомлень", "nousersfound": "Користувачів не знайдено", "removecontact": "Видалити контакт", "removecontactconfirm": "Контакт буде видалено зі списку контактів.", - "send": "Відіслати", + "send": "надіслати", "sendmessage": "Надіслати повідомлення", "type_blocked": "Заблоковано", "type_offline": "Офлайн", diff --git a/www/addons/mod/assign/feedback/comments/lang/mr.json b/www/addons/mod/assign/feedback/comments/lang/mr.json index c031183b2ca..86dcff053b0 100644 --- a/www/addons/mod/assign/feedback/comments/lang/mr.json +++ b/www/addons/mod/assign/feedback/comments/lang/mr.json @@ -1,3 +1,3 @@ { - "pluginname": "निवड" + "pluginname": "संभाषण" } \ No newline at end of file diff --git a/www/addons/mod/assign/feedback/editpdf/lang/ar.json b/www/addons/mod/assign/feedback/editpdf/lang/ar.json index a3611bbf005..5e26c93b68a 100644 --- a/www/addons/mod/assign/feedback/editpdf/lang/ar.json +++ b/www/addons/mod/assign/feedback/editpdf/lang/ar.json @@ -1,3 +1,3 @@ { - "pluginname": "الاختيار" + "pluginname": "محادثة" } \ No newline at end of file diff --git a/www/addons/mod/assign/feedback/editpdf/lang/bg.json b/www/addons/mod/assign/feedback/editpdf/lang/bg.json index 8a241b288f2..c81014ebe4d 100644 --- a/www/addons/mod/assign/feedback/editpdf/lang/bg.json +++ b/www/addons/mod/assign/feedback/editpdf/lang/bg.json @@ -1,3 +1,3 @@ { - "pluginname": "Избор" + "pluginname": "Чат" } \ No newline at end of file diff --git a/www/addons/mod/assign/feedback/editpdf/lang/mr.json b/www/addons/mod/assign/feedback/editpdf/lang/mr.json index c031183b2ca..86dcff053b0 100644 --- a/www/addons/mod/assign/feedback/editpdf/lang/mr.json +++ b/www/addons/mod/assign/feedback/editpdf/lang/mr.json @@ -1,3 +1,3 @@ { - "pluginname": "निवड" + "pluginname": "संभाषण" } \ No newline at end of file diff --git a/www/addons/mod/assign/feedback/file/lang/el.json b/www/addons/mod/assign/feedback/file/lang/el.json deleted file mode 100644 index 87e1e04556a..00000000000 --- a/www/addons/mod/assign/feedback/file/lang/el.json +++ /dev/null @@ -1,3 +0,0 @@ -{ - "pluginname": "Συζήτηση" -} \ No newline at end of file diff --git a/www/addons/mod/assign/feedback/file/lang/mr.json b/www/addons/mod/assign/feedback/file/lang/mr.json index c031183b2ca..86dcff053b0 100644 --- a/www/addons/mod/assign/feedback/file/lang/mr.json +++ b/www/addons/mod/assign/feedback/file/lang/mr.json @@ -1,3 +1,3 @@ { - "pluginname": "निवड" + "pluginname": "संभाषण" } \ No newline at end of file diff --git a/www/addons/mod/assign/lang/ca.json b/www/addons/mod/assign/lang/ca.json index 9d246a7ff12..065ff663e07 100644 --- a/www/addons/mod/assign/lang/ca.json +++ b/www/addons/mod/assign/lang/ca.json @@ -32,7 +32,7 @@ "errorshowinginformation": "No es pot mostrar la informació de la tramesa", "extensionduedate": "Data de venciment de la pròrroga", "feedbacknotsupported": "Aquesta retroacció no està admesa per l'aplicació i podria no contenir tota la informació", - "grade": "Qualifica", + "grade": "Qualificació", "graded": "Qualificada", "gradedby": "Qualificat per", "gradedon": "Qualificat el", diff --git a/www/addons/mod/assign/lang/cs.json b/www/addons/mod/assign/lang/cs.json index 5a161371d89..0e7d8aff5c6 100644 --- a/www/addons/mod/assign/lang/cs.json +++ b/www/addons/mod/assign/lang/cs.json @@ -28,10 +28,10 @@ "duedatereached": "Termín pro odevzdání tohoto úkolu vypršel", "editingstatus": "Stav úprav", "editsubmission": "Upravit řešení úkolu", - "erroreditpluginsnotsupported": "V aplikaci nemůžete přidat nebo upravit řešení úkolu, protože některé doplňky nepodporují úpravy:", - "errorshowinginformation": "Nemůžeme zobrazit informace o řešení úkolu", + "erroreditpluginsnotsupported": "V aplikaci nemůžete přidat nebo upravit řešení úkolu, protože některé doplňky nepodporují úpravy.", + "errorshowinginformation": "Nelze zobrazit informace o řešení úkolu.", "extensionduedate": "Prodloužený termín odevzdání", - "feedbacknotsupported": "Tento komentář není aplikací podporován a nemůže obsahovat informace", + "feedbacknotsupported": "Tento komentář aplikace nepodporuje a nemusí obsahovat všechny informace.", "grade": "Známka", "graded": "Udělena známka", "gradedby": "Hodnoceno", @@ -55,7 +55,7 @@ "nomoresubmissionsaccepted": "Povoleny pouze pro účastníky, kterým byl prodloužen termín", "noonlinesubmissions": "Tento úkol nevyžaduje odpověď online", "nosubmission": "K tomuto úkolu nebylo nic odevzdáno", - "notallparticipantsareshown": "Nejsou zobrazeni účastníci bez odevzdaného řešení úkolu", + "notallparticipantsareshown": "Nejsou zobrazeni účastníci bez odevzdaného řešení úkolu.", "noteam": "Není členem žádné skupiny", "notgraded": "Nehodnoceno", "numberofdraftsubmissions": "Návrhy", @@ -70,7 +70,7 @@ "submission": "Odevzdané úkoly", "submissioneditable": "Student může upravit tento úkol", "submissionnoteditable": "Student nemůže upravit tento úkol", - "submissionnotsupported": "Tento formát řešení úkolu není aplikací podporován a nemůže obsahovat informace", + "submissionnotsupported": "Tento formát řešení úkolu aplikace nepodporuje a nemusí obsahovat všechny informace.", "submissionslocked": "V tomto úkolu nelze odevzdat práci", "submissionstatus": "Stav odevzdání úkolu", "submissionstatus_": "Neodesláno", diff --git a/www/addons/mod/assign/lang/da.json b/www/addons/mod/assign/lang/da.json index 109a2c1254b..63c6eff1859 100644 --- a/www/addons/mod/assign/lang/da.json +++ b/www/addons/mod/assign/lang/da.json @@ -83,7 +83,7 @@ "submissionteam": "Gruppe", "submitassignment": "Aflever", "submitassignment_help": "Når opgaven er afleveret kan du ikke længere foretage ændringer i den.", - "submittedearly": "Opgaven blev afleveret {{$a}} for tidligt", + "submittedearly": "Opgaven blev afleveret {{$a}} inden fristens udløb.", "submittedlate": "Opgaven blev afleveret {{$a}} for sent", "timemodified": "Seneste ændring", "timeremaining": "Resterende tid", diff --git a/www/addons/mod/assign/lang/de-du.json b/www/addons/mod/assign/lang/de-du.json index 502d58ed085..36039446e87 100644 --- a/www/addons/mod/assign/lang/de-du.json +++ b/www/addons/mod/assign/lang/de-du.json @@ -32,7 +32,7 @@ "errorshowinginformation": "Die Abgabeinformationen können nicht angezeigt werden.", "extensionduedate": "Verlängerung des Fälligkeitsdatums", "feedbacknotsupported": "Dieses Feedback wird von der App nicht unterstützt, so dass Informationen fehlen könnten.", - "grade": "Bewertung", + "grade": "Relative Bewertung", "graded": "Bewertet", "gradedby": "Bewertet von", "gradedon": "Bewertet am", diff --git a/www/addons/mod/assign/lang/de.json b/www/addons/mod/assign/lang/de.json index 82f9ed9a8ac..119b0d99009 100644 --- a/www/addons/mod/assign/lang/de.json +++ b/www/addons/mod/assign/lang/de.json @@ -32,7 +32,7 @@ "errorshowinginformation": "Die Abgabeinformationen können nicht angezeigt werden.", "extensionduedate": "Verlängerung des Fälligkeitsdatums", "feedbacknotsupported": "Dieses Feedback wird von der App nicht unterstützt, so dass Informationen fehlen könnten.", - "grade": "Relative Bewertung", + "grade": "Bewertung", "graded": "Bewertet", "gradedby": "Bewertet von", "gradedon": "Bewertet am", diff --git a/www/addons/mod/assign/lang/el.json b/www/addons/mod/assign/lang/el.json index 275c3dfd231..094fe48986a 100644 --- a/www/addons/mod/assign/lang/el.json +++ b/www/addons/mod/assign/lang/el.json @@ -13,6 +13,7 @@ "cannoteditduetostatementsubmission": "Δεν μπορείτε να προσθέσετε ή να επεξεργαστείτε μια υποβολή στην εφαρμογή, γιατί δεν κατέστη δυνατό να ανακτηθεί η δήλωση υποβολής από το site.", "cannotgradefromapp": "Μερικές μέθοδοι ταξινόμησης δεν υποστηρίζονται ακόμα από την εφαρμογή και δεν μπορεί να τροποποιηθεί.", "cannotsubmitduetostatementsubmission": "Δεν μπορείτε να υποβάλετε για βαθμολόγηση στην εφαρμογή, γιατί δεν κατέστη δυνατό να ανακτηθεί η δήλωση υποβολής από το site.", + "confirmsubmission": "Σίγουρα θέλετε να υποβάλετε την εργασία σας προς βαθμολόγηση; Δε θα μπορείτε να κάνετε περαιτέρω αλλαγές.", "currentattempt": "Αυτή είναι η {{$a}} προσπάθεια.", "currentattemptof": "Αυτή είναι η {{$a.attemptnumber}} προσπάθεια ( {{$a.maxattempts}} προσπάθειες επιτρέπονται).", "currentgrade": "Τωρινός βαθμός στο βαθμολόγιο", @@ -60,6 +61,7 @@ "submissionstatusheading": "Κατάσταση Υποβολής", "submissionteam": "Ομάδα", "submitassignment": "Υποβολή εργασίας", + "submitassignment_help": "Από τη στιγμή που θα υποβληθεί η εργασία δεν θα μπορείτε να κάνετε οποιαδήποτε αλλαγή.", "submittedearly": "Η εργασία υποβλήθηκε νωρίτερα κατά {{$a}}", "submittedlate": "Η εργασία υποβλήθηκε {{$a}} αργότερα", "timemodified": "Τελευταία Τροποποίηση", diff --git a/www/addons/mod/assign/lang/eu.json b/www/addons/mod/assign/lang/eu.json index 1b62e71067f..9d5b0cfffce 100644 --- a/www/addons/mod/assign/lang/eu.json +++ b/www/addons/mod/assign/lang/eu.json @@ -14,9 +14,9 @@ "attemptreopenmethod_manual": "Eskuz", "attemptreopenmethod_untilpass": "Automatikoki gainditu arte", "attemptsettings": "Saiakeren ezarpenak", - "cannoteditduetostatementsubmission": "Ezin duzu app-an bidalketa gehitu edo editatu ezin izan dugulako berreskuratu guneko bidalketa-sententzia.", - "cannotgradefromapp": "Kalifikazio-metodo batzuk oraindik ez daude app-an onartuta eta ezin dira aldatu.", - "cannotsubmitduetostatementsubmission": "Ezin duzu app-an bidalketa ebaluatzeko bidali ezin izan dugulako berreskuratu guneko bidalketa-sententzia.", + "cannoteditduetostatementsubmission": "Ezin duzu bidalketa app-an gehitu edo editatu ezin izan dugulako guneko bidalketa-sententzia berreskuratu.", + "cannotgradefromapp": "Kalifikazio-metodo batzuk oraindik ez daude app-an onartuta eta ezin dira aldatu .", + "cannotsubmitduetostatementsubmission": "Ezin duzu app-an bidalketa bat egin ezin izan dugulako guneko bidalketa-sententzia berreskuratu.", "confirmsubmission": "Ziur al zaude zure lana bidali nahi duzula kalifikatzeko? Ezin izango duzu aldaketarik egin.", "currentattempt": "Hau da {{$a}} saiakera.", "currentattemptof": "Hau {{$a.attemptnumber}}. saiakera da ( {{$a.maxattempts}} saiakera onartzen dira ).", @@ -28,11 +28,11 @@ "duedatereached": "Zeregin hau bidaltzeko epea amaitu da", "editingstatus": "Editatzen egoera", "editsubmission": "Editatu bidalketa", - "erroreditpluginsnotsupported": "Ezin duzu app-an bidalketa gehitu edo editatu gehigarri batzuk ez dutelako editatatzea onartzen:", - "errorshowinginformation": "Ezin dugu bidalketaren informazioa erakutsi", + "erroreditpluginsnotsupported": "Ezin duzu bidalketa app-an gehitu edo editatu gehigarri batzuk ez dutelako editatatzea onartzen.", + "errorshowinginformation": "Ezin da bidalketaren informazioa erakutsi.", "extensionduedate": "Luzapenaren entregatze-data", - "feedbacknotsupported": "Feedback hau ez da onartzen app-an eta baliteke informazio guztia jasota ez egotea.", - "grade": "Nota", + "feedbacknotsupported": "Feedback hau ez da app-an onartzen eta baliteke informazio guztia jasota ez egotea.", + "grade": "Kalifikazioa", "graded": "Kalifikatua", "gradedby": "Nork kalifikatua", "gradedon": "Noiz kalifikatua", @@ -55,7 +55,7 @@ "nomoresubmissionsaccepted": "Soilik epearen luzapena jaso duten kideei baimenduta.", "noonlinesubmissions": "Zeregin honek ez du ezer on-line aurkezteko eskatzen", "nosubmission": "Ez dago bildalketarik zeregin honetan", - "notallparticipantsareshown": "Bidalketarik egin ez duten ikasleak ez dira erakusten", + "notallparticipantsareshown": "Bidalketarik egin ez duten ikasleak ez dira erakusten.", "noteam": "Ez zara inongo taldetako kide", "notgraded": "Kalifikatu gabea", "numberofdraftsubmissions": "Zirriborroak", @@ -70,7 +70,7 @@ "submission": "Bidalketa", "submissioneditable": "Ikasleak bere bidalketa edita dezake", "submissionnoteditable": "Ikasleak ezin du editatu bidalketa hau", - "submissionnotsupported": "Bidalketa hau ez da onartzen app-an eta baliteke informazio guztia jasota ez egotea.", + "submissionnotsupported": "Bidalketa hau ez da app-an onartzen eta baliteke informazio guztia jasota ez egotea.", "submissionslocked": "Zeregin honek ez du bidalketarik onartzen", "submissionstatus": "Bidalketaren egoera", "submissionstatus_": "Ez dago bidalketarik", diff --git a/www/addons/mod/assign/lang/fi.json b/www/addons/mod/assign/lang/fi.json index 4f368f5eb20..38b2a903909 100644 --- a/www/addons/mod/assign/lang/fi.json +++ b/www/addons/mod/assign/lang/fi.json @@ -32,7 +32,7 @@ "errorshowinginformation": "Palautteen tietoja ei voida näyttää.", "extensionduedate": "Lisäajan päättymisaika", "feedbacknotsupported": "Palautetta ei tueta mobiilisovelluksessa, eikä se välttämättä sisällä kaikkia tietoja.", - "grade": "Arvosana", + "grade": "Arviointi", "graded": "Arvioitu", "gradedby": "Arvioija", "gradedon": "Arviointipäivä", diff --git a/www/addons/mod/assign/lang/he.json b/www/addons/mod/assign/lang/he.json index 634624ece1e..05f4ea2748c 100644 --- a/www/addons/mod/assign/lang/he.json +++ b/www/addons/mod/assign/lang/he.json @@ -25,7 +25,7 @@ "editingstatus": "מצב עריכה", "editsubmission": "עריכת ההגשה", "extensionduedate": "הארכת מועד הגשה", - "grade": "ציונים", + "grade": "ציון", "graded": "נבדק", "gradedby": "נבדק על-ידי", "gradedon": "הציון ניתן על", diff --git a/www/addons/mod/assign/lang/it.json b/www/addons/mod/assign/lang/it.json index efc338d796b..bfcebef051d 100644 --- a/www/addons/mod/assign/lang/it.json +++ b/www/addons/mod/assign/lang/it.json @@ -25,7 +25,7 @@ "editingstatus": "Possibilità di modifica", "editsubmission": "Modifica consegna", "extensionduedate": "Data scadenza proroga", - "grade": "Punteggio", + "grade": "Valutazione", "graded": "Valutata", "gradedby": "Valutatore", "gradedon": "Data di valutazione", diff --git a/www/addons/mod/assign/lang/ja.json b/www/addons/mod/assign/lang/ja.json index 7d36b430584..4837351e4cc 100644 --- a/www/addons/mod/assign/lang/ja.json +++ b/www/addons/mod/assign/lang/ja.json @@ -32,7 +32,7 @@ "errorshowinginformation": "提出物の情報を表示できません。", "extensionduedate": "延長提出期限", "feedbacknotsupported": "このフィードバックはアプリでは未サポートのため、すべての情報が含まれていない可能性があります", - "grade": "評点", + "grade": "評定", "graded": "評定済み", "gradedby": "評定者", "gradedon": "評定日時", diff --git a/www/addons/mod/assign/lang/ko.json b/www/addons/mod/assign/lang/ko.json new file mode 100644 index 00000000000..1d25471b7a3 --- /dev/null +++ b/www/addons/mod/assign/lang/ko.json @@ -0,0 +1,4 @@ +{ + "gradenotsynced": "성적이 동기화 안됨", + "userwithid": "ID가 {{id}} 인 사용자" +} \ No newline at end of file diff --git a/www/addons/mod/assign/lang/nl.json b/www/addons/mod/assign/lang/nl.json index 93306a816c3..dba03773e6d 100644 --- a/www/addons/mod/assign/lang/nl.json +++ b/www/addons/mod/assign/lang/nl.json @@ -8,7 +8,7 @@ "allowsubmissionsfromdate": "Insturen toestaan vanaf", "allowsubmissionsfromdatesummary": "Deze opdracht zal inzendingen ontvangen vanaf {{$a}}", "applytoteam": "Cijfers en feedback aan de hele groep geven", - "assignmentisdue": "Opdracht tegen", + "assignmentisdue": "Opdracht moet worden ingeleverd", "attemptnumber": "Pogingnummer", "attemptreopenmethod": "Heropende pogingen", "attemptreopenmethod_manual": "Manueel", @@ -32,7 +32,7 @@ "errorshowinginformation": "We kunnen de instuurinformatie niet tonen.", "extensionduedate": "Extra tijd einddatum", "feedbacknotsupported": "Deze feedback wordt niet ondersteund door de app en daarom is de informatie mogelijk onvolledig.", - "grade": "Cijfer", + "grade": "Beoordeling", "graded": "Beoordeeld", "gradedby": "Beoordeeld door", "gradedon": "Beoordeeld op", diff --git a/www/addons/mod/assign/lang/pt-br.json b/www/addons/mod/assign/lang/pt-br.json index 96c28d0ce43..07d1455c830 100644 --- a/www/addons/mod/assign/lang/pt-br.json +++ b/www/addons/mod/assign/lang/pt-br.json @@ -32,7 +32,7 @@ "errorshowinginformation": "Nós não podemos exibir as informações do envio", "extensionduedate": "Extensão do prazo de entrega", "feedbacknotsupported": "Esse feedback não é suportado pelo aplicativo e pode não conter todas as informações", - "grade": "Avaliação", + "grade": "Nota", "graded": "Avaliado", "gradedby": "Avaliado por", "gradedon": "Avaliado em", diff --git a/www/addons/mod/assign/lang/pt.json b/www/addons/mod/assign/lang/pt.json index a3e2d08c817..dbfa949c2eb 100644 --- a/www/addons/mod/assign/lang/pt.json +++ b/www/addons/mod/assign/lang/pt.json @@ -32,7 +32,7 @@ "errorshowinginformation": "Não é possível mostrar informações da submissão", "extensionduedate": "Prolongamento da data limite", "feedbacknotsupported": "Este feedback não é suportado pela aplicação e pode não conter toda a informação.", - "grade": "Avaliação", + "grade": "Nota", "graded": "Avaliado", "gradedby": "Avaliado por", "gradedon": "Avaliado em", diff --git a/www/addons/mod/assign/lang/ro.json b/www/addons/mod/assign/lang/ro.json index 00faa4cbbda..9e5786fe879 100644 --- a/www/addons/mod/assign/lang/ro.json +++ b/www/addons/mod/assign/lang/ro.json @@ -20,7 +20,7 @@ "editingstatus": "Se editează statusul", "editsubmission": "Editare temă trimisă", "extensionduedate": "Termen de predare extins", - "grade": "Notează", + "grade": "Notă", "graded": "Notat", "gradedby": "Notat de", "gradedon": "Notat în data de", diff --git a/www/addons/mod/assign/lang/ru.json b/www/addons/mod/assign/lang/ru.json index d2e1917e97a..7aef06be2c1 100644 --- a/www/addons/mod/assign/lang/ru.json +++ b/www/addons/mod/assign/lang/ru.json @@ -1,4 +1,5 @@ { + "acceptsubmissionstatement": "Пожалуйста, примите заявление к предоставляемому ответу.", "addattempt": "Разрешить еще одну попытку", "addnewattempt": "Добавить новую попытку", "addnewattemptfromprevious": "Добавить новую попытку на основе предыдущего представления", @@ -13,6 +14,9 @@ "attemptreopenmethod_manual": "Вручную", "attemptreopenmethod_untilpass": "Автоматически (до проходной оценки)", "attemptsettings": "Настройки попытки", + "cannoteditduetostatementsubmission": "Вы не можете добавить или отредактировать ответ в приложении, потому что не удалось получить с сайта заявление к предоставляемому ответу.", + "cannotgradefromapp": "Определённые методы оценки ещё не поддерживаются приложением и не могут быть изменены.", + "cannotsubmitduetostatementsubmission": "Вы не можете ответить в приложении, потому что не удалось получить с сайта заявление к предоставляемому ответу.", "confirmsubmission": "Вы уверены, что хотите представить свою работу для оценивания? Вы больше не сможете изменить свой ответ.", "currentattempt": "Попытка {{$a}}.", "currentattemptof": "Номер этой попытки - {{$a.attemptnumber}}. (Разрешено попыток - {{$a.maxattempts}})", @@ -24,7 +28,10 @@ "duedatereached": "Срок сдачи этого задания уже истек", "editingstatus": "Изменение статуса", "editsubmission": "Редактировать ответ", + "erroreditpluginsnotsupported": "Вы не можете добавлять или изменять ответ в приложении, потому что определённые плагины пока не поддерживают редактирование.", + "errorshowinginformation": "Информация об ответе не может быть отображена.", "extensionduedate": "Срок продления", + "feedbacknotsupported": "Эта обратная связь не поддерживается приложением и может содержать не всю информацию.", "grade": "Оценка", "graded": "Оценено", "gradedby": "Оценено", @@ -48,6 +55,7 @@ "nomoresubmissionsaccepted": "Разрешено только для участников, которым было предоставлено продление срока.", "noonlinesubmissions": "Ответ на задание должен быть представлен вне сайта", "nosubmission": "Ничего не было представлено", + "notallparticipantsareshown": "Участники, которые не дали ответ, не показаны.", "noteam": "Не является членом какой-либо группы", "notgraded": "Не оценено", "numberofdraftsubmissions": "Черновик", @@ -62,6 +70,7 @@ "submission": "Ответ", "submissioneditable": "Студент может править свой ответ", "submissionnoteditable": "Студент не может исправлять этот ответ", + "submissionnotsupported": "Этот ответ не поддерживается приложением и может содержать не всю информацию.", "submissionslocked": "Ответы на это задание не принимаются", "submissionstatus": "Состояние ответа на задание", "submissionstatus_": "Нет ответа на задание", @@ -82,5 +91,7 @@ "unlimitedattempts": "Неограничено", "userswhoneedtosubmit": "Пользователи, которые должны представить ответ: {{$a}}", "userwithid": "Пользователь с ID {{id}}", - "viewsubmission": "Просмотр ответов" + "viewsubmission": "Просмотр ответов", + "warningsubmissiongrademodified": "Оценка ответа была изменена на сайте.", + "warningsubmissionmodified": "Ответ пользователя был изменён на сайте." } \ No newline at end of file diff --git a/www/addons/mod/assign/lang/sv.json b/www/addons/mod/assign/lang/sv.json index 674db970084..a7fecd382cc 100644 --- a/www/addons/mod/assign/lang/sv.json +++ b/www/addons/mod/assign/lang/sv.json @@ -25,7 +25,7 @@ "editingstatus": "Redigerar status", "editsubmission": "Redigera min inskickade uppgiftslösning", "extensionduedate": "Förlängning av stoppdatum", - "grade": "Betyg/omdöme", + "grade": "Betyg", "graded": "Betygssatt", "gradedby": "Betygssatt av", "gradedon": "Betygssatt den", diff --git a/www/addons/mod/assign/lang/tr.json b/www/addons/mod/assign/lang/tr.json index 72b0e0a2002..d56c55e9e46 100644 --- a/www/addons/mod/assign/lang/tr.json +++ b/www/addons/mod/assign/lang/tr.json @@ -25,7 +25,7 @@ "editingstatus": "Durumu düzenleme", "editsubmission": "Gönderimi düzenle", "extensionduedate": "Ek sürenin bitiş tarihi", - "grade": "Not", + "grade": "Başarı notu", "graded": "Notlandırıldı", "gradedon": "Not verildi", "gradeoutof": "{{$a}} Dışarıdan notu", diff --git a/www/addons/mod/assign/submission/onlinetext/lang/cs.json b/www/addons/mod/assign/submission/onlinetext/lang/cs.json index 338d52fb9c4..2995e389d85 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/cs.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/cs.json @@ -1,3 +1,3 @@ { - "pluginname": "Chat" + "pluginname": "Název repozitáře" } \ No newline at end of file diff --git a/www/addons/mod/chat/lang/eu.json b/www/addons/mod/chat/lang/eu.json index f01f99a7374..2fa11a16e64 100644 --- a/www/addons/mod/chat/lang/eu.json +++ b/www/addons/mod/chat/lang/eu.json @@ -6,12 +6,12 @@ "errorwhileconnecting": "Errorea txatera konektatzean.", "errorwhilegettingchatdata": "Errorea txataren datuak eskuratzean.", "errorwhilegettingchatusers": "Errorea txataren erabiltzaileak eskuratzean.", - "errorwhileretrievingmessages": "Errorea zerbitzaritik mezuak ekartzean.", + "errorwhileretrievingmessages": "Errore bat gertatu da zerbitzaritik mezuak ekartzean.", "errorwhilesendingmessage": "Errorea mezua bidaltzean.", "messagebeepsyou": "{{$a}}-(e)k dio: Aizu! Hemen nago!", "messageenter": "{{$a}} oraintxe sartu da gelan", "messageexit": "{{$a}} irten egin da gelatik", - "mustbeonlinetosendmessages": "On-line egon behar duzu mezuak bidaltzeko", + "mustbeonlinetosendmessages": "Online egon behar zara mezuak bidali ahal izateko.", "nomessages": "Ez dago mezurik oraindik", "send": "Bidali", "sessionstart": "Txat-saioa {{$a.date}}-(e)tan hasiko da, (hemendik {{$a.fromnow}}-(e)ra)", diff --git a/www/addons/mod/chat/lang/ru.json b/www/addons/mod/chat/lang/ru.json index 9a36351090d..71e755070c7 100644 --- a/www/addons/mod/chat/lang/ru.json +++ b/www/addons/mod/chat/lang/ru.json @@ -6,12 +6,12 @@ "errorwhileconnecting": "Ошибка при подключении к чату", "errorwhilegettingchatdata": "Ошибка при получении данных из чата", "errorwhilegettingchatusers": "Ошибка при получении пользователей чата", - "errorwhileretrievingmessages": "Ошибка при получении сообщения от сервера", + "errorwhileretrievingmessages": "Ошибка при получении сообщения от сервера.", "errorwhilesendingmessage": "Ошибка при отправке сообщения", "messagebeepsyou": "{{$a}} отправил Вам сигнал!", "messageenter": "{{$a}} появился в чате", "messageexit": "{{$a}} ушел из чата", - "mustbeonlinetosendmessages": "Вы должны быть онлайн, чтобы отправлять сообщения", + "mustbeonlinetosendmessages": "Вы должны быть в сети, чтобы отправлять сообщения.", "nomessages": "Нет ни одного сообщения", "send": "Отправить", "sessionstart": "Следующий сеанс чата начнётся: {{$a.date}}, (через {{$a.fromnow}})", diff --git a/www/addons/mod/choice/lang/cs.json b/www/addons/mod/choice/lang/cs.json index f9a22aaf32e..d86ef9605da 100644 --- a/www/addons/mod/choice/lang/cs.json +++ b/www/addons/mod/choice/lang/cs.json @@ -13,7 +13,7 @@ "responses": "Odpovědi", "responsesresultgraphdescription": "{{number}}% uživatelů zvolilo možnost: {{text}}.", "responsesresultgraphheader": "Graf", - "resultsnotsynced": "Výsledky nezahrnují poslední řešení. Pro aktualizaci je synchronizujte, prosím.", + "resultsnotsynced": "Vaše poslední odpověď musí být synchronizována předtím, než je zahrnuta do výsledků.", "savemychoice": "Uložit mou volbu", "userchoosethisoption": "Uživatelé, kteří si vybrali tuto alternativu", "yourselection": "Vaše volba" diff --git a/www/addons/mod/choice/lang/eu.json b/www/addons/mod/choice/lang/eu.json index 62e0810b4c4..e87df327458 100644 --- a/www/addons/mod/choice/lang/eu.json +++ b/www/addons/mod/choice/lang/eu.json @@ -1,11 +1,11 @@ { - "cannotsubmit": "Barkatu, arazoa gertatu da zure aukera bidaltzean. Mesedez, saiatu berriz.", + "cannotsubmit": "Sentitzen dugu, arazoa gertatu da zure aukera bidaltzean. Mesedez, saiatu berriz.", "choiceoptions": "Kontsultaren aukerak", "errorgetchoice": "Errorea kontsultaren datuak eskuratzean.", - "expired": "Barkatu, jarduera hau {{$a}}(e)an itxi zen eta dagoeneko ez dago eskuragarri.", + "expired": "Sentitzen dugu, jarduera hau {{$a}}(e)an itxi zen eta dagoeneko ez dago eskuragarri.", "full": "(Beteta)", "noresultsviewable": "Emaitzak ezin dira orain ikusi", - "notopenyet": "Barkatu, baina jarduera hau ez dago erabiltzeko moduan {{$a}} arte.", + "notopenyet": "Sentitzen dugu, baina jarduera hau ez dago erabiltzeko moduan {{$a}} arte.", "numberofuser": "Erantzun-kopurua", "numberofuserinpercentage": "Erantzunen portzentajea", "previewonly": "Hau jarduera honetan eskuragarri dauden aukeren aurrebista besterik ez da. Ezingo duzu zure erantzuna bidali {{$a}}-(e)ra arte.", @@ -13,7 +13,7 @@ "responses": "Erantzunak", "responsesresultgraphdescription": "Erabiltzaileen %{{number}}-ak aukera hau aukeratu zuten: {{text}}.", "responsesresultgraphheader": "Erakutsi grafikoa", - "resultsnotsynced": "Emaitzek ez dute zure azken erantzunak barne hartzen. Mesedez, sinkronizatu datuak eguneratzeko.", + "resultsnotsynced": "Zure azken erantzuna sinkronizatu behar da emaitzetan kontuan hartu ahal izateko.", "savemychoice": "Gorde nire aukera", "userchoosethisoption": "Aukera hau hautatu duten erabiltzaileak", "yourselection": "Zure aukera" diff --git a/www/addons/mod/choice/lang/ru.json b/www/addons/mod/choice/lang/ru.json index 38f9cf75ee3..8ea5ef74531 100644 --- a/www/addons/mod/choice/lang/ru.json +++ b/www/addons/mod/choice/lang/ru.json @@ -13,6 +13,7 @@ "responses": "Ответы", "responsesresultgraphdescription": "{{number}}% пользователей выбрало вариант: {{text}}.", "responsesresultgraphheader": "Отображать график", + "resultsnotsynced": "Ваш последний ответ должен быть синхронизирован прежде, чем будет включён в результат.", "savemychoice": "Сохранить мой выбор", "userchoosethisoption": "Пользователи, которые выбрали этот вариант", "yourselection": "Ваш выбор" diff --git a/www/addons/mod/data/lang/el.json b/www/addons/mod/data/lang/el.json index 7c8c87026b4..62d7c3f22dc 100644 --- a/www/addons/mod/data/lang/el.json +++ b/www/addons/mod/data/lang/el.json @@ -1,6 +1,6 @@ { "addentries": "Προσθήκη καταχωρήσεων", - "advancedsearch": "Advanced search", + "advancedsearch": "Σύνθετη αναζήτηση", "alttext": "Εναλλακτικό κείμενο", "approve": "Έγκριση", "approved": "Εγκρίθηκε", @@ -18,6 +18,7 @@ "more": "Περισσότερα", "nomatch": "Δεν βρέθηκαν καταχωρήσεις που να ταιριάζουν!", "norecords": "Δεν υπάρχουν καταχωρήσεις στη βάση δεδομένων", + "notapproved": "Δεν έχει ακόμη εγκριθεί.", "notopenyet": "Συγνώμη, αυτή η δραστηριότητα δεν είναι διαθέσιμη μέχρι {{$a}}", "numrecords": "{{$a}} καταχωρήσεις", "other": "Άλλο", diff --git a/www/addons/mod/data/lang/es.json b/www/addons/mod/data/lang/es.json index 35556aeb1ab..1ee0d8ad52e 100644 --- a/www/addons/mod/data/lang/es.json +++ b/www/addons/mod/data/lang/es.json @@ -31,7 +31,7 @@ "resetsettings": "Restablecer filtros", "search": "Buscar", "selectedrequired": "Se requieren todos los seleccionados", - "single": "Ver uno por uno", + "single": "Ver individual", "timeadded": "Tiempo añadido", "timemodified": "Tiempo modificado", "usedate": "Incluir en la búsqueda" diff --git a/www/addons/mod/data/lang/eu.json b/www/addons/mod/data/lang/eu.json index 8c556926f50..07426db8db7 100644 --- a/www/addons/mod/data/lang/eu.json +++ b/www/addons/mod/data/lang/eu.json @@ -14,9 +14,9 @@ "entrieslefttoadd": "{{$a.entriesleft}} sarrera gehiago gehitu behar dituzu jarduera hau osatzeko.", "entrieslefttoaddtoview": "{{$a.entrieslefttoview}} sarrera gehiago gehitu behar dituzu beste partaideen sarrerak ikusi ahal izateko.", "errorapproving": "Errorea sarrera onartu edo baztertzean.", - "errordeleting": "Errorea sarrera ezabatzean.", + "errordeleting": "Errore bat gertatu da sarrera ezabatzean.", "errormustsupplyvalue": "Hemen balio bat eman behar duzu.", - "expired": "Barkatu, jarduera hau {{$a}} datan itxi zen eta dagoeneko ez dago eskuragarri", + "expired": "Sentitzen dugu, jarduera hau {{$a}} datan itxi zen eta dagoeneko ez dago eskuragarri", "fields": "Eremuak", "latlongboth": "Latitudea eta longitudea beharrekoak dira.", "menuchoose": "Aukeratu...", @@ -24,7 +24,7 @@ "nomatch": "Ez da sarrera egokirik aurkitu!", "norecords": "Datu-basean sarrerarik ez", "notapproved": "Sarrera ez da oraindik onartu", - "notopenyet": "Barkatu, jarduera hau ez dago eskuragarri {{$a}} arte", + "notopenyet": "Sentitzen dugu, jarduera hau ez dago eskuragarri {{$a}} arte", "numrecords": "{{$a}} sarrera(k)", "other": "Beste bat", "recordapproved": "Sarrera onartu da", diff --git a/www/addons/mod/data/lang/mr.json b/www/addons/mod/data/lang/mr.json index bf1ef456a0e..7631e649e26 100644 --- a/www/addons/mod/data/lang/mr.json +++ b/www/addons/mod/data/lang/mr.json @@ -12,7 +12,7 @@ "emptyaddform": "तुम्हाला एकही क्षेत्र भरावयाची गरज नाही", "errorapproving": "प्रविष्टी मंजूर किंवा अमान्य करण्यामध्ये त्रुटी", "errordeleting": "नोंद हटविताना त्रुटी.", - "expired": "संपलेला", + "expired": "क्षमा करा,ही कार्यक्षमता बंद आहे", "fields": "क्षेत्रे", "menuchoose": "निवडा", "more": "आधिक", diff --git a/www/addons/mod/data/lang/pt-br.json b/www/addons/mod/data/lang/pt-br.json index 8b7ee8bc412..1fb0a634014 100644 --- a/www/addons/mod/data/lang/pt-br.json +++ b/www/addons/mod/data/lang/pt-br.json @@ -13,6 +13,8 @@ "emptyaddform": "Você não completou nenhum campo!", "entrieslefttoadd": "Você precisa adicionar mais {{$a.entriesleft}} item(ns) para completar esta atividade", "entrieslefttoaddtoview": "Você precisa adicionar mais {{$a.entrieslefttoview}} item(ns) antes de poder ver os itens dos outros participantes.", + "errorapproving": "Erro ao aprovar ou desaprovar uma entrada.", + "errordeleting": "Erro ao apagar a entrada.", "errormustsupplyvalue": "Você precisa fornecer um valor aqui.", "expired": "Sinto muito, mas esta atividade foi fechada em {{$a}} e não está mais disponível", "fields": "Campos", diff --git a/www/addons/mod/data/lang/ru.json b/www/addons/mod/data/lang/ru.json index 29bcb4523ec..ae2be624fbc 100644 --- a/www/addons/mod/data/lang/ru.json +++ b/www/addons/mod/data/lang/ru.json @@ -13,6 +13,8 @@ "emptyaddform": "Вы не заполнили ни одного поля", "entrieslefttoadd": "Чтобы просматривать записи других участников Вы должны добавить еще записи - ({{$a.entriesleft}})", "entrieslefttoaddtoview": "Вы должны еще добавить записи ({{$a.entrieslefttoview}}), прежде чем сможете просматривать записи других участников.", + "errorapproving": "Ошибка подтверждения или неподтверждения записи.", + "errordeleting": "Ошибка удаления записи.", "errormustsupplyvalue": "Вы должны здесь указать значение.", "expired": "К сожалению, эта база данных закрыта {{$a}} и больше не доступна", "fields": "Поля", diff --git a/www/addons/mod/feedback/lang/eu.json b/www/addons/mod/feedback/lang/eu.json index 8ed86e55c82..e85f24c6600 100644 --- a/www/addons/mod/feedback/lang/eu.json +++ b/www/addons/mod/feedback/lang/eu.json @@ -3,7 +3,7 @@ "anonymous": "Anonimoa", "anonymous_entries": "Sarrera anonimoak ({{$a}})", "average": "Batez bestekoa", - "captchaofflinewarning": "captcha-dun feedback-ak ezin dira lineaz kanpo osatu, ezta konfiguratuta ez badaude edo zerbitzaria eskuragarri ez badago ere.", + "captchaofflinewarning": "CAPTCHA-dun feedback-ak ezin dira lineaz kanpo osatu, ezta konfiguratuta ez badaude edo zerbitzaria eskuragarri ez badago ere.", "complete_the_form": "Erantzun galderei...", "completed_feedbacks": "Bidalitako erantzunak", "continue_the_form": "Jarraitu galderei erantzuten...", diff --git a/www/addons/mod/feedback/lang/mr.json b/www/addons/mod/feedback/lang/mr.json index 5272f981379..be9b0f6470e 100644 --- a/www/addons/mod/feedback/lang/mr.json +++ b/www/addons/mod/feedback/lang/mr.json @@ -2,10 +2,10 @@ "average": "सरासर", "captchaofflinewarning": "कॅप्चासह अभिप्राय ऑफलाइन पूर्ण केले जाऊ शकत नाही, किंवा कॉन्फिगर केले जात नाही किंवा सर्व्हर बंद असल्यास.", "feedback_submitted_offline": "हे अभिप्राय नंतर सबमिट करण्यासाठी जतन केले गेले आहे.", - "mode": "पातळी", + "mode": "पद्धती", "overview": "आढावा", - "preview": "आढावा", + "preview": "पुर्वावलोकन", "questions": "प्रश्न", - "responses": "प्रतीसाद", + "responses": "प्रतिक्रीया", "started": "सुरू केल्याची वेळ" } \ No newline at end of file diff --git a/www/addons/mod/feedback/lang/pt-br.json b/www/addons/mod/feedback/lang/pt-br.json index 1ff0be9779e..cb29083635f 100644 --- a/www/addons/mod/feedback/lang/pt-br.json +++ b/www/addons/mod/feedback/lang/pt-br.json @@ -3,10 +3,12 @@ "anonymous": "Anônimo", "anonymous_entries": "Entradas anônimas ({{$a}})", "average": "Média", + "captchaofflinewarning": "Inquérito com CAPTCHA não pode ser concluído em modo offline, ou se não estiver configurado, ou o servidor está em baixo.", "complete_the_form": "Responda as questões...", "completed_feedbacks": "Respostas submetidas", "continue_the_form": "Continuar respondendo as questões ...", "feedback_is_not_open": "A pesquisa não está aberta", + "feedback_submitted_offline": "O Inquérito foi gravado para ser enviado mais tarde.", "feedbackclose": "Permitir respostas até", "feedbackopen": "Permitir respostas de", "mapcourses": "Mapear pesquisa para os cursos", diff --git a/www/addons/mod/feedback/lang/pt.json b/www/addons/mod/feedback/lang/pt.json index a0c19c36b98..b98f45404e0 100644 --- a/www/addons/mod/feedback/lang/pt.json +++ b/www/addons/mod/feedback/lang/pt.json @@ -20,7 +20,7 @@ "not_selected": "Não respondido", "not_started": "Por iniciar", "numberoutofrange": "Valor fora do intervalo", - "overview": "Visão geral", + "overview": "Visão global", "page_after_submit": "Mensagem de conclusão", "preview": "Pré-visualização", "previous_page": "Página anterior", diff --git a/www/addons/mod/feedback/lang/ru.json b/www/addons/mod/feedback/lang/ru.json index 2e88ed7e5ea..f1ad25f2d67 100644 --- a/www/addons/mod/feedback/lang/ru.json +++ b/www/addons/mod/feedback/lang/ru.json @@ -3,10 +3,12 @@ "anonymous": "Анонимный", "anonymous_entries": "Анонимные записи ({{$a}})", "average": "Средний", + "captchaofflinewarning": "Обратная связь с CAPTCHA не может быть выполнена если вы не в сети, если не настроена или если сервер недоступен.", "complete_the_form": "Ответьте на вопросы ...", "completed_feedbacks": "Отправлено ответов", "continue_the_form": "Продолжить ответы на вопросы...", "feedback_is_not_open": "эта анкета обратной связи не открыта", + "feedback_submitted_offline": "Этот отзыв был сохранён, для отправки позже.", "feedbackclose": "Разрешить отвечать до", "feedbackopen": "Разрешить отвечать с", "mapcourses": "Сопоставление Обратной связи с курсами", diff --git a/www/addons/mod/folder/lang/ca.json b/www/addons/mod/folder/lang/ca.json index 2208f493a4b..b2f87d440ac 100644 --- a/www/addons/mod/folder/lang/ca.json +++ b/www/addons/mod/folder/lang/ca.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "No hi ha fitxers per mostrar", + "emptyfilelist": "No hi ha fitxers per mostrar.", "errorwhilegettingfolder": "S'ha produït un error en recuperar les dades de la carpeta." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/cs.json b/www/addons/mod/folder/lang/cs.json index 04e2822f6a0..66b256adf4c 100644 --- a/www/addons/mod/folder/lang/cs.json +++ b/www/addons/mod/folder/lang/cs.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Žádný soubor k zobrazení", + "emptyfilelist": "Žádný soubor k zobrazení.", "errorwhilegettingfolder": "Chyba při načítání dat složky." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/da.json b/www/addons/mod/folder/lang/da.json index c53b3a994ed..2337bed4841 100644 --- a/www/addons/mod/folder/lang/da.json +++ b/www/addons/mod/folder/lang/da.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Der er ingen filer at vise", + "emptyfilelist": "Der er ingen filer at vise.", "errorwhilegettingfolder": "Fejl ved hentning af mappedata." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/de-du.json b/www/addons/mod/folder/lang/de-du.json index 00b4ea2a954..022d05baeea 100644 --- a/www/addons/mod/folder/lang/de-du.json +++ b/www/addons/mod/folder/lang/de-du.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Es liegen keine Dateien vor", + "emptyfilelist": "Keine Dateien", "errorwhilegettingfolder": "Fehler beim Laden der Verzeichnisdaten" } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/de.json b/www/addons/mod/folder/lang/de.json index 00b4ea2a954..022d05baeea 100644 --- a/www/addons/mod/folder/lang/de.json +++ b/www/addons/mod/folder/lang/de.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Es liegen keine Dateien vor", + "emptyfilelist": "Keine Dateien", "errorwhilegettingfolder": "Fehler beim Laden der Verzeichnisdaten" } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/es-mx.json b/www/addons/mod/folder/lang/es-mx.json index e2f470725df..5b9563d5c0d 100644 --- a/www/addons/mod/folder/lang/es-mx.json +++ b/www/addons/mod/folder/lang/es-mx.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "No hay archivos que mostrar", + "emptyfilelist": "No hay archivos para mostrar.", "errorwhilegettingfolder": "Error al obtener datos de carpeta." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/eu.json b/www/addons/mod/folder/lang/eu.json index 07dae0aef65..27a3ccc6636 100644 --- a/www/addons/mod/folder/lang/eu.json +++ b/www/addons/mod/folder/lang/eu.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Ez dago erakusteko fitxategirik", + "emptyfilelist": "Ez dago fitxategirik erakusteko.", "errorwhilegettingfolder": "Errorea karpetaren datuak eskuratzean." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/fi.json b/www/addons/mod/folder/lang/fi.json index a6933585df3..b0be3e20482 100644 --- a/www/addons/mod/folder/lang/fi.json +++ b/www/addons/mod/folder/lang/fi.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Ei näytettäviä tiedostoja", + "emptyfilelist": "Ei näytettäviä tiedostoja.", "errorwhilegettingfolder": "Virhe haettaessa kansion tietoja." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/fr.json b/www/addons/mod/folder/lang/fr.json index e16e5c1aeb4..86d36f87890 100644 --- a/www/addons/mod/folder/lang/fr.json +++ b/www/addons/mod/folder/lang/fr.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Il n'y a pas de fichier à afficher", + "emptyfilelist": "Aucun fichier à afficher.", "errorwhilegettingfolder": "Erreur lors de l'obtention des données du dossier." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/he.json b/www/addons/mod/folder/lang/he.json index 1c2ec27977b..55811600621 100644 --- a/www/addons/mod/folder/lang/he.json +++ b/www/addons/mod/folder/lang/he.json @@ -1,3 +1,3 @@ { - "emptyfilelist": "אין קבצים להציג" + "emptyfilelist": "אין קבצים להציג." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/hr.json b/www/addons/mod/folder/lang/hr.json index fed014c818c..f4105d74aed 100644 --- a/www/addons/mod/folder/lang/hr.json +++ b/www/addons/mod/folder/lang/hr.json @@ -1,3 +1,3 @@ { - "emptyfilelist": "Nema datoteka za prikaz" + "emptyfilelist": "Nema datoteka za prikaz." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/it.json b/www/addons/mod/folder/lang/it.json index b828249f904..93e13593395 100644 --- a/www/addons/mod/folder/lang/it.json +++ b/www/addons/mod/folder/lang/it.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Non ci sono file da visualizzare", + "emptyfilelist": "Non ci sono file da visualizzare.", "errorwhilegettingfolder": "Si è verificato un errore durante la ricezione dei dati della cartella." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/ja.json b/www/addons/mod/folder/lang/ja.json index 8634d70f046..61980e500fc 100644 --- a/www/addons/mod/folder/lang/ja.json +++ b/www/addons/mod/folder/lang/ja.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "表示するファイルはありません。", + "emptyfilelist": "表示するファイルがありません。", "errorwhilegettingfolder": "フォルダのデータを取得中にエラーが発生しました。" } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/lt.json b/www/addons/mod/folder/lang/lt.json index a80a862764e..e174a7c5a50 100644 --- a/www/addons/mod/folder/lang/lt.json +++ b/www/addons/mod/folder/lang/lt.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Nėra rodytinų failų", + "emptyfilelist": "Nėra ką rodyti.", "errorwhilegettingfolder": "Klaida gaunant duomenis iš aplanko." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/nl.json b/www/addons/mod/folder/lang/nl.json index 7b544820480..92b48519e9d 100644 --- a/www/addons/mod/folder/lang/nl.json +++ b/www/addons/mod/folder/lang/nl.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Er zijn geen bestanden om te tonen", + "emptyfilelist": "Geen bestanden.", "errorwhilegettingfolder": "Fout bij het ophalen van de mapgegevens" } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/pt-br.json b/www/addons/mod/folder/lang/pt-br.json index 4e9c9589aa3..1588790327d 100644 --- a/www/addons/mod/folder/lang/pt-br.json +++ b/www/addons/mod/folder/lang/pt-br.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Não há arquivos para exibir", + "emptyfilelist": "Não há arquivos para mostrar", "errorwhilegettingfolder": "Erro ao obter dados da pasta." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/pt.json b/www/addons/mod/folder/lang/pt.json index 74865d321a4..d197c86f233 100644 --- a/www/addons/mod/folder/lang/pt.json +++ b/www/addons/mod/folder/lang/pt.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Este repositório está vazio", + "emptyfilelist": "Não há ficheiros para mostrar.", "errorwhilegettingfolder": "Erro ao obter os dados da pasta." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/ro.json b/www/addons/mod/folder/lang/ro.json index 0277b91b35f..a66c107ebcd 100644 --- a/www/addons/mod/folder/lang/ro.json +++ b/www/addons/mod/folder/lang/ro.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Nu există fișiere", + "emptyfilelist": "Nu sunt fișiere disponibile pentru vizualizare.", "errorwhilegettingfolder": "A apărut o eroare la obținerea dosarului cu datele cerute." } \ No newline at end of file diff --git a/www/addons/mod/forum/lang/ar.json b/www/addons/mod/forum/lang/ar.json index ff95e890cbb..fdbe963f32d 100644 --- a/www/addons/mod/forum/lang/ar.json +++ b/www/addons/mod/forum/lang/ar.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "أضف موضوعا جديدا للنقاش", + "addanewquestion": "أضف سؤال جديد", + "addanewtopic": "أضف موضوع جديد", "cannotadddiscussion": "إضافة نقشات لهذا المنتدى يتطلب عضوية مجموعات", "cannotadddiscussionall": "ليس لديك الصلاحيات لإضافة نقاش لكل المشتركين.", "couldnotadd": "تعذر إرسال مقالة نتيجة خطأ غير معروف", diff --git a/www/addons/mod/forum/lang/bg.json b/www/addons/mod/forum/lang/bg.json index 14f634ffe01..50773acbced 100644 --- a/www/addons/mod/forum/lang/bg.json +++ b/www/addons/mod/forum/lang/bg.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Добавяне на нова тема за обсъждане", + "addanewquestion": "Добавяне на нов въпрос", + "addanewtopic": "Добавяне на нова тема", "cannotadddiscussion": "Добавяне на дискусии в този форум изисква членство в група.", "cannotadddiscussionall": "Нямате разрешение да добавяте нова тема за всички участници.", "cannotcreatediscussion": "Не може да се създаде нова дискусия", diff --git a/www/addons/mod/forum/lang/ca.json b/www/addons/mod/forum/lang/ca.json index 42bf0d4d3d0..4eb87a715ea 100644 --- a/www/addons/mod/forum/lang/ca.json +++ b/www/addons/mod/forum/lang/ca.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Afegeix un tema de debat nou", + "addanewquestion": "Afegeix una pregunta nova", + "addanewtopic": "Afegeix un tema nou", "cannotadddiscussion": "Afegir debats en aquest fòrum requereix pertànyer al grup.", "cannotadddiscussionall": "No teniu permís per a afegir un tema de debat nou per a tots els participants.", "cannotcreatediscussion": "No s'ha pogut obrir un debat nou", diff --git a/www/addons/mod/forum/lang/cs.json b/www/addons/mod/forum/lang/cs.json index b3f8e048f1d..747f351e91a 100644 --- a/www/addons/mod/forum/lang/cs.json +++ b/www/addons/mod/forum/lang/cs.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Přidat nové téma diskuse", + "addanewquestion": "Přidat novou otázku", + "addanewtopic": "Přidat nové téma", "cannotadddiscussion": "Abyste mohli přidávat diskuse do tohoto fóra, musíte být členy skupiny.", "cannotadddiscussionall": "Nemáte oprávnění vkládat téma diskuse pro všechny účastníky.", "cannotcreatediscussion": "Nelze vytvořit novou diskusi", @@ -14,7 +16,7 @@ "errorgetforum": "Chyba při načítání dat fóra.", "errorgetgroups": "Chyba při načítání nastavení skupiny.", "forumnodiscussionsyet": "V tomto diskusním fóru nejsou žádná témata", - "group": "Skupinové", + "group": "Skupina", "message": "Zpráva", "modeflatnewestfirst": "Zobrazit odpovědi za sebou (nejnovější nahoře)", "modeflatoldestfirst": "Zobrazit odpovědi za sebou (nejstarší nahoře)", diff --git a/www/addons/mod/forum/lang/da.json b/www/addons/mod/forum/lang/da.json index f34dd2b52ae..0266a6fd591 100644 --- a/www/addons/mod/forum/lang/da.json +++ b/www/addons/mod/forum/lang/da.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Tilføj en ny tråd", + "addanewquestion": "Tilføj et nyt spørgsmål", + "addanewtopic": "Tilføj nyt emne", "cannotadddiscussion": "For at oprette en ny tråd i dette forum skal man være medlem af en gruppe.", "cannotadddiscussionall": "Du har ikke tilladelse til at oprette en ny tråd for alle deltagere.", "cannotcreatediscussion": "Kunne ikke oprette en ny tråd.", diff --git a/www/addons/mod/forum/lang/de-du.json b/www/addons/mod/forum/lang/de-du.json index e5eb8db687a..753191094cd 100644 --- a/www/addons/mod/forum/lang/de-du.json +++ b/www/addons/mod/forum/lang/de-du.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Neues Thema hinzufügen", + "addanewquestion": "Neue Frage hinzufügen", + "addanewtopic": "Neues Thema hinzufügen", "cannotadddiscussion": "Nur Gruppenmitglieder dürfen Beiträge zum Forum hinzufügen.", "cannotadddiscussionall": "Du darfst kein neues Thema für alle Teilnehmer/innen hinzufügen.", "cannotcreatediscussion": "Das neue Thema wurde leider nicht gespeichert.", diff --git a/www/addons/mod/forum/lang/de.json b/www/addons/mod/forum/lang/de.json index fd139e3bbf9..1b7f49dd864 100644 --- a/www/addons/mod/forum/lang/de.json +++ b/www/addons/mod/forum/lang/de.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Neues Thema hinzufügen", + "addanewquestion": "Neue Frage hinzufügen", + "addanewtopic": "Neues Thema hinzufügen", "cannotadddiscussion": "Nur Gruppenmitglieder dürfen Beiträge zum Forum hinzufügen.", "cannotadddiscussionall": "Sie dürfen kein neues Thema für alle Teilnehmer/innen hinzufügen.", "cannotcreatediscussion": "Das neue Thema wurde leider nicht gespeichert.", diff --git a/www/addons/mod/forum/lang/el.json b/www/addons/mod/forum/lang/el.json index 78bee38ce77..45d2eed2980 100644 --- a/www/addons/mod/forum/lang/el.json +++ b/www/addons/mod/forum/lang/el.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Προσθήκη νέου θέματος συζήτησης", + "addanewquestion": "Προσθήκη μιας νέας ερώτησης", + "addanewtopic": "Προσθήκη νέου θέματος", "cannotadddiscussion": "Η προσθήκη συζητήσεων σε αυτή την ομάδα συζήτησης απαιτεί συμμετοχή σε ομάδα.", "cannotadddiscussionall": "Δεν έχετε δικαίωμα να προσθέσετε ένα νέο θέμα συζήτησης για όλους τους συμμετέχοντες.", "cannotcreatediscussion": "Δεν ήταν δυνατό να δημιουργηθεί η νέα συζήτηση", diff --git a/www/addons/mod/forum/lang/es-mx.json b/www/addons/mod/forum/lang/es-mx.json index 151fb11c76e..578d332e9cb 100644 --- a/www/addons/mod/forum/lang/es-mx.json +++ b/www/addons/mod/forum/lang/es-mx.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Añadir un nuevo tópico/tema de discusión aquí", + "addanewquestion": "Añadir una nueva pregunta", + "addanewtopic": "Añadir un nuevo tópico/tema", "cannotadddiscussion": "Para agregar discusiones a este foro se requiere pertenecer al grupo.", "cannotadddiscussionall": "No tiene permiso para añadir un nuevo tópico/tema de discusión para todos los participantes.", "cannotcreatediscussion": "No se pudo crear una discusión nueva", diff --git a/www/addons/mod/forum/lang/es.json b/www/addons/mod/forum/lang/es.json index 2389777bf37..d89ba83b82c 100644 --- a/www/addons/mod/forum/lang/es.json +++ b/www/addons/mod/forum/lang/es.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Añadir un nuevo tema de discusión", + "addanewquestion": "Añadir una nueva pregunta", + "addanewtopic": "Añadir un nuevo tema", "cannotadddiscussion": "Para añadir debates a este foro hay que ser miembro de un grupo.", "cannotadddiscussionall": "No tiene permiso para añadir un nuevo tema de discusión para todos los participantes.", "cannotcreatediscussion": "No se pudo crear un debate nuevo", diff --git a/www/addons/mod/forum/lang/eu.json b/www/addons/mod/forum/lang/eu.json index 7d41bf9eff3..b32ef2fbfe7 100644 --- a/www/addons/mod/forum/lang/eu.json +++ b/www/addons/mod/forum/lang/eu.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Mezua idatzi", + "addanewquestion": "Galdera gehitu", + "addanewtopic": "Gaia gehitu", "cannotadddiscussion": "Foro honetan eztabaidak gehitzeko talde bateko kide izan behar da", "cannotadddiscussionall": "Ez duzu baimenik partaide guztientzako eztabaida-gai berririk gehitzeko.", "cannotcreatediscussion": "Ezin da eztabaida sortu", diff --git a/www/addons/mod/forum/lang/fa.json b/www/addons/mod/forum/lang/fa.json index c2909c73988..9e39285cd14 100644 --- a/www/addons/mod/forum/lang/fa.json +++ b/www/addons/mod/forum/lang/fa.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "شروع یک مباحثهٔ جدید", + "addanewquestion": "طرح یک سؤال جدید", + "addanewtopic": "طرح مباحثهٔ جدید", "cannotadddiscussion": "طرح مباحثه در این تالار نیازمند عضویت در گروه است.", "cannotadddiscussionall": "شما مجوز شروع کردن یک مباحثهٔ جدید برای همهٔ اعضا را ندارید.", "cannotcreatediscussion": "ایجاد مباحثهٔ‌جدید ممکن نشد", diff --git a/www/addons/mod/forum/lang/fi.json b/www/addons/mod/forum/lang/fi.json index 4c5341ac3aa..69a6e1ddf80 100644 --- a/www/addons/mod/forum/lang/fi.json +++ b/www/addons/mod/forum/lang/fi.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Lisää uusi keskustelu", + "addanewquestion": "Lisää uusi kysymys", + "addanewtopic": "Lisää uusi aihe", "cannotadddiscussion": "Vain ryhmän jäsenet voivat lisätä viestejä tälle keskustelualueelle.", "cannotadddiscussionall": "Sinulla ei ole oikeuksia lisätä kaikille osallistujille näkyvää viestiä.", "cannotcreatediscussion": "Ei voitu luoda uutta keskustelua", diff --git a/www/addons/mod/forum/lang/fr.json b/www/addons/mod/forum/lang/fr.json index f25e62a41d2..5455fdcdd1d 100644 --- a/www/addons/mod/forum/lang/fr.json +++ b/www/addons/mod/forum/lang/fr.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Ajouter une discussion", + "addanewquestion": "Ajouter une nouvelle question", + "addanewtopic": "Ajouter un nouveau sujet", "cannotadddiscussion": "Pour créer une discussion dans ce forum, vous devez être membre d'un groupe.", "cannotadddiscussionall": "Vous n'avez pas les droits d'accès requis pour lancer une nouvelle discussion pour tous les participants.", "cannotcreatediscussion": "Impossible de créer une nouvelle discussion", diff --git a/www/addons/mod/forum/lang/he.json b/www/addons/mod/forum/lang/he.json index 3b4e2e70b17..ebe6a72ef1f 100644 --- a/www/addons/mod/forum/lang/he.json +++ b/www/addons/mod/forum/lang/he.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "הוספת נושא חדש לדיון", + "addanewquestion": "הוספת שאלה חדשה", + "addanewtopic": "הוספת נושא חדש", "cannotadddiscussion": "על מנת שתוכל להוסיף דיונים לפורום עלייך להיות חבר בקבוצה.", "cannotadddiscussionall": "אין לך הרשאה להוסיף נושא דיון חדש עבור כל המשתתפים.", "cannotcreatediscussion": "כשלון ביצירת דיון חדש.", diff --git a/www/addons/mod/forum/lang/hr.json b/www/addons/mod/forum/lang/hr.json index 6c0b3e0986f..963936bdea3 100644 --- a/www/addons/mod/forum/lang/hr.json +++ b/www/addons/mod/forum/lang/hr.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Dodaj novu raspravu", + "addanewquestion": "Dodajte novo pitanje", + "addanewtopic": "Dodajte novu temu", "cannotadddiscussion": "Za dodavanje rasprave u ovaj forum treba biti član grupe.", "cannotadddiscussionall": "Nemate ovlasti da biste dodali novu raspravu za sve sudionike. ", "cannotcreatediscussion": "Nije moguće otvoriti novu raspravu", diff --git a/www/addons/mod/forum/lang/hu.json b/www/addons/mod/forum/lang/hu.json index 4bde5a436c7..0a4bdd4b1cf 100644 --- a/www/addons/mod/forum/lang/hu.json +++ b/www/addons/mod/forum/lang/hu.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Új vitatéma hozzáadása", + "addanewquestion": "Új kérdés hozzáadása", + "addanewtopic": "Új téma hozzáadása", "cannotadddiscussion": "Ahhoz, hogy hozzáadhasson vitát, ezen a fórumon csoporttagságra van szükség.", "cannotadddiscussionall": "Ön nem adhat hozzá új vitatémát az összes résztvevő számára.", "cannotcreatediscussion": "Nem sikerült új vitát létrehozni.", diff --git a/www/addons/mod/forum/lang/it.json b/www/addons/mod/forum/lang/it.json index c54ee597c31..6073c213f54 100644 --- a/www/addons/mod/forum/lang/it.json +++ b/www/addons/mod/forum/lang/it.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Aggiungi un argomento di discussione", + "addanewquestion": "Aggiungi nuova domanda", + "addanewtopic": "Aggiungi nuovo argomento", "cannotadddiscussion": "Per aggiungere discussioni in questo forum è necessario appartenere ad un gruppo.", "cannotadddiscussionall": "Non hai il permesso per aggiungere un argomento di discussione per tutti i partecipanti.", "cannotcreatediscussion": "Non è stato possibile creare una nuova discussione", diff --git a/www/addons/mod/forum/lang/ja.json b/www/addons/mod/forum/lang/ja.json index c3c4562c07c..9ac0e9778bc 100644 --- a/www/addons/mod/forum/lang/ja.json +++ b/www/addons/mod/forum/lang/ja.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "新しいディスカッショントピックを追加する", + "addanewquestion": "新しい質問を追加する", + "addanewtopic": "新しいトピックを追加する", "cannotadddiscussion": "このフォーラムにディスカッションを追加するにはグループのメンバーである必要があります。", "cannotadddiscussionall": "あなたにはすべての参加者のための新しいディスカッショントピックを追加するパーミッションがありません。", "cannotcreatediscussion": "新しいディスカッションを作成できませんでした。", diff --git a/www/addons/mod/forum/lang/lt.json b/www/addons/mod/forum/lang/lt.json index 93f37fba562..af6e6924e53 100644 --- a/www/addons/mod/forum/lang/lt.json +++ b/www/addons/mod/forum/lang/lt.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Įtraukti naują diskusijų temą", + "addanewquestion": "Įtraukti naują klausimą", + "addanewtopic": "Įtraukti naują temą", "cannotadddiscussion": "Norint įtraukti diskusijų į šį forumą, būtina grupės narystė.", "cannotadddiscussionall": "Neturite teisės įtraukti naujos diskusijų temos, skirtos visiems dalyviams.", "cannotcreatediscussion": "Nepavyko sukurti naujos diskusijos", diff --git a/www/addons/mod/forum/lang/mr.json b/www/addons/mod/forum/lang/mr.json index 839110753b2..b132fded133 100644 --- a/www/addons/mod/forum/lang/mr.json +++ b/www/addons/mod/forum/lang/mr.json @@ -1,10 +1,10 @@ { "discussion": "चर्चा", - "edit": "तपासा", + "edit": "बदल", "errorgetforum": "फोरम डेटा मिळवताना त्रुटी", "errorgetgroups": "गट सेटिंग्ज प्राप्त करताना त्रुटी.", "forumnodiscussionsyet": "या फोरममध्ये अद्याप चर्चा झालेले कोणतेही मुद्दे नाहीत", - "group": "एकत्र", + "group": "गट", "message": "संदेश", "numdiscussions": "{{Numdiscussions}} चर्चा", "numreplies": "{{Numreplies}} प्रत्युत्तरे", diff --git a/www/addons/mod/forum/lang/nl.json b/www/addons/mod/forum/lang/nl.json index e391d007547..e54c6ae39ec 100644 --- a/www/addons/mod/forum/lang/nl.json +++ b/www/addons/mod/forum/lang/nl.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Voeg een nieuw discussieonderwerp toe", + "addanewquestion": "Voeg een nieuwe vraag toe", + "addanewtopic": "Voeg een nieuw onderwerp toe", "cannotadddiscussion": "Om discussies aan dit forum te kunnen toevoegen, moet je lid zijn van deze groep", "cannotadddiscussionall": "Je hebt het recht niet om een nieuw discussieonderwerp te starten voor alle deelnemers.", "cannotcreatediscussion": "Kon geen nieuwe discussie starten", diff --git a/www/addons/mod/forum/lang/no.json b/www/addons/mod/forum/lang/no.json index e0307317b39..e83c6c0aadf 100644 --- a/www/addons/mod/forum/lang/no.json +++ b/www/addons/mod/forum/lang/no.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Skriv i dette forumet", + "addanewquestion": "Legg til et nytt spørsmål", + "addanewtopic": "Skriv i dette forumet", "cannotadddiscussion": "Du må være medlem av en gruppe for å legge til ny diskusjon i dette forumet.", "cannotadddiscussionall": "Du har ikke tillatelse til å legge til et nytt diskusjonsemne for alle deltakerne.", "cannotcreatediscussion": "Kan ikke lage ny diskusjon", diff --git a/www/addons/mod/forum/lang/pl.json b/www/addons/mod/forum/lang/pl.json index 0f761c4b8ec..fd1cb6be1c3 100644 --- a/www/addons/mod/forum/lang/pl.json +++ b/www/addons/mod/forum/lang/pl.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Dodaj nowy temat dyskusji", + "addanewquestion": "Dodaj nowe pytanie", + "addanewtopic": "Dodaj nowy temat", "cannotadddiscussion": "Musisz być członkiem grupy aby dodać dyskusję do tego forum", "cannotadddiscussionall": "Nie masz uprawnień, aby dodać nową dyskusję dla wszystkich uczestników.", "cannotcreatediscussion": "Nie można utworzyć nowego wątku", diff --git a/www/addons/mod/forum/lang/pt-br.json b/www/addons/mod/forum/lang/pt-br.json index a4df46a5972..58c4537fac2 100644 --- a/www/addons/mod/forum/lang/pt-br.json +++ b/www/addons/mod/forum/lang/pt-br.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Acrescentar um novo tópico de discussão", + "addanewquestion": "Acrescentar uma nova questão", + "addanewtopic": "Acrescentar um novo tópico", "cannotadddiscussion": "Apenas os participantes inscritos nos grupos podem escrever mensagens neste fórum.", "cannotadddiscussionall": "Você não tem permissão para abrir um novo tópico de discussão para todos os participantes.", "cannotcreatediscussion": "Não foi possível criar uma nova discussão", diff --git a/www/addons/mod/forum/lang/pt.json b/www/addons/mod/forum/lang/pt.json index 5fb8a05a87c..73944d6ecc8 100644 --- a/www/addons/mod/forum/lang/pt.json +++ b/www/addons/mod/forum/lang/pt.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Criar um novo tópico", + "addanewquestion": "Criar uma nova pergunta", + "addanewtopic": "Criar um novo tópico", "cannotadddiscussion": "Criar novos tópicos neste fórum requer adesão a grupo.", "cannotadddiscussionall": "Não tem permissão para criar um novo tópico disponível para todos os participantes", "cannotcreatediscussion": "Não foi possível criar o novo tópico de discussão", diff --git a/www/addons/mod/forum/lang/ro.json b/www/addons/mod/forum/lang/ro.json index 2dd31a2be41..24f7ec04aaf 100644 --- a/www/addons/mod/forum/lang/ro.json +++ b/www/addons/mod/forum/lang/ro.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Adaugă o nouă intervenţie", + "addanewquestion": "Adaugă o întrebare", + "addanewtopic": "Adaugă temă", "cannotadddiscussion": "Pentru a putea discuta pe acest forum trebuie să fiţi membru al unui grup.", "cannotadddiscussionall": "Nu aveţi permisiunea de a adăuga o temă de discuţii pentru toţi participanţii.", "cannotcreatediscussion": "Nu se poate crea discuție nouă", diff --git a/www/addons/mod/forum/lang/ru.json b/www/addons/mod/forum/lang/ru.json index 46a510d03d2..4c43314d42b 100644 --- a/www/addons/mod/forum/lang/ru.json +++ b/www/addons/mod/forum/lang/ru.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Добавить тему для обсуждения", + "addanewquestion": "Добавить новый вопрос", + "addanewtopic": "Добавить новую тему", "cannotadddiscussion": "Нужно быть участником группы, чтобы добавлять обсуждения на этот форум.", "cannotadddiscussionall": "У вас нет привилегий для добавления новой темы обсуждения для всех участников.", "cannotcreatediscussion": "Невозможно создать новое обсуждение", @@ -13,7 +15,7 @@ "erroremptysubject": "Тема сообщения не может быть пустой", "errorgetforum": "Ошибка при получении данных форума", "errorgetgroups": "Ошибка получения параметров группы", - "forumnodiscussionsyet": "В этом форуме ещё нет тем для обсуждения", + "forumnodiscussionsyet": "В этом форуме ещё нет тем для обсуждения.", "group": "Группа", "message": "Сообщение", "modeflatnewestfirst": "Плоско, впереди новые", @@ -23,7 +25,8 @@ "numreplies": "Ответов - {{numreplies}}", "posttoforum": "Отправить в форум", "re": "Re:", - "refreshposts": "Обновить обсуждения", + "refreshdiscussions": "Обновить обсуждения", + "refreshposts": "Обновить объявления", "reply": "Ответить", "subject": "Тема", "unread": "Непрочтенные", diff --git a/www/addons/mod/forum/lang/sv.json b/www/addons/mod/forum/lang/sv.json index 2ada080fc3c..60a3a94553d 100644 --- a/www/addons/mod/forum/lang/sv.json +++ b/www/addons/mod/forum/lang/sv.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Lägg till ett nytt diskussionsämne", + "addanewquestion": "Lägg till en ny fråga", + "addanewtopic": "Lägg till ett nytt ämne", "cannotadddiscussion": "För att lägga till diskussionsämnen till det här forumet krävs det att man är medlem av en grupp.", "cannotadddiscussionall": "Du har inte tillstånd att lägga till ett nytt diskussionsämne för alla deltagare. ", "cannotcreatediscussion": "Det gick inte att skapa en ny diskussion", diff --git a/www/addons/mod/forum/lang/tr.json b/www/addons/mod/forum/lang/tr.json index 6106581a1a4..1a5d669b03f 100644 --- a/www/addons/mod/forum/lang/tr.json +++ b/www/addons/mod/forum/lang/tr.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Yeni tartışma konusu ekle", + "addanewquestion": "Yeni soru ekle", + "addanewtopic": "Yeni konu ekle", "cannotadddiscussion": "Bu foruma tartışma ekleme, grup üyeliği gerektirir.", "cannotadddiscussionall": "Tüm katılımcılar için yeni bir tartışma konusu ekleme izniniz yok.", "cannotcreatediscussion": "Yeni tartışma oluşturulamadı", diff --git a/www/addons/mod/forum/lang/uk.json b/www/addons/mod/forum/lang/uk.json index bf8cfd7742c..2fbaf4edc1d 100644 --- a/www/addons/mod/forum/lang/uk.json +++ b/www/addons/mod/forum/lang/uk.json @@ -1,5 +1,7 @@ { "addanewdiscussion": "Додати тему для обговорення", + "addanewquestion": "Додати нове питання", + "addanewtopic": "Додати нову тему", "cannotadddiscussion": "Додання тем обговорення на цей форум вимагає членства у групі.", "cannotadddiscussionall": "Ви не маєте права створювати нові теми дискусії для всіх учасників", "cannotcreatediscussion": "Не вдається створити нову дискусію", diff --git a/www/addons/mod/glossary/lang/ar.json b/www/addons/mod/glossary/lang/ar.json index e92d720edeb..b52d6059283 100644 --- a/www/addons/mod/glossary/lang/ar.json +++ b/www/addons/mod/glossary/lang/ar.json @@ -1,10 +1,10 @@ { - "attachment": "مرفقات", + "attachment": "ملف مرفق", "browsemode": "النمط العرضي", "byauthor": "التجميع طبقا للمؤلف", "bynewestfirst": "الأحدث أولا", "byrecentlyupdated": "تم تحديثه مؤخرا", "bysearch": "بحث", - "casesensitive": "استخدم التعابير المعتادة", - "categories": "تصنيفات المقررات الدراسية" + "casesensitive": "مطابقة حالة الأحرف", + "categories": "التصنيفات" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/bg.json b/www/addons/mod/glossary/lang/bg.json index 884bf94339b..d75a61e979b 100644 --- a/www/addons/mod/glossary/lang/bg.json +++ b/www/addons/mod/glossary/lang/bg.json @@ -1,6 +1,6 @@ { - "attachment": "Прикачен файл", + "attachment": "Прикрепване на значката към съобщението.", "browsemode": "Режим на преглеждане", - "casesensitive": "Използване на регулярни изрази", - "categories": "Категории курсове" + "casesensitive": "Чувствителност главни/малки букви", + "categories": "Категории" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/ca.json b/www/addons/mod/glossary/lang/ca.json index c9d1567bd0f..f5a0cfc5ded 100644 --- a/www/addons/mod/glossary/lang/ca.json +++ b/www/addons/mod/glossary/lang/ca.json @@ -1,6 +1,6 @@ { - "attachment": "Adjunt", - "browsemode": "Mode exploració", + "attachment": "Adjunta la insígnia al missatge", + "browsemode": "Navegueu per les entrades", "byalphabet": "Alfabèticament", "byauthor": "Agrupat per autor", "bycategory": "Agrupa per categoria", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Actualitzat recentment", "bysearch": "Cerca", "cannoteditentry": "No es pot editar l'entrada", - "casesensitive": "Utilitzeu expressions regulars", - "categories": "Categories de cursos", + "casesensitive": "Distingeix majúscules", + "categories": "Categories", "entriestobesynced": "Entrades per sincronitzar", "entrypendingapproval": "Aquesta entrada està pendent d'aprovació.", "errorloadingentries": "S'ha produït un error en carregar les entrades.", diff --git a/www/addons/mod/glossary/lang/cs.json b/www/addons/mod/glossary/lang/cs.json index 9b2ab4a6330..fc6fae7025a 100644 --- a/www/addons/mod/glossary/lang/cs.json +++ b/www/addons/mod/glossary/lang/cs.json @@ -1,6 +1,6 @@ { - "attachment": "Připojit odznak do zprávy", - "browsemode": "Režim náhledu", + "attachment": "Příloha", + "browsemode": "Prohlížení příspěvků", "byalphabet": "Abecedně", "byauthor": "Skupina podle autora", "bycategory": "Skupina podle kategorie", @@ -8,13 +8,13 @@ "byrecentlyupdated": "Posledně aktualizované", "bysearch": "Hledat", "cannoteditentry": "Záznam nelze upravit", - "casesensitive": "Používat regulární výrazy", - "categories": "Kategorie kurzů", + "casesensitive": "Rozlišovat malá/VELKÁ", + "categories": "Kategorie", "entriestobesynced": "Příspěvky, které mají být synchronizovány", "entrypendingapproval": "Tato položka čeká na schválení", - "errorloadingentries": "Při načítání položek došlo k chybě", - "errorloadingentry": "Při načítání položky došlo k chybě", - "errorloadingglossary": "Při načítání slovníku došlo k chybě", + "errorloadingentries": "Při načítání položek došlo k chybě.", + "errorloadingentry": "Při načítání položky došlo k chybě.", + "errorloadingglossary": "Při načítání slovníku došlo k chybě.", "noentriesfound": "Nebyly nalezeny žádné záznamy.", "searchquery": "Vyhledávací dotaz" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/da.json b/www/addons/mod/glossary/lang/da.json index fc1bee6b778..70199518368 100644 --- a/www/addons/mod/glossary/lang/da.json +++ b/www/addons/mod/glossary/lang/da.json @@ -1,6 +1,6 @@ { - "attachment": "Tilføj badge til besked", - "browsemode": "Forhåndsvisning", + "attachment": "Bilag", + "browsemode": "Skim indlæg", "byalphabet": "Alfabetisk", "byauthor": "Grupper efter forfatter", "bycategory": "Gruppér efter kategori", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Senest opdateret", "bysearch": "Søg", "cannoteditentry": "Kan ikke redigere opslaget", - "casesensitive": "Brug regulære udtryk", - "categories": "Kursuskategorier", + "casesensitive": "Store og små bogstaver", + "categories": "Kategorier", "entriestobesynced": "Opslag der skal synkroniseres", "entrypendingapproval": "Dette opslag afventer godkendelse", "errorloadingentries": "Der opstod en fejl under indlæsning af opslag", diff --git a/www/addons/mod/glossary/lang/de-du.json b/www/addons/mod/glossary/lang/de-du.json index f2ec366d585..b009e561922 100644 --- a/www/addons/mod/glossary/lang/de-du.json +++ b/www/addons/mod/glossary/lang/de-du.json @@ -1,6 +1,6 @@ { - "attachment": "Anhang", - "browsemode": "Vorschaumodus", + "attachment": "Auszeichnung an Mitteilung anhängen", + "browsemode": "Einträge durchblättern", "byalphabet": "Alphabetisch", "byauthor": "Nach Autor/in", "bycategory": "Nach Kategorie", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Kürzlich aktualisiert", "bysearch": "Suchen", "cannoteditentry": "Eintrag nicht bearbeitbar", - "casesensitive": "Reguläre Ausdrücke verwenden", - "categories": "Kursbereiche", + "casesensitive": "Groß-/Kleinschreibung", + "categories": "Kategorien", "entriestobesynced": "Einträge zum Synchronisieren", "entrypendingapproval": "Dieser Eintrag wartet auf eine Freigabe.", "errorloadingentries": "Fehler beim Laden von Einträgen", diff --git a/www/addons/mod/glossary/lang/de.json b/www/addons/mod/glossary/lang/de.json index 2f4457f75da..f0050650a01 100644 --- a/www/addons/mod/glossary/lang/de.json +++ b/www/addons/mod/glossary/lang/de.json @@ -1,6 +1,6 @@ { - "attachment": "Auszeichnung an Mitteilung anhängen", - "browsemode": "Vorschaumodus", + "attachment": "Anhang", + "browsemode": "Einträge durchblättern", "byalphabet": "Alphabetisch", "byauthor": "Nach Autor/in", "bycategory": "Nach Kategorie", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Kürzlich aktualisiert", "bysearch": "Suchen", "cannoteditentry": "Eintrag nicht bearbeitbar", - "casesensitive": "Reguläre Ausdrücke verwenden", - "categories": "Kursbereiche", + "casesensitive": "Groß-/Kleinschreibung", + "categories": "Kategorien", "entriestobesynced": "Einträge zum Synchronisieren", "entrypendingapproval": "Dieser Eintrag wartet auf eine Freigabe.", "errorloadingentries": "Fehler beim Laden von Einträgen", diff --git a/www/addons/mod/glossary/lang/el.json b/www/addons/mod/glossary/lang/el.json index b4970c99016..016800c3b27 100644 --- a/www/addons/mod/glossary/lang/el.json +++ b/www/addons/mod/glossary/lang/el.json @@ -1,6 +1,6 @@ { - "attachment": "Συνημμένα", - "browsemode": "Φάση Προεπισκόπισης", + "attachment": "Προσθήκη βραβείου στο μήνυμα", + "browsemode": "Περιήγηση στις καταχωρήσεις", "byalphabet": "Αλφαβητικά", "byauthor": "Ομαδοποίηση ανά συγγραφέα", "bycategory": "Ομαδοποίηση ανά κατηγορία", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Ανανεώθηκαν πρόσφατα", "bysearch": "Αναζήτηση", "cannoteditentry": "Δεν είναι δυνατή η επεξεργασία της καταχώρισης", - "casesensitive": "Χρήση κανονικών εκφράσεων", - "categories": "Κατηγορίες μαθημάτων", + "casesensitive": "Διάκριση μικρών/κεφαλαίων", + "categories": "Κατηγορίες", "entriestobesynced": "Entries που πρέπει να συγχρονιστούν", "entrypendingapproval": "Εκκρεμεί η έγκριση για αυτή την καταχώρηση.", "errorloadingentries": "Παρουσιάστηκε σφάλμα κατά τη φόρτωση των καταχωρήσεων.", diff --git a/www/addons/mod/glossary/lang/es-mx.json b/www/addons/mod/glossary/lang/es-mx.json index e661f36d342..8cb29128da9 100644 --- a/www/addons/mod/glossary/lang/es-mx.json +++ b/www/addons/mod/glossary/lang/es-mx.json @@ -1,6 +1,6 @@ { - "attachment": "Adjunto", - "browsemode": "Modo de presentación preliminar", + "attachment": "Anexar insignia al mensaje", + "browsemode": "Ver entradas", "byalphabet": "Alfabéticamente", "byauthor": "Agrupar por autor", "bycategory": "Agrupar por categoría", @@ -8,7 +8,7 @@ "byrecentlyupdated": "Recientemente actualizado", "bysearch": "Buscar", "cannoteditentry": "No puede editarse entrada", - "casesensitive": "Usar expresiones regulares", + "casesensitive": "Diferencia entre MAYÚSCULAS y minúsculas", "categories": "Categorías", "entriestobesynced": "Entradas para ser sincronizadas", "entrypendingapproval": "Esta entrada está pendiente de aprobación.", diff --git a/www/addons/mod/glossary/lang/es.json b/www/addons/mod/glossary/lang/es.json index ed5f8c7d0de..ba144c727bc 100644 --- a/www/addons/mod/glossary/lang/es.json +++ b/www/addons/mod/glossary/lang/es.json @@ -1,6 +1,6 @@ { - "attachment": "Adjunto", - "browsemode": "Modo de presentación preliminar", + "attachment": "Adjuntar insignia al mensaje", + "browsemode": "Navegar por las entradas", "byalphabet": "Alfabéticamente", "byauthor": "Agrupado por autor", "bycategory": "Agrupar por categoría", @@ -8,7 +8,7 @@ "byrecentlyupdated": "Actualizado recientemente", "bysearch": "Busca", "cannoteditentry": "No se puede editar la entrada", - "casesensitive": "Usar expresiones regulares", + "casesensitive": "Diferencia entre mayúsculas y minúsculas", "categories": "Categorías", "entriestobesynced": "Entradas pendientes de ser sincronizadas", "entrypendingapproval": "Esta entrada está pendiente de aprobación.", diff --git a/www/addons/mod/glossary/lang/eu.json b/www/addons/mod/glossary/lang/eu.json index 963a7f8ce8c..c66275feb26 100644 --- a/www/addons/mod/glossary/lang/eu.json +++ b/www/addons/mod/glossary/lang/eu.json @@ -1,6 +1,6 @@ { - "attachment": "Erantsi domina mezuari", - "browsemode": "Aurrebista-modua", + "attachment": "Eranskina", + "browsemode": "Aztertu sarrerak", "byalphabet": "Alfabetikoki", "byauthor": "Taldekatu egilearen arabera", "bycategory": "Taldekatu kategoriaren arabera", @@ -8,13 +8,13 @@ "byrecentlyupdated": "Duela gutxi eguneratuak", "bysearch": "Bilatu", "cannoteditentry": "Ezin da sarrera editatu", - "casesensitive": "Erabil adierazpen erregularrak", - "categories": "Ikastaro-kategoriak", + "casesensitive": "Letra larriak eta xeheak bereiziz", + "categories": "Kategoriak", "entriestobesynced": "Sinkronizatu beharreko sarrerak", "entrypendingapproval": "Sarrera hau onarpenaren zain dago.", - "errorloadingentries": "Errorea gertatu da sarrerak kargatzean.", - "errorloadingentry": "Errorea gertatu da sarrera kargatzean.", - "errorloadingglossary": "Errorea gertatu da glosategia kargatzean.", + "errorloadingentries": "Errore bat gertatu da sarrerak kargatzean.", + "errorloadingentry": "Errore bat gertatu da sarrera kargatzean.", + "errorloadingglossary": "Errore bat gertatu da glosategia kargatzean.", "noentriesfound": "Ez da sarrerarik aurkitu", "searchquery": "Egin bilaketa" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/fa.json b/www/addons/mod/glossary/lang/fa.json index 637de884db4..8b6788b82aa 100644 --- a/www/addons/mod/glossary/lang/fa.json +++ b/www/addons/mod/glossary/lang/fa.json @@ -1,6 +1,6 @@ { - "attachment": "فایل پیوست", + "attachment": "ضمیمه کردن مدال به پیام", "browsemode": "حالت پیش‌نمایش", - "casesensitive": "استفاده از عبارت‌های منظم", - "categories": "طبقه‌های درسی" + "casesensitive": "حساس بودن به بزرگ و کوچکی حروف", + "categories": "دسته‌ها" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/fi.json b/www/addons/mod/glossary/lang/fi.json index 1da7bc23e3c..c886639685b 100644 --- a/www/addons/mod/glossary/lang/fi.json +++ b/www/addons/mod/glossary/lang/fi.json @@ -1,6 +1,6 @@ { - "attachment": "Liitä viestiin osaamismerkki", - "browsemode": "Esikatselunäkymä", + "attachment": "Liite", + "browsemode": "Selaa merkintöjä", "byalphabet": "Aakkosjärjestyksessä", "byauthor": "Ryhmittele kirjoittajan mukaisesti", "bycategory": "Ryhmittele kategorian mukaan", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Äskettäin päivitetty", "bysearch": "Hae", "cannoteditentry": "Merkintää ei voi muokata", - "casesensitive": "Kirjainkoon merkitys", - "categories": "Kategoriat", + "casesensitive": "Käytä säännöllisiä lausekkeita", + "categories": "Kurssikategoriat", "entriestobesynced": "Synkronoitavat merkinnät", "entrypendingapproval": "Tämä merkintä odottaa hyväksyntää.", "errorloadingentries": "Merkintöjä ladattaessa tapahtui virhe.", diff --git a/www/addons/mod/glossary/lang/fr.json b/www/addons/mod/glossary/lang/fr.json index 4d12ffcee4d..f72096c8b1b 100644 --- a/www/addons/mod/glossary/lang/fr.json +++ b/www/addons/mod/glossary/lang/fr.json @@ -1,6 +1,6 @@ { - "attachment": "Joindre le badge à un courriel", - "browsemode": "Mode prévisualisation", + "attachment": "Annexe", + "browsemode": "Parcourir les articles", "byalphabet": "Alphabétiquement", "byauthor": "Grouper par auteur", "bycategory": "Grouper par catégorie", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Modifiés récemment", "bysearch": "Rechercher", "cannoteditentry": "Impossible de modifier l'article", - "casesensitive": "Utiliser les expressions régulières", - "categories": "Catégories de cours", + "casesensitive": "Casse des caractères", + "categories": "Catégories", "entriestobesynced": "Articles à synchroniser", "entrypendingapproval": "Cet article est en attente d'approbation", "errorloadingentries": "Une erreur est survenue lors du chargement des articles.", diff --git a/www/addons/mod/glossary/lang/he.json b/www/addons/mod/glossary/lang/he.json index abad848638c..e4d971b4c35 100644 --- a/www/addons/mod/glossary/lang/he.json +++ b/www/addons/mod/glossary/lang/he.json @@ -1,6 +1,6 @@ { - "attachment": "צירוף ההישג להודעה", + "attachment": "קובץ מצורף", "browsemode": "מצב תצוגה מקדימה", - "casesensitive": "השתמש בביטויים רגולריים", - "categories": "קטגוריות קורסים" + "casesensitive": "תלוי אותיות רישיות", + "categories": "קטגוריות חישוב ציונים" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/hr.json b/www/addons/mod/glossary/lang/hr.json index 6edc2f08835..9b8c6b694c1 100644 --- a/www/addons/mod/glossary/lang/hr.json +++ b/www/addons/mod/glossary/lang/hr.json @@ -1,5 +1,5 @@ { - "attachment": "Privitak", + "attachment": "Dodaj značku u poruku", "browsemode": "Način pregleda", "byalphabet": "Abecedno", "byauthor": "Grupirano po autoru", @@ -7,6 +7,6 @@ "bynewestfirst": "Prvo najnoviji", "byrecentlyupdated": "Nedavno osvježeno", "bysearch": "Pretraživanje", - "casesensitive": "Koristi regularne izraze", - "categories": "Popis e-kolegija" + "casesensitive": "Postoji li razlika između malih i VELIKIH slova", + "categories": "Kategorije" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/hu.json b/www/addons/mod/glossary/lang/hu.json index acb16b009bd..c74a20c85ed 100644 --- a/www/addons/mod/glossary/lang/hu.json +++ b/www/addons/mod/glossary/lang/hu.json @@ -1,6 +1,6 @@ { - "attachment": "Csatolt állomány:", + "attachment": "Kitűző hozzákapcsolása az üzenethez", "browsemode": "Előzetes megtekintés üzemmódja", - "casesensitive": "Reguláris kifejezések használata", - "categories": "Kurzuskategóriák" + "casesensitive": "Kis-/nagybetű különböző", + "categories": "Kategóriák" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/it.json b/www/addons/mod/glossary/lang/it.json index 581b16835e1..aa1cfe7fe09 100644 --- a/www/addons/mod/glossary/lang/it.json +++ b/www/addons/mod/glossary/lang/it.json @@ -1,10 +1,10 @@ { - "attachment": "Allega badge al messaggio", + "attachment": "Allegato", "browsemode": "Modalità anteprima", "byrecentlyupdated": "Aggiornati di recente", "bysearch": "Cerca", - "casesensitive": "Utilizza regular expression", - "categories": "Categorie di corso", + "casesensitive": "Rilevanza maiuscolo/minuscolo", + "categories": "Categorie", "entrypendingapproval": "Questa voce è in attesa di approvazione.", "errorloadingentries": "Si è verificato un errore durante il caricamento delle voci.", "errorloadingentry": "Si è verificato un errore durante il caricamento della voce.", diff --git a/www/addons/mod/glossary/lang/ja.json b/www/addons/mod/glossary/lang/ja.json index 3d74c03237d..b68170abdd2 100644 --- a/www/addons/mod/glossary/lang/ja.json +++ b/www/addons/mod/glossary/lang/ja.json @@ -1,6 +1,6 @@ { - "attachment": "添付", - "browsemode": "プレビューモード", + "attachment": "メッセージにバッジを添付する", + "browsemode": "エントリをブラウズ", "byalphabet": "アルファベット順", "byauthor": "著者でグループ", "bycategory": "カテゴリでグループ", @@ -8,8 +8,8 @@ "byrecentlyupdated": "最近の更新", "bysearch": "検索", "cannoteditentry": "エントリの編集ができませんでした", - "casesensitive": "正規表現を使用する", - "categories": "コースカテゴリ", + "casesensitive": "大文字小文字の区別", + "categories": "カテゴリ", "entriestobesynced": "エントリの同期ができませんでした", "entrypendingapproval": "このエントリは承認待ちです。", "errorloadingentries": "エントリ読み込み中にエラーが発生しました。", diff --git a/www/addons/mod/glossary/lang/lt.json b/www/addons/mod/glossary/lang/lt.json index bdc656dd518..016538035b9 100644 --- a/www/addons/mod/glossary/lang/lt.json +++ b/www/addons/mod/glossary/lang/lt.json @@ -1,13 +1,13 @@ { - "attachment": "Prikabinti pasiekimą prie pranešimo", - "browsemode": "Peržiūros režimas", + "attachment": "Priedas", + "browsemode": "Peržiūrėti įrašus", "byalphabet": "Abėcėlės tvarka", "byauthor": "Pagal autorių", "bynewestfirst": "Naujausi", "byrecentlyupdated": "Neseniai atnaujinti", "bysearch": "Paieška", - "casesensitive": "Naudoti reguliariąsias išraiškas", - "categories": "Kursų kategorijos", + "casesensitive": "Didžiųjų ir mažųjų raidžių skyrimas", + "categories": "Kategorijos", "entrypendingapproval": "Patvirtinti įrašą.", "errorloadingentries": "Klaida keliant įrašus.", "errorloadingentry": "Klaida įkeliant įrašą.", diff --git a/www/addons/mod/glossary/lang/mr.json b/www/addons/mod/glossary/lang/mr.json index c9eb093df04..7ae2e09b6f4 100644 --- a/www/addons/mod/glossary/lang/mr.json +++ b/www/addons/mod/glossary/lang/mr.json @@ -1,5 +1,5 @@ { - "browsemode": "आयोग पद्धती", + "browsemode": "नोंदी ब्राउझ करा", "byalphabet": "वर्णानुक्रमाने", "byauthor": "लेखकानुसार गट", "bycategory": "श्रेणीनुसार गट", @@ -8,7 +8,7 @@ "bysearch": "शोधा", "cannoteditentry": "प्रविष्टी संपादित करू शकत नाही", "casesensitive": "नियमीत शब्दांचा वापर करा.", - "categories": "गट", + "categories": "कोर्सचे गट", "entriestobesynced": "सिंक केलेल्या प्रविष्ट्या", "entrypendingapproval": "ही प्रविष्टी मंजूरीसाठी प्रलंबित आहे.", "errorloadingentries": "नोंदी लोड करताना त्रुटी आली", diff --git a/www/addons/mod/glossary/lang/nl.json b/www/addons/mod/glossary/lang/nl.json index 53c36a376e0..5a53d5a1d7a 100644 --- a/www/addons/mod/glossary/lang/nl.json +++ b/www/addons/mod/glossary/lang/nl.json @@ -1,6 +1,6 @@ { - "attachment": "Badge als bijlage bij bericht", - "browsemode": "Probeermodus", + "attachment": "Bijlage", + "browsemode": "Blader door items", "byalphabet": "Alfabetisch", "byauthor": "Groepeer per auteur", "bycategory": "Groepeer per categorie", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Onlangs gewijzigd", "bysearch": "Zoek", "cannoteditentry": "Kan item niet bewerken", - "casesensitive": "Regular expressions gebruiken", - "categories": "Cursuscategorieën", + "casesensitive": "Gevoeligheid voor hoofd/kleine letters", + "categories": "Categorieën", "entriestobesynced": "Items niet gesynchroniseerd", "entrypendingapproval": "Dit item wacht op goedkeuring.", "errorloadingentries": "Fout bij het laden van de items.", diff --git a/www/addons/mod/glossary/lang/no.json b/www/addons/mod/glossary/lang/no.json index 73f96f21519..e039fc4693d 100644 --- a/www/addons/mod/glossary/lang/no.json +++ b/www/addons/mod/glossary/lang/no.json @@ -1,5 +1,5 @@ { - "attachment": "Vedlegg", + "attachment": "Legg til utmerkelsen i meldingen", "browsemode": "Forhåndsvisningsmodus", "byalphabet": "Alfabetisk", "byauthor": "Gruppér etter forfatter", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Nylig oppdatert", "bysearch": "Søk", "cannoteditentry": "Kan ikke redigere oppføring", - "casesensitive": "Skiller mellom store/små bokstaver", - "categories": "Kurskategorier", + "casesensitive": "Store/små bokstaver må stemme", + "categories": "Kategorier", "entriestobesynced": "Oppføringer som skal synkroniseres", "entrypendingapproval": "Denne oppføringen venter på godkjenning", "errorloadingentries": "Feil ved lasting av oppføringer.", diff --git a/www/addons/mod/glossary/lang/pl.json b/www/addons/mod/glossary/lang/pl.json index 7effb708160..dc3225deb6a 100644 --- a/www/addons/mod/glossary/lang/pl.json +++ b/www/addons/mod/glossary/lang/pl.json @@ -1,6 +1,6 @@ { - "attachment": "Dołącz odznakę do wiadomości", + "attachment": "Załącznik", "browsemode": "Tryb przeglądania", - "casesensitive": "Użyj wyrażeń regularnych", - "categories": "Kategorie kursów" + "casesensitive": "Uwzględnianie wielkości liter", + "categories": "Kategorie" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/pt-br.json b/www/addons/mod/glossary/lang/pt-br.json index 32741499a8c..57059a9b327 100644 --- a/www/addons/mod/glossary/lang/pt-br.json +++ b/www/addons/mod/glossary/lang/pt-br.json @@ -1,6 +1,6 @@ { - "attachment": "Anexar emblema à mensagem", - "browsemode": "Prévia", + "attachment": "Anexo", + "browsemode": "Navegar nas entradas", "byalphabet": "Alfabeticamente", "byauthor": "Agrupar por autor", "bycategory": "Agrupar por categoria", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Recentemente atualizados", "bysearch": "Pesquisa", "cannoteditentry": "Não é possível editar o item", - "casesensitive": "Usar expressões regulares", - "categories": "Categorias de Cursos", + "casesensitive": "Considerar diferenças entre maiúsculas e minúsculas", + "categories": "Categorias", "entriestobesynced": "Itens a serem sincronizados", "entrypendingapproval": "A entrada está pendente de aprovação.", "errorloadingentries": "Ocorreu um erro enquanto carregava entradas.", diff --git a/www/addons/mod/glossary/lang/pt.json b/www/addons/mod/glossary/lang/pt.json index 3aa08aa38fe..c66eb5a045e 100644 --- a/www/addons/mod/glossary/lang/pt.json +++ b/www/addons/mod/glossary/lang/pt.json @@ -1,6 +1,6 @@ { - "attachment": "Anexo", - "browsemode": "Modo de pré-visualização", + "attachment": "Anexar Medalha à mensagem", + "browsemode": "Ver entradas", "byalphabet": "Alfabeticamente", "byauthor": "Agrupar por autor", "bycategory": "Agrupar por categoria", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Recentemente atualizados", "bysearch": "Pesquisar", "cannoteditentry": "Não é possível editar a entrada", - "casesensitive": "Usar regular expressions", - "categories": "Categorias de disciplinas", + "casesensitive": "Respeitar maiúsculas/minúsculas", + "categories": "Categorias", "entriestobesynced": "Entradas a ser sincronizadas", "entrypendingapproval": "Este termo aguarda aprovação.", "errorloadingentries": "Ocorreu um erro ao carregar os termos.", diff --git a/www/addons/mod/glossary/lang/ro.json b/www/addons/mod/glossary/lang/ro.json index f5e76676789..f5b01e9fee4 100644 --- a/www/addons/mod/glossary/lang/ro.json +++ b/www/addons/mod/glossary/lang/ro.json @@ -1,13 +1,13 @@ { - "attachment": "Atașament", - "browsemode": "Mod Căutare", + "attachment": "Adaugă o etichetă mesajului", + "browsemode": "Căutați în datele introduse", "byalphabet": "Alfabetic", "byauthor": "Grupare după autor", "bynewestfirst": "Cele mai noi sunt dispuse primele", "byrecentlyupdated": "Actualizări recente", "bysearch": "Căutare", - "casesensitive": "Foloseşte Regular Expressions", - "categories": "Categorii de cursuri", + "casesensitive": "Senzitivitate caractere", + "categories": "Categorii", "entrypendingapproval": "Această", "errorloadingentries": "A apărut o eroare la încărcarea intrărilor.", "errorloadingentry": "A apărut o eroare la încărcarea intrărilor.", diff --git a/www/addons/mod/glossary/lang/ru.json b/www/addons/mod/glossary/lang/ru.json index 05189841b97..f66fec3c8fd 100644 --- a/www/addons/mod/glossary/lang/ru.json +++ b/www/addons/mod/glossary/lang/ru.json @@ -1,10 +1,20 @@ { - "attachment": "Вложение:", - "browsemode": "Режим предпросмотра", + "attachment": "Прикрепить значок к сообщению", + "browsemode": "Смотреть записи", "byalphabet": "Алфавитно", "byauthor": "Группировать по автору", "bycategory": "Группировать по категориям", + "bynewestfirst": "Сначала новые", + "byrecentlyupdated": "Недавно обновлённые", "bysearch": "Поиск", - "casesensitive": "Использовать регулярные выражения", - "categories": "Категории курсов" + "cannoteditentry": "Невозможно редактировать запись", + "casesensitive": "Чувствительность ответа к регистру", + "categories": "Категории", + "entriestobesynced": "Записи на синзронизацию", + "entrypendingapproval": "Эта запись ожидает подтверждения.", + "errorloadingentries": "При загрузке записей произошла ошибка.", + "errorloadingentry": "При загрузке записи произошла ошибка.", + "errorloadingglossary": "При загрузке глоссария произошла ошибка.", + "noentriesfound": "Записей не было найдено.", + "searchquery": "Запрос на поиск" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/sv.json b/www/addons/mod/glossary/lang/sv.json index 0c0a203775f..7fb8c3d2643 100644 --- a/www/addons/mod/glossary/lang/sv.json +++ b/www/addons/mod/glossary/lang/sv.json @@ -1,13 +1,13 @@ { - "attachment": "Bifoga märke med meddelande", - "browsemode": "Läge för förhandsgranskning", + "attachment": "Bilaga", + "browsemode": "Bläddrar bland poster", "byalphabet": "Alfabetiskt", "byauthor": "Sortera efter författare", "bynewestfirst": "Nyaste först", "byrecentlyupdated": "Nyligen uppdaterade", "bysearch": "Sök", - "casesensitive": "Använd standarduttryck", - "categories": "Kurskategorier", + "casesensitive": "Stor eller liten bokstav gör skillnad", + "categories": "Kategorier", "entrypendingapproval": "Detta inlägg väntar på godkännande", "errorloadingentries": "Ett fel uppstod vid inläsning av inläggen", "errorloadingentry": "Ett fel uppstod vid inläsning av inlägget", diff --git a/www/addons/mod/glossary/lang/tr.json b/www/addons/mod/glossary/lang/tr.json index ed836454608..6acccdba883 100644 --- a/www/addons/mod/glossary/lang/tr.json +++ b/www/addons/mod/glossary/lang/tr.json @@ -1,6 +1,6 @@ { - "attachment": "Rozete mesaj ekle", + "attachment": "Dosya", "browsemode": "Önizleme Modu", - "casesensitive": "Düzenli İfadeleri Kullan", - "categories": "Ders Kategorileri" + "casesensitive": "Harf duyarlılığı", + "categories": "Kategoriler" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/uk.json b/www/addons/mod/glossary/lang/uk.json index d40f5a0e548..fecbe90319d 100644 --- a/www/addons/mod/glossary/lang/uk.json +++ b/www/addons/mod/glossary/lang/uk.json @@ -1,6 +1,6 @@ { - "attachment": "Долучення", - "browsemode": "Режим перегляду", + "attachment": "Прикріпити відзнаку до повідомлення", + "browsemode": "Перегляд записів", "byalphabet": "По алфавіту", "byauthor": "Групувати за автором", "bycategory": "Групувати за категорією", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Нещодавно оновлені", "bysearch": "Пошук", "cannoteditentry": "Неможливо редагувати запис", - "casesensitive": "Використовувати регулярні вирази", - "categories": "Категорії курсів", + "casesensitive": "Чутливість відповіді до регістра", + "categories": "Категорії", "entriestobesynced": "Записи будуть синхронізовані", "entrypendingapproval": "Цей запис очікує схвалення.", "errorloadingentries": "Сталася помилка під час завантаження записів.", diff --git a/www/addons/mod/label/lang/fi.json b/www/addons/mod/label/lang/fi.json index 1c440f1a0de..2e86e901328 100644 --- a/www/addons/mod/label/lang/fi.json +++ b/www/addons/mod/label/lang/fi.json @@ -1,3 +1,3 @@ { - "label": "Ohjeteksti" + "label": "Nimi" } \ No newline at end of file diff --git a/www/addons/mod/label/lang/he.json b/www/addons/mod/label/lang/he.json index 232aff3b2bf..7f0814d0381 100644 --- a/www/addons/mod/label/lang/he.json +++ b/www/addons/mod/label/lang/he.json @@ -1,3 +1,3 @@ { - "label": "תווית לשאלה מותנית (באנגלית)" + "label": "תווית" } \ No newline at end of file diff --git a/www/addons/mod/label/lang/lt.json b/www/addons/mod/label/lang/lt.json index 8aba433e8cd..f9a1ca059d8 100644 --- a/www/addons/mod/label/lang/lt.json +++ b/www/addons/mod/label/lang/lt.json @@ -1,3 +1,3 @@ { - "label": "Žyma" + "label": "Etiketė" } \ No newline at end of file diff --git a/www/addons/mod/label/lang/ru.json b/www/addons/mod/label/lang/ru.json index d174e316226..974254476a8 100644 --- a/www/addons/mod/label/lang/ru.json +++ b/www/addons/mod/label/lang/ru.json @@ -1,3 +1,3 @@ { - "label": "Отмечено" + "label": "Пояснение" } \ No newline at end of file diff --git a/www/addons/mod/label/lang/uk.json b/www/addons/mod/label/lang/uk.json index dc1348438f8..f1dd990cbfb 100644 --- a/www/addons/mod/label/lang/uk.json +++ b/www/addons/mod/label/lang/uk.json @@ -1,3 +1,3 @@ { - "label": "Напис" + "label": "Лейба" } \ No newline at end of file diff --git a/www/addons/mod/lesson/lang/ar.json b/www/addons/mod/lesson/lang/ar.json index 81cf9703356..4f326bb530d 100644 --- a/www/addons/mod/lesson/lang/ar.json +++ b/www/addons/mod/lesson/lang/ar.json @@ -37,7 +37,7 @@ "review": "مراجعة", "reviewlesson": "مراجعة الدرس", "reviewquestionback": "نعم، أرغب في المحاولة ثانياً", - "submit": "سلم", + "submit": "سلم/قدم", "thatsthecorrectanswer": "هذه إجابة صحيحة", "thatsthewronganswer": "هذه إجابة خاطئة", "timeremaining": "الزمن المتبقى", diff --git a/www/addons/mod/lesson/lang/cs.json b/www/addons/mod/lesson/lang/cs.json index ab57fee76d6..43380f9a9af 100644 --- a/www/addons/mod/lesson/lang/cs.json +++ b/www/addons/mod/lesson/lang/cs.json @@ -22,7 +22,7 @@ "emptypassword": "Heslo nemůže být prázdné", "enterpassword": "Zadejte prosím heslo:", "eolstudentoutoftimenoanswers": "Nezodpověděli jste žádnou otázku. Za tuto přednášku nezískáváte žádný bod.", - "errorprefetchrandombranch": "Tato přednáška obsahuje skok na náhodnou stránku, nelze ji v aplikaci zkoušet, dokud nebude spuštěna na webu.", + "errorprefetchrandombranch": "Tato přednáška obsahuje skok na náhodnou stránku. V aplikaci ji nelze zkoušet, dokud nebude spuštěna na webu.", "errorreviewretakenotlast": "Tento pokus již nelze prohlédnout, protože byl dokončen další pokus.", "finish": "Skončit", "finishretakeoffline": "Tento pokus byl dokončen offline.", diff --git a/www/addons/mod/lesson/lang/eu.json b/www/addons/mod/lesson/lang/eu.json index 4b9734b0cc3..3549859e395 100644 --- a/www/addons/mod/lesson/lang/eu.json +++ b/www/addons/mod/lesson/lang/eu.json @@ -8,7 +8,7 @@ "branchtable": "Edukia", "cannotfindattempt": "Errorea: ezin da saiakera aurkitu", "cannotfinduser": "Errorea: ezin dira erabiltzaileak aurkitu", - "clusterjump": "Cluster batean ikusi gabeko galdera", + "clusterjump": "Multzo batean ikusi gabeko galdera", "completed": "Osatuta", "congratulations": "Zorionak! Ikasgaiaren bukaerara iritsi zara", "continue": "Jarraitu", @@ -22,7 +22,7 @@ "emptypassword": "Pasahitza ezin da hutsik egon", "enterpassword": "Idatzi pasahitza, mesedez:", "eolstudentoutoftimenoanswers": "Ez duzu erantzunik eman. Ikasgai honetan 0 puntu lortu duzu.", - "errorprefetchrandombranch": "Ikasgai honek ausazko eduki-orri baterako jauzia dauka, eta ezin da app-an egin aurretik web-ean hasi ezean.", + "errorprefetchrandombranch": "Ikasgai honek ausazko eduki-orri baterako jauzia dauka. Ezin da app-an saiakerarik egin aurretik web nabigatzaileaan hasi ezean.", "errorreviewretakenotlast": "Saiakera hau ezin da berrikusi dagoeneko beste saiakera bat amaitu delako.", "finish": "Amaitu", "finishretakeoffline": "Saiakera hau lineaz kanpo bukatu zen.", diff --git a/www/addons/mod/lesson/lang/pt-br.json b/www/addons/mod/lesson/lang/pt-br.json index 0cec7acb9c4..1772b4df4f6 100644 --- a/www/addons/mod/lesson/lang/pt-br.json +++ b/www/addons/mod/lesson/lang/pt-br.json @@ -17,13 +17,16 @@ "detailedstats": "Estatísticas detalhadas", "didnotanswerquestion": "Não respondeu esta questão.", "displayofgrade": "Visualização das notas (apenas para estudantes)", - "displayscorewithessays": "Você recebeu {{$a.score}} de um total de {{$a.tempmaxgrade}} nas questões avaliadas automaticamente.
      A(s) sua(s) {{$a.essayquestions}} questão(ões) dissertativa(s) será(ão) avaliada(s) depois.

      A sua nota parcial é {{$a.score}} de um total de {{$a.grade}}", + "displayscorewithessays": "

      Você recebeu {{$a.score}} de um total de {{$a.tempmaxgrade}} nas questões avaliadas automaticamente.

      \n

      A(s) sua(s) {{$a.essayquestions}} questão(ões) dissertativa(s) será(ão) avaliada(s) e somada(s) ao seu resultado final em uma data posterior. \n

      Sua nota atual, sem a(s) questão(ões) dissertativa(s), é {{$a.score}} de um total de {{$a.grade}}>/p>", "displayscorewithoutessays": "A sua pontuação é {{$a.score}} (de {{$a.grade}}).", "emptypassword": "Senha não pode ser vazia", "enterpassword": "Inserir a senha:", "eolstudentoutoftimenoanswers": "Você não respondeu nenhuma questão. A nota atribuída foi igual a 0 .", + "errorprefetchrandombranch": "Esta lição contém um salto para uma página de conteúdo aleatório. Não pode ser tentada na aplicação antes de ser iniciada no site.", + "errorreviewretakenotlast": "Já não é possível rever esta tentativa porque outra tentativa foi terminada.", "finish": "Finalizado", - "firstwrong": "Infelizmente esta resposta não é correta e portanto não aumentará a sua pontuação. Você gostaria de continuar tentando para conhecer a resposta certa (mas sem direito à revisão da pontuação)?", + "finishretakeoffline": "Esta tentativa foi concluída em modo offline.", + "firstwrong": "Você respondeu incorretamente. Você gostaria de tentar novamente a questão? (Se você responder a pergunta corretamente, sua pontuação final não será alterada.)", "gotoendoflesson": "Ir para o final da lição", "grade": "Avaliação", "highscore": "Pontuação alta", @@ -56,6 +59,9 @@ "rawgrade": "Nota não ponderada", "reports": "Relatórios", "response": "Retorno", + "retakefinishedinsync": "Uma tentativa offline foi sincronizada. Pretende rever a tentativa?", + "retakelabelfull": "{{retake}}: {{grade}} {{timestart}} ({{duration}})", + "retakelabelshort": "{{retake}}: {{grade}} {{timestart}}", "review": "Revisão", "reviewlesson": "Rever Lição", "reviewquestionback": "Sim, eu gostaria de tentar novamente", @@ -64,15 +70,16 @@ "submit": "Enviar", "teacherjumpwarning": "Um destino {{$a.cluster}} ou um destino {{$a.unseen}} está sendo usado nesta lição. O destino Próxima Página substituirá o anterior. Faça o login como estudante para testar estes destinos.", "teacherongoingwarning": "Para testar a pontuação corrente é necessário fazer o login como estudante.", - "teachertimerwarning": "Para testar o timer é necessário fazer o login como estudante.", + "teachertimerwarning": "O temporizador funciona somente para estudantes. Teste o temporizador acessando como estudante.", "thatsthecorrectanswer": "Esta é a resposta correta", "thatsthewronganswer": "Esta é a resposta errada", "timeremaining": "Tempo restante", "timetaken": "Tempo utilizado", - "unseenpageinbranch": "Questão não vista de uma seção", + "unseenpageinbranch": "Questão não visualizada dentro de uma página de conteúdo", + "warningretakefinished": "A tentativa foi terminada no site.", "welldone": "Muito bem!", "youhaveseen": "Você já visitou algumas páginas desta lição.
      Você quer iniciar a partir da última página visitada?", "youranswer": "A sua resposta", "yourcurrentgradeisoutof": "A sua nota atual é {{$a.grade}} sobre {{$a.total}}", - "youshouldview": "Você deve visitar pelo menos: {{$a}}" + "youshouldview": "Você deve responder pelo menos: {{$a}}" } \ No newline at end of file diff --git a/www/addons/mod/lesson/lang/pt.json b/www/addons/mod/lesson/lang/pt.json index 61440b19dc8..6f027fe4950 100644 --- a/www/addons/mod/lesson/lang/pt.json +++ b/www/addons/mod/lesson/lang/pt.json @@ -68,7 +68,7 @@ "reviewquestioncontinue": "Não, quero avançar para a pergunta seguinte", "secondpluswrong": "Resposta incorreta. Quer voltar a tentar?", "submit": "Submeter", - "teacherjumpwarning": "Nesta lição, há páginas que seguem para {{$a.cluster}} ou para {{$a.unseen}}. Esta sequência será ignorada e a lição seguirá para a página seguinte. Para testar a sequência das páginas entre como aluno.", + "teacherjumpwarning": "Nesta lição, há páginas que seguem para {{$a.cluster}} ou para {{$a.unseen}}. Esta sequência será ignorada e a lição seguirá para a página seguinte. Para testar a sequência das páginas, assuma o papel de aluno.", "teacherongoingwarning": "A exibição da pontuação no decorrer da lição só é visível para os alunos. Para ver a pontuação no decorrer da lição entre como aluno.", "teachertimerwarning": "O cronómetro só é visível para os alunos. Para testar esta funcionalidade, entre como aluno.", "thatsthecorrectanswer": "A sua resposta está correta.", diff --git a/www/addons/mod/lesson/lang/ru.json b/www/addons/mod/lesson/lang/ru.json index f8db842221a..e5759b732cf 100644 --- a/www/addons/mod/lesson/lang/ru.json +++ b/www/addons/mod/lesson/lang/ru.json @@ -22,7 +22,10 @@ "emptypassword": "Пароль не может быть пустым", "enterpassword": "Пожалуйста, введите пароль:", "eolstudentoutoftimenoanswers": "Вы не ответили ни на один вопрос. Вы получили 0 за эту лекцию.", + "errorprefetchrandombranch": "Эта лекция содержит переход на случайную страницу контента. Невозможно выполнить попытку в приложении до тех пор, пока она не будет запущена в веб-браузере.", + "errorreviewretakenotlast": "Эта попытка больше не может быть просмотрена, так как была сделана другая попытка.", "finish": "Завершить", + "finishretakeoffline": "Эта попытка была завершена вне сети.", "firstwrong": "Вы ответили неправильно. Хотите снова попробовать ответить на вопрос? (Даже в случае верного ответа его результат не будет засчитан в Вашей итоговой оценке.)", "gotoendoflesson": "Перейти к концу лекции", "grade": "Оценка", @@ -56,6 +59,9 @@ "rawgrade": "Предварительная оценка", "reports": "Отчеты", "response": "Отзыв", + "retakefinishedinsync": "Попытка, выполненная вне сети, была синхронизирована. Вы хотите её просмотреть?", + "retakelabelfull": "{{retake}}: {{grade}} {{timestart}} ({{duration}})", + "retakelabelshort": "{{retake}}: {{grade}} {{timestart}}", "review": "Пересмотр", "reviewlesson": "Пересмотр лекции", "reviewquestionback": "Да, мне хотелось бы попробовать еще раз", @@ -70,6 +76,7 @@ "timeremaining": "Оставшееся время", "timetaken": "Затраченное время", "unseenpageinbranch": "Страница непросмотренного вопроса из раздела", + "warningretakefinished": "Попытка была завершена на сайте.", "welldone": "Отлично!", "youhaveseen": "Вы уже работали с этой лекцией.
      Хотите продолжить с того места, на котором Вы остановились?", "youranswer": "Ваш ответ", diff --git a/www/addons/mod/quiz/lang/el.json b/www/addons/mod/quiz/lang/el.json index 83aa8fb1b80..667b28be93e 100644 --- a/www/addons/mod/quiz/lang/el.json +++ b/www/addons/mod/quiz/lang/el.json @@ -48,6 +48,7 @@ "preview": "Προεπισκόπηση", "previewquiznow": "Προεπισκόπηση κουίζ", "question": "Ερώτηση", + "quizpassword": "Κωδικός πρόσβασης κουίζ", "reattemptquiz": "Επαναπροσπάθεια του κουίζ", "requirepasswordmessage": "Για να συμπληρώσετε αυτό το κουίζ πρέπει να γνωρίζετε το κωδικό του", "returnattempt": "Επιστροφή στην προσπάθεια", @@ -61,6 +62,7 @@ "stateabandoned": "Δεν έχει υποβληθεί", "statefinished": "Ολοκληρωμένο", "statefinisheddetails": "Υποβλήθηκε {{$a}}", + "stateinprogress": "Σε εξέλιξη", "stateoverduedetails": "Πρέπει να υποβληθεί μέχρι {{$a}}", "status": "Κατάσταση", "submitallandfinish": "Υποβολή όλων και τέλος", diff --git a/www/addons/mod/quiz/lang/eu.json b/www/addons/mod/quiz/lang/eu.json index a09d62d8049..5301b8e7432 100644 --- a/www/addons/mod/quiz/lang/eu.json +++ b/www/addons/mod/quiz/lang/eu.json @@ -15,17 +15,17 @@ "connectionerror": "Galdu egin da sarearen konexioa (Ez du berez gordeko)\n\nGorde idatziz azken minutuetan orri honetan egin dituzun erantzunak eta ondoren saiatu berriz konektatzen.\n\nKonexioa berriz ezartzen denean, zure erantzunak gordetzeko modua izango da eta mezu hau desagertu egingo da.", "continueattemptquiz": "Jarraitu azken saiakerarekin", "continuepreview": "Jarraitu aurreko aurrebistarekin", - "errorbehaviournotsupported": "Galdetegi hau ezin da app-an erantzun jokaera ez dagoelako app-an onartua:", + "errorbehaviournotsupported": "Galdetegi hau ezin da app-an erantzun galderen jokaera ez dagoelako app-an onartua:", "errordownloading": "Errorea behar diren datuak deskargatzean.", "errorgetattempt": "Errorea saiakeraren datuak eskuratzean.", "errorgetquestions": "Errorea galderak eskuratzean.", "errorgetquiz": "Errorea galdetegiaren datuak eskuratzean.", "errorparsequestions": "Errorea gertatu da galderak irakurtzean. Mesedez galdetegia nabigatzailean egiten saiatu.", - "errorquestionsnotsupported": "Galdetegi hau ezin da app-an erantzun app-an onartzen ez diren galdera motak dituelako:", + "errorquestionsnotsupported": "Galdetegi hau ezin da app-an erantzun app-an onartzen ez diren galdera-motak dituelako:", "errorrulesnotsupported": "Galdetegi hau ezin da app-an erantzun app-an onartzen ez diren sarbide-arauak dituelako:", "errorsaveattempt": "Errorea gertatu da saiakeraren datuak gordetzean.", - "errorsyncquiz": "Errorea gertatu da sinkronizatzean. Mesesdez saiatu berriz.", - "errorsyncquizblocked": "Galdetegi hau ezin da orain sinkronizatu beste eragiketa bat martxan dagoelako. Mesedez saiatu beranduago. Arazoa errepikatzen bada, mesedez app-a berrabiarazi.", + "errorsyncquiz": "Errore bat gertatu da sinkronizatzean. Mesesdez, saiatu berriz.", + "errorsyncquizblocked": "Galdetegi hau ezin da orain sinkronizatu beste eragiketa bat martxan dagoelako. Mesedez, saiatu beranduago. Arazoa errepikatzen bada, saiatu mesedez app-a berrabiarazten.", "feedback": "Feedbacka", "finishattemptdots": "Amaitu saiakera...", "finishnotsynced": "Bukatua baina sinkronizatu gabe.", @@ -73,7 +73,7 @@ "summaryofattempts": "Orain arteko zure saiakeren laburpena", "timeleft": "Geratzen den denbora", "timetaken": "Hartutako denbora", - "warningattemptfinished": "Lineaz kanpoko saiakera baztertu da gunean bukatu delako edo ez delako aurkitu", + "warningattemptfinished": "Lineaz kanpoko saiakera baztertu da gunean bukatu delako edo ez delako aurkitu.", "warningdatadiscarded": "Lineaz kanpoko galdera batzuk baztertu dira galderak online aldatu direlako", "warningdatadiscardedfromfinished": "Saiakera ez da bukatu lineaz kanpoko galdera batzuk baztertu direlako. Mesedez zure erantzunak berrikusi eta saiakera berriz bidali.", "yourfinalgradeis": "Galdetegi honetan zure azken nota {{$a}} da." diff --git a/www/addons/mod/quiz/lang/mr.json b/www/addons/mod/quiz/lang/mr.json index ee316071ffd..ef0b62cfc80 100644 --- a/www/addons/mod/quiz/lang/mr.json +++ b/www/addons/mod/quiz/lang/mr.json @@ -41,7 +41,7 @@ "review": "रीव्ह्यु", "showall": "एका पानावरती सर्व प्रश्न दाखवा", "startedon": "यावेळी सुरू केले", - "status": "स्थिती", + "status": "दर्जा", "submitallandfinish": "सर्व भरा आणि शेवट करा", "summaryofattempts": "तुमच्या अगोदरच्या प्रयत्नांचा सारांश", "timeleft": "शिल्लक वेळ", diff --git a/www/addons/mod/quiz/lang/ru.json b/www/addons/mod/quiz/lang/ru.json index b50449fb955..365e5e61758 100644 --- a/www/addons/mod/quiz/lang/ru.json +++ b/www/addons/mod/quiz/lang/ru.json @@ -4,14 +4,28 @@ "attemptnumber": "Попытка", "attemptquiznow": "Начать тестирование", "attemptstate": "Состояние", + "cannotsubmitquizdueto": "Попытка прохождения теста не может быть отправлена по следующим причинам:", "comment": "Комментарий", "completedon": "Завершен", "confirmclose": "После отправки Вы больше не сможете изменить свои ответы на эту попытку.", - "confirmstart": "Время на тест ограничено и равно {{$a}} минут. Будет идти обратный отсчет времени с момента начала вашей попытки и вы должны завершить тест до окончания времени. Вы уверены, что хотите начать прямо сейчас?", + "confirmcontinueoffline": "Эта попытка не была синхронизирована с {{$a}}. Если вы продолжите попытку с другого устройства, то можете потерять данные.", + "confirmleavequizonerror": "При сохранении ответа возникла ошибка. Вы уверены, что хотите покинуть тест?", + "confirmstart": "Время на тест ограничено и равно {{$a}}. Будет идти обратный отсчет времени с момента начала вашей попытки, и вы должны завершить тест до окончания времени. Вы уверены, что хотите начать прямо сейчас?", "confirmstartheader": "Тест с ограничением по времени", "connectionerror": "Сетевое подключение потеряно. (Автосохранение не удалось).\n\nЗапишите все ответы, введенные на этой странице в последние несколько минут, затем попробуйте подключиться заново.\n\nПосле того, как соединение будет восстановлено, Ваши ответы должны быть сохранены и это сообщение исчезнет.", "continueattemptquiz": "Продолжить последнюю попытку", "continuepreview": "Продолжить последний просмотр", + "errorbehaviournotsupported": "Этот тест не может быть пройден в приложении, потому что поведение вопроса не поддерживается приложением.", + "errordownloading": "Ошибка при загрузке необходимых данных.", + "errorgetattempt": "Ошибка получения данных попытки.", + "errorgetquestions": "Ошибка получения вопросов.", + "errorgetquiz": "Ошибка получения данных теста.", + "errorparsequestions": "При чтении вопросов произошла ошибка. Попробуйте пройти этот тест в браузере.", + "errorquestionsnotsupported": "Данный тест не может быть пройден в приложении, потому что он содержит вопросы, не поддерживаемые приложением:", + "errorrulesnotsupported": "Данный тест не может быть пройден в приложении, потому что он имеет правила доступа, не поддерживаемые приложением:", + "errorsaveattempt": "При сохранении данных попытки возникла ошибка.", + "errorsyncquiz": "Во время синхронизации возникла ошибка. Пожалуйста, попробуйте снова.", + "errorsyncquizblocked": "Данный тест не может быть синхронизирован прямо сейчас, так как выполняется процесс. Пожалуйста, попробуйте ещё раз позже. Если проблема сохранится, попробуйте перезапустить приложение.", "feedback": "Отзыв", "finishattemptdots": "Закончить попытку...", "finishnotsynced": "Завершено, но не синхронизировано", @@ -20,11 +34,13 @@ "gradehighest": "Высшая оценка", "grademethod": "Метод оценивания", "gradesofar": "{{$a.method}}: {{$a.mygrade}} / {{$a.quizgrade}}.", + "hasdatatosync": "В этом тесте есть данные для синхронизации, сохранённые вне сети.", "marks": "Баллы", "mustbesubmittedby": "Эта попытка должна быть отправлена до {{$a}}.", "noquestions": "Пока не добавлено ни одного вопроса", "noreviewattempt": "Вам не разрешен просмотр этой попытки.", "notyetgraded": "Еще не оценено", + "opentoc": "Открыть всплывающее окно с навигацией", "outof": "{{$a.grade}} из {{$a.maxgrade}}", "outofpercent": "{{$a.grade}} из {{$a.maxgrade}} ({{$a.percent}}%)", "outofshort": "{{$a.grade}}/{{$a.maxgrade}}", @@ -57,5 +73,8 @@ "summaryofattempts": "Результаты ваших предыдущих попыток", "timeleft": "Оставшееся время", "timetaken": "Прошло времени", + "warningattemptfinished": "Попытка, совершённая вне сети, отменена, так как она была завершена на сайте или не найдена.", + "warningdatadiscarded": "Некоторые ответы, совершённые вне сети, были отменены, так как вопросы были изменены в сети.", + "warningdatadiscardedfromfinished": "Попытка не завершена, так как некоторые ответы, данные вне сети, были отменены. Пожалуйста, проверьте свои ответы и отправьте попытку заново.", "yourfinalgradeis": "Ваша итоговая оценка за этот тест: {{$a}}" } \ No newline at end of file diff --git a/www/addons/mod/scorm/lang/eu.json b/www/addons/mod/scorm/lang/eu.json index d6315ef6681..36782d30976 100644 --- a/www/addons/mod/scorm/lang/eu.json +++ b/www/addons/mod/scorm/lang/eu.json @@ -15,8 +15,8 @@ "errordownloadscorm": "Errorea SCORMa jaistean: \"{{name}}\".", "errorgetscorm": "Errorea SCORM datuak eskuratzean.", "errorinvalidversion": "Barkatu, aplikazioak SCORM 1.2 besterik ez du onartzen.", - "errornotdownloadable": "SCORM paketeen deskarga desgaituta dago zure Moodle gunean. Mesedez jarri harremanetan zure Moodle guneko kudeatzailearekin.", - "errornovalidsco": "SCORM honek ez du kargatzeko SCOrik ikusgai.", + "errornotdownloadable": "SCORM paketeen deskarga desgaituta dago.Mesedez jarri harremanetan zure guneko kudeatzailearekin.", + "errornovalidsco": "SCORM pakete honek ez du kargatzeko SCOrik ikusgai.", "errorpackagefile": "Barkatu, aplikazioak ZIP paketeak besterik ez du onartzen.", "errorsyncscorm": "Errorea gertatu da sinkronizatzean. Mesedez, saiatu berriz.", "exceededmaxattempts": "Gehienezko saiakera-kopurua egin duzu.", @@ -43,9 +43,9 @@ "organizations": "Erakundeak", "passed": "Gainditua", "reviewmode": "Berrikusketa-modua", - "scormstatusnotdownloaded": "SCORM hau ez dago aurretik jaitsita. Automatikoki jaitsiko da irekitzen duzunean.", - "scormstatusoutdated": "SCORM hau eguneratua izan da azkenekoz jaitsi zenuenetik. Automatikoki jaitsiko da irekitzen duzunean.", + "scormstatusnotdownloaded": "SCORM pakete hau ez dago aurretik jaitsita. Automatikoki jaitsiko da irekitzen duzunean.", + "scormstatusoutdated": "SCORM pakete hau eguneratua izan da azkenekoz jaitsi zenuenetik. Automatikoki jaitsiko da irekitzen duzunean.", "suspended": "Bere horretan utzia", - "warningofflinedatadeleted": "{{number}}. saiakeraren lineaz kanpoko datu batzuk ezabatu dira ezin izan direlako saiakera berri batean sortu.", - "warningsynconlineincomplete": "Saiakera batzuk ezin izan dira Moodle gunearekin sinkronizatu azken online saiakera ez delako bukatu. Mesedez, bukatu online saiakera aurretik." + "warningofflinedatadeleted": "{{number}}. saiakeraren lineaz kanpoko datu batzuk ezabatu dira ezin izan direlako saiakera berri gisa hartu.", + "warningsynconlineincomplete": "Saiakera batzuk ezin izan dira gunearekin sinkronizatu azken online saiakera ez delako oraindik bukatu. Mesedez, bukatu online saiakera aurretik." } \ No newline at end of file diff --git a/www/addons/mod/scorm/lang/ru.json b/www/addons/mod/scorm/lang/ru.json index 2cc8016e9c1..5880e7cb773 100644 --- a/www/addons/mod/scorm/lang/ru.json +++ b/www/addons/mod/scorm/lang/ru.json @@ -9,9 +9,16 @@ "cannotcalculategrade": "Оценка не может быть посчитана", "completed": "Завершено", "contents": "Содержание", + "dataattemptshown": "Эти данные относятся к попытке номер {{number}}.", "enter": "Войти", + "errorcreateofflineattempt": "Во время создания новой попытки вне сети возникла ошибка. Пожалуйста, попробуйте снова.", + "errordownloadscorm": "Ошибка загрузки SCORM: «{{name}}».", + "errorgetscorm": "Ошибка получения данных SCORM.", "errorinvalidversion": "К сожалению, приложение поддерживает только SCORM 1.2.", + "errornotdownloadable": "Загрузка пакетов SCORM отключена. Пожалуйста, свяжитесь с администратором вашего сайта.", + "errornovalidsco": "Данный SCORM пакет не имеет видимого SCO для загрузки.", "errorpackagefile": "К сожалению, приложение поддерживает только ZIP-архивы.", + "errorsyncscorm": "Во время синхронизации произошла ошибка. Пожалуйста, повторите попытку.", "exceededmaxattempts": "Вы достигли максимального количества попыток.", "failed": "Неудачно", "firstattempt": "Первая попытка", @@ -31,8 +38,14 @@ "noattemptsmade": "Выполнено попыток", "normal": "Обычный", "notattempted": "Не приступал", + "offlineattemptnote": "В этой попытке содержатся данные, которые не были синхронизированы.", + "offlineattemptovermax": "Данная попытка не может быть отправлена, так как вы превысили максимальное число попыток.", "organizations": "Организаций", "passed": "Выполнено успешно", "reviewmode": "Режим просмотра", - "suspended": "Приостановлено" + "scormstatusnotdownloaded": "Данный пакет SCORM не загружен. Он загрузится автоматически, когда вы откроете его.", + "scormstatusoutdated": "Данный пакет SCORM был изменён с момента последней загрузки. Он будет автоматически загружен, когда вы откроете его.", + "suspended": "Приостановлено", + "warningofflinedatadeleted": "Некоторые данные, добавленные вне сети, из попытки {{number}} были отклонены, так как попытка не могла считаться новой.", + "warningsynconlineincomplete": "Некоторые попытки не могли быть синхронизированы с сайтом, так как последняя попытка в сети ещё не завершена. Пожалуйста, сначала завершите попытку в сети." } \ No newline at end of file diff --git a/www/addons/mod/survey/lang/ja.json b/www/addons/mod/survey/lang/ja.json index 6e207332222..35fbcedcc0d 100644 --- a/www/addons/mod/survey/lang/ja.json +++ b/www/addons/mod/survey/lang/ja.json @@ -4,6 +4,6 @@ "ifoundthat": "私は次のことを発見しました:", "ipreferthat": "私は次のことが好きです:", "responses": "回答", - "results": "受験結果", + "results": "結果", "surveycompletednograph": "あなたはこの調査を完了しました。" } \ No newline at end of file diff --git a/www/addons/mod/survey/lang/mr.json b/www/addons/mod/survey/lang/mr.json index a06784de07e..8dc5f601e8e 100644 --- a/www/addons/mod/survey/lang/mr.json +++ b/www/addons/mod/survey/lang/mr.json @@ -1,6 +1,6 @@ { "cannotsubmitsurvey": "क्षमस्व, आपले सर्वेक्षण सबमिट करताना समस्या आली कृपया पुन्हा प्रयत्न करा.", "errorgetsurvey": "सर्वेक्षण डेटा मिळवताना त्रुटी.", - "responses": "प्रतीसाद", - "results": "निकाल" + "responses": "प्रतिक्रीया", + "results": "परिणाम" } \ No newline at end of file diff --git a/www/addons/mod/survey/lang/pl.json b/www/addons/mod/survey/lang/pl.json index 3b9a9921b72..cc6f6480b61 100644 --- a/www/addons/mod/survey/lang/pl.json +++ b/www/addons/mod/survey/lang/pl.json @@ -2,6 +2,6 @@ "ifoundthat": "Stwierdziłem, że", "ipreferthat": "Wolę to", "responses": "Odpowiedzi", - "results": "Wynik", + "results": "Wyniki", "surveycompletednograph": "Już wypełniłeś tą ankietę." } \ No newline at end of file diff --git a/www/addons/mod/survey/lang/tr.json b/www/addons/mod/survey/lang/tr.json index f42edcb4d3f..471798df02c 100644 --- a/www/addons/mod/survey/lang/tr.json +++ b/www/addons/mod/survey/lang/tr.json @@ -2,6 +2,6 @@ "ifoundthat": "Gerçekte olan", "ipreferthat": "İstediğim", "responses": "Yanıtlar", - "results": "Sonuç", + "results": "Sonuçlar", "surveycompletednograph": "Bu anketi tamamladınız." } \ No newline at end of file diff --git a/www/addons/mod/url/lang/cs.json b/www/addons/mod/url/lang/cs.json index 3ef7cafcaaf..10fa185ba07 100644 --- a/www/addons/mod/url/lang/cs.json +++ b/www/addons/mod/url/lang/cs.json @@ -1,4 +1,4 @@ { "accessurl": "Přístup k URL", - "pointingtourl": "URL zdroj odkazuje na" + "pointingtourl": "Adresa URL, na kterou zdroj odkazuje." } \ No newline at end of file diff --git a/www/addons/mod/url/lang/eu.json b/www/addons/mod/url/lang/eu.json index d816dd5d220..4baf09403a1 100644 --- a/www/addons/mod/url/lang/eu.json +++ b/www/addons/mod/url/lang/eu.json @@ -1,4 +1,4 @@ { "accessurl": "URLan sartu", - "pointingtourl": "URL baliabide hau gune honetara estekatzen du" + "pointingtourl": "Baliabideak estekatzen duen URLa" } \ No newline at end of file diff --git a/www/addons/mod/url/lang/ru.json b/www/addons/mod/url/lang/ru.json index 10e91394b19..fb953ea2a0d 100644 --- a/www/addons/mod/url/lang/ru.json +++ b/www/addons/mod/url/lang/ru.json @@ -1,4 +1,4 @@ { "accessurl": "Открыть URL-адрес", - "pointingtourl": "Указание URL-адреса этого ресурса" + "pointingtourl": "URL, на который указывает ресурс." } \ No newline at end of file diff --git a/www/addons/mod/wiki/lang/ar.json b/www/addons/mod/wiki/lang/ar.json index 1bff5b0f91c..794020d3f62 100644 --- a/www/addons/mod/wiki/lang/ar.json +++ b/www/addons/mod/wiki/lang/ar.json @@ -6,7 +6,7 @@ "newpagetitle": "عنواو صفحة جديد", "nocontent": "لا يوجد محتوى في هذه الصفحة", "notingroup": "لا ينتمي إلى مجموعة", - "page": "صفحة", + "page": "صفحة: {{$a}}", "pagename": "اسم الصفحة", "wrongversionlock": "قام مستخدم آخر بتحديث هذه الصفحة بينما كنت أنت تحررها، أصبحت تعديلاتك قديمة." } \ No newline at end of file diff --git a/www/addons/mod/wiki/lang/bg.json b/www/addons/mod/wiki/lang/bg.json index dbe95df13e3..cfe93c0370e 100644 --- a/www/addons/mod/wiki/lang/bg.json +++ b/www/addons/mod/wiki/lang/bg.json @@ -4,8 +4,8 @@ "editingpage": "Редактиране на страница \"{{$a}}\"", "map": "Карта", "newpagetitle": "Заглавие на новата страница", - "notingroup": "Извинете, но трябва да сте част от групата за да видите тази дейност.", - "page": "Страница", + "notingroup": "За съжаление Вие трябва да се част от група за да виждате този форум.", + "page": "Страница: {{$a}}", "pagename": "Име на страница", "wrongversionlock": "Друг потребител редактира тази страница докато Вие редактирахте и Вашата редакция вече е остаряла." } \ No newline at end of file diff --git a/www/addons/mod/wiki/lang/ca.json b/www/addons/mod/wiki/lang/ca.json index fb0c7bfab1e..b827bb47066 100644 --- a/www/addons/mod/wiki/lang/ca.json +++ b/www/addons/mod/wiki/lang/ca.json @@ -10,7 +10,7 @@ "newpagetitle": "Títol de la pàgina nova", "nocontent": "No hi ha contingut per a aquesta pàgina", "notingroup": "No en grup", - "page": "Pàgina: {{$a}}", + "page": "Pàgina", "pageexists": "Aquesta pàgina ja existeix.", "pagename": "Nom de la pàgina", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/cs.json b/www/addons/mod/wiki/lang/cs.json index 052676bb598..89723ca1da7 100644 --- a/www/addons/mod/wiki/lang/cs.json +++ b/www/addons/mod/wiki/lang/cs.json @@ -10,7 +10,7 @@ "newpagetitle": "Nový název stránky", "nocontent": "Pro tuto stránku není obsah", "notingroup": "Není ve skupině", - "page": "Stránka: {{$a}}", + "page": "Stránka", "pageexists": "Tato stránka již existuje.", "pagename": "Název stránky", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/da.json b/www/addons/mod/wiki/lang/da.json index b34c6a82735..13ae0164119 100644 --- a/www/addons/mod/wiki/lang/da.json +++ b/www/addons/mod/wiki/lang/da.json @@ -8,7 +8,7 @@ "newpagetitle": "Ny sidetitel", "nocontent": "Der er intet indhold til denne side", "notingroup": "Ikke i gruppe", - "page": "Side: {{$a}}", + "page": "Side", "pageexists": "Denne side findes allerede.", "pagename": "Sidenavn", "subwiki": "Underwiki", diff --git a/www/addons/mod/wiki/lang/el.json b/www/addons/mod/wiki/lang/el.json index 3cfb1632678..7a3a3058446 100644 --- a/www/addons/mod/wiki/lang/el.json +++ b/www/addons/mod/wiki/lang/el.json @@ -2,8 +2,8 @@ "errorloadingpage": "Παρουσιάστηκε σφάλμα κατά τη φόρτωση της σελίδας.", "errornowikiavailable": "Αυτό το wiki δεν έχει ακόμα περιεχόμενο.", "gowikihome": "Go Wiki home", - "notingroup": "Συγνώμη, αλλά θα πρέπει να είστε μέλος μιας ομάδας για να δείτε αυτήν τη δραστηριότητα", - "page": "Σελίδα: {{$a}}", + "notingroup": "Συγγνώμη, αλλά πρέπει να είστε μέλος ομάδας για να δείτε αυτό την ομάδα συζητήσεων.", + "page": "Σελίδα", "subwiki": "Subwiki", "titleshouldnotbeempty": "Ο τίτλος δεν πρέπει να είναι κενός", "viewpage": "Δείτε τη σελίδα", diff --git a/www/addons/mod/wiki/lang/es.json b/www/addons/mod/wiki/lang/es.json index 3bbe24f3157..b31f110029b 100644 --- a/www/addons/mod/wiki/lang/es.json +++ b/www/addons/mod/wiki/lang/es.json @@ -10,7 +10,7 @@ "newpagetitle": "Título nuevo de la página", "nocontent": "No hay contenido para esta página", "notingroup": "No está en un grupo", - "page": "Página: {{$a}}", + "page": "Página", "pageexists": "Esta página ya existe.", "pagename": "Nombre de la página", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/eu.json b/www/addons/mod/wiki/lang/eu.json index f6b07f7639d..4c61c8db39f 100644 --- a/www/addons/mod/wiki/lang/eu.json +++ b/www/addons/mod/wiki/lang/eu.json @@ -2,15 +2,15 @@ "cannoteditpage": "Ezin duzu orri hau editatu.", "createpage": "Sortu orria", "editingpage": "Orri hau editatzen: '{{$a}}'", - "errorloadingpage": "Errorea gertatu da orria kargatzean.", + "errorloadingpage": "Errore bat gertatu da orria kargatzean.", "errornowikiavailable": "Wiki honek oraindik ez du edukirik.", - "gowikihome": "Joan Wiki hasiera.", + "gowikihome": "Joan wikiaren lehen orrira", "map": "Mapa", "newpagehdr": "Orri berria", "newpagetitle": "Orri berriaren izenburua", "nocontent": "Ez dago edukirik orri honetarako", "notingroup": "Ez dago taldean", - "page": "Orria: {{$a}}", + "page": "Orria", "pageexists": "Orri hau badago dagoeneko.", "pagename": "Orriaren izena", "subwiki": "Azpiwikia", diff --git a/www/addons/mod/wiki/lang/fa.json b/www/addons/mod/wiki/lang/fa.json index 3ea0f81b588..645adbdab85 100644 --- a/www/addons/mod/wiki/lang/fa.json +++ b/www/addons/mod/wiki/lang/fa.json @@ -5,7 +5,7 @@ "newpagetitle": "عنوان صفحهٔ جدید", "nocontent": "محتوایی برای این صفحه وجود ندارد", "notingroup": "بدون گروه", - "page": "صفحه", + "page": "صفحهٔ {{$a}}", "pageexists": "این صفحه در حال حاضر وجود دارد. در حال تغییر مسیر به صفحهٔ موجود.", "viewpage": "مشاهدهٔ صفحه", "wrongversionlock": "هنگامی که شما در حال ویرایش این صفحه بودید، کاربر دیگری آن را ویرایش کرد و محتوایش را تغییر داد." diff --git a/www/addons/mod/wiki/lang/he.json b/www/addons/mod/wiki/lang/he.json index 46bd85d687c..6d94870a86a 100644 --- a/www/addons/mod/wiki/lang/he.json +++ b/www/addons/mod/wiki/lang/he.json @@ -7,7 +7,7 @@ "newpagetitle": "כותרת דף חדש", "nocontent": "אין תוכן לדף זה", "notingroup": "לא בקבוצה", - "page": "עמוד", + "page": "עמוד: {{$a}}", "pageexists": "הדף כבר קיים. הפנה אליו מחדש.", "pagename": "שם העמוד", "wrongversionlock": "משתמש אחר ערך את הדף הזה בזמן שאת/ה ערכת/ה. התוכן שלך לא ישמר." diff --git a/www/addons/mod/wiki/lang/hr.json b/www/addons/mod/wiki/lang/hr.json index d2b1d37c968..afbca16955c 100644 --- a/www/addons/mod/wiki/lang/hr.json +++ b/www/addons/mod/wiki/lang/hr.json @@ -7,7 +7,7 @@ "newpagetitle": "Naslov nove stranice", "nocontent": "Na ovoj stranici nema sadržaja", "notingroup": "Nije u grupi", - "page": "Stranica: {{$a}}", + "page": "Stranica", "pageexists": "Ova stranica već postoji. Preusmjeravam na postojeću.", "pagename": "Naziv stranice", "viewpage": "Prikaži stranicu", diff --git a/www/addons/mod/wiki/lang/hu.json b/www/addons/mod/wiki/lang/hu.json index 19b98951ec9..52eb1a43078 100644 --- a/www/addons/mod/wiki/lang/hu.json +++ b/www/addons/mod/wiki/lang/hu.json @@ -7,7 +7,7 @@ "newpagetitle": "Új oldalcím", "nocontent": "Az oldalhoz nincs tartalom", "notingroup": "Nem része a csoportnak", - "page": "Oldal", + "page": "Oldal: {{$a}}", "pageexists": "Az oldal már létezik. Átirányítás az oldalra.", "pagename": "Oldal neve", "wrongversionlock": "A szerkesztés közben egy másik felhasználó szerkesztette ezt az oldalt, így az Ön tartalma elavult." diff --git a/www/addons/mod/wiki/lang/it.json b/www/addons/mod/wiki/lang/it.json index 5acbfeed47e..188539ca68d 100644 --- a/www/addons/mod/wiki/lang/it.json +++ b/www/addons/mod/wiki/lang/it.json @@ -10,7 +10,7 @@ "newpagetitle": "Titolo nuova pagina", "nocontent": "Questa pagina non ha contenuti", "notingroup": "Non è in un gruppo", - "page": "Pagina", + "page": "Pagina: {{$a}}", "pageexists": "La pagina esiste già.", "pagename": "Nome pagina", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/ja.json b/www/addons/mod/wiki/lang/ja.json index 40e0e0dcbc9..591ce09bb4c 100644 --- a/www/addons/mod/wiki/lang/ja.json +++ b/www/addons/mod/wiki/lang/ja.json @@ -10,7 +10,7 @@ "newpagetitle": "新しいページタイトル", "nocontent": "このページにはコンテンツがありません。", "notingroup": "グループ外", - "page": "ページ: {{$a}}", + "page": "ページ", "pageexists": "このページはすでに存在します。", "pagename": "ページ名", "subwiki": "サブwiki", diff --git a/www/addons/mod/wiki/lang/ko.json b/www/addons/mod/wiki/lang/ko.json new file mode 100644 index 00000000000..e86b60768b3 --- /dev/null +++ b/www/addons/mod/wiki/lang/ko.json @@ -0,0 +1,4 @@ +{ + "viewpage": "페이지 보기", + "wikipage": "위키 페이지" +} \ No newline at end of file diff --git a/www/addons/mod/wiki/lang/lt.json b/www/addons/mod/wiki/lang/lt.json index 7523e9211c2..52f7834015f 100644 --- a/www/addons/mod/wiki/lang/lt.json +++ b/www/addons/mod/wiki/lang/lt.json @@ -10,7 +10,7 @@ "newpagetitle": "Naujo puslapio pavadinimas", "nocontent": "Nėra šio puslapio turinio", "notingroup": "Nėra grupėje", - "page": "Puslapis: {{$a}}", + "page": "Puslapis", "pageexists": "Šis puslapis jau yra.", "pagename": "Puslapio pavadinimas", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/mr.json b/www/addons/mod/wiki/lang/mr.json index 3ef41e524c0..f48bdf94a31 100644 --- a/www/addons/mod/wiki/lang/mr.json +++ b/www/addons/mod/wiki/lang/mr.json @@ -3,7 +3,7 @@ "errornowikiavailable": "या विकीकडे अद्याप कोणतीही सामग्री नाही.", "gowikihome": "विकीच्या होमला जा", "notingroup": "माफ करा, ही क्रिया बघण्यासाठी तुम्ही या ग्रुपचा भाग असणे गरजेचे आहे", - "page": "पान", + "page": "पृष्ठ", "subwiki": "उपविकि", "titleshouldnotbeempty": "शीर्षक रिक्त असू नये", "viewpage": "पृष्ठ पहा", diff --git a/www/addons/mod/wiki/lang/no.json b/www/addons/mod/wiki/lang/no.json index f9a02e7fee3..6c06288f09d 100644 --- a/www/addons/mod/wiki/lang/no.json +++ b/www/addons/mod/wiki/lang/no.json @@ -7,7 +7,7 @@ "newpagetitle": "Ny sidetittel", "nocontent": "Denne siden har ikke innhold", "notingroup": "Ikke i gruppen", - "page": "Side", + "page": "Side: {{$a}}", "pageexists": "Denne siden eksisterer allerede.", "pagename": "Sidenavn", "titleshouldnotbeempty": "Tittel kan ikke være blank", diff --git a/www/addons/mod/wiki/lang/pl.json b/www/addons/mod/wiki/lang/pl.json index 8515710e26a..391b0fbc350 100644 --- a/www/addons/mod/wiki/lang/pl.json +++ b/www/addons/mod/wiki/lang/pl.json @@ -7,7 +7,7 @@ "newpagetitle": "Tytuł nowej strony", "nocontent": "Brak zawartości dla tej strony", "notingroup": "Nie w grupie", - "page": "Strona", + "page": "Strona: {{$a}}", "pageexists": "Ta strona już istnieje. Przekierowuje do niej.", "pagename": "Nazwa strony", "wrongversionlock": "Inny użytkownik edytował tę stronę w czasie, kiedy ty ją edytowałeś i twoja zawartość jest przestarzała." diff --git a/www/addons/mod/wiki/lang/pt-br.json b/www/addons/mod/wiki/lang/pt-br.json index a1b02148a74..8a03287d5e2 100644 --- a/www/addons/mod/wiki/lang/pt-br.json +++ b/www/addons/mod/wiki/lang/pt-br.json @@ -10,7 +10,7 @@ "newpagetitle": "Novo título da página", "nocontent": "Não existe conteúdo para esta página", "notingroup": "Não existe no grupo", - "page": "Página: {{$a}}", + "page": "Página", "pageexists": "Esta página já existe.", "pagename": "Nome da página", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/ro.json b/www/addons/mod/wiki/lang/ro.json index b844ad1d652..50456582533 100644 --- a/www/addons/mod/wiki/lang/ro.json +++ b/www/addons/mod/wiki/lang/ro.json @@ -6,7 +6,7 @@ "newpagetitle": "Un nou titlu de pagină", "nocontent": "Nu există conținut pentru această pagină", "notingroup": "Nu este în grup", - "page": "Pagină", + "page": "Pagina {{$a}}", "pageexists": "Această pagină există deja.", "pagename": "Nume pagină" } \ No newline at end of file diff --git a/www/addons/mod/wiki/lang/ru.json b/www/addons/mod/wiki/lang/ru.json index efca795f742..ea1576da242 100644 --- a/www/addons/mod/wiki/lang/ru.json +++ b/www/addons/mod/wiki/lang/ru.json @@ -4,15 +4,18 @@ "editingpage": "Редактирование страницы «{{$a}}»", "errorloadingpage": "При загрузке страницы произошла ошибка.", "errornowikiavailable": "В этом модуле WIKI пока нет контента.", + "gowikihome": "Перейти на первую страницу wiki", "map": "Карта", "newpagehdr": "Новая страница", "newpagetitle": "Заголовок новой страницы", "nocontent": "Нет содержимого у этой страницы", "notingroup": "Не в группе", - "page": "Страница: {{$a}}", + "page": "Страница", "pageexists": "Такая страница уже существует.", "pagename": "Название страницы", + "subwiki": "Под-wiki", "titleshouldnotbeempty": "Заголовок не должен быть пустым", + "viewpage": "Просмотреть страницу", "wikipage": "Страница Wiki", "wrongversionlock": "Другой пользователь отредактировал страницу и Ваше содержимое устарело" } \ No newline at end of file diff --git a/www/addons/mod/wiki/lang/sv.json b/www/addons/mod/wiki/lang/sv.json index f9ebf16c762..43bd89b4601 100644 --- a/www/addons/mod/wiki/lang/sv.json +++ b/www/addons/mod/wiki/lang/sv.json @@ -10,7 +10,7 @@ "newpagetitle": "Ny titel på sida", "nocontent": "Det finns inget innehåll för den här sidan", "notingroup": "Inte i grupp", - "page": "Sida", + "page": "Sida: {{$a}}", "pageexists": "Den här sidan finns redan, länkning dit pågår", "pagename": "Namn på sida", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/tr.json b/www/addons/mod/wiki/lang/tr.json index f1167632e26..8ddfdfd95b3 100644 --- a/www/addons/mod/wiki/lang/tr.json +++ b/www/addons/mod/wiki/lang/tr.json @@ -7,7 +7,7 @@ "newpagetitle": "Yeni sayfa başlığı", "nocontent": "Bu sayfa için içerik yok", "notingroup": "Grupta değil", - "page": "Sayfa: {{$a}}", + "page": "Sayfa", "pageexists": "Bu sayfa zaten var.", "pagename": "Sayfa adı", "wrongversionlock": "Başka bir kullanıcı sizin düzenlemeniz sırasında bu sayfayı düzenledi ve içeriğiniz geçersiz." diff --git a/www/addons/mod/wiki/lang/uk.json b/www/addons/mod/wiki/lang/uk.json index 7e2a88dd8db..cd89e56c9cc 100644 --- a/www/addons/mod/wiki/lang/uk.json +++ b/www/addons/mod/wiki/lang/uk.json @@ -10,7 +10,7 @@ "newpagetitle": "Заголовок нової сторінки", "nocontent": "Немає контенту для цієї сторінки", "notingroup": "Не в групі", - "page": "Сторінка: {{$a}}", + "page": "Сторінка", "pageexists": "Ця сторінка вже існує. Перенаправити до неї.", "pagename": "Назва сторінки", "subwiki": "Субвікі", diff --git a/www/addons/mod/workshop/assessment/accumulative/lang/fi.json b/www/addons/mod/workshop/assessment/accumulative/lang/fi.json index 6207801ae97..593a8b413f5 100644 --- a/www/addons/mod/workshop/assessment/accumulative/lang/fi.json +++ b/www/addons/mod/workshop/assessment/accumulative/lang/fi.json @@ -1,4 +1,6 @@ { + "dimensioncommentfor": "Kommentti - {{$a}}", + "dimensiongradefor": "Arvosana - {{$a}}", "dimensionnumber": "Arviointikriteeri {{$a}}", "mustchoosegrade": "Valitse asteikko tälle arviointikriteerille" } \ No newline at end of file diff --git a/www/addons/mod/workshop/assessment/accumulative/lang/lt.json b/www/addons/mod/workshop/assessment/accumulative/lang/lt.json index ef43a853274..2b8c6f158f5 100644 --- a/www/addons/mod/workshop/assessment/accumulative/lang/lt.json +++ b/www/addons/mod/workshop/assessment/accumulative/lang/lt.json @@ -1,4 +1,6 @@ { + "dimensioncommentfor": "Komentaras {{$a}}", + "dimensiongradefor": "Įvertis {{$a}}", "dimensionnumber": "Aspektas {{$a}}", "mustchoosegrade": "Jūs turite pasirinkti vertinimą pasirinktam aspektui" } \ No newline at end of file diff --git a/www/addons/mod/workshop/assessment/comments/lang/fi.json b/www/addons/mod/workshop/assessment/comments/lang/fi.json index 7488e1b0bf7..f699529ea6d 100644 --- a/www/addons/mod/workshop/assessment/comments/lang/fi.json +++ b/www/addons/mod/workshop/assessment/comments/lang/fi.json @@ -1,3 +1,4 @@ { + "dimensioncommentfor": "Kommentti - {{$a}}", "dimensionnumber": "Arviointikriteeri {{$a}}" } \ No newline at end of file diff --git a/www/addons/mod/workshop/assessment/comments/lang/lt.json b/www/addons/mod/workshop/assessment/comments/lang/lt.json index 3e8912609bd..b335ec29664 100644 --- a/www/addons/mod/workshop/assessment/comments/lang/lt.json +++ b/www/addons/mod/workshop/assessment/comments/lang/lt.json @@ -1,3 +1,4 @@ { + "dimensioncommentfor": "Komentaras {{$a}}", "dimensionnumber": "Aspektas {{$a}}" } \ No newline at end of file diff --git a/www/addons/mod/workshop/assessment/numerrors/lang/fi.json b/www/addons/mod/workshop/assessment/numerrors/lang/fi.json index 80b6117f7cf..044942bf314 100644 --- a/www/addons/mod/workshop/assessment/numerrors/lang/fi.json +++ b/www/addons/mod/workshop/assessment/numerrors/lang/fi.json @@ -1,3 +1,5 @@ { + "dimensioncommentfor": "Kommentti - {{$a}}", + "dimensiongradefor": "Arvosana - {{$a}}", "dimensionnumber": "Väite {{$a}}" } \ No newline at end of file diff --git a/www/addons/mod/workshop/assessment/numerrors/lang/lt.json b/www/addons/mod/workshop/assessment/numerrors/lang/lt.json index 250ac2a7aca..32ea9f79d6a 100644 --- a/www/addons/mod/workshop/assessment/numerrors/lang/lt.json +++ b/www/addons/mod/workshop/assessment/numerrors/lang/lt.json @@ -1,3 +1,5 @@ { + "dimensioncommentfor": "Komentaras {{$a}}", + "dimensiongradefor": "Įvertis {{$a}}", "dimensionnumber": "Teiginys {{$a}}" } \ No newline at end of file diff --git a/www/addons/mod/workshop/lang/cs.json b/www/addons/mod/workshop/lang/cs.json index efaa931ae86..d9f9d931420 100644 --- a/www/addons/mod/workshop/lang/cs.json +++ b/www/addons/mod/workshop/lang/cs.json @@ -6,6 +6,7 @@ "assessedsubmission": "Ohodnocená odevzdaná práce", "assessmentform": "Hodnotící formulář", "assessmentsettings": "Podrobnosti hodnocení", + "assessmentstrategynotsupported": "Strategie hodnocení {{$a}} není podporována", "assessmentweight": "Váha hodnocení", "assignedassessments": "Přidělené práce k hodnocení", "conclusion": "Závěr", @@ -34,6 +35,7 @@ "publishsubmission_help": "Zveřejněné práce jsou dostupné ostatním účastníkům poté, co je workshop uzavřen.", "reassess": "Přehodnotit", "receivedgrades": "Obdržené známky", + "selectphase": "Vyberte fázi", "submissionattachment": "Příloha", "submissioncontent": "Obsah práce", "submissiondeleteconfirm": "Jste si jisti, že chcete smazat následující odevzdané práce?", @@ -48,6 +50,8 @@ "switchphase40": "Přepnout do fáze evaluace", "switchphase50": "Uzavřít workshop", "userplancurrentphase": "Aktuální fáze", + "warningassessmentmodified": "Odevzdaný úkol byl na webu změněn.", + "warningsubmissionmodified": "Úkol byl na webu změněn.", "weightinfo": "Váha: {{$a}}", "yourassessment": "Vaše hodnocení", "yourassessmentfor": "Vaše hodnocení {{$a}}", diff --git a/www/addons/mod/workshop/lang/eu.json b/www/addons/mod/workshop/lang/eu.json index 120a3671ddb..3e8d3186b0e 100644 --- a/www/addons/mod/workshop/lang/eu.json +++ b/www/addons/mod/workshop/lang/eu.json @@ -6,6 +6,7 @@ "assessedsubmission": "Ebaluatutakoaren bidalketa", "assessmentform": "Ebaluaziorako formularioa", "assessmentsettings": "Ebaluazioaren ezarpenak", + "assessmentstrategynotsupported": "Ez da {{$a}} ebaluazio-estrategia onartzen", "assessmentweight": "Ebaluazioaren pisua", "assignedassessments": "Ebaluatzeko esleitutako bidalketak", "conclusion": "Ondorioak", @@ -34,6 +35,7 @@ "publishsubmission_help": "Publikatutako bidalketak besteentzat eskuragarri egongo dira tailerra ixten denean", "reassess": "Berriro ebaluatu", "receivedgrades": "Jasotako kalifikazioak", + "selectphase": "Aukeratu aldia", "submissionattachment": "Eranskina", "submissioncontent": "Bidalketaren edukia", "submissiondeleteconfirm": "Ziur zaude hurrengo bidalketa ezabatu nahi duzula?", @@ -48,6 +50,8 @@ "switchphase40": "Aldatu kalifikazioa ebaluatzeko aldira", "switchphase50": "Itxi tailerra", "userplancurrentphase": "Oraingo fasea", + "warningassessmentmodified": "Bidalketa gunean aldatu izan da.", + "warningsubmissionmodified": "Bidalketa gunean aldatu izan da.", "weightinfo": "Pisua: {{$a}}", "yourassessment": "Zure ebaluazioa", "yourassessmentfor": "{{$a}}-(r)ako zure ebaluazioa", diff --git a/www/addons/mod/workshop/lang/ko.json b/www/addons/mod/workshop/lang/ko.json new file mode 100644 index 00000000000..dbf83c4af76 --- /dev/null +++ b/www/addons/mod/workshop/lang/ko.json @@ -0,0 +1,6 @@ +{ + "assessmentstrategynotsupported": "평가 전략 {{$ a}}이(가) 지원되지 않습니다.", + "selectphase": "단계 선택", + "warningassessmentmodified": "사이트에서 제출이 수정되었습니다.", + "warningsubmissionmodified": "평가가 사이트에서 수정되었습니다." +} \ No newline at end of file diff --git a/www/addons/mod/workshop/lang/nl.json b/www/addons/mod/workshop/lang/nl.json index 757cc655b69..f0afcde408f 100644 --- a/www/addons/mod/workshop/lang/nl.json +++ b/www/addons/mod/workshop/lang/nl.json @@ -1,13 +1,13 @@ { "alreadygraded": "Al beoordeeld", "areainstructauthors": "Instructies voor insturen", - "areainstructreviewers": "Instructies voor evaluatie", - "assess": "Evalueer", - "assessedsubmission": "Geëvalueerde inzending", - "assessmentform": "Evaluatievorm", + "areainstructreviewers": "Instructies voor beoordeling", + "assess": "Beoordeel", + "assessedsubmission": "Beoordeelde inzending", + "assessmentform": "Beoordelingsformulier", "assessmentsettings": "Beoordelingsinstellingen", "assessmentstrategynotsupported": "Opdrachtstrategie {{$a}} wordt niet ondersteund", - "assessmentweight": "Weging evaluatie", + "assessmentweight": "Weging beoordeling", "assignedassessments": "Toegewezen inzendingen om te beoordelen", "conclusion": "Conclusie", "createsubmission": "Begin met het voorbereiden van je inzending", @@ -20,8 +20,8 @@ "gradecalculated": "Berekende cijfers voor de taak", "gradeinfo": "Cijfer: {{$a.received}} op {{$a.max}}", "gradeover": "Cijfer voor taak overschrijven", - "gradesreport": "Workshop cijfer rapport", - "gradinggrade": "Cijfer voor evaluatie", + "gradesreport": "Workshop cijferrapport", + "gradinggrade": "Cijfer voor beoordeling", "gradinggradecalculated": "Berekend cijfer voor beoordeling", "gradinggradeof": "Cijfer voor beoordeling (van {{$a}})", "gradinggradeover": "Overschrijf cijfer voor beoordeling", @@ -47,7 +47,7 @@ "switchphase10": "Schakel naar opstartfase", "switchphase20": "Schakel naar instuurfase", "switchphase30": "Schakel naar beoordelingsfase", - "switchphase40": "Schakel naar evaluatiefase", + "switchphase40": "Schakel naar beoordelingsfase", "switchphase50": "Sluit workshop", "userplancurrentphase": "Huidige fase", "warningassessmentmodified": "De inzending is gewijzigd op de site.", diff --git a/www/addons/mod/workshop/lang/pt-br.json b/www/addons/mod/workshop/lang/pt-br.json index d1edaf23663..822affb94cf 100644 --- a/www/addons/mod/workshop/lang/pt-br.json +++ b/www/addons/mod/workshop/lang/pt-br.json @@ -6,21 +6,22 @@ "assessedsubmission": "Envio avaliado", "assessmentform": "Formulário de avaliação", "assessmentsettings": "Configurações da avaliação", + "assessmentstrategynotsupported": "Estratégia de avaliação {{$a}} não suportada", "assessmentweight": "Peso da avaliação", - "assignedassessments": "Tarefas designadas para avaliar", + "assignedassessments": "Envios atribuídos para avaliação", "conclusion": "Conclusão", "createsubmission": "Começar a preparar seu envio", "deletesubmission": "Excluir envio", - "editsubmission": "Editar tarefa enviada", + "editsubmission": "Editar envio", "feedbackauthor": "Retorno para o autor", "feedbackby": "Comentários por {{$a}}", - "feedbackreviewer": "Retorno para o crítico", + "feedbackreviewer": "Retorno para o revisor", "givengrades": "Notas dadas", "gradecalculated": "Nota calculada para envio", "gradeinfo": "Nota: {{$a.received}} de {{$a.max}}", "gradeover": "Sobrescrever nota para envio", - "gradesreport": "Relatório de notas do workshop", - "gradinggrade": "Grade de Notas", + "gradesreport": "Relatório de notas do laboratório de avaliação", + "gradinggrade": "Nota para avaliação", "gradinggradecalculated": "Nota calculada para avaliação", "gradinggradeof": "Nota para avaliação (de{{$a}})", "gradinggradeover": "Sobrescrever nota para avaliação", @@ -28,29 +29,32 @@ "notassessed": "Nada avaliado ainda", "notoverridden": "Não sobrescrito", "noyoursubmission": "Você não enviou seu trabalho ainda", - "overallfeedback": "Feedback global", - "publishedsubmissions": "Documentos enviados publicados", - "publishsubmission": "Publicar documentos enviados", - "publishsubmission_help": "Envios publicados são disponíves a outros quando o workshop for fechado.", + "overallfeedback": "Feedback geral", + "publishedsubmissions": "Envios publicados", + "publishsubmission": "Publicar envios", + "publishsubmission_help": "Envios publicados ficam disponíveis aos outros quando o laboratório de avaliação for fechado.", "reassess": "Reavaliar", "receivedgrades": "Notas recebidas", + "selectphase": "Selecionar a fase", "submissionattachment": "Anexo", "submissioncontent": "Conteúdo enviado", - "submissiondeleteconfirm": "Você tem certeza de que deseja deletar o envio a seguir?", + "submissiondeleteconfirm": "Você tem certeza de que deseja excluir o envio a seguir?", "submissiongrade": "Nota para envio", "submissiongradeof": "Notar para envio (de{{$a}})", "submissionrequiredcontent": "Você precisa inserir algum texto ou adicionar um arquivo.", - "submissionsreport": "Relatório de envios do workshop", + "submissionsreport": "Relatório de envios do laboratório de avliação", "submissiontitle": "Título", "switchphase10": "Mudar para a fase de configuração", - "switchphase20": "Mudar para a fase de submissão", + "switchphase20": "Mudar para a fase de envio", "switchphase30": "Mudar para a fase de avaliação", - "switchphase40": "Mudar para a fase de apreciação", - "switchphase50": "Fechar Workshop", + "switchphase40": "Mudar para fase de avaliação de classificação", + "switchphase50": "Fechar o laboratório de avaliação", "userplancurrentphase": "Fase atual", + "warningassessmentmodified": "A submissão foi alterada no site.", + "warningsubmissionmodified": "O trabalho foi modificado no site.", "weightinfo": "Peso: {{$a}}", "yourassessment": "A sua avaliação", - "yourassessmentfor": "Avaliação para {{$a}}", + "yourassessmentfor": "Sua avaliação para {{$a}}", "yourgrades": "Suas notas", "yoursubmission": "Seu envio" } \ No newline at end of file diff --git a/www/addons/mod/workshop/lang/ru.json b/www/addons/mod/workshop/lang/ru.json index 6c0a7dceab6..b97d876dadf 100644 --- a/www/addons/mod/workshop/lang/ru.json +++ b/www/addons/mod/workshop/lang/ru.json @@ -6,6 +6,7 @@ "assessedsubmission": "Оцененная работа", "assessmentform": "Форма оценки", "assessmentsettings": "Параметры оценки", + "assessmentstrategynotsupported": "Стратегия оценки {{$a}} не поддерживается", "assessmentweight": "Вес оценки", "assignedassessments": "Работы, представленные для оценивания", "conclusion": "Заключение", @@ -34,6 +35,7 @@ "publishsubmission_help": "Опубликованные работы доступны другим после завершения семинара.", "reassess": "Переоценить", "receivedgrades": "Полученные оценки", + "selectphase": "Выберите фазу", "submissionattachment": "Приложение", "submissioncontent": "Содержимое работы", "submissiondeleteconfirm": "Вы уверены, что хотите удалить этот ответ?", @@ -48,6 +50,8 @@ "switchphase40": "Переключение к фазе оценивания", "switchphase50": "Семинар окончен", "userplancurrentphase": "Текущая фаза", + "warningassessmentmodified": "Отправка была изменена на сайте.", + "warningsubmissionmodified": "Оценка была изменена на сайте.", "weightinfo": "Вес: {{$a}}", "yourassessment": "Ваша оценка", "yourassessmentfor": "Ваша оценка для {{$a}}", diff --git a/www/addons/myoverview/lang/eu.json b/www/addons/myoverview/lang/eu.json index 86379879f96..2997cbb5737 100644 --- a/www/addons/myoverview/lang/eu.json +++ b/www/addons/myoverview/lang/eu.json @@ -11,7 +11,7 @@ "noevents": "Ez dago jardueren muga-egunik laster", "past": "Iraganean", "pluginname": "Ikuspegi orokorra", - "recentlyoverdue": "Orain dela gutxi iragotako muga-egunak", + "recentlyoverdue": "Orain dela gutxi igarota", "sortbycourses": "Ordenatu ikastaroen arabera", "sortbydates": "Ordenatu dataren arabera", "timeline": "Kronologia" diff --git a/www/addons/myoverview/lang/it.json b/www/addons/myoverview/lang/it.json index cca29fb3c13..294659afe51 100644 --- a/www/addons/myoverview/lang/it.json +++ b/www/addons/myoverview/lang/it.json @@ -8,7 +8,7 @@ "nocoursesfuture": "Non ci sono corsi di prossima attivazione", "nocoursesinprogress": "Non ci sono corsi in svolgimento", "nocoursespast": "Non ci sono corsi conclusi", - "noevents": "Non ci sono attività da svolgere", + "noevents": "Non ci sono attività con date di svolgimento e/o di scadenza programmate in questo periodo.", "past": "Conclusi", "pluginname": "Panoramica corsi", "recentlyoverdue": "Scadute di recente", diff --git a/www/addons/myoverview/lang/pt.json b/www/addons/myoverview/lang/pt.json index ae74a3d55d6..53502c35a57 100644 --- a/www/addons/myoverview/lang/pt.json +++ b/www/addons/myoverview/lang/pt.json @@ -10,7 +10,7 @@ "nocoursespast": "Nenhuma disciplina terminada", "noevents": "Nenhuma atividade programada", "past": "Passado", - "pluginname": "Visão geral", + "pluginname": "Visão global", "recentlyoverdue": "Terminadas recentemente", "sortbycourses": "Ordenar por disciplinas", "sortbydates": "Ordenar por datas", diff --git a/www/addons/myoverview/lang/ro.json b/www/addons/myoverview/lang/ro.json index 2f489f36433..153fc13410b 100644 --- a/www/addons/myoverview/lang/ro.json +++ b/www/addons/myoverview/lang/ro.json @@ -7,6 +7,7 @@ "nocourses": "Nu există cursuri", "nocoursesfuture": "Nu există cursuri viitoare", "nocoursesinprogress": "Nu există cursuri în desfășurare", + "nocoursespast": "Nu există cursuri anterioare", "past": "În trecut", "pluginname": "Numele plugin-ului depozitului", "sortbycourses": "Sortează după cursuri", diff --git a/www/addons/myoverview/lang/sv.json b/www/addons/myoverview/lang/sv.json index 004122c5c20..d8552232635 100644 --- a/www/addons/myoverview/lang/sv.json +++ b/www/addons/myoverview/lang/sv.json @@ -8,6 +8,7 @@ "nocoursesfuture": "Inga kommande kurser", "nocoursesinprogress": "Inga pågående kurser", "nocoursespast": "Inga tidigare kurser", + "noevents": "Inga deadlines för aktiviteter", "past": "Tidigare", "pluginname": "Kursöversikt", "sortbycourses": "Sortera efter kurser", diff --git a/www/addons/notes/lang/ca.json b/www/addons/notes/lang/ca.json index 9367384a78e..1c044e61b29 100644 --- a/www/addons/notes/lang/ca.json +++ b/www/addons/notes/lang/ca.json @@ -4,7 +4,7 @@ "eventnotecreated": "S'ha creat la nota", "nonotes": "Encara no hi ha notes d'aquest tipus", "note": "Anotació", - "notes": "El teu anàlisi privat i les teves notes", + "notes": "Anotacions", "personalnotes": "Anotacions personals", "publishstate": "Context", "sitenotes": "Anotacions del lloc", diff --git a/www/addons/notes/lang/cs.json b/www/addons/notes/lang/cs.json index 984816ff5e7..5c5cb003aa3 100644 --- a/www/addons/notes/lang/cs.json +++ b/www/addons/notes/lang/cs.json @@ -2,9 +2,9 @@ "addnewnote": "Přidat novou poznámku", "coursenotes": "Poznámky kurzu", "eventnotecreated": "Poznámka vytvořena", - "nonotes": "Doposud neexistují žádné poznámky tohoto typu", + "nonotes": "Doposud neexistují žádné poznámky tohoto typu.", "note": "Poznámka", - "notes": "Vaše soukromé postřehy a poznámky", + "notes": "Poznámky", "personalnotes": "Osobní poznámky", "publishstate": "Kontext", "sitenotes": "Poznámky stránek", diff --git a/www/addons/notes/lang/da.json b/www/addons/notes/lang/da.json index cf35362b164..3dadb18f0eb 100644 --- a/www/addons/notes/lang/da.json +++ b/www/addons/notes/lang/da.json @@ -4,7 +4,7 @@ "eventnotecreated": "Note oprettet", "nonotes": "Der er endnu ingen noter af denne type", "note": "Note", - "notes": "Dine private kommentarer og noter", + "notes": "Noter", "personalnotes": "Personlige noter", "publishstate": "Sammenhæng", "sitenotes": "Webstedsnoter", diff --git a/www/addons/notes/lang/de-du.json b/www/addons/notes/lang/de-du.json index 79119cf0125..df0b44168e3 100644 --- a/www/addons/notes/lang/de-du.json +++ b/www/addons/notes/lang/de-du.json @@ -4,7 +4,7 @@ "eventnotecreated": "Anmerkung angelegt", "nonotes": "Keine Anmerkungen", "note": "Anmerkung", - "notes": "Deine persönliche Analyse und Anmerkungen", + "notes": "Anmerkungen", "personalnotes": "Meine Anmerkungen", "publishstate": "Kontext", "sitenotes": "Anmerkungen zur Website", diff --git a/www/addons/notes/lang/de.json b/www/addons/notes/lang/de.json index af167048301..df0b44168e3 100644 --- a/www/addons/notes/lang/de.json +++ b/www/addons/notes/lang/de.json @@ -4,7 +4,7 @@ "eventnotecreated": "Anmerkung angelegt", "nonotes": "Keine Anmerkungen", "note": "Anmerkung", - "notes": "Ihre persönliche Analyse und Anmerkungen", + "notes": "Anmerkungen", "personalnotes": "Meine Anmerkungen", "publishstate": "Kontext", "sitenotes": "Anmerkungen zur Website", diff --git a/www/addons/notes/lang/el.json b/www/addons/notes/lang/el.json index 9bc5d02d49e..e796b19cabe 100644 --- a/www/addons/notes/lang/el.json +++ b/www/addons/notes/lang/el.json @@ -4,7 +4,7 @@ "eventnotecreated": "Το σημείωμα δημιουργήθηκε", "nonotes": "Δεν υπάρχουν σημειώσεις αυτού του τύπου ακόμα", "note": "Σημείωση", - "notes": "Οι προσωπικές σας αναλύσεις και σημειώσεις", + "notes": "Σημειώσεις", "personalnotes": "Προσωπικές σημειώσεις", "publishstate": "Γενικό πλαίσιο", "sitenotes": "Σημειώσεις της ιστοσελίδας", diff --git a/www/addons/notes/lang/es-mx.json b/www/addons/notes/lang/es-mx.json index 1e1105d5f39..c2d61de19e4 100644 --- a/www/addons/notes/lang/es-mx.json +++ b/www/addons/notes/lang/es-mx.json @@ -4,7 +4,7 @@ "eventnotecreated": "Nota creada", "nonotes": "Aun no hay notas de este tipo", "note": "Nota", - "notes": "Su análisis privado y sus notas", + "notes": "Notas", "personalnotes": "Notas personales", "publishstate": "Contexto", "sitenotes": "Notas del sitio", diff --git a/www/addons/notes/lang/eu.json b/www/addons/notes/lang/eu.json index 8656c9594fd..f8935fec248 100644 --- a/www/addons/notes/lang/eu.json +++ b/www/addons/notes/lang/eu.json @@ -4,7 +4,7 @@ "eventnotecreated": "Oharra gehituta", "nonotes": "Oraindik ez dago mota honetako oharrik.", "note": "Oharra", - "notes": "Zure analisi pribatua eta oharrak", + "notes": "Oharrak", "personalnotes": "Ohar pertsonalak", "publishstate": "Testuingurua", "sitenotes": "Guneko oharrak", diff --git a/www/addons/notes/lang/fi.json b/www/addons/notes/lang/fi.json index 96253411108..37c171d4080 100644 --- a/www/addons/notes/lang/fi.json +++ b/www/addons/notes/lang/fi.json @@ -4,7 +4,7 @@ "eventnotecreated": "Muistiinpano luotu", "nonotes": "Muistiinpanoja ei vielä ole", "note": "Muistiinpano", - "notes": "Oma henkilökohtainen analyysisi ja muistiinpanosi.", + "notes": "Muistiinpanot", "personalnotes": "Henkilökohtaiset muistiinpanot", "publishstate": "Konteksti", "sitenotes": "Sivustotasoiset muistiinpanot", diff --git a/www/addons/notes/lang/fr.json b/www/addons/notes/lang/fr.json index 37be152dc0a..d0607b110d6 100644 --- a/www/addons/notes/lang/fr.json +++ b/www/addons/notes/lang/fr.json @@ -4,7 +4,7 @@ "eventnotecreated": "Annotation créée", "nonotes": "Il n'y a pas encore d'annotation de ce type.", "note": "Annotation", - "notes": "Votre analyse et vos remarques personnelles", + "notes": "Annotations", "personalnotes": "Annotations personnelles", "publishstate": "Contexte", "sitenotes": "Annotations du site", diff --git a/www/addons/notes/lang/he.json b/www/addons/notes/lang/he.json index 2e3c5dd9644..416427b2dec 100644 --- a/www/addons/notes/lang/he.json +++ b/www/addons/notes/lang/he.json @@ -4,7 +4,7 @@ "eventnotecreated": "הערה נוצרה", "nonotes": "עדיין לא קיימות הערות מסוג זה", "note": "הערה", - "notes": "ההערות והניתוח הפרטיים שלך.", + "notes": "הערות", "personalnotes": "הערות אישיות", "publishstate": "תוכן", "sitenotes": "הערות אתר", diff --git a/www/addons/notes/lang/hr.json b/www/addons/notes/lang/hr.json index 15cf99fe8bb..e8232895c1e 100644 --- a/www/addons/notes/lang/hr.json +++ b/www/addons/notes/lang/hr.json @@ -3,7 +3,7 @@ "coursenotes": "Bilješke e-kolegija", "eventnotecreated": "Bilješka stvorena", "note": "Bilješka", - "notes": "Vaša osobna analiza i bilješke", + "notes": "Bilješke", "personalnotes": "Osobne bilješke", "publishstate": "Kontekst", "sitenotes": "Bilješke na razini sustava" diff --git a/www/addons/notes/lang/it.json b/www/addons/notes/lang/it.json index 90c300a1f85..0e9b001f16c 100644 --- a/www/addons/notes/lang/it.json +++ b/www/addons/notes/lang/it.json @@ -4,7 +4,7 @@ "eventnotecreated": "Creata annotazione", "nonotes": "Non sono presenti annotazioni di questo tipo.", "note": "Annotazione", - "notes": "Le tue note e analisi", + "notes": "Annotazioni", "personalnotes": "Annotazioni personali", "publishstate": "Contesto", "sitenotes": "Annotazioni del sito", diff --git a/www/addons/notes/lang/ja.json b/www/addons/notes/lang/ja.json index ae48a7ac252..6b3304c8067 100644 --- a/www/addons/notes/lang/ja.json +++ b/www/addons/notes/lang/ja.json @@ -4,7 +4,7 @@ "eventnotecreated": "作成したノート", "nonotes": "このタイプのノートはまだ存在しません", "note": "ノート", - "notes": "あなたの個人分析およびノート", + "notes": "ノート", "personalnotes": "パーソナルノート", "publishstate": "コンテキスト", "sitenotes": "サイトノート", diff --git a/www/addons/notes/lang/ko.json b/www/addons/notes/lang/ko.json new file mode 100644 index 00000000000..2bd0347b323 --- /dev/null +++ b/www/addons/notes/lang/ko.json @@ -0,0 +1,13 @@ +{ + "addnewnote": "새 메모 추가", + "coursenotes": "강좌 메모", + "eventnotecreated": "메모 작성", + "nonotes": "이 유형의 메모가 아직 없습니다.", + "note": "메모", + "notes": "메모들", + "personalnotes": "개인적인 메모", + "publishstate": "문맥", + "sitenotes": "사이트 메모", + "userwithid": "ID가 {{id}} 인 사용자", + "warningnotenotsent": "{{course}} 강좌에 메모를 추가 할 수 없습니다. {{오류}}" +} \ No newline at end of file diff --git a/www/addons/notes/lang/lt.json b/www/addons/notes/lang/lt.json index e9213ee0c0e..ac321d27d1b 100644 --- a/www/addons/notes/lang/lt.json +++ b/www/addons/notes/lang/lt.json @@ -4,7 +4,7 @@ "eventnotecreated": "Užrašas sukurtas", "nonotes": "Nėra jokių šios temos užrašų", "note": "Užrašas", - "notes": "Pastabos", + "notes": "Užrašai", "personalnotes": "Asmeniniai užrašai", "publishstate": "Teksto ištrauka", "sitenotes": "Svetainės užrašai", diff --git a/www/addons/notes/lang/nl.json b/www/addons/notes/lang/nl.json index 64e66285bed..49a0c0209c4 100644 --- a/www/addons/notes/lang/nl.json +++ b/www/addons/notes/lang/nl.json @@ -4,7 +4,7 @@ "eventnotecreated": "Notitie gemaakt", "nonotes": "Er zijn nog geen notities van dit type.", "note": "Notitie", - "notes": "Je persoonlijke analyse en aantekeningen", + "notes": "Notities", "personalnotes": "Persoonlijke notities", "publishstate": "Context", "sitenotes": "Site notities", diff --git a/www/addons/notes/lang/pt-br.json b/www/addons/notes/lang/pt-br.json index 5634bc70e89..ce6908d1d3e 100644 --- a/www/addons/notes/lang/pt-br.json +++ b/www/addons/notes/lang/pt-br.json @@ -4,7 +4,7 @@ "eventnotecreated": "Anotação criada", "nonotes": "Não há mais anotações desse típo", "note": "Anotação", - "notes": "Suas análises e anotações pessoais", + "notes": "Anotações", "personalnotes": "Anotações pessoais", "publishstate": "Contexto", "sitenotes": "Anotações do site", diff --git a/www/addons/notes/lang/pt.json b/www/addons/notes/lang/pt.json index ace13083c07..d5d1db734fc 100644 --- a/www/addons/notes/lang/pt.json +++ b/www/addons/notes/lang/pt.json @@ -4,7 +4,7 @@ "eventnotecreated": "Anotação criada", "nonotes": "Ainda não existem anotações deste tipo.", "note": "Anotação", - "notes": "Análise privada e anotações", + "notes": "Anotações", "personalnotes": "Anotações pessoais", "publishstate": "Contexto", "sitenotes": "Anotações do site", diff --git a/www/addons/notes/lang/ro.json b/www/addons/notes/lang/ro.json index 1115becc8d5..605a02f2299 100644 --- a/www/addons/notes/lang/ro.json +++ b/www/addons/notes/lang/ro.json @@ -4,7 +4,7 @@ "eventnotecreated": "A fost creată o notă", "nonotes": "Momentan nu există note de acest tip", "note": "Notă", - "notes": "Analiza şi notele tale particulare", + "notes": "Note", "personalnotes": "Note personale", "publishstate": "Context", "sitenotes": "Note de site", diff --git a/www/addons/notes/lang/ru.json b/www/addons/notes/lang/ru.json index 5b45804576d..fecbe087e5e 100644 --- a/www/addons/notes/lang/ru.json +++ b/www/addons/notes/lang/ru.json @@ -2,11 +2,12 @@ "addnewnote": "Добавить новую заметку", "coursenotes": "Заметки курса", "eventnotecreated": "Заметка создана", - "nonotes": "Тут нет заметок такого типа", + "nonotes": "Нет заметок такого типа.", "note": "Заметка", - "notes": "Ваши анализы и заметки", + "notes": "Заметки", "personalnotes": "Личные заметки", "publishstate": "Контекст", "sitenotes": "Заметки сайта", - "userwithid": "Пользователя с ID {{id}}" + "userwithid": "Пользователя с ID {{id}}", + "warningnotenotsent": "Не получилось добавить заметку(и) к курсу {{course}}. {{error}}" } \ No newline at end of file diff --git a/www/addons/notes/lang/sv.json b/www/addons/notes/lang/sv.json index 75049c59549..8fcd87edc6d 100644 --- a/www/addons/notes/lang/sv.json +++ b/www/addons/notes/lang/sv.json @@ -4,7 +4,7 @@ "eventnotecreated": "Anteckning skapade", "nonotes": "Det finns inga anteckningar av denna typ ännu", "note": "Anteckning", - "notes": "Din privata analys och anteckningar", + "notes": "Anteckningar", "personalnotes": "Personliga anteckningar", "publishstate": "Sammanhang", "sitenotes": "Webbplats anteckningar", diff --git a/www/addons/notes/lang/uk.json b/www/addons/notes/lang/uk.json index 9c2ba1ac6bb..8c815080c16 100644 --- a/www/addons/notes/lang/uk.json +++ b/www/addons/notes/lang/uk.json @@ -4,7 +4,7 @@ "eventnotecreated": "Записка створена", "nonotes": "Наразі немає записок такого типу", "note": "Записка", - "notes": "Ваш особистий аналіз і нотатки", + "notes": "Записки", "personalnotes": "Персональні записки", "publishstate": "Контекст", "sitenotes": "Записки сайту", diff --git a/www/addons/notifications/lang/bg.json b/www/addons/notifications/lang/bg.json index 2ae379fd046..b1946ed6a9c 100644 --- a/www/addons/notifications/lang/bg.json +++ b/www/addons/notifications/lang/bg.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "Грешка при получаването на уведомленията", "notificationpreferences": "Предпочитания за уведомленията", - "notifications": "Уведомление", + "notifications": "Уведомления", "therearentnotificationsyet": "Няма уведомления." } \ No newline at end of file diff --git a/www/addons/notifications/lang/ca.json b/www/addons/notifications/lang/ca.json index 077c0e53ffd..324cd60ecdb 100644 --- a/www/addons/notifications/lang/ca.json +++ b/www/addons/notifications/lang/ca.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "S'ha produït un error carregant les notificacions", - "notificationpreferences": "Preferències de les notificacions", + "notificationpreferences": "Preferències de notificació", "notifications": "Notificacions", "playsound": "Reprodueix el so", "therearentnotificationsyet": "No hi ha notificacions" diff --git a/www/addons/notifications/lang/cs.json b/www/addons/notifications/lang/cs.json index 7e1d1531bb2..8547a6a16cd 100644 --- a/www/addons/notifications/lang/cs.json +++ b/www/addons/notifications/lang/cs.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Chyba při načítání oznámení.", "notificationpreferences": "Nastavení oznámení", - "notifications": "Informace", + "notifications": "Oznámení", "playsound": "Přehrát zvuk", - "therearentnotificationsyet": "Nejsou žádná sdělení" + "therearentnotificationsyet": "Nejsou žádná sdělení." } \ No newline at end of file diff --git a/www/addons/notifications/lang/da.json b/www/addons/notifications/lang/da.json index 5ae802c2f06..f84f447ca88 100644 --- a/www/addons/notifications/lang/da.json +++ b/www/addons/notifications/lang/da.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Fejl ved hentning af underretninger", "notificationpreferences": "Indstillinger for underretninger", - "notifications": "Beskeder", + "notifications": "Underretninger", "playsound": "Afspil lyd", "therearentnotificationsyet": "Der er ingen underretninger" } \ No newline at end of file diff --git a/www/addons/notifications/lang/es.json b/www/addons/notifications/lang/es.json index 1049b40c7a5..db11ade05af 100644 --- a/www/addons/notifications/lang/es.json +++ b/www/addons/notifications/lang/es.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Error al obtener notificaciones", - "notificationpreferences": "Preferencias de notificación", - "notifications": "Avisos", + "notificationpreferences": "Preferencias de notificaciones", + "notifications": "Notificaciones", "playsound": "Reproducir sonido", "therearentnotificationsyet": "No hay notificaciones" } \ No newline at end of file diff --git a/www/addons/notifications/lang/eu.json b/www/addons/notifications/lang/eu.json index 2363a8e19af..f5e19694a17 100644 --- a/www/addons/notifications/lang/eu.json +++ b/www/addons/notifications/lang/eu.json @@ -1,7 +1,7 @@ { - "errorgetnotifications": "Errorea jakinarazpenak jasotzean", - "notificationpreferences": "Jakinarazpenen hobespenak", + "errorgetnotifications": "Errore bat gertatu da jakinarazpenak jasotzean.", + "notificationpreferences": "Jakinarazpen hobespenak", "notifications": "Jakinarazpenak", "playsound": "Erreproduzitu soinua", - "therearentnotificationsyet": "Ez dago jakinarazpenik" + "therearentnotificationsyet": "Ez dago jakinarazpenik." } \ No newline at end of file diff --git a/www/addons/notifications/lang/fa.json b/www/addons/notifications/lang/fa.json index f641bf74805..dcfecb86fba 100644 --- a/www/addons/notifications/lang/fa.json +++ b/www/addons/notifications/lang/fa.json @@ -1,5 +1,5 @@ { "notificationpreferences": "ترجیحات اطلاعیه‌ها", - "notifications": "تذکرات", + "notifications": "هشدارها", "therearentnotificationsyet": "هیچ هشداری وجود ندارد" } \ No newline at end of file diff --git a/www/addons/notifications/lang/fi.json b/www/addons/notifications/lang/fi.json index be70ad071de..e9d2839b7a0 100644 --- a/www/addons/notifications/lang/fi.json +++ b/www/addons/notifications/lang/fi.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "Virhe ladattaessa ilmoituksia", - "notificationpreferences": "Ilmoituksien asetukset", + "notificationpreferences": "Ilmoitusasetukset", "notifications": "Ilmoitukset", "playsound": "Soita äänimerkki", "therearentnotificationsyet": "Ei uusia ilmoituksia." diff --git a/www/addons/notifications/lang/he.json b/www/addons/notifications/lang/he.json index 39e5a6ed7a5..1c1591b94ed 100644 --- a/www/addons/notifications/lang/he.json +++ b/www/addons/notifications/lang/he.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "שגיאה בטעינת התראות", "notificationpreferences": "העדפות הודעות", - "notifications": "עדכונים והודעות", + "notifications": "התראות", "therearentnotificationsyet": "אין התראות" } \ No newline at end of file diff --git a/www/addons/notifications/lang/hr.json b/www/addons/notifications/lang/hr.json index 758f784bc9a..f130577e1d1 100644 --- a/www/addons/notifications/lang/hr.json +++ b/www/addons/notifications/lang/hr.json @@ -1,5 +1,5 @@ { - "notificationpreferences": "Postavke za obavijesti", + "notificationpreferences": "Postavke obavijesti", "notifications": "Obavijesti", "therearentnotificationsyet": "Nema obavijesti" } \ No newline at end of file diff --git a/www/addons/notifications/lang/ja.json b/www/addons/notifications/lang/ja.json index 8c6ea812ddf..22daa00358e 100644 --- a/www/addons/notifications/lang/ja.json +++ b/www/addons/notifications/lang/ja.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "通知の取得中にエラーが発生しました。", - "notificationpreferences": "通知プリファレンス", + "notificationpreferences": "通知の設定", "notifications": "通知", "playsound": "音を出力", "therearentnotificationsyet": "通知はありません" diff --git a/www/addons/notifications/lang/ko.json b/www/addons/notifications/lang/ko.json new file mode 100644 index 00000000000..d82816c3ee9 --- /dev/null +++ b/www/addons/notifications/lang/ko.json @@ -0,0 +1,7 @@ +{ + "errorgetnotifications": "알림을 가져 오는 중 오류가 발생했습니다.", + "notificationpreferences": "알림 환경 설정", + "notifications": "알림", + "playsound": "소리 재생", + "therearentnotificationsyet": "알림이 없습니다." +} \ No newline at end of file diff --git a/www/addons/notifications/lang/lt.json b/www/addons/notifications/lang/lt.json index 9487770171a..965ea666726 100644 --- a/www/addons/notifications/lang/lt.json +++ b/www/addons/notifications/lang/lt.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "Klaida gaunant pranešimus", - "notificationpreferences": "Pranešimų nuostatos", + "notificationpreferences": "Pranešimų nustatymai", "notifications": "Pranešimai", "therearentnotificationsyet": "Nėra jokių pranešimų" } \ No newline at end of file diff --git a/www/addons/notifications/lang/mr.json b/www/addons/notifications/lang/mr.json index 136e773e767..526fbb0693e 100644 --- a/www/addons/notifications/lang/mr.json +++ b/www/addons/notifications/lang/mr.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "सूचना मिळवताना त्रुटी", "notificationpreferences": "सूचना प्राधान्यक्रम", - "notifications": "अधिसुचना", + "notifications": "सूचना", "playsound": "ध्वनी प्ले करा", "therearentnotificationsyet": "कोणत्याही सूचना नाहीत" } \ No newline at end of file diff --git a/www/addons/notifications/lang/nl.json b/www/addons/notifications/lang/nl.json index fee989fa89d..794a0a899d5 100644 --- a/www/addons/notifications/lang/nl.json +++ b/www/addons/notifications/lang/nl.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "Fout bij het ophalen van meldingen.", - "notificationpreferences": "Meldingen voorkeuren", + "notificationpreferences": "Notificatievoorkeuren", "notifications": "Meldingen", "playsound": "Speel geluid", "therearentnotificationsyet": "Er zijn geen meldingen." diff --git a/www/addons/notifications/lang/no.json b/www/addons/notifications/lang/no.json index 262aefcfee4..fd4fc2eb2f5 100644 --- a/www/addons/notifications/lang/no.json +++ b/www/addons/notifications/lang/no.json @@ -1,5 +1,5 @@ { "notificationpreferences": "Varslingspreferanser", - "notifications": "Varslinger", + "notifications": "Meldinger", "playsound": "Spill lyd" } \ No newline at end of file diff --git a/www/addons/notifications/lang/pt-br.json b/www/addons/notifications/lang/pt-br.json index 46bf5f98e68..6ca19fa1c59 100644 --- a/www/addons/notifications/lang/pt-br.json +++ b/www/addons/notifications/lang/pt-br.json @@ -1,6 +1,7 @@ { "errorgetnotifications": "Erro ao receber notificações", - "notificationpreferences": "Preferências de notificação", - "notifications": "Avisos", + "notificationpreferences": "Preferência de notificações", + "notifications": "Notificação", + "playsound": "Reproduzir som", "therearentnotificationsyet": "Não há notificações" } \ No newline at end of file diff --git a/www/addons/notifications/lang/ru.json b/www/addons/notifications/lang/ru.json index 3bb79943f46..588b3e7aa5e 100644 --- a/www/addons/notifications/lang/ru.json +++ b/www/addons/notifications/lang/ru.json @@ -1,7 +1,7 @@ { - "errorgetnotifications": "Ошибка получения уведомления", - "notificationpreferences": "Настройка уведомлений", + "errorgetnotifications": "Ошибка получения уведомлений.", + "notificationpreferences": "Предпочтения по уведомлениям", "notifications": "Уведомления", "playsound": "Проигрывать звук", - "therearentnotificationsyet": "Уведомлений нет" + "therearentnotificationsyet": "Уведомлений нет." } \ No newline at end of file diff --git a/www/addons/notifications/lang/sv.json b/www/addons/notifications/lang/sv.json index ce4f0ccc515..8029962c563 100644 --- a/www/addons/notifications/lang/sv.json +++ b/www/addons/notifications/lang/sv.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "Fel att få meddelanden", "notificationpreferences": "Välj inställningar för notiser", - "notifications": "Administration", + "notifications": "Meddelanden", "therearentnotificationsyet": "Det finns inga meddelanden" } \ No newline at end of file diff --git a/www/addons/notifications/lang/uk.json b/www/addons/notifications/lang/uk.json index 791d1338ac3..c3d124173af 100644 --- a/www/addons/notifications/lang/uk.json +++ b/www/addons/notifications/lang/uk.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Помилка отримання сповіщень", "notificationpreferences": "Налаштування сповіщень", - "notifications": "Повідомлення", + "notifications": "Сповіщення", "playsound": "Грати звук", "therearentnotificationsyet": "Немає сповіщень" } \ No newline at end of file diff --git a/www/addons/participants/lang/ar.json b/www/addons/participants/lang/ar.json index 91db007489d..6ba30232626 100644 --- a/www/addons/participants/lang/ar.json +++ b/www/addons/participants/lang/ar.json @@ -1,4 +1,4 @@ { "noparticipants": "لم يتم العثور على مشاركين في هذا المقرر الدراسي", - "participants": "المشتركون" + "participants": "مشاركون" } \ No newline at end of file diff --git a/www/addons/participants/lang/ca.json b/www/addons/participants/lang/ca.json index 1c214eda823..3c6638a3af7 100644 --- a/www/addons/participants/lang/ca.json +++ b/www/addons/participants/lang/ca.json @@ -1,4 +1,4 @@ { - "noparticipants": "No s'han trobat participants.", + "noparticipants": "No s'han trobat participants per aquest curs", "participants": "Participants" } \ No newline at end of file diff --git a/www/addons/participants/lang/cs.json b/www/addons/participants/lang/cs.json index 311ee521366..3863f8d90c8 100644 --- a/www/addons/participants/lang/cs.json +++ b/www/addons/participants/lang/cs.json @@ -1,4 +1,4 @@ { - "noparticipants": "Pro tento kurz nenalezen žádný účastník", - "participants": "Přispěvatelé" + "noparticipants": "Pro tento kurz nenalezeni účastníci.", + "participants": "Účastníci" } \ No newline at end of file diff --git a/www/addons/participants/lang/da.json b/www/addons/participants/lang/da.json index 28829f714a6..69f209799f8 100644 --- a/www/addons/participants/lang/da.json +++ b/www/addons/participants/lang/da.json @@ -1,4 +1,4 @@ { - "noparticipants": "Ingen deltagere fundet.", + "noparticipants": "Ingen deltagere fundet på dette kursus", "participants": "Deltagere" } \ No newline at end of file diff --git a/www/addons/participants/lang/de-du.json b/www/addons/participants/lang/de-du.json index 343c2a2709e..0ccb03a8295 100644 --- a/www/addons/participants/lang/de-du.json +++ b/www/addons/participants/lang/de-du.json @@ -1,4 +1,4 @@ { "noparticipants": "Keine Teilnehmer/innen für diesen Kurs gefunden", - "participants": "Teilnehmer/innen" + "participants": "Personen" } \ No newline at end of file diff --git a/www/addons/participants/lang/de.json b/www/addons/participants/lang/de.json index 343c2a2709e..0ccb03a8295 100644 --- a/www/addons/participants/lang/de.json +++ b/www/addons/participants/lang/de.json @@ -1,4 +1,4 @@ { "noparticipants": "Keine Teilnehmer/innen für diesen Kurs gefunden", - "participants": "Teilnehmer/innen" + "participants": "Personen" } \ No newline at end of file diff --git a/www/addons/participants/lang/el.json b/www/addons/participants/lang/el.json index e1a786afbb1..846f209c0b0 100644 --- a/www/addons/participants/lang/el.json +++ b/www/addons/participants/lang/el.json @@ -1,4 +1,4 @@ { - "noparticipants": "Δε βρέθηκαν συμμετέχονες γι' αυτό το μάθημα", + "noparticipants": "Δεν βρέθηκαν συμμετέχοντες σε αυτό το μάθημα", "participants": "Συμμετέχοντες" } \ No newline at end of file diff --git a/www/addons/participants/lang/es-mx.json b/www/addons/participants/lang/es-mx.json index 5c6014bd522..c97de680297 100644 --- a/www/addons/participants/lang/es-mx.json +++ b/www/addons/participants/lang/es-mx.json @@ -1,4 +1,4 @@ { - "noparticipants": "No se encontraron participantes.", + "noparticipants": "No se encontraron participantes para este curso.", "participants": "Participantes" } \ No newline at end of file diff --git a/www/addons/participants/lang/es.json b/www/addons/participants/lang/es.json index 62113ad2ef9..c64b8bf86b4 100644 --- a/www/addons/participants/lang/es.json +++ b/www/addons/participants/lang/es.json @@ -1,4 +1,4 @@ { - "noparticipants": "No se encontraron participantes en este curso", + "noparticipants": "No se han encontrado participantes en este curso", "participants": "Participantes" } \ No newline at end of file diff --git a/www/addons/participants/lang/eu.json b/www/addons/participants/lang/eu.json index 0a84454d0c0..1cf88ad4123 100644 --- a/www/addons/participants/lang/eu.json +++ b/www/addons/participants/lang/eu.json @@ -1,4 +1,4 @@ { - "noparticipants": "Ez da partaiderik aurkitu ikastaro honetarako", + "noparticipants": "Ez da parte-hartzailerik aurkitu ikastaro honetan.", "participants": "Partaideak" } \ No newline at end of file diff --git a/www/addons/participants/lang/fa.json b/www/addons/participants/lang/fa.json index 90d51eaa038..34112f687d7 100644 --- a/www/addons/participants/lang/fa.json +++ b/www/addons/participants/lang/fa.json @@ -1,4 +1,4 @@ { - "noparticipants": "هیچ شرکت‌کننده‌ای پیدا نشد.", + "noparticipants": "این درس شرکت‌کننده‌ای ندارد", "participants": "شرکت کنندگان" } \ No newline at end of file diff --git a/www/addons/participants/lang/fi.json b/www/addons/participants/lang/fi.json index fcc700ef564..9f8abb88a2f 100644 --- a/www/addons/participants/lang/fi.json +++ b/www/addons/participants/lang/fi.json @@ -1,4 +1,4 @@ { - "noparticipants": "Tälle kurssille ei löytynyt osallistujia", + "noparticipants": "Tällä kurssilla ei ole yhtään osallistujaa.", "participants": "Osallistujat" } \ No newline at end of file diff --git a/www/addons/participants/lang/fr.json b/www/addons/participants/lang/fr.json index 0a75ac6f8c8..9aed5a94bbe 100644 --- a/www/addons/participants/lang/fr.json +++ b/www/addons/participants/lang/fr.json @@ -1,4 +1,4 @@ { - "noparticipants": "Aucun participant trouvé", + "noparticipants": "Aucun participant trouvé dans ce cours.", "participants": "Participants" } \ No newline at end of file diff --git a/www/addons/participants/lang/he.json b/www/addons/participants/lang/he.json index 5c487a42ed3..669a9a80dfd 100644 --- a/www/addons/participants/lang/he.json +++ b/www/addons/participants/lang/he.json @@ -1,4 +1,4 @@ { - "noparticipants": "טרם צורפו משתתפים.", + "noparticipants": "לא נמצאו משתתפים עבור קורס זה", "participants": "משתתפים" } \ No newline at end of file diff --git a/www/addons/participants/lang/hu.json b/www/addons/participants/lang/hu.json index f1cb5cf7cf6..929c510a598 100644 --- a/www/addons/participants/lang/hu.json +++ b/www/addons/participants/lang/hu.json @@ -1,4 +1,4 @@ { - "noparticipants": "Nincs résztvevő.", + "noparticipants": "A kurzushoz nincsenek résztvevők!", "participants": "Résztvevők" } \ No newline at end of file diff --git a/www/addons/participants/lang/it.json b/www/addons/participants/lang/it.json index 21d39dce004..0d16202be57 100644 --- a/www/addons/participants/lang/it.json +++ b/www/addons/participants/lang/it.json @@ -1,4 +1,4 @@ { - "noparticipants": "Non sono stati trovati partecipanti.", - "participants": "Sono autorizzati ad inserire record" + "noparticipants": "In questo corso non sono stati trovati partecipanti", + "participants": "Partecipanti" } \ No newline at end of file diff --git a/www/addons/participants/lang/ja.json b/www/addons/participants/lang/ja.json index ff5fe88970c..3656df9f659 100644 --- a/www/addons/participants/lang/ja.json +++ b/www/addons/participants/lang/ja.json @@ -1,4 +1,4 @@ { - "noparticipants": "参加者は見つかりませんでした。", + "noparticipants": "このコースには参加者がいません。", "participants": "参加者" } \ No newline at end of file diff --git a/www/addons/participants/lang/ko.json b/www/addons/participants/lang/ko.json new file mode 100644 index 00000000000..9992a5c90ee --- /dev/null +++ b/www/addons/participants/lang/ko.json @@ -0,0 +1,4 @@ +{ + "noparticipants": "이 강좌에 참가자가 없습니다.", + "participants": "참가자" +} \ No newline at end of file diff --git a/www/addons/participants/lang/lt.json b/www/addons/participants/lang/lt.json index 2ced6e2c61f..b675a2848f1 100644 --- a/www/addons/participants/lang/lt.json +++ b/www/addons/participants/lang/lt.json @@ -1,4 +1,4 @@ { - "noparticipants": "Nerasta dalyvių.", + "noparticipants": "Dalyvaujančių šiuose kursuose nėra", "participants": "Dalyviai" } \ No newline at end of file diff --git a/www/addons/participants/lang/nl.json b/www/addons/participants/lang/nl.json index a7b39b547fc..7feedf9e5e3 100644 --- a/www/addons/participants/lang/nl.json +++ b/www/addons/participants/lang/nl.json @@ -1,4 +1,4 @@ { - "noparticipants": "Geen deelnemers gevonden", + "noparticipants": "Geen deelnemers gevonden in deze cursus.", "participants": "Deelnemers" } \ No newline at end of file diff --git a/www/addons/participants/lang/no.json b/www/addons/participants/lang/no.json index c84e85ca07c..e85b4a74ccf 100644 --- a/www/addons/participants/lang/no.json +++ b/www/addons/participants/lang/no.json @@ -1,4 +1,4 @@ { - "noparticipants": "Fant ingen deltakere", - "participants": "Deltakere" + "noparticipants": "Fant ingen deltakere for dette kurset", + "participants": "Deltagere" } \ No newline at end of file diff --git a/www/addons/participants/lang/pl.json b/www/addons/participants/lang/pl.json index adceacdf5a7..5025bf740ec 100644 --- a/www/addons/participants/lang/pl.json +++ b/www/addons/participants/lang/pl.json @@ -1,4 +1,4 @@ { - "noparticipants": "Nie znaleziono uczestników.", + "noparticipants": "Nie znaleziono uczestników w tym kursie", "participants": "Uczestnicy" } \ No newline at end of file diff --git a/www/addons/participants/lang/pt-br.json b/www/addons/participants/lang/pt-br.json index a107a2f8ee1..792fea1d8fd 100644 --- a/www/addons/participants/lang/pt-br.json +++ b/www/addons/participants/lang/pt-br.json @@ -1,4 +1,4 @@ { - "noparticipants": "Nenhum participante encontrado.", + "noparticipants": "Nenhum dos participantes encontrados para este curso", "participants": "Participantes" } \ No newline at end of file diff --git a/www/addons/participants/lang/pt.json b/www/addons/participants/lang/pt.json index 655df885588..e6a458d7e2f 100644 --- a/www/addons/participants/lang/pt.json +++ b/www/addons/participants/lang/pt.json @@ -1,4 +1,4 @@ { - "noparticipants": "Não foram encontrados participantes.", + "noparticipants": "Nenhum participante foi encontrado nesta disciplina.", "participants": "Participantes" } \ No newline at end of file diff --git a/www/addons/participants/lang/ro.json b/www/addons/participants/lang/ro.json index 0c2fa9e2bad..57abb945354 100644 --- a/www/addons/participants/lang/ro.json +++ b/www/addons/participants/lang/ro.json @@ -1,4 +1,4 @@ { - "noparticipants": "Nu există participanți la acest curs", - "participants": "Participanţi" + "noparticipants": "Nu au fost găsiți participanți la acest curs.", + "participants": "Participanți" } \ No newline at end of file diff --git a/www/addons/participants/lang/ru.json b/www/addons/participants/lang/ru.json index bcfa292346e..1472e7c65c9 100644 --- a/www/addons/participants/lang/ru.json +++ b/www/addons/participants/lang/ru.json @@ -1,4 +1,4 @@ { - "noparticipants": "Участники не найдены.", + "noparticipants": "Не найдено участников для данного курса.", "participants": "Участники" } \ No newline at end of file diff --git a/www/addons/participants/lang/sv.json b/www/addons/participants/lang/sv.json index 27833cf5412..ab7780c8f28 100644 --- a/www/addons/participants/lang/sv.json +++ b/www/addons/participants/lang/sv.json @@ -1,4 +1,4 @@ { - "noparticipants": "Inga deltagare hittades för denna kurs", + "noparticipants": "Inga deltagare hittades för kursen", "participants": "Deltagare" } \ No newline at end of file diff --git a/www/addons/participants/lang/tr.json b/www/addons/participants/lang/tr.json index 307ef1e120f..05e3c834e4a 100644 --- a/www/addons/participants/lang/tr.json +++ b/www/addons/participants/lang/tr.json @@ -1,4 +1,4 @@ { - "noparticipants": "Hiçbir katılımcı bulunamadı.", + "noparticipants": "Bu derste hiç katılımcı bulunamadı", "participants": "Katılımcılar" } \ No newline at end of file diff --git a/www/addons/participants/lang/uk.json b/www/addons/participants/lang/uk.json index 2899a99f372..2a8bcb3747e 100644 --- a/www/addons/participants/lang/uk.json +++ b/www/addons/participants/lang/uk.json @@ -1,4 +1,4 @@ { - "noparticipants": "Жодного учасника не знайдено", + "noparticipants": "Учасників не знайдено за цим курсом", "participants": "Учасники" } \ No newline at end of file diff --git a/www/core/components/contentlinks/lang/ko.json b/www/core/components/contentlinks/lang/ko.json new file mode 100644 index 00000000000..8d87c9fef1f --- /dev/null +++ b/www/core/components/contentlinks/lang/ko.json @@ -0,0 +1,7 @@ +{ + "chooseaccount": "계정을 선택", + "chooseaccounttoopenlink": "링크를 열 계정을 선택하십시오.", + "confirmurlothersite": "이 링크는 다른 사이트에 속합니다. 열어 보시겠습니까?", + "errornoactions": "이 링크로 수행 할 작업을 찾을 수 없습니다.", + "errornosites": "이 링크를 처리 할 사이트를 찾을 수 없습니다." +} \ No newline at end of file diff --git a/www/core/components/contentlinks/lang/ru.json b/www/core/components/contentlinks/lang/ru.json index 8efa22ed39c..d8f1effbb77 100644 --- a/www/core/components/contentlinks/lang/ru.json +++ b/www/core/components/contentlinks/lang/ru.json @@ -1,3 +1,7 @@ { - "chooseaccount": "Выберите учетную запись" + "chooseaccount": "Выберите учетную запись", + "chooseaccounttoopenlink": "Выбрать учётную запись для перехода по ссылке.", + "confirmurlothersite": "Эта ссылка ведёт на другой сайт. Вы хотите перейти по ней?", + "errornoactions": "Не удалось найти действие для работы с этой ссылкой.", + "errornosites": "Не удалось найти сайт, на который ведёт ссылка." } \ No newline at end of file diff --git a/www/core/components/course/lang/cs.json b/www/core/components/course/lang/cs.json index 51719e5c52a..43f23921a76 100644 --- a/www/core/components/course/lang/cs.json +++ b/www/core/components/course/lang/cs.json @@ -9,8 +9,8 @@ "confirmdownloadunknownsize": "Nebyli jsme schopni vypočítat velikost stahování. Jste si jisti, že stahování chcete?", "confirmpartialdownloadsize": "Chystáte se stáhnout alespoň {{size}}. Jste si jisti, že chcete pokračovat?", "contents": "Obsah", - "couldnotloadsectioncontent": "Nelze načíst obsah sekce, zkuste to prosím později.", - "couldnotloadsections": "Nelze načíst sekce, zkuste to prosím později.", + "couldnotloadsectioncontent": "Nelze načíst obsah sekce. Zkuste to prosím později.", + "couldnotloadsections": "Nelze načíst sekce. Zkuste to prosím později.", "errordownloadingsection": "Chyba při stahování sekce.", "errorgetmodule": "Chyba při načítání", "hiddenfromstudents": "Skryté před studenty", diff --git a/www/core/components/course/lang/es-mx.json b/www/core/components/course/lang/es-mx.json index 885dd178e53..5da64f55743 100644 --- a/www/core/components/course/lang/es-mx.json +++ b/www/core/components/course/lang/es-mx.json @@ -8,7 +8,7 @@ "confirmdownload": "Usted está a punto de descargar {{size}}. ¿Está Usted seguro de querer continuar?", "confirmdownloadunknownsize": "No pudimos calcular el tamaño de la descarga. ¿Está Usted seguro de querer continuar?", "confirmpartialdownloadsize": "Usted está a punto de descargar al menos {{size}}. ¿Está Usted seguro de querer continuar?", - "contents": "Contenido", + "contents": "Contenidos", "couldnotloadsectioncontent": "No pudo cargarse el contenido de la sección. Por favor inténtelo nuevamente después.", "couldnotloadsections": "No pudieron cargarse las secciones. Por favor inténtelo nuevamente después.", "errordownloadingsection": "Error al descargar sección", diff --git a/www/core/components/course/lang/es.json b/www/core/components/course/lang/es.json index a6cf19ff44b..e2b507e20ce 100644 --- a/www/core/components/course/lang/es.json +++ b/www/core/components/course/lang/es.json @@ -8,7 +8,7 @@ "confirmdownload": "Está a punto de descargar {{size}}. ¿Está seguro de que desea continuar?", "confirmdownloadunknownsize": "No se puede calcular el tamaño de la descarga. ¿Está seguro que quiere descargarlo?", "confirmpartialdownloadsize": "Está a punto de descargar al menos {{size}}. ¿Está seguro de querer continuar?", - "contents": "Contenido", + "contents": "Contenidos", "couldnotloadsectioncontent": "No se ha podido cargar el contenido de la sección, por favor inténtelo más tarde.", "couldnotloadsections": "No se ha podido cargar las secciones, por favor inténtelo más tarde.", "errordownloadingsection": "Error durante la descarga de la sección.", diff --git a/www/core/components/course/lang/eu.json b/www/core/components/course/lang/eu.json index 662aa5daeaf..247e6d6e346 100644 --- a/www/core/components/course/lang/eu.json +++ b/www/core/components/course/lang/eu.json @@ -9,12 +9,12 @@ "confirmdownloadunknownsize": "Ezin izan dugu deskargaren tamaina kalkulatu. Ziur zaude jaitsi nahi duzula?", "confirmpartialdownloadsize": "Gutxienez {{size}} jaistera zoaz. Ziur zaude jarraitu nahi duzula?", "contents": "Edukiak", - "couldnotloadsectioncontent": "Ezin izan da ataleko edukia kargatu, saiatu beranduago mesedez.", - "couldnotloadsections": "Ezin izan dira atalak kargatu, saiatu beranduago mesedez.", + "couldnotloadsectioncontent": "Ezin izan da ataleko edukia kargatu. Saiatu beranduago mesedez.", + "couldnotloadsections": "Ezin izan dira atalak kargatu. Saiatu beranduago mesedez.", "errordownloadingsection": "Errorea atala jaistean.", - "errorgetmodule": "Errorea moduluaren datuak eskuratzean.", + "errorgetmodule": "Errore bat gertatu da jardueraren datuak eskuratzean.", "hiddenfromstudents": "Ezkutuan ikasleentzat", "nocontentavailable": "Ez dago edukirik eskuragarri momentu honetan.", "overriddennotice": "Jarduera honetako zure azken kalifikazioa eskuz egokitu da.", - "useactivityonbrowser": "Zure gailuko nabigatzailea erabilita erabili dezakezu." + "useactivityonbrowser": "Hala ere zure gailuko nabigatzailea erabilita erabil dezakezu." } \ No newline at end of file diff --git a/www/core/components/course/lang/fa.json b/www/core/components/course/lang/fa.json index 6ee0829b8e0..bd8c03a6797 100644 --- a/www/core/components/course/lang/fa.json +++ b/www/core/components/course/lang/fa.json @@ -4,7 +4,7 @@ "confirmdownload": "شما در آستانهٔ دریافت {{size}} هستید. آیا مطمئنید که می‌خواهید ادامه دهید؟", "confirmdownloadunknownsize": "ما نتوانستیم حجم دریافت را محاسبه کنیم. آیا مطمئنید که می‌خواهید ادامه دهید؟", "confirmpartialdownloadsize": "شما در آستانهٔ دریافت حداقل {{size}} هستید. آیا مطمئنید که می‌خواهید ادامه دهید؟", - "contents": "محتویات", + "contents": "محتواها", "couldnotloadsectioncontent": "محتوای قسمت نتوانست بارگیری شود. لطفا بعدا دوباره تلاش کنید.", "couldnotloadsections": "قسمت‌ها نتوانستند بارگیری شوند. لطفا بعدا دوباره تلاش کنید.", "hiddenfromstudents": "پنهان از شاگردان", diff --git a/www/core/components/course/lang/lt.json b/www/core/components/course/lang/lt.json index 08df4163944..61c97b13eaa 100644 --- a/www/core/components/course/lang/lt.json +++ b/www/core/components/course/lang/lt.json @@ -7,7 +7,7 @@ "confirmdownload": "Norite atsisiųsti {{size}}. Ar norite tęsti?", "confirmdownloadunknownsize": "Negalima apskaičiuoti failo, kurį norite atsisiųsti, dydžio. Ar tikrai norite atsisiųsti?", "confirmpartialdownloadsize": "Norite atsisiųsti mažiausiai {{size}}. Ar tikrai norite tęsti?", - "contents": "Turinys", + "contents": "Turiniai", "couldnotloadsectioncontent": "Negalima užkrauti pasirinkto turinio, prašome pamėginti vėliau.", "couldnotloadsections": "Negalima užkrauti pasirinkto turinio, prašome pamėginti vėliau.", "errordownloadingsection": "Klaida atsisiunčiant.", diff --git a/www/core/components/course/lang/mr.json b/www/core/components/course/lang/mr.json index 30998715470..16a2acef4af 100644 --- a/www/core/components/course/lang/mr.json +++ b/www/core/components/course/lang/mr.json @@ -8,7 +8,7 @@ "confirmdownload": "आपण {{size}} डाउनलोड करणार आहात आपल्याला खात्री आहे की आपण सुरू ठेवू इच्छिता?", "confirmdownloadunknownsize": "आम्ही डाउनलोडचे आकार गणना करण्यात अक्षम आहोत. आपण डाउनलोड करू इच्छिता याची आपल्याला खात्री आहे?", "confirmpartialdownloadsize": "आपण कमीत कमी {{size}} डाउनलोड करणार आहात आपल्याला खात्री आहे की आपण सुरू ठेवू इच्छिता?", - "contents": "घटक", + "contents": "सामग्री", "couldnotloadsectioncontent": "विभाग सामग्री लोड करणे शक्य नाही, कृपया नंतर पुन्हा प्रयत्न करा.", "couldnotloadsections": "विभाग लोड करणे शक्य झाले नाही, कृपया नंतर पुन्हा प्रयत्न करा.", "errordownloadingsection": "विभाग डाउनलोड करताना त्रुटी.", diff --git a/www/core/components/course/lang/pt-br.json b/www/core/components/course/lang/pt-br.json index 9f67cd64f5c..a63bdf96fe3 100644 --- a/www/core/components/course/lang/pt-br.json +++ b/www/core/components/course/lang/pt-br.json @@ -8,7 +8,7 @@ "confirmdownload": "Você está prestes a baixar {{size}}. Você tem certeza que quer continuar?", "confirmdownloadunknownsize": "Não fomos capazes de calcular o tamanho do download. Tem certeza de que deseja fazer o download?", "confirmpartialdownloadsize": "Você está prestes a baixar pelo menos {{size}}. Você tem certeza que quer continuar?", - "contents": "Conteúdo", + "contents": "Conteúdos", "couldnotloadsectioncontent": "Não foi possível carregar o conteúdo da seção, por favor tente mais tarde.", "couldnotloadsections": "Não foi possível carregar a seção, por favor tente mais tarde.", "errordownloadingsection": "Erro ao baixar seção.", diff --git a/www/core/components/course/lang/ro.json b/www/core/components/course/lang/ro.json index c6e5f0a6c72..8b96d538dc0 100644 --- a/www/core/components/course/lang/ro.json +++ b/www/core/components/course/lang/ro.json @@ -2,7 +2,7 @@ "allsections": "Toate secțiunile", "confirmdownload": "Porniți o descărcare de {{size}}. Sunteți sigur ca doriți să continuați?", "confirmdownloadunknownsize": "Nu putem calcula dimensiunea fișierului pe care doriți să îl descărcați. Sunteți sigur că doriți să descărcați?", - "contents": "Conţinut", + "contents": "Conținut", "couldnotloadsectioncontent": "Nu se poate încărca conținutul acestei secțiuni, încercați mai târziu.", "couldnotloadsections": "Nu se pot încărca secțiunile, încercați mai târziu.", "errordownloadingsection": "A apărut o eroare la descărcarea secțiunii.", diff --git a/www/core/components/course/lang/ru.json b/www/core/components/course/lang/ru.json index 427c079c6aa..782770c5c20 100644 --- a/www/core/components/course/lang/ru.json +++ b/www/core/components/course/lang/ru.json @@ -1,9 +1,20 @@ { + "activitydisabled": "Ваша организация отключила данный активный элемент в мобильном приложении.", + "activitynotyetviewableremoteaddon": "Ваша организация установила плагин, который ещё не поддерживается.", + "activitynotyetviewablesiteupgradeneeded": "Установка Moodle вашей организации нуждается в обновлении.", "allsections": "Все разделы", + "askadmintosupport": "Свяжитесь с администратором сайта и скажите ему, что хотите использовать активный элемент в приложении Moodle Mobile.", + "confirmdeletemodulefiles": "Вы уверены, что хотите удалить эти файлы?", + "confirmdownload": "Вы собираетесь загрузить {{size}}. Вы уверены, что хотите продолжить?", + "confirmdownloadunknownsize": "Оценить размер загружаемых данных не удалось. Вы уверены, что хотите продолжить?", + "confirmpartialdownloadsize": "Вы собираетесь загрузить по меньшей мере {{size}}. Вы уверены, что хотите продолжить?", "contents": "Содержание", - "couldnotloadsectioncontent": "Не удалось загрузить содержимое раздела. Повторите попытку позже.", - "couldnotloadsections": "Не удалось загрузить разделы, повторите попытку позже", + "couldnotloadsectioncontent": "Не удалось загрузить содержимое раздела. Пожалуйста, повторите попытку позже.", + "couldnotloadsections": "Не удалось загрузить разделы. Пожалуйста, повторите попытку позже.", + "errordownloadingsection": "Ошибка загрузки раздела.", + "errorgetmodule": "Ошибка получения данных активного элемента.", "hiddenfromstudents": "Скрыто от студентов", "nocontentavailable": "Нет контента, доступного в данный момент", - "overriddennotice": "Ваша итоговая оценка за этот элемента курса была скорректирована вручную." + "overriddennotice": "Ваша итоговая оценка за этот элемента курса была скорректирована вручную.", + "useactivityonbrowser": "Вы по прежнему можете пользоваться этим, используя веб-браузер своего устройства." } \ No newline at end of file diff --git a/www/core/components/course/lang/tr.json b/www/core/components/course/lang/tr.json index 10a1542b3da..c26d6a3d866 100644 --- a/www/core/components/course/lang/tr.json +++ b/www/core/components/course/lang/tr.json @@ -1,6 +1,6 @@ { "allsections": "Tüm Bölümler", - "contents": "İçerik", + "contents": "İçerik(ler)", "hiddenfromstudents": "Öğrencilerden gizli", "overriddennotice": "Bu etkinlikteki final notunuz, elle ayarlandı." } \ No newline at end of file diff --git a/www/core/components/course/lang/uk.json b/www/core/components/course/lang/uk.json index 334d8336ce3..53f0055b2f4 100644 --- a/www/core/components/course/lang/uk.json +++ b/www/core/components/course/lang/uk.json @@ -8,7 +8,7 @@ "confirmdownload": "Ви збираєтеся завантажити {{size}}. Ви впевнені, що хочете продовжити?", "confirmdownloadunknownsize": "Ми не змогли розрахувати розмір файлу. Ви впевнені, що ви хочете завантажити?", "confirmpartialdownloadsize": "Ви збираєтеся завантажити принаймні {{size}}. Ви впевнені, що хочете продовжити?", - "contents": "Зміст", + "contents": "Контент", "couldnotloadsectioncontent": "Не вдалося завантажити вміст розділу, будь ласка, спробуйте ще раз пізніше.", "couldnotloadsections": "Не вдалося завантажити розділи, будь ласка, спробуйте ще раз пізніше.", "errordownloadingsection": "Помилка в завантаженні.", diff --git a/www/core/components/courses/lang/ar.json b/www/core/components/courses/lang/ar.json index 82cbdc293a6..9decedc053a 100644 --- a/www/core/components/courses/lang/ar.json +++ b/www/core/components/courses/lang/ar.json @@ -1,19 +1,19 @@ { "allowguests": "يسمح للمستخدمين الضيوف بالدخول إلى هذا المقرر الدراسي", "availablecourses": "المقررات الدراسية المتاحة", - "categories": "تصنيفات المقررات الدراسية", - "courses": "المقررات الدراسية", + "categories": "التصنيفات", + "courses": "تصنيف المقررات الدراسية", "enrolme": "سجلني", "frontpage": "الصفحة الرئيسية", "mycourses": "مقرراتي الدراسية", - "nocourses": "لا يوجد معلومات لمقرر دراسي ليتم اظهرها", + "nocourses": "لا يوجد مقررات", "nocoursesyet": "لا توجد مقررات دراسية لهذه الفئة", - "nosearchresults": "لا توجد نتائج لهذا البحث", + "nosearchresults": "لا يوجد نتائج", "notenroled": "أنت لست مسجلاً كطالب في هذا المقرر", - "password": "كلمة المرور", + "password": "كلمة مرور", "paymentrequired": "هذا المقرر الدراسي غير مجانين لذا يجب دفع القيمة للدخول.", "paypalaccepted": "تم قبول التبرع المدفوع", "search": "بحث", - "searchcourses": "بحث مقررات دراسية", + "searchcourses": "البحث في المقررات الدراسية", "sendpaymentbutton": "ارسل القيمة المدفوعة عن طريق التبرع" } \ No newline at end of file diff --git a/www/core/components/courses/lang/bg.json b/www/core/components/courses/lang/bg.json index 704b295e74a..3f27424ca1e 100644 --- a/www/core/components/courses/lang/bg.json +++ b/www/core/components/courses/lang/bg.json @@ -1,16 +1,17 @@ { "allowguests": "В този курс могат да влизат гости", "availablecourses": "Налични курсове", - "categories": "Категории курсове", + "categories": "Категории", "courses": "Курсове", "enrolme": "Запишете ме", "errorloadcourses": "Грешка при зареждането на курсовете.", "frontpage": "Заглавна страница", "mycourses": "Моите курсове", - "nocourses": "Няма информация за курса, която да бъде показана.", + "nocourses": "Няма курсове", "nocoursesyet": "Няма курсове в тази категория", - "nosearchresults": "Няма открити резултати за Вашето търсене", - "password": "Ключ за записване", + "nosearchresults": "Няма резултати", + "notenroled": "Вие не сте записани в този курс", + "password": "Парола", "search": "Търсене", "searchcourses": "Търсене на курсове" } \ No newline at end of file diff --git a/www/core/components/courses/lang/ca.json b/www/core/components/courses/lang/ca.json index 6cc07396fb1..2f845c9fc61 100644 --- a/www/core/components/courses/lang/ca.json +++ b/www/core/components/courses/lang/ca.json @@ -2,7 +2,7 @@ "allowguests": "Aquest curs permet entrar als usuaris visitants", "availablecourses": "Cursos disponibles", "cannotretrievemorecategories": "No es poden recuperar categories més enllà del nivell {{$a}}.", - "categories": "Categories de cursos", + "categories": "Categories", "confirmselfenrol": "Segur que voleu autoinscriure-us en aquest curs?", "courses": "Cursos", "enrolme": "Inscriu-me", @@ -13,15 +13,15 @@ "filtermycourses": "Filtrar els meus cursos", "frontpage": "Pàgina principal", "mycourses": "Els meus cursos", - "nocourses": "No hi ha informació de cursos per mostrar.", + "nocourses": "No hi ha informació del curs per mostrar.", "nocoursesyet": "No hi ha cursos en aquesta categoria", - "nosearchresults": "La cerca no ha obtingut resultats", + "nosearchresults": "Cap resultat", "notenroled": "No us heu inscrit en aquest curs", "notenrollable": "No podeu autoinscriure-us en aquest curs.", - "password": "Contrasenya", + "password": "Clau d'inscripció", "paymentrequired": "Aquest curs requereix pagament.", "paypalaccepted": "S'accepten pagaments via PayPal", - "search": "Cerca...", + "search": "Cerca", "searchcourses": "Cerca cursos", "searchcoursesadvice": "Podeu fer servir el botó de cercar cursos per accedir als cursos com a convidat o autoinscriure-us en cursos que ho permetin.", "selfenrolment": "Autoinscripció", diff --git a/www/core/components/courses/lang/cs.json b/www/core/components/courses/lang/cs.json index 4f1701f9748..f1f8b518512 100644 --- a/www/core/components/courses/lang/cs.json +++ b/www/core/components/courses/lang/cs.json @@ -2,10 +2,10 @@ "allowguests": "Tento kurz je otevřen i pro hosty", "availablecourses": "Dostupné kurzy", "cannotretrievemorecategories": "Kategorie hlubší než úroveň {{$a}} nelze načíst.", - "categories": "Kategorie kurzů", + "categories": "Kategorie", "confirmselfenrol": "Jste si jisti, že chcete zapsat se do tohoto kurzu?", "courses": "Kurzy", - "enrolme": "Zapsat se do kurzu", + "enrolme": "Zapsat se", "errorloadcategories": "Při načítání kategorií došlo k chybě.", "errorloadcourses": "Při načítání kurzů došlo k chybě.", "errorsearching": "Při vyhledávání došlo k chybě.", @@ -13,15 +13,15 @@ "filtermycourses": "Filtrovat mé kurzy", "frontpage": "Titulní stránka", "mycourses": "Moje kurzy", - "nocourses": "Žádné dostupné informace o kurzech", + "nocourses": "O kurzu nejsou žádné informace.", "nocoursesyet": "Žádný kurz v této kategorii", - "nosearchresults": "Vaše vyhledávání nepřineslo žádný výsledek", + "nosearchresults": "Žádné výsledky", "notenroled": "Nejste zapsáni v tomto kurzu", "notenrollable": "Do tohoto kurzu se nemůžete sami zapsat.", - "password": "Heslo", + "password": "Klíč zápisu", "paymentrequired": "Tento kurz je placený", "paypalaccepted": "Platby přes PayPal přijímány", - "search": "Hledat", + "search": "Vyhledat", "searchcourses": "Vyhledat kurzy", "searchcoursesadvice": "Můžete použít tlačítko Vyhledat kurzy, pracovat jako host nebo se zapsat do kurzů, které to umožňují.", "selfenrolment": "Zápis sebe sama", diff --git a/www/core/components/courses/lang/da.json b/www/core/components/courses/lang/da.json index 7f0aaebd805..cdb92b5ef53 100644 --- a/www/core/components/courses/lang/da.json +++ b/www/core/components/courses/lang/da.json @@ -1,9 +1,9 @@ { "allowguests": "Dette kursus tillader gæster", "availablecourses": "Tilgængelige kurser", - "categories": "Kursuskategorier", + "categories": "Kategorier", "confirmselfenrol": "Er du sikker på at du ønsker at tilmelde dig dette kursus?", - "courses": "Alle kurser", + "courses": "Kurser", "enrolme": "Tilmeld mig", "errorloadcourses": "En fejl opstod ved indlæsning af kurset.", "errorsearching": "En fejl opstod under søgning.", @@ -11,16 +11,16 @@ "filtermycourses": "Filtrer mit kursus", "frontpage": "Forside", "mycourses": "Mine kurser", - "nocourses": "Du er ikke tilmeldt nogen kurser.", + "nocourses": "Der er ingen kursusoplysninger at vise.", "nocoursesyet": "Der er ingen kurser i denne kategori", - "nosearchresults": "Der var ingen beskeder der opfyldte søgekriteriet", + "nosearchresults": "Ingen resultater", "notenroled": "Du er ikke tilmeldt dette kursus", "notenrollable": "Du kan ikke selv tilmelde dig dette kursus.", - "password": "Adgangskode", + "password": "Tilmeldingsnøgle", "paymentrequired": "Dette kursus kræver betaling for tilmelding.", "paypalaccepted": "PayPal-betalinger er velkomne", - "search": "Søg...", - "searchcourses": "Søg efter kurser", + "search": "Søg", + "searchcourses": "Søg kurser", "searchcoursesadvice": "Du kan bruge knappen kursussøgning for at få adgang som gæst eller tilmelde dig kurser der tillader det.", "selfenrolment": "Selvtilmelding", "sendpaymentbutton": "Send betaling via PayPal", diff --git a/www/core/components/courses/lang/de-du.json b/www/core/components/courses/lang/de-du.json index 13bd07bd7e3..21af16fba84 100644 --- a/www/core/components/courses/lang/de-du.json +++ b/www/core/components/courses/lang/de-du.json @@ -2,10 +2,10 @@ "allowguests": "Dieser Kurs erlaubt einen Gastzugang.", "availablecourses": "Kursliste", "cannotretrievemorecategories": "Kursbereiche tiefer als Level {{$a}} können nicht abgerufen werden.", - "categories": "Kursbereiche", + "categories": "Kategorien", "confirmselfenrol": "Möchtest du dich selbst in diesen Kurs einschreiben?", "courses": "Kurse", - "enrolme": "Einschreiben", + "enrolme": "Selbst einschreiben", "errorloadcategories": "Fehler beim Laden von Kursbereichen", "errorloadcourses": "Fehler beim Laden von Kursen", "errorsearching": "Fehler beim Suchen", @@ -13,15 +13,15 @@ "filtermycourses": "Meine Kurse filtern", "frontpage": "Startseite", "mycourses": "Meine Kurse", - "nocourses": "Keine Kurse", + "nocourses": "Keine Kursinformation", "nocoursesyet": "Keine Kurse in diesem Kursbereich", - "nosearchresults": "Keine Ergebnisse", + "nosearchresults": "Keine Suchergebnisse", "notenroled": "Sie sind nicht in diesen Kurs eingeschrieben", "notenrollable": "Du kannst dich nicht selbst in diesen Kurs einschreiben.", - "password": "Öffentliches Kennwort", + "password": "Einschreibeschlüssel", "paymentrequired": "Dieser Kurs ist gebührenpflichtig. Bitte bezahle die Teilnahmegebühr, um im Kurs eingeschrieben zu werden.", "paypalaccepted": "PayPal-Zahlungen möglich", - "search": "Suchen", + "search": "Suche", "searchcourses": "Kurse suchen", "searchcoursesadvice": "Du kannst Kurse suchen, um als Gast teilzunehmen oder dich selbst einzuschreiben, falls dies erlaubt ist.", "selfenrolment": "Selbsteinschreibung", diff --git a/www/core/components/courses/lang/de.json b/www/core/components/courses/lang/de.json index 3f93d4db338..76e1ac7a804 100644 --- a/www/core/components/courses/lang/de.json +++ b/www/core/components/courses/lang/de.json @@ -2,10 +2,10 @@ "allowguests": "Dieser Kurs erlaubt einen Gastzugang.", "availablecourses": "Kursliste", "cannotretrievemorecategories": "Kursbereiche tiefer als Level {{$a}} können nicht abgerufen werden.", - "categories": "Kursbereiche", + "categories": "Kategorien", "confirmselfenrol": "Möchten Sie sich selbst in diesen Kurs einschreiben?", "courses": "Kurse", - "enrolme": "Einschreiben", + "enrolme": "Selbst einschreiben", "errorloadcategories": "Fehler beim Laden von Kursbereichen", "errorloadcourses": "Fehler beim Laden von Kursen", "errorsearching": "Fehler beim Suchen", @@ -13,15 +13,15 @@ "filtermycourses": "Meine Kurse filtern", "frontpage": "Startseite", "mycourses": "Meine Kurse", - "nocourses": "Keine Kurse", + "nocourses": "Keine Kursinformation", "nocoursesyet": "Keine Kurse in diesem Kursbereich", - "nosearchresults": "Keine Suchergebnisse", + "nosearchresults": "Keine Ergebnisse", "notenroled": "Sie sind nicht in diesen Kurs eingeschrieben", "notenrollable": "Sie können sich nicht selbst in diesen Kurs einschreiben.", - "password": "Öffentliches Kennwort", + "password": "Einschreibeschlüssel", "paymentrequired": "Dieser Kurs ist entgeltpflichtig. Bitte bezahlen Sie das Teilnahmeentgelt, um in den Kurs eingeschrieben zu werden.", "paypalaccepted": "PayPal-Zahlungen möglich", - "search": "Suchen", + "search": "Suche", "searchcourses": "Kurse suchen", "searchcoursesadvice": "Sie können Kurse suchen, um als Gast teilzunehmen oder sich selbst einzuschreiben, falls dies erlaubt ist.", "selfenrolment": "Selbsteinschreibung", diff --git a/www/core/components/courses/lang/el.json b/www/core/components/courses/lang/el.json index 9b9181e2536..0242eae0850 100644 --- a/www/core/components/courses/lang/el.json +++ b/www/core/components/courses/lang/el.json @@ -2,7 +2,7 @@ "allowguests": "Σε αυτό το μάθημα επιτρέπονται και οι επισκέπτες", "availablecourses": "Διαθέσιμα Μαθήματα", "cannotretrievemorecategories": "Δεν είναι δυνατή η ανάκτηση κατηγοριών μετά από το επίπεδο {{$a}}.", - "categories": "Κατηγορίες μαθημάτων", + "categories": "Κατηγορίες", "confirmselfenrol": "Είστε σίγουροι ότι θέλετε να εγγραφείτε σε αυτό το μάθημα;", "courses": "Μαθήματα", "enrolme": "Εγγραφή", @@ -13,15 +13,15 @@ "filtermycourses": "Φιλτράρισμα των μαθημάτων μου", "frontpage": "Αρχική σελίδα", "mycourses": "Τα μαθήματά μου", - "nocourses": "Δεν υπάρχει πληροφορία του μαθήματος για προβολή.", + "nocourses": "Δεν υπάρχουν πληροφορίες για αυτό το μάθημα.", "nocoursesyet": "Δεν υπάρχουν μαθήματα σε αυτήν την κατηγορία", "nosearchresults": "Δε βρέθηκαν αποτελέσματα για την αναζήτησή σας", "notenroled": "Δεν είσαι εγγεγραμμένος σε αυτό το μάθημα", "notenrollable": "Δεν μπορείτε να αυτο-εγγραφείτε σε αυτό το μάθημα.", - "password": "Κωδικός πρόσβασης", + "password": "Κλειδί εγγραφής", "paymentrequired": "Αυτό το μάθημα απαιτεί πληρωμή για την είσοδο.", "paypalaccepted": "Αποδεκτές οι πληρωμές μέσω PayPal", - "search": "Αναζήτηση", + "search": "Έρευνα", "searchcourses": "Αναζήτηση μαθημάτων", "searchcoursesadvice": "Μπορείτε να χρησιμοποιήσετε το κουμπί Αναζήτηση μαθημάτων για πρόσβαση ως επισκέπτης ή για να αυτο-εγγραφείτε σε μαθήματα που το επιτρέπουν.", "selfenrolment": "Αυτο-εγγραφή", diff --git a/www/core/components/courses/lang/es-mx.json b/www/core/components/courses/lang/es-mx.json index 1363fb2ccc9..3061c6a73e1 100644 --- a/www/core/components/courses/lang/es-mx.json +++ b/www/core/components/courses/lang/es-mx.json @@ -13,15 +13,15 @@ "filtermycourses": "<<\n

    • املأ نموذج حساب جديد.
    • \n
    • على الفور تصلك رسالة على عنوانك البريدي.
    • \n
    • قم بقراءة البريد واضغط على الرابطة الموجودة به.
    • \n
    • سيتم تأكيد اشتراكك ويسمح لك بالدخول.
    • \n
    • والآن قم باختيار المقرر الدراسي الذي ترغب المشاركة فيه.
    • \n
    • من الآن فصاعدا يمكنك الدخول عن طريق إدخال اسم المستخدم وكلمة المرور (في النموذج المقابل بهذه الصفحة) ، وتستطيع الاتصال الكامل المقرر الدراسي ، وتصل إلى أي مقرر دراسي تريد التسجيل به.
    • \n
    • إذا طلب منك ''مفتاح التسجيل'' - استخدم المفتاح الذي أعطاه لك المدرس. هذا سيجعلك ''تشارك'' في المقرر الدراسي.
    • \n
    • لا حظ أن كل مقرر دراسي قد يكون له أيضا \"مفتاح تسجيل\" ستحتاج إليه لاحقا.
    • \n ", diff --git a/www/core/components/login/lang/ca.json b/www/core/components/login/lang/ca.json index 40dd3040a18..9e0a05987f0 100644 --- a/www/core/components/login/lang/ca.json +++ b/www/core/components/login/lang/ca.json @@ -29,7 +29,7 @@ "invalidmoodleversion": "La versió de Moodle no és vàlida. Cal com a mínim la versió 2.4.", "invalidsite": "L'URL del lloc no és vàlid.", "invalidtime": "L'hora no és vàlida", - "invalidurl": "L'URL no és vàlid", + "invalidurl": "L'URL que heu introduït no és vàlid", "invalidvaluemax": "El valor màxim és {{$a}}", "invalidvaluemin": "El valor mínim és {{$a}}", "localmobileunexpectedresponse": "Les característiques addicionals de Moodle Mobile han tornat una resposta inesperada, us heu d'autenticar fent servir el servei estàndard de Mobile.", diff --git a/www/core/components/login/lang/cs.json b/www/core/components/login/lang/cs.json index ee2174cf14f..bc065edc491 100644 --- a/www/core/components/login/lang/cs.json +++ b/www/core/components/login/lang/cs.json @@ -1,17 +1,17 @@ { "auth_email": "Registrace na základě e-mailu", "authenticating": "Autentizace", - "cancel": "Přerušit", + "cancel": "Zrušit", "checksiteversion": "Zkontrolujte, zda web používá Moodle 2.4 nebo novější.", "confirmdeletesite": "Jste si jisti, že chcete smazat web {{sitename}}?", - "connect": "Spojit", + "connect": "Připojit!", "connecttomoodle": "Připojit k Moodle", "contactyouradministrator": "Pro další pomoc se obraťte na správce webu.", "contactyouradministratorissue": "Požádejte správce, prosím, aby zkontroloval následující problém: {{$a}}", "createaccount": "Vytvořit můj nový účet", "createuserandpass": "Vytvořit nové uživatelské jméno a heslo pro přihlášení", "credentialsdescription": "Pro přihlášení uveďte své uživatelské jméno a heslo.", - "emailconfirmsent": "

      Na vaši adresu {{$a}} byl odeslán e-mail s jednoduchými pokyny k dokončení vaší registrace.

      Narazíte-li na nějaké obtíže, spojte se se správcem těchto stránek.

      ", + "emailconfirmsent": "

      E-mail by měl být zaslán na Vaši adresu na {{$a}}

      Obsahuje jednoduché instrukce pro dokončení registrace.

      Pokud budou potíže pokračovat, obraťte se na správce webu.

      ", "emailnotmatch": "E-maily se neshodují", "enterthewordsabove": "Vložte výše uvedená slova", "erroraccesscontrolalloworigin": "Cross-Origin volání - váš pokus o provedení byl odmítnut. Zkontrolujte prosím https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -20,19 +20,19 @@ "firsttime": "Jste tady poprvé?", "forgotten": "Zapomněli jste své uživatelské jméno či heslo?", "getanothercaptcha": "Získat jiné CAPTCHA", - "help": "Nápověda", + "help": "Pomoc", "helpmelogin": "

      Existuje mnoho tisíc webů Moodle po celém světě. Tato aplikace může připojit pouze ke stránkám Moodle, které povolily, mobilní přístup k aplikaci.

      Pokud se nemůžete k Moodle připojit, pak je třeba kontaktovat správce web Moodle, kam se chcete připojit a požádat, aby přečetl http://docs.moodle.org/en/Mobile_app

      Chcete-li otestovat aplikaci na Moodle demo webu jako učitel nebo student na pole Adresa stránky a klikněte na tlačítko Připojit .

      ", "instructions": "Pokyny", "invalidaccount": "Zkontrolujte si prosím své přihlašovací údaje nebo se obraťte na správce webu, aby zkontroloval nastavení.", "invaliddate": "Neplatné datum", "invalidemail": "Neplatná e-mailová adresa", - "invalidmoodleversion": "Neplatná verze Moodle. Minimální potřebná verze je:", + "invalidmoodleversion": "Neplatná verze Moodle. Minimální potřebná verze je 2.4.", "invalidsite": "Adresa URL stránky je chybná", "invalidtime": "Neplatný čas", - "invalidurl": "Neplatná URL", + "invalidurl": "Použité URL není platné", "invalidvaluemax": "Maximální hodnota je {{$a}}", "invalidvaluemin": "Minimální hodnota je {{$a}}", - "localmobileunexpectedresponse": "Kontrola rozšířených vlastností Moodle Mobile vrátil neočekávanou odezvu, budete ověřen pomocí standardních služeb mobilu .", + "localmobileunexpectedresponse": "Kontrola rozšířených vlastností Moodle Mobile vrátil neočekávanou odezvu. Budete ověřen pomocí standardních služeb mobilu .", "loggedoutssodescription": "Musíte se znovu autentizovat. Musíte se přihlásit na stránky v okně prohlížeče.", "login": "Přihlásit se", "loginbutton": "Přihlásit se", @@ -59,16 +59,18 @@ "profileinvaliddata": "Neplatná hodnota", "recaptchachallengeimage": "Změnit obrázek reCAPTCHA", "reconnect": "Znovu připojit", - "reconnectdescription": "Váš token autentizace je neplatný nebo vypršel, budete se muset znovu připojit k serveru.", - "reconnectssodescription": "Váš token autentizace je neplatný nebo vypršel, budete se muset znovu připojit k serveru. Musíte se přihlásit na stránky v okně prohlížeče.", + "reconnectdescription": "Váš token autentizace je neplatný nebo vypršel. Musíte se znovu připojit k serveru.", + "reconnectssodescription": "Váš token autentizace je neplatný nebo vypršel. Musíte se znovu připojit k serveru. Musíte se přihlásit na stránky v okně prohlížeče.", + "searchby": "Hledat pomocí:", "security_question": "Bezpečnostní otázka", "selectacountry": "Vyberte zemi", + "selectsite": "Vyberte prosím vaše stránky:", "signupplugindisabled": "{{$a}} není povoleno.", "siteaddress": "Adresa stránky", "siteinmaintenance": "Váš web je v režimu údržby", "sitepolicynotagreederror": "Zásady bezpečnosti nebyly odsouhlaseny.", "siteurl": "URL adresa stránky", - "siteurlrequired": "Je požadováno URL webu, tj. http://www.yourmoodlesite.abc nebo https://www.yourmoodlesite.efg ", + "siteurlrequired": "Je požadováno URL webu, tj. https://www.yourmoodlesite.org", "startsignup": "Začněte nyní vytvořením nového účtu!", "stillcantconnect": "Stále se nemůže připojit?", "supplyinfo": "Více informací", diff --git a/www/core/components/login/lang/da.json b/www/core/components/login/lang/da.json index 10b8609ab00..b492cd08437 100644 --- a/www/core/components/login/lang/da.json +++ b/www/core/components/login/lang/da.json @@ -3,7 +3,7 @@ "authenticating": "Godkender", "cancel": "Annuller", "confirmdeletesite": "Er du sikker på at du ønsker at slette websiden {{sitename}}?", - "connect": "Forbind", + "connect": "Tilslut!", "connecttomoodle": "Tilslut til Moodle", "contactyouradministrator": "Kontakt administrator for yderligere hjælp", "contactyouradministratorissue": "Bed administrator om at tjekke følgende: {{$a}}", @@ -28,7 +28,7 @@ "invalidmoodleversion": "Ugyldig Moodle version. Der kræves minimum 2.4.", "invalidsite": "Denne webadresse er ugyldig.", "invalidtime": "Ugyldigt klokkeslæt", - "invalidurl": "Ugyldig URL", + "invalidurl": "Den URL, du har skrevet, er ikke korrekt", "invalidvaluemax": "Højeste værdi er {{$a}}", "invalidvaluemin": "Mindste værdi er {{$a}}", "localmobileunexpectedresponse": "Du har fået en uventet reaktion fra Moodle Mobile Additional Features, så du vil blive godkendt ved hjælp af standard Mobile service.", diff --git a/www/core/components/login/lang/de-du.json b/www/core/components/login/lang/de-du.json index c32d0aabcb2..ffd48a582f7 100644 --- a/www/core/components/login/lang/de-du.json +++ b/www/core/components/login/lang/de-du.json @@ -11,7 +11,7 @@ "createaccount": "Mein neues Konto anlegen", "createuserandpass": "Wähle deinen Anmeldenamen und dein Kennwort", "credentialsdescription": "Gib den Anmeldenamen und das Kennwort ein. ", - "emailconfirmsent": "

      Um sicherzugehen, dass sich niemand unberechtigt über die von dir angegebene E-Mail anmeldet, wird eine automatische Benachrichtigung an diese Adresse {{$a}} gesendet. Je nach Netzlast trifft sie sofort oder auch etwas später bei dir ein.

      \n

      Die Benachrichtigung enthält eine Anleitung, wie du deine Registrierung bestätigst.\nDanach bist du auf dieser Moodle-Seite registriert und kannst sofort loslegen.

      \n

      Bei Problemen wende dich bitte an die Administrator/innen der Website.

      ", + "emailconfirmsent": "

      In Kürze wird eine E-Mail an {{$a}} gesendet.

      Du findest eine einfache Anleitung, wie du die Registrierung abschließt. Bei Schwierigkeiten frage den Administrator der Website.

      ", "emailnotmatch": "Die E-Mail-Adressen stimmen nicht überein.", "enterthewordsabove": "Geben Sie die gezeigten Wörter ein", "erroraccesscontrolalloworigin": "Der Cross-Origin Aufruf wurde zurückgewiesen. Weitere Informationen: https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Falsche Version. Mindestens Moodle 2.4 ist notwendig.", "invalidsite": "Die URL der Website ist ungültig.", "invalidtime": "Ungültige Zeitangabe", - "invalidurl": "Ungültige URL", + "invalidurl": "Die eingegebene URL ist nicht gültig.", "invalidvaluemax": "Der Maximalwert ist {{$a}}.", "invalidvaluemin": "Der Minimalwert ist {{$a}}.", "localmobileunexpectedresponse": "Die Verbindung zum Plugin 'Moodle Mobile - Zusatzfeatures' ist fehlgeschlagen. Du wirst über den standardmäßigen mobilen Webservice authentifiziert.", diff --git a/www/core/components/login/lang/de.json b/www/core/components/login/lang/de.json index c44934f9c61..c99925fd5e7 100644 --- a/www/core/components/login/lang/de.json +++ b/www/core/components/login/lang/de.json @@ -11,7 +11,7 @@ "createaccount": "Mein neues Konto anlegen", "createuserandpass": "Wählen Sie Ihre Anmeldedaten.", "credentialsdescription": "Geben Sie den Anmeldenamen und das Kennwort ein. ", - "emailconfirmsent": "

      Um sicherzugehen, dass sich niemand unberechtigt über die von Ihnen angegebene E-Mail anmeldet, wird eine automatische Benachrichtigung an diese Adresse {{$a}} gesendet. Je nach Netzlast trifft sie sofort oder auch etwas später bei Ihnen ein.

      \n

      Die Benachrichtigung enthält eine Anleitung, wie Sie Ihre Registrierung bestätigen.\nDanach sind Sie auf dieser Moodle-Seite registriert und können sofort loslegen.

      \n

      Bei Problemen wenden Sie sich bitte an die Administrator/innen der Website.

      ", + "emailconfirmsent": "

      In Kürze wird eine E-Mail an {{$a}} gesendet.

      Sie finden eine einfache Anleitung, wie Sie die Registrierung abschließen. Bei Schwierigkeiten wenden Sie sich an den Administrator der Website.

      ", "emailnotmatch": "Die E-Mail-Adressen stimmen nicht überein.", "enterthewordsabove": "Geben Sie die gezeigten Wörter ein", "erroraccesscontrolalloworigin": "Der Cross-Origin Aufruf wurde zurückgewiesen. Weitere Informationen: https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Falsche Version. Mindestens Moodle 2.4 ist notwendig.", "invalidsite": "Die URL der Website ist ungültig.", "invalidtime": "Ungültige Zeitangabe", - "invalidurl": "Ungültige URL", + "invalidurl": "Die eingegebene URL ist nicht gültig.", "invalidvaluemax": "Der Maximalwert ist {{$a}}.", "invalidvaluemin": "Der Minimalwert ist {{$a}}.", "localmobileunexpectedresponse": "Die Verbindung zum Plugin 'Moodle Mobile - Zusatzfeatures' ist fehlgeschlagen. Sie werden über den standardmäßigen mobilen Webservice authentifiziert.", diff --git a/www/core/components/login/lang/el.json b/www/core/components/login/lang/el.json index 028fc407dd6..c03277ff428 100644 --- a/www/core/components/login/lang/el.json +++ b/www/core/components/login/lang/el.json @@ -1,7 +1,7 @@ { "auth_email": "Email-based αυτο-εγγραφή", "authenticating": "Έλεγχος ταυτότητας", - "cancel": "Άκυρο", + "cancel": "Ακύρωση", "checksiteversion": "Ελέγξτε ποια έκδοση Moodle χρησιμοποιεί το site, Moodle 2.4 ή μετέπειτα έκδοση.", "confirmdeletesite": "Είστε σίγουροι ότι θέλετε να διαγράψετε το site {{sitename}};", "connect": "Σύνδεση!", @@ -11,7 +11,7 @@ "createaccount": "Δημιουργία του λογαριασμού μου", "createuserandpass": "Δημιουργία ενός νέου ονόματος χρήστη και κωδικού πρόσβασης για είσοδο στον δικτυακό τόπο", "credentialsdescription": "Δώστε το όνομα χρήστη και τον κωδικό πρόσβασής σας για να συνδεθείτε.", - "emailconfirmsent": "

      Ένα μήνυμα ηλεκτρονικού ταχυδρομείου θα πρέπει να έχει σταλεί στη διεύθυνσή σας, {{$a}}

      \n

      Περιέχει απλές οδηγίες για την ολοκλήρωση της εγγραφής σας.

      \n

      Αν συνεχίζετε να αντιμετωπίζετε δυσκολίες, επικοινωνήστε με το διαχειριστή του δικτυακού τόπου.

      ", + "emailconfirmsent": "

      Ένα email έχει σταλεί στη διεύθυνση σας {{$a}}

      Περιέχει εύκολες οδηγίες για να ολοκληρώσετε την εγγραφή σας.

      Εάν συνεχίσετε να έχετε δυσκολίες επικοινωνήστε με το διαχειριστή του site.

      ", "emailnotmatch": "Οι διευθύνσεις email δεν ταιριάζουν", "enterthewordsabove": "Enter the words above", "erroraccesscontrolalloworigin": "Η κλήση πολλαπλών προελεύσεων (Cross-Origin call) που προσπαθείτε να εκτελέσετε έχει απορριφθεί. Παρακαλώ ελέγξτε https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Μη έγκυρη έκδοση Moodle. Η ελάχιστη απαιτούμενη έκδοση είναι η 2.4.", "invalidsite": "Η διεύθυνση ιστότοπου δεν είναι έγκυρη.", "invalidtime": "Μη έγκυρη ώρα", - "invalidurl": "Το URL που εισαγάγατε δεν είναι έγκυρο", + "invalidurl": "Μη έγκυρο URL", "invalidvaluemax": "Η μεγαλύτερη τιμή είναι {{$a}}", "invalidvaluemin": "Η μικρότερη τιμή είναι {{$a}}", "localmobileunexpectedresponse": "Ο έλεγχος επιπρόσθετων λειτουργιών τη εφαρμοργής για κινητά Moodle επέστρεψε μια απροσδόκητη απόκριση, θα πιστοποιηθείτε χρησιμοποιώντας την τυπική υπηρεσία κινητής τηλεφωνίας.", diff --git a/www/core/components/login/lang/es-mx.json b/www/core/components/login/lang/es-mx.json index 34e4a31530b..13bebdfeb62 100644 --- a/www/core/components/login/lang/es-mx.json +++ b/www/core/components/login/lang/es-mx.json @@ -4,14 +4,14 @@ "cancel": "Cancelar", "checksiteversion": "Revisar que su sitio usa Moodle 2.4 o más reciente.", "confirmdeletesite": "¿Está Usted seguro de querer eliminar el sitio {{sitename}}?", - "connect": "Conectar", + "connect": "¡Conectar!", "connecttomoodle": "Conectar a Moodle", "contactyouradministrator": "Contacte a su administrador del sitio para más ayuda.", "contactyouradministratorissue": "Por favor, pídale al administrador que revise el siguiente problema: {{$a}}", "createaccount": "Crear mi cuenta nueva", "createuserandpass": "Elegir su nombre_de_usuario y contraseña", "credentialsdescription": "Por favor proporcione su nombre_de_usuario y contraseña para ingresar.", - "emailconfirmsent": "

      Hemos enviado un correo electrónico a {{$a}}

      \n

      En él encontrará instrucciones sencillas para concluir el proceso.

      \n

      Si tuviera alguna dificultad, contacte con el Administrador del Sistema.

      ", + "emailconfirmsent": "

      Debería de haberse enviado un Email a su dirección en {{$a}}

      El Email contiene instrucciones sencillas para completar su registro.

      Si continúa teniendo dificultades, contacte al administrador del sitio.

      ", "emailnotmatch": "No coinciden los Emails", "enterthewordsabove": "Escriba las palabras de arriba", "erroraccesscontrolalloworigin": "La llamada de Orígen Cruzado (''Cross-Origin'') que Usted está tratando de realizar ha sido rechazada. Por favor revise https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Versión de Moodle inválida. La versión mínima requerida es 2.4", "invalidsite": "La URL del sitio es inválida.", "invalidtime": "Hora inválida", - "invalidurl": "URL no válida", + "invalidurl": "La URL introducida no es válida", "invalidvaluemax": "El valor máximo es {{$a}}", "invalidvaluemin": "El valor mínimo es {{$a}}", "localmobileunexpectedresponse": "La revisión de las características Adicionales de Moodle Mobile regresó una respuesta inesperada; Usted será autenticado usando el servicio Mobile estándar.", diff --git a/www/core/components/login/lang/es.json b/www/core/components/login/lang/es.json index 968187a30ee..422b7d9817a 100644 --- a/www/core/components/login/lang/es.json +++ b/www/core/components/login/lang/es.json @@ -11,7 +11,7 @@ "createaccount": "Crear cuenta", "createuserandpass": "Crear un nuevo usuario y contraseña para acceder al sistema", "credentialsdescription": "Introduzca su nombre se usuario y contraseña para entrar", - "emailconfirmsent": "

      Hemos enviado un correo electrónico a {{$a}}

      \n

      En él encontrará instrucciones sencillas para concluir el proceso.

      \n

      Si tuviera alguna dificultad, contacte con el Administrador del Sistema.

      ", + "emailconfirmsent": "

      Se ha enviado un email a su dirección {{$a}}

      Contiene instrucciones para completar el proceso de registro.

      Si continúa teniendo algún problema, contacte con el administrador de su sitio.

      ", "emailnotmatch": "Las direcciones de correo no coinciden.", "enterthewordsabove": "Escriba las palabras de arriba", "erroraccesscontrolalloworigin": "La llamada Cross-Origin que está intentando ha sido rechazada. Por favor visite https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Versión de Moodle inválida. La versión mínima requerida es:", "invalidsite": "La URL del sitio es inválida.", "invalidtime": "Hora incorrecta", - "invalidurl": "URL no válida", + "invalidurl": "La URL introducida no es válida", "invalidvaluemax": "El valor máximo es {{$a}}", "invalidvaluemin": "El valor mínimo es {{$a}}", "localmobileunexpectedresponse": "Las características adicionales de Moodle Mobile han devuelto una respuesta inesperada, debe autenticarse utilizando el servicio estándar de Mobile.", @@ -37,7 +37,7 @@ "login": "Acceder", "loginbutton": "Acceder", "logininsiterequired": "Para autentificarse en el sitio se ha de abrir una ventana de navegador.", - "loginsteps": "Hola. Para acceder al sistema tómese un minuto para\ncrear una cuenta.\nCada curso puede disponer de una \"clave de acceso\"\nque sólo tendrá que usar la primera vez.\nEstos son los pasos:\n
        \n
      1. Rellene el Formulario de Registro con sus datos.
      2. \n
      3. El sistema le enviará un correo para verificar que su dirección sea correcta.
      4. \n
      5. Lea el correo y confirme su matrícula.
      6. \n
      7. Su registro será confirmado y usted podrá acceder al curso.
      8. \n
      9. Seleccione el curso en el que desea participar.
      10. \n
      11. Si algún curso en particular le solicita una \"contraseña de acceso\"\nutilice la que le facilitaron cuando se matriculó.\nAsí quedará matriculado.
      12. \n
      13. A partir de ese momento no necesitará utilizar más que su nombre de usuario y contraseña\nen el formulario de la página\npara entrar a cualquier curso en el que esté matriculado.
      14. \n
      ", + "loginsteps": "Para tener acceso completo a este sitio, primero necesita crear una cuenta.", "missingemail": "Falta la dirección de correo", "missingfirstname": "Falta el nombre dado", "missinglastname": "Falta el apellido(s)", diff --git a/www/core/components/login/lang/eu.json b/www/core/components/login/lang/eu.json index 7ffeab85266..090197c45d9 100644 --- a/www/core/components/login/lang/eu.json +++ b/www/core/components/login/lang/eu.json @@ -4,35 +4,35 @@ "cancel": "Utzi", "checksiteversion": "Egiaztatu zure Moodle guneak 2.4 bertsioa edo aurreragokoa erabiltzen duela.", "confirmdeletesite": "Ziur zaude {{sitename}} gunea ezabatu nahi duzula?", - "connect": "Konektatu", + "connect": "Konektatu!", "connecttomoodle": "Moodle-ra konektatu", "contactyouradministrator": "Zure guneko kudeatzailearekin harremanetan jarri laguntza gehiagorako.", - "contactyouradministratorissue": "Mesedez, eskatu zure kudeatzaileari hurrengo arazoa ikuskatu dezala: {{$a}}", + "contactyouradministratorissue": "Mesedez, eskatu zure guneko kudeatzaileari hurrengo arazoa ikuskatu dezala: {{$a}}", "createaccount": "Nire kontu berria sortu", "createuserandpass": "Aukeratu zure erabiltzaile-izena eta pasahitza", "credentialsdescription": "Mesedez saioa hasteko zure sartu erabiltzaile eta pasahitza.", - "emailconfirmsent": "

      E-posta mezu bat bidali dugu zure hurrengo helbide honetara: {{$a}}

      \n

      Izena ematen amaitzeko argibide erraz batzuk ditu.

      \n

      Arazorik baduzu, jarri harremanetan kudeatzailearekin.

      ", + "emailconfirmsent": "

      Zure {{$a}} helbidera mezu bat bidali da.

      Zure erregistroa amaitzeko argibide erraz batzuk ditu.

      Arazorik baduzu, jarri harremanetan kudeatzailearekin.

      ", "emailnotmatch": "E-posta helbideak ez datoz bat", "enterthewordsabove": "Idatzi goiko hitzak", - "erroraccesscontrolalloworigin": "Saiatzen ari zaren Cross-Origin deia ez da onartu. Ikusi mesedez https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", + "erroraccesscontrolalloworigin": "Saiatzen ari zaren cross-origin deia ez da onartu. Ikusi mesedez https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", "errordeletesite": "Errorea gertatu da gunea ezabatzean. Mesedez saiatu beranduago.", - "errorupdatesite": "Errorea gertatu da guneko token-a eguneratzean.", + "errorupdatesite": "Errore bat gertatu da guneko token-a eguneratzean.", "firsttime": "Hau al da zure lehen aldia hemen?", "forgotten": "Zure erabiltzaile-izena edo pasahitza ahaztu dituzu?", "getanothercaptcha": "Beste CAPTCHA bat lortu", "help": "Laguntza", - "helpmelogin": "

      Milaka Moodle gune dago munduan zehar. App hau soilik Mobile sarbidea gaituta duten guneetan sartzeko gai da.

      Zure Moodle gunera konektatzeko gai ez bazara konektatu nahi zaren Moodle guneko administratzailearekin harremanetan jarri behar zara eta hurrengo esteka irakurtzeko esan: http://docs.moodle.org/en/Mobile_app

      .

      App honen demo gunea probatzeko idatzi teacher edo student Gunearen helbidea eremuan eta Gehitu botoia sakatu.

      ", + "helpmelogin": "

      Milaka Moodle gune dago munduan zehar. App hau soilik Mobile sarbidea gaituta duten Moodle guneetan sartzeko gai da.

      Zure Moodle gunera konektatzeko gai ez bazara konektatu nahi zaren Moodle guneko administratzailearekin harremanetan jarri behar zara eta hurrengo esteka irakurtzeko esan: http://docs.moodle.org/en/Mobile_app

      .

      App honen demo gunea probatzeko idatzi teacher edo student Gunearen helbidea eremuan eta Gehitu botoia sakatu.

      ", "instructions": "Argibideak", "invalidaccount": "Zure erabiltzaile eta pasahitza egiaztatu itzazu edo zure guneko administratzaileari guneko ezarpenak egiaztatzeko eskatu.", "invaliddate": "Data baliogabea", "invalidemail": "E-posta helbide baliogabea", - "invalidmoodleversion": "Moodle bertsio baliogabea. Gutxieneko bertsioa hurrengoa da:", + "invalidmoodleversion": "Moodle bertsio baliogabea. Gutxieneko bertsioa 2.4 da.", "invalidsite": "Guneko URLa ez da zuzena", "invalidtime": "Ordu baliogabea", - "invalidurl": "URL baliogabea", + "invalidurl": "Sartu duzun URL-a ez da onargarria", "invalidvaluemax": "Gehieneko balioa {{$a}} da.", "invalidvaluemin": "Gutxieneko balioa {{$a}} da.", - "localmobileunexpectedresponse": "Moodle Mobile-ko Funtzio Aurreratuen kontrolak ezusteko erantzuna eman du, Mobile zerbitzu estandarra erabilita autentifikatuko zaitugu.", + "localmobileunexpectedresponse": "Moodle Mobile-ko Funtzio Aurreratuen kontrolak ezusteko erantzuna eman du. Mobile zerbitzu estandarra erabilita autentifikatuko zaitugu.", "loggedoutssodescription": "Berriz autentifikatu behar duzua. Gunean nabigatzaile leiho baten bitartez hasi behar duzu saioa.", "login": "Sartu", "loginbutton": "Hasi saioa", @@ -41,7 +41,7 @@ "missingemail": "E-posta helbidea falta da", "missingfirstname": "Izena falta da", "missinglastname": "Deitura falta da", - "mobileservicesnotenabled": "Mobile zerbitzuak gaitu gabe daude zure gunean. Mesedez zure Moodle gunearen administratzailearen harremanetan jarri zaitez mobile sarbidea gaitu behar dela uste baduzu.", + "mobileservicesnotenabled": "Mobile bidezko sarbidea gaitu gabe dago zure gunean. Mesedez, jar zaitez harremanetan guneko kudeatzailearekin, mobile sarbidea gaitu behar dela uste baduzu.", "newaccount": "Kontu berria", "newsitedescription": "Sartu mesedez zure Moodle guneko URLa. Kontuan hartu app honekin funtzionatzeko gunea aurretik konfiguraturik egon behar dela.", "notloggedin": "Autentifikaturik egon behar duzu.", @@ -59,16 +59,18 @@ "profileinvaliddata": "Balore baliogabea", "recaptchachallengeimage": "reCAPTCHA erronkaren irudia", "reconnect": "Berriz konektatu", - "reconnectdescription": "Zure token-a orain ez da baliozkoa edo iraungitu da, gunera berriz konektatu beharko zara.", - "reconnectssodescription": "Zure token-a orain ez da baliozkoa edo iraungitu da, gunera berriz konektatu beharko zara. Gunean web-nabigatzaile baten bidez sartu behar zara.", + "reconnectdescription": "Zure autentikazio-token-a ez da baliozkoa edo iraungitu da. Gunera berriz konektatu beharko zara.", + "reconnectssodescription": "Zure autentikazio-token-a ez da baliozkoa edo iraungitu da. Gunera berriz konektatu beharko duzu. Gunean web-nabigatzaile baten bidez sartu behar duzu.", + "searchby": "Bilatu honen arabera:", "security_question": "Segurtasun-galdera", "selectacountry": "Herrialde bat aukeratu", + "selectsite": "Aukeratu mesedez zure gunea:", "signupplugindisabled": "{{$a}} ez dago gaituta.", "siteaddress": "Gunearen helbidea", "siteinmaintenance": "Zure gunea mantenu-moduan dago", "sitepolicynotagreederror": "Ez da guneko politika onartu.", "siteurl": "Gunearen URLa", - "siteurlrequired": "Gunearen URLa behar da http://www.zuremoodlegunea.abc edo https://www.zuremoodlegunea.efg adibidez", + "siteurlrequired": "Gunearen URLa behar da, http://www.zuremoodlegunea.eus adibidez", "startsignup": "Kontu berri bat sortu", "stillcantconnect": "Oraindik ezin zara konektatu?", "supplyinfo": "Xehetasun gehiago", @@ -77,5 +79,5 @@ "usernamerequired": "Erabiltzailea behar da", "usernotaddederror": "Erabiltzailea ez da gehitu - errorea", "visitchangepassword": "Gunera joan nahi duzu pasahitza aldatzeko?", - "webservicesnotenabled": "Web zerbitzuak gaitu gabe daude zure gunean. Mesedez zure Moodle gunearen administratzailearen harremanetan jarri zaitez mobile sarbidea gaitu behar dela uste baduzu." + "webservicesnotenabled": "Web zerbitzuak gaitu gabe daude zure gunean. Mesedez zure guneko administratzailearekin harremanetan jarri zaitez mobile sarbidea gaitu behar dela uste baduzu." } \ No newline at end of file diff --git a/www/core/components/login/lang/fa.json b/www/core/components/login/lang/fa.json index 9de23dba0b8..ad9891f10f8 100644 --- a/www/core/components/login/lang/fa.json +++ b/www/core/components/login/lang/fa.json @@ -18,7 +18,7 @@ "invalidemail": "آدرس پست الکترونیک نامعتبر", "invalidmoodleversion": "این نسخه از برنامه سایت قابلیت اتصال به موبایل ندارد", "invalidsite": "نشانی سایت معتبر نیست", - "invalidurl": "آدرس نامعتبر", + "invalidurl": "آدرسی که وارد کرده‌اید معتبر نیست", "login": "ورود به سایت", "logininsiterequired": "لازم است به سایت از طریق مرورگر متصل گردید", "loginsteps": "برای داشتن دسترسی کامل به این سایت، پیش از هر چیز باید یک حساب کاربری بسازید.", diff --git a/www/core/components/login/lang/fi.json b/www/core/components/login/lang/fi.json index 9ae7ce0a07e..a80a1bcb6b5 100644 --- a/www/core/components/login/lang/fi.json +++ b/www/core/components/login/lang/fi.json @@ -4,14 +4,14 @@ "cancel": "Peruuta", "checksiteversion": "Tarkista, että Moodlen versio on 2.4 tai uudempi.", "confirmdeletesite": "Oletko varma, että haluat poistaa sivuston {{sitename}}?", - "connect": "Yhdistä", + "connect": "Yhdistä!", "connecttomoodle": "Yhdistä Moodleen", "contactyouradministrator": "Ota yhteyttä järjestelmän pääkäyttäjään saadaksesi lisää apua.", "contactyouradministratorissue": "Ole hyvä ja pyydä järjestelmän pääkäyttäjää tarkistamaan seuraava ongelma: {{$a}}", "createaccount": "Luo uusi käyttäjätunnus.", "createuserandpass": "Valitse käyttäjätunnus ja salasana", "credentialsdescription": "Ole hyvä ja kirjoita käyttäjänimesi ja salasanasi, jotta voit kirjautua sisään.", - "emailconfirmsent": "

      Vahvistusviesti on lähetetty osoitteeseesi {{$a}}

      \n

      Se sisältää ohjeet, kuinka voit vahvistaa käyttäjätunnuksesi.

      \n

      Jos vahvistuksessa on ongelmia, ota yhteyttä ylläpitäjään.

      ", + "emailconfirmsent": "

      Sähköpostiviesti lähettiin osoitteeseen {{$a}}

      Se sisältää ohjeet rekisteröinnin loppuunviemisestä.

      Jos et onnistu rekisteröitymään ohjeista huolimatta, ole hyvä ja ota yhteyttä järjestelmän pääkäyttäjään.

      ", "emailnotmatch": "Sähköpostiosoitteet eivät täsmää", "enterthewordsabove": "Kirjoita ylläolevat sanat", "errordeletesite": "Sivustoa poistettaessa tapahtui virhe. Ole hyvä ja yritä uudelleen.", @@ -27,7 +27,7 @@ "invalidmoodleversion": "Virheellinen Moodlen versio. Sovellus vaatii vähintään version 2.4.", "invalidsite": "Sivuston verkko-osoite URL on virheellinen.", "invalidtime": "Virheellinen aika", - "invalidurl": "Antamasi verkko-osoite ei ole toimiva", + "invalidurl": "Virheellinen web-osoite", "invalidvaluemax": "Maksimiarvo on {{$a}}", "invalidvaluemin": "Minimiarvo on {{$a}}", "localmobileunexpectedresponse": "Moodle Mobilen lisäasetuksien tarkistus palautti odottomattoman vasteen. Sinut autentikoidaan käyttäen normaalia mobiilipalvelua.", diff --git a/www/core/components/login/lang/fr.json b/www/core/components/login/lang/fr.json index 8f759319e33..6419624a736 100644 --- a/www/core/components/login/lang/fr.json +++ b/www/core/components/login/lang/fr.json @@ -4,14 +4,14 @@ "cancel": "Annuler", "checksiteversion": "Veuillez vérifier que votre site utilise Moodle 2.4 ou une version ultérieure.", "confirmdeletesite": "Voulez-vous vraiment supprimer la plateforme {{sitename}} ?", - "connect": "Connecter", + "connect": "Connecter !", "connecttomoodle": "Connexion à Moodle", "contactyouradministrator": "Veuillez contacter l'administrateur de la plateforme pour plus d'aide.", "contactyouradministratorissue": "Veuillez demander à l'administrateur de la plateforme de vérifier l'élément suivant : {{$a}}", "createaccount": "Créer mon compte", "createuserandpass": "Créer un compte", "credentialsdescription": "Veuillez fournir votre nom d'utilisateur et votre mot de passe pour vous connecter.", - "emailconfirmsent": "

      Un message vous a été envoyé à l'adresse de courriel {{$a}}.

      Il contient les instructions pour terminer votre enregistrement.

      Si vous rencontrez des difficultés, veuillez contacter l'administrateur du site.

      ", + "emailconfirmsent": "

      Un message vous a été envoyé par courriel à l'adresse {{$a}}

      Il contient des instructions vous permettant de terminer votre enregistrement.

      En cas de difficulté, veuillez contacter l'administrateur de la plateforme.

      ", "emailnotmatch": "Les adresses de courriel ne correspondent pas", "enterthewordsabove": "Tapez les mots ci-dessus", "erroraccesscontrolalloworigin": "La tentative d'appel « Cross-Origin » que vous avez effectuée a été rejetée. Veuillez consulter https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Version de Moodle non valide. La version minimale requise est 2.4.", "invalidsite": "Cette URL n'est pas valide.", "invalidtime": "Temps non valide", - "invalidurl": "URL non valide", + "invalidurl": "L'URL que vous venez de saisir n'est pas valide", "invalidvaluemax": "La valeur maximale est {{$a}}", "invalidvaluemin": "La valeur minimale est {{$a}}", "localmobileunexpectedresponse": "La vérification des fonctionnalités additionnelles de Moodle Mobile a envoyé une réponse inattendue. Vous allez être connecté au moyen du service mobile standard.", diff --git a/www/core/components/login/lang/he.json b/www/core/components/login/lang/he.json index c257c39d575..9ddd1bf7983 100644 --- a/www/core/components/login/lang/he.json +++ b/www/core/components/login/lang/he.json @@ -2,7 +2,7 @@ "authenticating": "מאמת נתונים", "cancel": "ביטול", "confirmdeletesite": "האם את/ה בטוח/ה שברצונך למחוק את האתר {{sitename}}?", - "connect": "חיבור", + "connect": "התחברות!", "connecttomoodle": "התחברות למוודל", "createaccount": "יצירת חשבון חדש", "createuserandpass": "הזנת שם־משתמש וסיסמה", @@ -21,7 +21,7 @@ "invalidemail": "כתובת דואר אלקטרוני לא תקפה", "invalidmoodleversion": "גרסת מוודל לא תקינה. נדרשת גרסה 2.4 ומעלה.", "invalidsite": "כתובת האתר אינה תקינה.", - "invalidurl": "URL לא חוקי", + "invalidurl": "כתובת ה-URL (אינטרנט) שהזנת כרגע לא תקפה.", "login": "התחברות", "loginbutton": "כניסה!", "logininsiterequired": "עליך להתחבר לאתר בחלון דפדפן.", diff --git a/www/core/components/login/lang/hr.json b/www/core/components/login/lang/hr.json index 2b1287d9a5b..777c7ae8c52 100644 --- a/www/core/components/login/lang/hr.json +++ b/www/core/components/login/lang/hr.json @@ -1,6 +1,6 @@ { "cancel": "Odustani", - "connect": "Poveži", + "connect": "Prijavi se!", "connecttomoodle": "Prijavi se na Moodle", "createaccount": "Stvori moj novi korisnički račun", "createuserandpass": "Stvori novo korisničko ime i lozinku s kojom se mogu prijaviti sustavu", @@ -14,7 +14,7 @@ "invaliddate": "Neispravan datum", "invalidemail": "Nevažeća adresa e-pošte", "invalidtime": "Neispravno vrijeme", - "invalidurl": "Neispravan URL", + "invalidurl": "URL koji ste unijeli nije valjan", "login": "Prijava", "loginbutton": "Prijava", "loginsteps": "Kako biste imali puni pristup e-kolegijima na ovom sustavu, morate stvoriti novi korisnički račun.\nSvaki od pojedinih e-kolegija može također imati i od vas tražiti \"lozinku e-kolegija\", koju trebate dobiti od svog nastavnika i koja se unosi samo prilikom prvog prijavljivanja na e-kolegij. Slijedite ove upute:\n
        \n
      1. Ispunite online obrazac Novi korisnički račun unosom osobnih podataka.
      2. \n
      3. Po predaji online obrasca trebala bi vam doći poruka e-pošte na adresu koju ste naveli.
      4. \n
      5. Pažljivo pročitajte poruku e-pošte i kliknite na poveznicu koja se nalazi u njoj.
      6. \n
      7. Vaš korisnički račun će time biti potvrđen i vi ćete se moći prijaviti sustavu.
      8. \n
      9. Potom biste trebali odabrati e-kolegij u radu kojeg želite ili trebate sudjelovati.
      10. \n
      11. Ako vas sustav zatraži \"lozinku e-kolegija\" - upotrijebite onu koju vam je dao vaš nastavnik na navedenom e-kolegiju.
      12. \n
      13. Nakon unosa ispravne \"lozinke e-kolegija\" možete pristupiti e-kolegiju (odnosno, od tog trenutka ste upisani na isti). Ubuduće vam za pristup e-kolegiju treba samo vaše korisničko ime i lozinka.
      14. \n
      ", diff --git a/www/core/components/login/lang/hu.json b/www/core/components/login/lang/hu.json index fba0ddc411b..666fc71db84 100644 --- a/www/core/components/login/lang/hu.json +++ b/www/core/components/login/lang/hu.json @@ -1,6 +1,6 @@ { "authenticating": "Hitelesítés", - "cancel": "Törlés", + "cancel": "Mégse", "connect": "Kapcsolódás", "createaccount": "Új felhasználói azonosítóm létrehozása", "createuserandpass": "Új felhasználónév és jelszó megadása", @@ -16,7 +16,7 @@ "invalidemail": "Érvénytelen e-mail cím", "invalidmoodleversion": "Érvénytelen Moodle-verzió. A minimális verziószám a 2.4.", "invalidsite": "A portál-URL nem érvényes.", - "invalidurl": "Érvénytelen URL", + "invalidurl": "A megadott URL nem érvényes", "login": "Belépés", "logininsiterequired": "A portálra böngészőablakban kell bejelentkeznie.", "loginsteps": "Ahhoz, hogy teljesen hozzáférjen a portálhoz, először új fiókot kell létrehoznia.", diff --git a/www/core/components/login/lang/it.json b/www/core/components/login/lang/it.json index da61d08405c..a60874c28ef 100644 --- a/www/core/components/login/lang/it.json +++ b/www/core/components/login/lang/it.json @@ -2,7 +2,7 @@ "authenticating": "Autenticazione in corso", "cancel": "Annulla", "confirmdeletesite": "Sei sicuro di eliminare il sito {{sitename}}?", - "connect": "Connetti", + "connect": "Collegati!", "connecttomoodle": "Collegati a Moodle", "createaccount": "Crea il mio nuovo account", "createuserandpass": "Scegli username e password", @@ -22,7 +22,7 @@ "invalidemail": "Indirizzo email non valido", "invalidmoodleversion": "Versione di Moodle non valida. La versione minima richiesta:", "invalidsite": "L'URL del sito non è valida", - "invalidurl": "L'URL non è valido", + "invalidurl": "L'URL inserito non è valido", "localmobileunexpectedresponse": "Il controllo delle Moodle Mobile Additional Feature ha restituito una risposta inattesa, sarai autenticato tramite i servizi Mobile standard.", "login": "Login", "loginbutton": "Login!", diff --git a/www/core/components/login/lang/ja.json b/www/core/components/login/lang/ja.json index 442a38289fa..8278a4b9157 100644 --- a/www/core/components/login/lang/ja.json +++ b/www/core/components/login/lang/ja.json @@ -16,7 +16,7 @@ "invalidemail": "無効なメールアドレスです。", "invalidmoodleversion": "Moodleのバージョンが古すぎます。少なくともこれより新しいMoodleである必要があります:", "invalidsite": "サイトURLが正しくありません。", - "invalidurl": "無効なURLです。", + "invalidurl": "あなたが入力したURLは正しくありません。", "login": "ログイン", "loginbutton": "ログイン", "logininsiterequired": "ブラウザウインドウからサイトにログインする必要があります。", diff --git a/www/core/components/login/lang/lt.json b/www/core/components/login/lang/lt.json index 88da4699816..ad695224ad9 100644 --- a/www/core/components/login/lang/lt.json +++ b/www/core/components/login/lang/lt.json @@ -4,14 +4,14 @@ "cancel": "Atšaukti", "checksiteversion": "Patikrintkite, ar svetainė naudoja Moodle 2.4. arba vėlesnę versiją.", "confirmdeletesite": "Ar tikrai norite ištrinti svetainę {{sitename}}?", - "connect": "Prijungti", + "connect": "Prisijungta!", "connecttomoodle": "Prisijungti prie Moodle", "contactyouradministrator": "Susisiekite su svetainės administratoriumi, jei reikalinga pagalba.", "contactyouradministratorissue": "Dėl šių klausimų prašome susisiekti su administratoriumi: {{$a}}", "createaccount": "Kurti naują mano paskyrą", "createuserandpass": "Pasirinkite savo naudotojo vardą ir slaptažodį", "credentialsdescription": "Prisijungti naudojant vartotojo vardą ir slaptažodį.", - "emailconfirmsent": "

      El. laiškas išsiųstas jūsų adresu {{$a}}

      .

      Jame pateikti paprasti nurodymai, kaip užbaigti registraciją.

      Jei iškils kokių sunkumų, kreipkitės į svetainės administratorių.

      ", + "emailconfirmsent": "

      Informacija išsiųsta Jūsų nurodytu adresu {{$a}}

      Tai padės sėkmingai užbaigti registraciją.

      Jeigu nepavyksta, susisiekite su svetainės administratoriumi.

      ", "emailnotmatch": "El. paštas nesutampa", "enterthewordsabove": "Įvesti aukščiau rodomus žodžius", "erroraccesscontrolalloworigin": "Kryžminis veiksmas buvo atmestas. Patikrinkite: https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -20,7 +20,7 @@ "firsttime": "Ar jūs čia pirmą kartą?", "forgotten": "Pamiršote savo naudotojo vardą ar slaptažodį?", "getanothercaptcha": "Gauti kitą CAPTCHA", - "help": "Žinynas", + "help": "Pagalba", "helpmelogin": "

      Visame pasaulyje Moodle svetainių yra labai daug. Ši programėlė gali prisijungti prie Moodle svetainių, turinčių specialią Moodle programėlių prieigą.

      Jeigu negalite prisijungti, praneškite apie tai Moodle administratoriui ir paprašykite perskaityti http://docs.moodle.org/en/Mobile_app

      Norėdami išbandyti programėlės demo versiją surinkite teacher (dėstytojui) ar student (besimokančiajam) Svetainės adreso lauke ir paspauskite Prisijungti mygtuką.

      ", "instructions": "Instrukcijos", "invalidaccount": "Prašome patikrinti prisijungimo duomenis arba paprašyti administratoriaus patikrinti svetainės nustatymus.", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Negaliojanti Moodle versija. Turi būt ne senesnė nei 2.4.", "invalidsite": "URL adresas netinkamas.", "invalidtime": "Netinkamas laikas", - "invalidurl": "Klaidingas URL", + "invalidurl": "Jūsų ką tik įvestas URL yra neleistinas", "invalidvaluemax": "Didžiausia vertė {{$a}}", "invalidvaluemin": "Mažiausia vertė {{$a}}", "localmobileunexpectedresponse": "Moodle Mobilių Papildomų Funkcijų patikra gavo netikėtą atsakymą, būsite autentifikuojamas naudojant standartines mobilias paslaugas.", diff --git a/www/core/components/login/lang/mr.json b/www/core/components/login/lang/mr.json index 4d4b26f915c..39ff5cbea8a 100644 --- a/www/core/components/login/lang/mr.json +++ b/www/core/components/login/lang/mr.json @@ -1,7 +1,7 @@ { "auth_email": "ईमेलवर आधारित स्वयं-नोंदणी", "authenticating": "प्रमाणीकरण करीत आहे", - "cancel": "रद्द", + "cancel": "रद्द करा", "checksiteversion": "आपली साइट Moodle 2.4 किंवा नंतर वापरते हे तपासा.", "confirmdeletesite": "Are you sure you want to delete the site {{sitename}}?", "connect": "कनेक्ट व्हा!", @@ -29,7 +29,7 @@ "invalidmoodleversion": "अवैध मूडल आवृत्ती आवश्यक किमान आवृत्ती 2.4 आहे.", "invalidsite": "साइट URL अवैध आहे", "invalidtime": "अवैध वेळ", - "invalidurl": "टाईप केलेले युआरएल ही विधाग्राहय आहे", + "invalidurl": "युआरएल अमान्य आहे", "invalidvaluemax": "The maximum value is {{$a}}", "invalidvaluemin": "किमान मूल्य {{$a}} आहे", "localmobileunexpectedresponse": "मूडल मोबाईल अतिरिक्त वैशिष्ट्ये तपासा अनपेक्षित प्रतिसाद परत केला, मानक मोबाइल सेवेचा वापर करून आपल्याला प्रमाणीकृत केले जाईल", diff --git a/www/core/components/login/lang/nl.json b/www/core/components/login/lang/nl.json index 58ecafd8352..087b9dce454 100644 --- a/www/core/components/login/lang/nl.json +++ b/www/core/components/login/lang/nl.json @@ -4,14 +4,14 @@ "cancel": "Annuleer", "checksiteversion": "Controleer of je site minstens Moodle 2.4 of nieuwe gebruikt.", "confirmdeletesite": "Weet je zeker dat je de site {{sitename}} wil verwijderen?", - "connect": "Verbind", + "connect": "Verbinden!", "connecttomoodle": "Verbinden met Moodle", "contactyouradministrator": "Neem contact op met je site-beheerder voor meer hulp.", "contactyouradministratorissue": "Vraag aan je site-beheerder om volgend probleem te onderzoeken: {{$a}}", "createaccount": "Maak mijn nieuwe account aan", "createuserandpass": "Kies een gebruikersnaam en wachtwoord", "credentialsdescription": "Geef je gebruikersnaam en wachtwoord op om je aan te melden", - "emailconfirmsent": "

      Als het goed is, is er een e-mail verzonden naar {{$a}}

      \n

      Daarin staan eenvoudige instructies voor het voltooien van de registratie.

      \n

      Indien je moeilijkheden blijft ondervinden, neem dan contact op met je sitebeheerder.

      ", + "emailconfirmsent": "

      Er zou een e-mail gestuurd moeten zijn naar jouw adres {{$a}}

      Het bericht bevat eenvoudige instructies om je registratie te voltooien.

      Als je problemen blijft ondervinden, neem dan contact op met de sitebeheerder.

      ", "emailnotmatch": "E-mailadressen komen niet overeen", "enterthewordsabove": "Vul hier bovenstaande woorden in", "erroraccesscontrolalloworigin": "De Cross-Origin call die je probeerde uit te voeren, werd geweigerd. Controleer https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Ongeldige Moodleversie. De vereiste minimumversie is 2.4.", "invalidsite": "Deze site-URL is niet geldig.", "invalidtime": "Ongeldige tijd", - "invalidurl": "Ongeldige url", + "invalidurl": "De URL die je net gaf is niet geldig", "invalidvaluemax": "De maximum waarde is {{$a}}", "invalidvaluemin": "De minimum waard eis {{$a}}", "localmobileunexpectedresponse": "Moodle Mobile Additional Features Check gaf een onverwacht antwoord. Je zult aanmelden via de standaard Mobile service.", diff --git a/www/core/components/login/lang/no.json b/www/core/components/login/lang/no.json index f0b0511726c..19d58358d9f 100644 --- a/www/core/components/login/lang/no.json +++ b/www/core/components/login/lang/no.json @@ -12,7 +12,7 @@ "help": "Hjelp", "instructions": "Instruksjoner", "invalidemail": "Feil e-postadresse", - "invalidurl": "Ugyldig URL", + "invalidurl": "URL-en du skrev inn var ugyldig", "login": "Logg inn", "loginsteps": "Hei! For å få full tilgang til dette nettstedet må du først opprette en brukerkonto.", "missingemail": "Mangler e-postadresse", @@ -26,7 +26,7 @@ "policyagree": "Du må godta avtalen for å bruke dette nettstedet. Godtar du den?", "policyagreement": "Avtale for bruk av portalen", "policyagreementclick": "Klikk her for å lese bruksavtalen", - "potentialidps": "Velg fra følgende liste for å logge inn fra ditt vanlige sted:", + "potentialidps": "Klikk på knappen for å logge inn:", "security_question": "Sikkerhetsspørmål", "selectacountry": "Velg et land", "startsignup": "Registrer deg", diff --git a/www/core/components/login/lang/pl.json b/www/core/components/login/lang/pl.json index cc36ed97b45..c48939aa883 100644 --- a/www/core/components/login/lang/pl.json +++ b/www/core/components/login/lang/pl.json @@ -16,7 +16,7 @@ "invalidemail": "Niewłaściwy adres e-mail", "invalidmoodleversion": "Nieprawidłowa wersja Moodle. Minimalna wymagana wersja to: ", "invalidsite": "Adres strony jest nieprawidłowy.", - "invalidurl": "Niepoprawny URL", + "invalidurl": "URL właśnie wprowadzony nie jest poprawny", "login": "Zaloguj się", "logininsiterequired": "Musisz się zalogować do strony w oknie przeglądarki.", "loginsteps": "Aby otrzymać pełny dostęp do kursów w tym serwisie, musisz najpierw utworzyć konto.", diff --git a/www/core/components/login/lang/pt-br.json b/www/core/components/login/lang/pt-br.json index 51f71050441..33be398da77 100644 --- a/www/core/components/login/lang/pt-br.json +++ b/www/core/components/login/lang/pt-br.json @@ -4,14 +4,14 @@ "cancel": "Cancelar", "checksiteversion": "Verifique se seu site usa Moodle 2.4 ou superior.", "confirmdeletesite": "Você tem certeza que quer excluir o site {{sitename}}?", - "connect": "Conectar", + "connect": "Conectar!", "connecttomoodle": "Conectar ao moodle", "contactyouradministrator": "Contate o administrador do site para ter mais ajuda.", "contactyouradministratorissue": "Por favor, pergunte ao administrador para verificar o seguinte problema: {{$a}}", "createaccount": "Cadastrar este novo usuário", "createuserandpass": "Escolha seu usuário e senha", "credentialsdescription": "Por favor, informe seu nome de usuário e senha para efetuar o login", - "emailconfirmsent": "

      Uma mensagem foi enviada para o seu endereço {{$a}}

      Esta mensagem contém instruções para completar a sua inscrição.

      Se você encontrar dificuldades contate o administrador.

      ", + "emailconfirmsent": "

      Um e-mail irá ser enviado para o seu endereço em {{$a}}

      Ele irá conter instruções fáceis para completar seu registro.

      Se você continua a ter dificuldades, contate o administrador do site.

      ", "emailnotmatch": "Os e-mail não coincidem", "enterthewordsabove": "Digite as palavras acima", "erroraccesscontrolalloworigin": "A chamada de Cross-Origin que você está tentando executar foi rejeitada. Por favor, verifique https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Versão do Moodle inválida. A versão mínima requerida é:", "invalidsite": "A URL do siteé inválida.", "invalidtime": "Tempo inválido", - "invalidurl": "Url inválida", + "invalidurl": "A URL inserida não é válida", "invalidvaluemax": "O valor máximo é {{$a}}", "invalidvaluemin": "O valor minimo é{{$a}}", "localmobileunexpectedresponse": "Verificação do Moodle Mobile Additional Features retornou uma resposta inesperada, você ira se autenticar usando o serviço Mobile padrão", @@ -42,7 +42,7 @@ "missingfirstname": "Está faltando o primeiro nome", "missinglastname": "Está faltando o sobrenome", "mobileservicesnotenabled": "Os serviços móveis não estão habilitados no seu Moodle. Por favor contate a administradora do seu Moodle se achar que o acesso móvel deveria estar habilitado", - "newaccount": "Cadastramento de novo usuário", + "newaccount": "Nova conta", "newsitedescription": "Por favor, digite a URL do seu site Moodle. Note que, pode ser que ele não esteja configurado para trabalhar com este app.", "notloggedin": "Você precisa estar logado.", "password": "Senha", @@ -61,8 +61,10 @@ "reconnect": "Reconectar", "reconnectdescription": "Seu token de autenticação é inválido ou expirou, você tem que reconectar com o site.", "reconnectssodescription": "Seu token de autenticação é inválido ou expirou, você tem que reconectar com o site. Você precisa efetuar login no site em uma janela do navegador.", + "searchby": "Procurar por:", "security_question": "Pergunta de segurança", "selectacountry": "Selecione um país", + "selectsite": "Selecione o seu site:", "signupplugindisabled": "{{$a}} não está habilitado.", "siteaddress": "Endereço do site", "siteinmaintenance": "O site está em modo de manutenção", diff --git a/www/core/components/login/lang/pt.json b/www/core/components/login/lang/pt.json index 63eac5e32b4..d1d06379856 100644 --- a/www/core/components/login/lang/pt.json +++ b/www/core/components/login/lang/pt.json @@ -4,14 +4,14 @@ "cancel": "Cancelar", "checksiteversion": "Verifique se seu site usa o Moodle 2.4 ou posterior.", "confirmdeletesite": "Tem a certeza que pretende remover o site {{sitename}}?", - "connect": "Ligar", + "connect": "Ligar!", "connecttomoodle": "Ligação ao Moodle", "contactyouradministrator": "Contacte o administrador do site para obter mais ajuda.", "contactyouradministratorissue": "Por favor, solicite ao administrador que verifique o seguinte problema: {{$a}}", "createaccount": "Criar a minha conta", "createuserandpass": "Escolha um nome de utilizador e senha", "credentialsdescription": "Por favor, digite o nome de utilizador e senha para entrar", - "emailconfirmsent": "

      Acaba de ser enviada uma mensagem para o seu endereço {{$a}}, com instruções fáceis para completar a sua inscrição.

      Se tiver alguma dificuldade em completar o registo, contacte o administrador do site.

      ", + "emailconfirmsent": "

      Um e-mail deve ter sido enviado para o seu endereço {{$a}}

      . Contém instruções fáceis para concluir o seu registo. Se continuar a ter dificuldades, entre em contacto com o administrador do site.

      ", "emailnotmatch": "Os e-mails não coincidem", "enterthewordsabove": "Insira as palavras indicadas acima", "erroraccesscontrolalloworigin": "A acção de Cross-Origin que tentou executar foi rejeitada. Por favor, consulte mais informações em https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "A versão do Moodle é inválida. É necessária a versão 2.4 ou superior.", "invalidsite": "O URL do site é inválido.", "invalidtime": "Hora inválida", - "invalidurl": "URL inválido", + "invalidurl": "O URL que introduziu não é válido", "invalidvaluemax": "O valor máximo é {{$a}}", "invalidvaluemin": "O valor mínimo é {{$a}}", "localmobileunexpectedresponse": "A verificação do Moodle Mobile Additional Features teve um erro inesperado. Será autenticado através do serviço Mobile padrão.", @@ -53,7 +53,7 @@ "policyagree": "Deverá aceitar este regulamento para poder proceder a utilizar este site. Aceita o regulamento?", "policyagreement": "Regulamento de utilização", "policyagreementclick": "Carregue aqui para ler o regulamento de utilização", - "potentialidps": "Autenticar-se usando a sua conta em:", + "potentialidps": "Autenticar usando a sua conta em:", "problemconnectingerror": "Existem alguns problemas na ligação a", "problemconnectingerrorcontinue": "Verifique se introduziu correctamente o endereço e tente novamente.", "profileinvaliddata": "Valor inválido", @@ -74,7 +74,7 @@ "startsignup": "Criar nova conta", "stillcantconnect": "Continua com problemas na ligação?", "supplyinfo": "Insira alguma informação sobre si", - "username": "Utilizador", + "username": "Nome de utilizador", "usernameoremail": "Introduza o nome de utilizador ou o e-mail", "usernamerequired": "É necessário o nome de utilizador", "usernotaddederror": "Utilizador não adicionado - erro.", diff --git a/www/core/components/login/lang/ro.json b/www/core/components/login/lang/ro.json index 89df7badaa7..984487610a0 100644 --- a/www/core/components/login/lang/ro.json +++ b/www/core/components/login/lang/ro.json @@ -2,7 +2,7 @@ "authenticating": "Autentificare", "cancel": "Anulează", "confirmdeletesite": "Sunteți sigur că doriți sa ștergeți siteul {{sitename}}?", - "connect": "Conectează", + "connect": "Conectare!", "connecttomoodle": "Conectare la Moodle", "createaccount": "Creează noul meu cont", "createuserandpass": "Alege un nume de utilizator şi o parolă", @@ -22,7 +22,7 @@ "invalidemail": "Adresă de email incorectă", "invalidmoodleversion": "Versiunea Moodle este invalidă. Versiunea minimă este 2.4", "invalidsite": "Adresa URL este invalidă.", - "invalidurl": "URL incorect", + "invalidurl": "URL-ul pe care l-aţi introdus nu este corect", "localmobileunexpectedresponse": "Verificarea Moodle Mobile Additional Features a returnat un răspuns neașteptat. veți fi autentificat folosind serviciul standard.", "login": "Autentificare", "loginbutton": "Logat!", @@ -55,7 +55,7 @@ "siteurlrequired": "Este necesară adresa URL a siteului, de exemplu http://www.yourmoodlesite.abc sau https://www.yourmoodlesite.efg", "startsignup": "Creează cont", "supplyinfo": "Detalii suplimentare", - "username": "Nume de utilizator", + "username": "Utilizator", "usernameoremail": "Completaţi numele de utilizator sau adresa de email", "usernamerequired": "Este necesar numele de utilizator", "usernotaddederror": "Utilizatorul nu a fost adăugat - eroare", diff --git a/www/core/components/login/lang/ru.json b/www/core/components/login/lang/ru.json index b71667d8a3e..6c7ccbe8c4f 100644 --- a/www/core/components/login/lang/ru.json +++ b/www/core/components/login/lang/ru.json @@ -1,36 +1,47 @@ { + "auth_email": "Самостоятельная регистрация при помощи электронной почты", "authenticating": "Аутентификация", - "cancel": "Отмена", + "cancel": "Отменить", + "checksiteversion": "Убедитесь, что ваш сайт использует Moodle 2.4 или более позднюю версию.", "confirmdeletesite": "Вы уверены, что хотите удалить сайт {{sitename}}?", - "connect": "Подключить", + "connect": "Подключено!", "connecttomoodle": "Подключение к Moodle", + "contactyouradministrator": "Свяжитесь с администратором вашего сайта для дальнейшей помощи.", + "contactyouradministratorissue": "Пожалуйста, попросите администратора вашего сайта проверить следующую проблему: {{$a}}", "createaccount": "Сохранить", "createuserandpass": "Выберите имя пользователя и пароль", - "credentialsdescription": "Пожалуйста, укажите Ваш логин и пароль для входа", - "emailconfirmsent": "На указанный Вами адрес электронной почты ({{$a}}) было отправлено письмо с простыми инструкциями для завершения регистрации.\n Если у вас появятся проблемы с регистрацией, свяжитесь с администратором сайта.", + "credentialsdescription": "Пожалуйста, укажите Ваш логин и пароль для входа.", + "emailconfirmsent": "

      Электронное письмо должно было быть отправлено вам на{{$a}}

      Оно содержит простые инструкции по завершению вашей регистрации

      Если вы продолжаете испытывать трудности , свяжитесь с администратором сайта

      ", + "emailnotmatch": "Адреса электронной почты не совпадают", "enterthewordsabove": "Напишите слова, которые Вы видите выше", - "erroraccesscontrolalloworigin": "Запрос «Cross-Origin» отклонён. Пожалуйста, проверьте https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", + "erroraccesscontrolalloworigin": "Запрос «Cross-Origin», который вы пытаетесь выполнить, отклонён. Пожалуйста, проверьте https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", "errordeletesite": "При удалении этой страницы произошла ошибка. Пожалуйста, попробуйте еще раз.", "errorupdatesite": "При обновлении ключа сайта произошла ошибка.", "firsttime": "Вы в первый раз на нашем сайте?", "forgotten": "Забыли логин или пароль?", "getanothercaptcha": "Получить другой CAPTCHA (тест для различения людей и компьютеров)", - "help": "Справка", - "helpmelogin": "

      Во всем мире есть тысячи сайтов Moodle. Это приложение может подключаться только к тем сайтам Moodle, на которых разрешен доступ конкретному виду мобильного приложения.

      Если Вы не можете подключиться к сайту Moodle, то необходимо связаться с администратором сайта, к которому Вы хотите подключиться, и попросить его прочитать http://docs.moodle.org/en/Mobile_app

      Чтобы проверить приложение на демо-сайте Moodle, выберите учитель или студент,введите URL-адрес сайта в соответствующее поле и нажмите кнопку «Добавить».

      ", + "help": "Помощь", + "helpmelogin": "

      Во всем мире есть тысячи сайтов Moodle. Это приложение может подключаться только к тем сайтам Moodle, на которых явно разрешен доступ мобильному приложению.

      Если Вы не можете подключиться к вашему сайту Moodle, то необходимо связаться с администратором вашего сайта и попросить его прочитать http://docs.moodle.org/en/Mobile_app

      Чтобы проверить приложение на демонстрационном сайте Moodle, введите teacher или student в поле Адрес сайта и нажмите Кнопку подключения.

      ", "instructions": "Инструкции", "invalidaccount": "Пожалуйста, проверьте свои регистрационные данные или обратитесь к администратору сайта, чтобы он проверил настройки сайта.", + "invaliddate": "Некорректная дата", "invalidemail": "Некорректный формат адреса электронной почты", "invalidmoodleversion": "Неверная версия Moodle. Минимальная требуемая версия - 2.4.", "invalidsite": "URL-адрес сайта недействителен.", - "invalidurl": "Некорректный URL", + "invalidtime": "Некорректное время", + "invalidurl": "Вы указали некорректный адрес", + "invalidvaluemax": "Максимальное значение: {{$a}}", + "invalidvaluemin": "Минимальное значение: {{$a}}", + "localmobileunexpectedresponse": "Проверка Moodle Mobile Additional Features вернула неожиданный ответ. Вы будете аутентифицированы, используя стандартные мобильные сервисы.", + "loggedoutssodescription": "Вам необходимо аутентифицироваться заново. Вам нужно войти на сайт под своей учётной записью в окне браузера.", "login": "Вход", - "loginbutton": "Вход!", + "loginbutton": "Войти", "logininsiterequired": "Вы должны войти на сайт в окне браузера.", "loginsteps": "Для полноценного доступа к этому сайту Вам необходимо сначала создать учетную запись.", "missingemail": "Заполните поле", "missingfirstname": "Заполните поле", "missinglastname": "Заполните поле", - "mobileservicesnotenabled": "Мобильные службы отключены на сайте. Пожалуйста, обратитесь к администратору сайта Moodle, если считаете что мобильный доступ должен быть включен.", + "mobileservicesnotenabled": "Мобильный доступ отключен на вашем сайте. Пожалуйста, обратитесь к администратору вашего сайта, если вы считаете что мобильный доступ должен быть включен.", "newaccount": "Новая учетная запись", "newsitedescription": "Пожалуйста, введите URL-адрес своего сайта Moodle. Учтите, что он может быть не настроен для работы с этим приложением.", "notloggedin": "Вы должны быть идентифицированы.", @@ -43,20 +54,30 @@ "policyagreement": "Пользовательское соглашение", "policyagreementclick": "Ссылка на пользовательское соглашение", "potentialidps": "Войти с использованием учетной записи:", + "problemconnectingerror": "У нас проблемы с подключением к", + "problemconnectingerrorcontinue": "Ещё раз проверьте, что вы ввели адрес правильно, и попробуйте снова.", + "profileinvaliddata": "Некорректное значение", + "recaptchachallengeimage": "картинка испытания reCAPTCHA", "reconnect": "Переподключение", "reconnectdescription": "Ваш ключ аутентификации недействителен или срок его действия истек. Вам придется заново подключиться к сайту.", "reconnectssodescription": "Ваш ключ аутентификации недействителен или срок его действия истек. Вам придется заново зайти на сайт в окне браузера.", + "searchby": "Искать по:", "security_question": "Секретный вопрос", "selectacountry": "Выберите страну", + "selectsite": "Пожалуйста, выберите ваш сайт:", + "signupplugindisabled": "{{$a}} не включено.", "siteaddress": "Адрес сайта", "siteinmaintenance": "Ваш сайт находится в режиме обслуживания", + "sitepolicynotagreederror": "Политика сайта не принята.", "siteurl": "URL-адрес сайта", - "siteurlrequired": "Требуется URL-адрес сайта, напр. http://www.yourmoodlesite.abc или https://www.yourmoodlesite.efg", + "siteurlrequired": "Требуется URL-адрес сайта, напр. http://www.yourmoodlesite.org", "startsignup": "Создать учетную запись", + "stillcantconnect": "Всё ещё не можете подключиться?", "supplyinfo": "Заполните информацию о себе", "username": "Логин", "usernameoremail": "Введите логин или адрес электронной почты", "usernamerequired": "Требуется логин", "usernotaddederror": "Пользователь не добавлен - ошибка", - "webservicesnotenabled": "Сетевые службы не включены на сайте. Пожалуйста, обратитесь к администратору сайта Moodle, если Вы считаете, что мобильный доступ должен быть включен." + "visitchangepassword": "Вы хотите посетить сайт, чтобы сменить пароль?", + "webservicesnotenabled": "Сетевые службы не включены на сайте. Пожалуйста, обратитесь к администратору вашего сайта, если вы считаете, что они должны быть включены." } \ No newline at end of file diff --git a/www/core/components/login/lang/sv.json b/www/core/components/login/lang/sv.json index 7c9441ed69f..323cdfbb8cb 100644 --- a/www/core/components/login/lang/sv.json +++ b/www/core/components/login/lang/sv.json @@ -2,7 +2,7 @@ "authenticating": "Autentisera", "cancel": "Avbryt", "confirmdeletesite": "Är du säker på att du vill ta bort webbsidan {{sitename}}?", - "connect": "Anslut", + "connect": "Anslut!", "connecttomoodle": "Anslut till Moodle", "createaccount": "Skapa mitt nya konto", "createuserandpass": "Skapa ett nytt användarnamn och lösenord för att logga in med.", @@ -21,7 +21,7 @@ "invalidemail": "Ogiltig e-postadress", "invalidmoodleversion": "Ogiltig Moodle version. Lägsta version som krävs är", "invalidsite": "Den webbadress är ogiltig.", - "invalidurl": "Ogiltig url", + "invalidurl": "Den URL som Du just matade in är inte giltig", "localmobileunexpectedresponse": "Kontrollen för Moodle mobila funktioner returnerade ett oväntat svar. Du kommer att autentiseras med mobila standard tjänsten.", "login": "Logga in", "loginbutton": "Logga In!", diff --git a/www/core/components/login/lang/tr.json b/www/core/components/login/lang/tr.json index 8fbffdc96fc..28f997ec5fd 100644 --- a/www/core/components/login/lang/tr.json +++ b/www/core/components/login/lang/tr.json @@ -18,7 +18,7 @@ "invalidemail": "Geçersiz e-posta adresi", "invalidmoodleversion": "Geçersiz Moodle sürümü. Sitenizin Sürümünün şundan aşağı olmaması gerekir:", "invalidsite": "Bu site adresi geçersizdir.", - "invalidurl": "Geçersiz URL", + "invalidurl": "Girdiğiniz URL geçerli değil", "login": "Giriş yap", "logininsiterequired": "Bir tarayıcı penceresinde siteye giriş yapmanız gerekiyor.", "loginsteps": "Bu siteye tam erişim için önce bir hesap oluşturmalısınız.", diff --git a/www/core/components/login/lang/uk.json b/www/core/components/login/lang/uk.json index 1cf7ee28a74..d754208956b 100644 --- a/www/core/components/login/lang/uk.json +++ b/www/core/components/login/lang/uk.json @@ -4,14 +4,14 @@ "cancel": "Скасувати", "checksiteversion": "Переконайтеся, що ваш сайт використовує Moodle 2.4 або більш пізньої версії.", "confirmdeletesite": "Видалити сайт {{sitename}}?", - "connect": "З’єднання", + "connect": "З'єднано!", "connecttomoodle": "Підключитись до Moodle", "contactyouradministrator": "Зверніться до адміністратора сайту для подальшої допомоги.", "contactyouradministratorissue": "Будь ласка, зверніться до адміністратора, щоб перевірити наступне питання: {{$a}}", "createaccount": "Створити запис", "createuserandpass": "Створити користувача для входу в систему", "credentialsdescription": "Будь ласка, введіть Ваше ім'я користувача та пароль, щоб увійти в систему.", - "emailconfirmsent": "На зазначену Вами адресу електронної пошти ({{$a}}) було відправлено листа з інструкціями із завершення реєстрації. Якщо у Вас з'являться проблеми з реєстрацією, зв'яжіться з адміністратором сайту.", + "emailconfirmsent": "

      Лист повинен бути відправлений на Вашу електронну адресу в {{$a}}

      Він містить прості інструкції для завершення реєстрації.

      Якщо ви продовжуєте зазнавати труднощів, зверніться до адміністратора сайту.

      ", "emailnotmatch": "Email не співпадають", "enterthewordsabove": "Введіть символи, які бачите вище", "erroraccesscontrolalloworigin": "Cross-Origin дзвінок був відхилений. Будь ласка, перевірте https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Невірна версія Moodle. Мінімальна версія 2.4.", "invalidsite": "URL сайту недійсний.", "invalidtime": "Невірний час", - "invalidurl": "Неправильний URL", + "invalidurl": "Введений вами URL неправильний", "invalidvaluemax": "Максимальне значення {{$a}}", "invalidvaluemin": "Мінімальне значення {{$a}}", "localmobileunexpectedresponse": "Moodle Mobile Additional Features при перевірці повернуло несподівану відповідь, ви будете проходити перевірку автентичності з використанням стандартного мобільного сервісу.", @@ -72,7 +72,7 @@ "startsignup": "Створити новий обліковий запис", "stillcantconnect": "До сих пір не можете підключитися?", "supplyinfo": "Більше інформації", - "username": "Псевдо", + "username": "Ім’я входу", "usernameoremail": "Введіть або ім'я користувача, або адресу електронної пошти", "usernamerequired": "Ім'я користувача необхідне", "usernotaddederror": "Користувач не доданий - помилка", diff --git a/www/core/components/question/lang/ar.json b/www/core/components/question/lang/ar.json index b9b6af53575..f2bdf1cf476 100644 --- a/www/core/components/question/lang/ar.json +++ b/www/core/components/question/lang/ar.json @@ -1,14 +1,14 @@ { - "answer": "أجب", + "answer": "إجابة", "answersaved": "تم حفظ الإجابة", - "complete": "كامل", - "correct": "صح", - "feedback": "تقرير", - "incorrect": "خطاء", + "complete": "تم/كامل", + "correct": "صحيح/صح", + "feedback": "اجابة تقييمية", + "incorrect": "خطأ", "information": "معلومات", "invalidanswer": "إجابة غير مكتملة", - "notanswered": "لم تتم الأجابة بعد", - "notyetanswered": "لم يتم الاجابة بعد", + "notanswered": "لم يتم الاجابة عليه", + "notyetanswered": "لم يتم الاجابة عليه بعد", "partiallycorrect": "إجابة جزئية", "questionno": "سؤال {{$a}}", "requiresgrading": "يتطلب التصحيح", diff --git a/www/core/components/question/lang/bg.json b/www/core/components/question/lang/bg.json index f375fb3b363..a26b78d143d 100644 --- a/www/core/components/question/lang/bg.json +++ b/www/core/components/question/lang/bg.json @@ -1,15 +1,15 @@ { "answer": "Отговор", "answersaved": "Отговорът съхранен", - "complete": "Завършен", - "correct": "Вярно", - "feedback": "Обратна връзка", - "incorrect": "Неправилно", + "complete": "Отговорен", + "correct": "Правилно", + "feedback": "Съобщение", + "incorrect": "Некоректно", "information": "Информация", "invalidanswer": "Непълен отговор", - "notanswered": "Още няма отговори", - "notyetanswered": "Още без отговор", - "partiallycorrect": "Частично верен", + "notanswered": "Не е отговорен", + "notyetanswered": "Все още не е даден отговор", + "partiallycorrect": "Отчасти верен", "questionno": "Въпрос {{$a}}", "requiresgrading": "Изисква оценяване", "unknown": "Неизвестно" diff --git a/www/core/components/question/lang/ca.json b/www/core/components/question/lang/ca.json index e1a03ea46a2..52bd86fd1d3 100644 --- a/www/core/components/question/lang/ca.json +++ b/www/core/components/question/lang/ca.json @@ -1,21 +1,21 @@ { "answer": "Resposta", "answersaved": "Resposta desada", - "complete": "Complet", - "correct": "Correcta", + "complete": "Completa", + "correct": "Correcte", "errorattachmentsnotsupported": "L'aplicació encara no admet l'adjunció de fitxers.", "errorinlinefilesnotsupported": "L'aplicació encara no és compatible amb l'edició de fitxers en línia.", "errorquestionnotsupported": "L'aplicació no accepta aquest tipus de pregunta: {{$a}}.", "feedback": "Retroacció", "howtodraganddrop": "Feu un toc per seleccionar i feu un toc de nou per deixar anar.", - "incorrect": "Incorrecta", + "incorrect": "Incorrecte", "information": "Informació", "invalidanswer": "Resposta no vàlida o incompleta", - "notanswered": "No contestada encara", - "notyetanswered": "Encara no s'ha contestat", + "notanswered": "No s'ha respost", + "notyetanswered": "No s'ha respost encara", "partiallycorrect": "Parcialment correcte", "questionmessage": "Pregunta {{$a}}: {{$b}}", "questionno": "Pregunta {{$a}}", "requiresgrading": "Cal puntuar", - "unknown": "Desconegut" + "unknown": "No es pot determinar l'estat" } \ No newline at end of file diff --git a/www/core/components/question/lang/cs.json b/www/core/components/question/lang/cs.json index 9ea18cca89c..f9f9a4b0557 100644 --- a/www/core/components/question/lang/cs.json +++ b/www/core/components/question/lang/cs.json @@ -1,21 +1,21 @@ { "answer": "Odpověď", "answersaved": "Odpověď uložena", - "complete": "Splněno", - "correct": "Správná odpověď", + "complete": "Hotovo", + "correct": "Správně", "errorattachmentsnotsupported": "Aplikace ještě nepodporuje připojování souborů k odpovědím.", "errorinlinefilesnotsupported": "Aplikace ještě nepodporuje úpravy vložených souborů.", "errorquestionnotsupported": "Tento typ úlohy není aplikací podporován: {{$a}}.", - "feedback": "Komentář", + "feedback": "Hodnocení", "howtodraganddrop": "Klepnutím vyberte potom klepněte na místo umístění.", - "incorrect": "Nesprávná odpověď", + "incorrect": "Nesprávně", "information": "Informace", "invalidanswer": "Neúplná odpověď", - "notanswered": "Dosud nezodpovězeno", + "notanswered": "Nezodpovězeno", "notyetanswered": "Dosud nezodpovězeno", - "partiallycorrect": "Částečně správná odpověď", + "partiallycorrect": "Částečně správně", "questionmessage": "Úloha {{$a}}: {{$b}}", "questionno": "Úloha {{$a}}", "requiresgrading": "Vyžaduje hodnocení", - "unknown": "Neznámý" + "unknown": "Stav nelze určit" } \ No newline at end of file diff --git a/www/core/components/question/lang/da.json b/www/core/components/question/lang/da.json index 79f4c5e3532..55d31730b8a 100644 --- a/www/core/components/question/lang/da.json +++ b/www/core/components/question/lang/da.json @@ -1,20 +1,20 @@ { "answer": "Svar", "answersaved": "Besvaret", - "complete": "Færdiggør", - "correct": "Rigtigt", + "complete": "Gennemført", + "correct": "Korrekt", "errorattachmentsnotsupported": "Programmet understøtter endnu ikke bilag til svar.", "errorinlinefilesnotsupported": "Programmet understøtter endnu ikke redigering af filer inline.", "errorquestionnotsupported": "Appen understøtter ikke denne type spørgsmål: {{$a}}.", - "feedback": "Tilbagemelding", - "incorrect": "Forkert", + "feedback": "Feedback", + "incorrect": "Ikke korrekt", "information": "Information", "invalidanswer": "Ufuldstændigt svar", - "notanswered": "Ikke besvaret endnu", - "notyetanswered": "Endnu ikke besvaret", - "partiallycorrect": "Delvist rigtigt", + "notanswered": "Ikke besvaret", + "notyetanswered": "Ikke besvaret", + "partiallycorrect": "Delvis rigtigt", "questionmessage": "Spørgsmål {{$a}}: {{$b}}", "questionno": "Spørgsmål {{$a}}", "requiresgrading": "Kræver bedømmelse", - "unknown": "Ukendt" + "unknown": "Kan ikke bestemme status" } \ No newline at end of file diff --git a/www/core/components/question/lang/de-du.json b/www/core/components/question/lang/de-du.json index 2ed28aab7df..30c50a5ccea 100644 --- a/www/core/components/question/lang/de-du.json +++ b/www/core/components/question/lang/de-du.json @@ -1,21 +1,21 @@ { "answer": "Antwort", "answersaved": "Antwort gespeichert", - "complete": "Fertig", + "complete": "Vollständig", "correct": "Richtig", "errorattachmentsnotsupported": "Die App erlaubt keine Antworten mit Dateianhängen.", "errorinlinefilesnotsupported": "Die App unterstützt keine Bearbeitung von integrierten Dateien.", "errorquestionnotsupported": "Die App unterstützt diesen Fragetyp nicht: {{$a}}.", - "feedback": "Rückmeldung", + "feedback": "Feedback", "howtodraganddrop": "Tippe zum Auswählen und tippe noch einmal zum Ablegen.", "incorrect": "Falsch", "information": "Information", "invalidanswer": "Unvollständige Antwort", - "notanswered": "Nicht abgestimmt", - "notyetanswered": "unbeantwortet", + "notanswered": "Nicht beantwortet", + "notyetanswered": "Bisher nicht beantwortet", "partiallycorrect": "Teilweise richtig", "questionmessage": "Frage {{$a}}: {{$b}}", "questionno": "Frage {{$a}}", "requiresgrading": "Bewertung notwendig", - "unknown": "Unbekannt" + "unknown": "Der Status kann nicht bestimmt werden." } \ No newline at end of file diff --git a/www/core/components/question/lang/de.json b/www/core/components/question/lang/de.json index d9fdecb1c77..75ee149e500 100644 --- a/www/core/components/question/lang/de.json +++ b/www/core/components/question/lang/de.json @@ -1,21 +1,21 @@ { "answer": "Antwort", "answersaved": "Antwort gespeichert", - "complete": "Fertig", + "complete": "Vollständig", "correct": "Richtig", "errorattachmentsnotsupported": "Die App erlaubt keine Antworten mit Dateianhängen.", "errorinlinefilesnotsupported": "Die App unterstützt keine Bearbeitung von integrierten Dateien.", "errorquestionnotsupported": "Die App unterstützt diesen Fragetyp nicht: {{$a}}.", - "feedback": "Rückmeldung", + "feedback": "Feedback", "howtodraganddrop": "Tippen Sie zum Auswählen und tippen Sie noch einmal zum Ablegen.", "incorrect": "Falsch", "information": "Information", "invalidanswer": "Unvollständige Antwort", - "notanswered": "Nicht abgestimmt", - "notyetanswered": "unbeantwortet", + "notanswered": "Nicht beantwortet", + "notyetanswered": "Bisher nicht beantwortet", "partiallycorrect": "Teilweise richtig", "questionmessage": "Frage {{$a}}: {{$b}}", "questionno": "Frage {{$a}}", "requiresgrading": "Bewertung notwendig", - "unknown": "Unbekannt" + "unknown": "Der Status kann nicht bestimmt werden." } \ No newline at end of file diff --git a/www/core/components/question/lang/el.json b/www/core/components/question/lang/el.json index 1742851bebf..b8f5de69e9c 100644 --- a/www/core/components/question/lang/el.json +++ b/www/core/components/question/lang/el.json @@ -6,14 +6,14 @@ "errorattachmentsnotsupported": "Η εφαρμογή δεν υποστηρίζει ακόμα την προσάρτηση αρχείων σε απαντήσεις.", "errorinlinefilesnotsupported": "Η εφαρμογή δεν υποστηρίζει ακόμα την επεξεργασία αρχείων.", "errorquestionnotsupported": "Αυτός ο τύπος ερωτήματος δεν υποστηρίζεται από την εφαρμογή: {{$a}}.", - "feedback": "Ανάδραση", + "feedback": "Επανατροφοδότηση", "howtodraganddrop": "Πατήστε για να επιλέξετε και στη συνέχεια, πατήστε για να αφήσετε.", "incorrect": "Λάθος", "invalidanswer": "Ημιτελής απάντηση", - "notanswered": "Δεν απαντήθηκε ακόμα", + "notanswered": "Δεν απαντήθηκε", "notyetanswered": "Δεν έχει απαντηθεί ακόμα", "partiallycorrect": "Μερικώς σωστή", "questionmessage": "Ερώτηση {{$a}}: {{$b}}", "questionno": "Ερώτηση {{$a}}", - "unknown": "Άγνωστο" + "unknown": "Δεν είναι δυνατός ο προσδιορισμός της κατάστασης" } \ No newline at end of file diff --git a/www/core/components/question/lang/es-mx.json b/www/core/components/question/lang/es-mx.json index b22d4a1edc0..5864f3cd81a 100644 --- a/www/core/components/question/lang/es-mx.json +++ b/www/core/components/question/lang/es-mx.json @@ -1,21 +1,21 @@ { "answer": "Respuesta", "answersaved": "Respuesta guardada", - "complete": "Completado", - "correct": "Correcto", + "complete": "Completada", + "correct": "Correcta", "errorattachmentsnotsupported": "La aplicación todavía no soporta anexarle archivos a las respuestas.", "errorinlinefilesnotsupported": "La aplicación aun no soporta el editar archivos en-línea.", "errorquestionnotsupported": "Este tipo de pregunta no está soportada por la App: {{$a}}.", - "feedback": "Comentario de retroalimentación", + "feedback": "Retroalimentación", "howtodraganddrop": "Tocar para seleccionar y tocar para soltar", - "incorrect": "Incorrecta", + "incorrect": "Incorrecto", "information": "Información", "invalidanswer": "Respuesta incompleta", - "notanswered": "Sin contestar aún", - "notyetanswered": "Aún no se ha dado respuesta", - "partiallycorrect": "Parcialmente correcto", + "notanswered": "Sin contestar", + "notyetanswered": "Sin responder aún", + "partiallycorrect": "Parcialmente correcta", "questionmessage": "Pregunta {{$a}}: {{$b}}", "questionno": "Pregunta {{$a}}", "requiresgrading": "Requiere re-calificar", - "unknown": "Desconocido" + "unknown": "No se puede determinar el estatus" } \ No newline at end of file diff --git a/www/core/components/question/lang/es.json b/www/core/components/question/lang/es.json index 0449551dad0..f9571657135 100644 --- a/www/core/components/question/lang/es.json +++ b/www/core/components/question/lang/es.json @@ -1,21 +1,21 @@ { "answer": "Respuesta", "answersaved": "Respuesta guardada", - "complete": "Completado", - "correct": "Correcto", + "complete": "Finalizado", + "correct": "Correcta", "errorattachmentsnotsupported": "La aplicación no soporta adjuntar archivos a respuestas todavía.", "errorinlinefilesnotsupported": "La aplicación aun no soporta el editar archivos en-línea.", "errorquestionnotsupported": "Este tipo de pregunta no está soportada por la aplicación: {{$a}}.", - "feedback": "Comentario", + "feedback": "Retroalimentación", "howtodraganddrop": "Tocar para seleccionar y tocar para soltar.", - "incorrect": "Incorrecta", + "incorrect": "Incorrecto", "information": "Información", "invalidanswer": "Respuesta incompleta", - "notanswered": "Sin contestar aún", - "notyetanswered": "Aún no se ha dado respuesta", - "partiallycorrect": "Parcialmente correcto", + "notanswered": "Sin contestar", + "notyetanswered": "Sin responder aún", + "partiallycorrect": "Parcialmente correcta", "questionmessage": "Pregunta {{$a}}: {{$b}}", "questionno": "Pregunta {{$a}}", "requiresgrading": "Requiere calificación", - "unknown": "Desconocido" + "unknown": "No se puede determinar el estado." } \ No newline at end of file diff --git a/www/core/components/question/lang/eu.json b/www/core/components/question/lang/eu.json index c34ee004508..75d807d6c04 100644 --- a/www/core/components/question/lang/eu.json +++ b/www/core/components/question/lang/eu.json @@ -1,21 +1,21 @@ { - "answer": "Erantzun", + "answer": "Erantzuna", "answersaved": "Erantzuna gorde da", - "complete": "Osoa", + "complete": "Osatu", "correct": "Zuzena", "errorattachmentsnotsupported": "App-ak oraindik ez du erantzunei fitxategiak eranstea onartzen.", "errorinlinefilesnotsupported": "App-ak oraindik ez du fitxategien lerro-arteko edizioa onartzen.", "errorquestionnotsupported": "Galdera mota hau ez dago app-an onartuta: {{$a}}", "feedback": "Feedbacka", "howtodraganddrop": "Sakatu aukeratzeko eta ondoren sakatu ezabatzeko.", - "incorrect": "Ez zuzena", + "incorrect": "Okerra", "information": "Informazioa", "invalidanswer": "Erantzuna ez dago osorik", - "notanswered": "Oraindik erantzun gabe", + "notanswered": "Erantzun gabea", "notyetanswered": "Erantzun gabea", "partiallycorrect": "Zuzena zati batean", "questionmessage": "{{$a}} galdera: {{$b}}", "questionno": "{{$a}} galdera", "requiresgrading": "Kalifikazioa behar du", - "unknown": "Ezezaguna" + "unknown": "Ezin da egoera zehaztu" } \ No newline at end of file diff --git a/www/core/components/question/lang/fa.json b/www/core/components/question/lang/fa.json index bf1d5eba5a2..64e56570cf2 100644 --- a/www/core/components/question/lang/fa.json +++ b/www/core/components/question/lang/fa.json @@ -1,15 +1,15 @@ { - "answer": "جواب", + "answer": "پاسخ", "answersaved": "پاسخ ذخیره شده", "complete": "کامل", - "correct": "صحیح", + "correct": "درست", "feedback": "بازخورد", "incorrect": "نادرست", "information": "توضیح", "invalidanswer": "پاسخ ناقص", - "notanswered": "هنوز پاسخ نداده‌اند", + "notanswered": "پاسخ داده نشده", "notyetanswered": "هنوز پاسخ داده نشده است", - "partiallycorrect": "نیمه درست", + "partiallycorrect": "پاسخ نیمه درست", "questionno": "سؤال {{$a}}", "requiresgrading": "نمره‌دهی لازم است", "unknown": "نامعلوم" diff --git a/www/core/components/question/lang/fi.json b/www/core/components/question/lang/fi.json index 28a18792039..186dbd14c07 100644 --- a/www/core/components/question/lang/fi.json +++ b/www/core/components/question/lang/fi.json @@ -1,21 +1,21 @@ { "answer": "Vastaus", "answersaved": "Vastaus tallennettu", - "complete": "Valmis", - "correct": "Oikeellinen", + "complete": "Suoritettu loppuun", + "correct": "Oikein", "errorattachmentsnotsupported": "Mobiilisovellus ei vielä tue vastausten liitetiedostoja.", "errorinlinefilesnotsupported": "Mobiilisovellus ei tue vielä tiedoston muokkaamista.", "errorquestionnotsupported": "Mobiilisovellus ei tue kysymystyyppiä: {{$a}}.", "feedback": "Palaute", "howtodraganddrop": "Napauta valitaksesi ja napauta toisen kerran pudottaaksesi.", - "incorrect": "Virheellinen", + "incorrect": "Väärin", "information": "Informaatio", "invalidanswer": "Puutteellinen vastaus", - "notanswered": "Ei vastattu", + "notanswered": "Vastaamatta", "notyetanswered": "Ei vielä vastattu", "partiallycorrect": "Osittain oikein", "questionmessage": "Kysymys {{$a}}: {{$b}}", "questionno": "Kysymys {{$a}}", "requiresgrading": "Vaatii arvioinnin", - "unknown": "Tuntematon" + "unknown": "Statusta ei pysty määrittelemään" } \ No newline at end of file diff --git a/www/core/components/question/lang/fr.json b/www/core/components/question/lang/fr.json index 5ae8c00f527..1284a6a8d2a 100644 --- a/www/core/components/question/lang/fr.json +++ b/www/core/components/question/lang/fr.json @@ -1,7 +1,7 @@ { "answer": "Réponse", "answersaved": "Réponse enregistrée", - "complete": "Complet", + "complete": "Terminer", "correct": "Correct", "errorattachmentsnotsupported": "L'application ne permet pas encore d'annexer des fichiers aux réponses.", "errorinlinefilesnotsupported": "L'app ne permet pas encore la modification de fichiers en ligne.", @@ -11,11 +11,11 @@ "incorrect": "Incorrect", "information": "Description", "invalidanswer": "Réponse incomplète", - "notanswered": "Pas encore répondu", + "notanswered": "Non répondue", "notyetanswered": "Pas encore répondu", "partiallycorrect": "Partiellement correct", "questionmessage": "Question {{$a}} : {{$b}}", "questionno": "Question {{$a}}", "requiresgrading": "Nécessite évaluation", - "unknown": "Inconnu" + "unknown": "Impossible de déterminer l'état" } \ No newline at end of file diff --git a/www/core/components/question/lang/he.json b/www/core/components/question/lang/he.json index 1761f82c521..2d12cd98d1f 100644 --- a/www/core/components/question/lang/he.json +++ b/www/core/components/question/lang/he.json @@ -2,14 +2,14 @@ "answer": "תשובה", "answersaved": "תשובה נשמרה", "complete": "הושלם", - "correct": "נכון", - "feedback": "תגובות", - "incorrect": "לא נכון", + "correct": "תקין", + "feedback": "משוב", + "incorrect": "שגוי", "information": "מידע", "invalidanswer": "תשובה שלא הושלמה", - "notanswered": "שאלה זו טרם נענתה", - "notyetanswered": "עדין לא ענו", - "partiallycorrect": "תשובה נכונה חלקית", + "notanswered": "לא נענה", + "notyetanswered": "שאלה זו טרם נענתה", + "partiallycorrect": "נכון באופן חלקי", "questionno": "שאלה {{$a}}", "requiresgrading": "נדרש מתן ציון", "unknown": "לא ידוע" diff --git a/www/core/components/question/lang/hr.json b/www/core/components/question/lang/hr.json index 0155f45001c..b59b7c97370 100644 --- a/www/core/components/question/lang/hr.json +++ b/www/core/components/question/lang/hr.json @@ -1,14 +1,14 @@ { "answer": "Odgovor", "answersaved": "Odgovor pohranjen", - "complete": "Potpuno", + "complete": "Završeno", "correct": "Točno", - "feedback": "Povratna informacija (Feedback)", + "feedback": "Povratna informacija", "incorrect": "Netočno", "information": "Informacija", "invalidanswer": "Nepotpun odgovor", - "notanswered": "Još nisu odgovorili", - "notyetanswered": "Još nije odgovoreno", + "notanswered": "Nije odgovoreno", + "notyetanswered": "Nije još odgovoreno", "partiallycorrect": "Djelomično točno", "questionmessage": "Pitanje {{$a}}: {{$b}}", "questionno": "Pitanje {{$a}}", diff --git a/www/core/components/question/lang/hu.json b/www/core/components/question/lang/hu.json index 649b1988ef4..04328cffde1 100644 --- a/www/core/components/question/lang/hu.json +++ b/www/core/components/question/lang/hu.json @@ -1,14 +1,14 @@ { "answer": "Válasz", "answersaved": "A válasz elmentve", - "complete": "Teljes", + "complete": "Kész", "correct": "Helyes", "feedback": "Visszajelzés", "incorrect": "Hibás", "information": "Információ", "invalidanswer": "Hiányos válasz", - "notanswered": "Még nincs válasz", - "notyetanswered": "Megválaszolatlan", + "notanswered": "Nincs rá válasz", + "notyetanswered": "Még nincs rá válasz", "partiallycorrect": "Részben helyes", "questionno": "{{$a}}. kérdés", "requiresgrading": "Pontozandó", diff --git a/www/core/components/question/lang/it.json b/www/core/components/question/lang/it.json index 528a77907a4..20bb79efc49 100644 --- a/www/core/components/question/lang/it.json +++ b/www/core/components/question/lang/it.json @@ -2,16 +2,16 @@ "answer": "Risposta", "answersaved": "Risposta salvata", "complete": "Completo", - "correct": "Giusto", - "feedback": "Commento", - "incorrect": "Sbagliato", + "correct": "Risposta corretta", + "feedback": "Feedback", + "incorrect": "Risposta errata", "information": "Informazione", "invalidanswer": "Risposta incompleta", - "notanswered": "Senza scelta", - "notyetanswered": "Senza risposta", - "partiallycorrect": "Parzialmente corretto", + "notanswered": "Risposta non data", + "notyetanswered": "Risposta non ancora data", + "partiallycorrect": "Parzialmente corretta", "questionmessage": "Domanda {{$a}}: {{$b}}", "questionno": "Domanda {{$a}}", "requiresgrading": "Richiede valutazione", - "unknown": "Sconosciuto" + "unknown": "Non è possibile determinare lo stato" } \ No newline at end of file diff --git a/www/core/components/question/lang/ja.json b/www/core/components/question/lang/ja.json index ecce8b3b1e0..9d21d35750c 100644 --- a/www/core/components/question/lang/ja.json +++ b/www/core/components/question/lang/ja.json @@ -1,15 +1,15 @@ { - "answer": "回答", - "answersaved": "解答保存", - "complete": "詳細", + "answer": "答え", + "answersaved": "解答保存済み", + "complete": "完了", "correct": "正解", "feedback": "フィードバック", "howtodraganddrop": "選んだものをタッチして、あてはまる所にタッチして入れましょう。", "incorrect": "不正解", "information": "情報", "invalidanswer": "不完全な答え", - "notanswered": "未投票", - "notyetanswered": "未回答", + "notanswered": "未解答", + "notyetanswered": "未解答", "partiallycorrect": "部分的に正解", "questionmessage": "問題 {{$a}}: {{$b}}", "questionno": "問題 {{$a}}", diff --git a/www/core/components/question/lang/lt.json b/www/core/components/question/lang/lt.json index 0bb22bfebaf..3a47ab0fc41 100644 --- a/www/core/components/question/lang/lt.json +++ b/www/core/components/question/lang/lt.json @@ -1,21 +1,21 @@ { - "answer": "Atsakyti", + "answer": "Atsakymas", "answersaved": "Atsakymas išsaugotas", - "complete": "Užbaigti", - "correct": "Teisingas", + "complete": "Baigta", + "correct": "Teisinga", "errorattachmentsnotsupported": "Programėlė nepalaiko pridėtų failų.", "errorinlinefilesnotsupported": "Programėlė nepalaiko redaguojamų failų", "errorquestionnotsupported": "Šis klausimo tipas programėlėje nepalaikomas: {{$a}}.", - "feedback": "Atsiliepimas", + "feedback": "Grįžtamasis ryšys", "howtodraganddrop": "Paspauskite pasirinkimui, tada perneškite.", - "incorrect": "Klaidinga", + "incorrect": "Neteisinga", "information": "Informacija", "invalidanswer": "Nepilnas atsakymas", - "notanswered": "Dar neatsakyta", - "notyetanswered": "Dar neatsakyta", + "notanswered": "Neatsakyta", + "notyetanswered": "Neatsakyta", "partiallycorrect": "Iš dalies teisingas", "questionmessage": "Klausimas {{$a}}: {{$b}}", "questionno": "Klausimas {{$a}}", "requiresgrading": "Reikia vertinimo", - "unknown": "Nežinoma" + "unknown": "Negalima nustatyti statuso" } \ No newline at end of file diff --git a/www/core/components/question/lang/mr.json b/www/core/components/question/lang/mr.json index 89252ddc2f0..bfe98d3fb57 100644 --- a/www/core/components/question/lang/mr.json +++ b/www/core/components/question/lang/mr.json @@ -5,11 +5,11 @@ "errorattachmentsnotsupported": "अर्ज अद्याप फाइल्स संलग्न करण्यास समर्थन देत नाही.", "errorinlinefilesnotsupported": "अनुप्रयोग अद्याप इनलाइन फायली संपादित करण्यास समर्थन देत नाही", "errorquestionnotsupported": "हा प्रश्न प्रकार अॅपद्वारे समर्थित नाही: {{$a}}", - "feedback": "प्रतीसाद", + "feedback": "प्रतिसाद्", "howtodraganddrop": "निवडण्यासाठी टॅप करा नंतर ड्रॉप करण्यासाठी टॅप करा.", "incorrect": "अयोग्य", "notanswered": "आत्ताप्रर्यत उत्तर नाही", "partiallycorrect": "अंशतः बरोबर", "questionmessage": "प्रश्न {{$a}}: {{$b}}", - "unknown": "अनोळखी" + "unknown": "स्थिती निर्धारित करू शकत नाही" } \ No newline at end of file diff --git a/www/core/components/question/lang/nl.json b/www/core/components/question/lang/nl.json index 098aa4c11ae..871c95b1c10 100644 --- a/www/core/components/question/lang/nl.json +++ b/www/core/components/question/lang/nl.json @@ -1,21 +1,21 @@ { "answer": "Antwoord", "answersaved": "Antwoord bewaard", - "complete": "Voltooid", + "complete": "Volledig", "correct": "Juist", "errorattachmentsnotsupported": "De applicatie ondersteunt nog geen blijlagen bij antwoorden.", "errorinlinefilesnotsupported": "Deze applicatie ondersteunt het inline bewerken van bestanden nog niet.", "errorquestionnotsupported": "Dit vraagtype wordt nog niet ondersteund door de app: {{$a}}.", "feedback": "Feedback", "howtodraganddrop": "Tik om te selecteren en tik om neer te zetten.", - "incorrect": "Niet juist", + "incorrect": "Fout", "information": "Informatie", "invalidanswer": "Onvolledig antwoord", - "notanswered": "Nog niet beantwoord", + "notanswered": "Niet beantwoord", "notyetanswered": "Nog niet beantwoord", "partiallycorrect": "Gedeeltelijk juist", "questionmessage": "Vraag {{$a}}: {{$b}}", "questionno": "Vraag {{$a}}", "requiresgrading": "Beoordelen vereist", - "unknown": "Onbekend" + "unknown": "Kan status niet bepalen" } \ No newline at end of file diff --git a/www/core/components/question/lang/no.json b/www/core/components/question/lang/no.json index befa2461c55..9f9a20531a4 100644 --- a/www/core/components/question/lang/no.json +++ b/www/core/components/question/lang/no.json @@ -1,15 +1,15 @@ { - "answer": "Svar", + "answer": "Svaralternativ", "answersaved": "Svar lagret", "complete": "Fullført", - "correct": "Riktig", - "feedback": "Tilbakemelding", - "incorrect": "Feil", + "correct": "Korrekt", + "feedback": "Tilbakesvar", + "incorrect": "Ikke korrekt", "information": "Informasjon", "invalidanswer": "Ufullstendig svar", - "notanswered": "Ikke besvart ennå", + "notanswered": "Ikke besvart", "notyetanswered": "Ikke besvart ennå", - "partiallycorrect": "Delvis riktig", + "partiallycorrect": "Delvis korrekt", "questionno": "Spørsmål {{$a}}", "requiresgrading": "Karaktersetting påkrevet", "unknown": "Ukjent" diff --git a/www/core/components/question/lang/pl.json b/www/core/components/question/lang/pl.json index 6e060784dd2..7ba2fe3fa31 100644 --- a/www/core/components/question/lang/pl.json +++ b/www/core/components/question/lang/pl.json @@ -1,14 +1,14 @@ { - "answer": "Odpowiedz", + "answer": "Odpowiedź", "answersaved": "Odpowiedź zapisana", - "complete": "Pełna wersja", - "correct": "Poprawnie", + "complete": "Ukończone", + "correct": "Poprawny", "feedback": "Informacja zwrotna", - "incorrect": "Niepoprawnie", + "incorrect": "Niepoprawny(a)", "information": "Informacja", "invalidanswer": "Niekompletna odpowiedź", - "notanswered": "Jeszcze nie udzielono odpowiedzi", - "notyetanswered": "Brak odpowiedzi", + "notanswered": "Nie udzielono odpowiedzi", + "notyetanswered": "Nie udzielono odpowiedzi", "partiallycorrect": "Częściowo poprawnie", "questionno": "Pytanie {{$a}}", "requiresgrading": "Wymaga oceny", diff --git a/www/core/components/question/lang/pt-br.json b/www/core/components/question/lang/pt-br.json index 281e4738904..99a33590a15 100644 --- a/www/core/components/question/lang/pt-br.json +++ b/www/core/components/question/lang/pt-br.json @@ -1,21 +1,21 @@ { "answer": "Resposta", "answersaved": "Resposta salva", - "complete": "Concluído", + "complete": "Completo", "correct": "Correto", "errorattachmentsnotsupported": "O aplicativo ainda não suporta anexar arquivos à resposta.", "errorinlinefilesnotsupported": "O aplicativo ainda não suporta a edição direta de arquivos.", "errorquestionnotsupported": "Esse tipo de questão não é suportada pelo aplicativo: {{$a}}.", - "feedback": "Comentários", + "feedback": "Feedback", "howtodraganddrop": "Toque para selecionar e então toque para soltar.", - "incorrect": "Errado", + "incorrect": "Incorreto", "information": "Informação", "invalidanswer": "Resposta incompleta", - "notanswered": "Nenhuma resposta", - "notyetanswered": "Ainda não respondeu", - "partiallycorrect": "Parcialmente correta", + "notanswered": "Não respondido", + "notyetanswered": "Ainda não respondida", + "partiallycorrect": "Parcialmente correto", "questionmessage": "Questão {{$a}}: {{$b}}", "questionno": "Questão {{$a}}", "requiresgrading": "Requer avaliação", - "unknown": "Desconhecido" + "unknown": "Não pôde determinar o estado" } \ No newline at end of file diff --git a/www/core/components/question/lang/pt.json b/www/core/components/question/lang/pt.json index 3b03d04306b..f00329c4791 100644 --- a/www/core/components/question/lang/pt.json +++ b/www/core/components/question/lang/pt.json @@ -1,21 +1,21 @@ { "answer": "Resposta", "answersaved": "Resposta guardada", - "complete": "Completo", + "complete": "Respondida", "correct": "Correto", "errorattachmentsnotsupported": "A aplicação ainda não suporta anexar ficheiros a respostas.", "errorinlinefilesnotsupported": "A aplicação ainda não suporta a edição de ficheiros online.", "errorquestionnotsupported": "Este tipo de pergunta não é suportado pela aplicação: {{$a}}.", - "feedback": "Comentários", + "feedback": "Feedback", "howtodraganddrop": "Toque para selecionar e depois toque para largar.", "incorrect": "Incorreto", "information": "Informação", "invalidanswer": "Resposta incompleta", - "notanswered": "Ainda não respondeu", + "notanswered": "Não respondida", "notyetanswered": "Por responder", "partiallycorrect": "Parcialmente correto", "questionmessage": "Pergunta {{$a}}: {{$b}}", "questionno": "Pergunta {{$a}}", "requiresgrading": "Requer avaliação", - "unknown": "Desconhecido(a)" + "unknown": "Não é possível determinar o estado" } \ No newline at end of file diff --git a/www/core/components/question/lang/ro.json b/www/core/components/question/lang/ro.json index a1bb7b725d9..1a2adfae7f6 100644 --- a/www/core/components/question/lang/ro.json +++ b/www/core/components/question/lang/ro.json @@ -1,15 +1,15 @@ { - "answer": "Răspunde", + "answer": "Răspuns", "answersaved": "Răspuns salvat", - "complete": "Finalizează", - "correct": "Corect", + "complete": "Complet", + "correct": "Corectează", "feedback": "Feedback", "incorrect": "Incorect", "information": "Informații", "invalidanswer": "Răspuns incomplet", - "notanswered": "Nu a fost rezolvat încă", - "notyetanswered": "Incă nu s-a răspuns", - "partiallycorrect": "Parţial corect", + "notanswered": "Nu a primit răspuns", + "notyetanswered": "Nu a primit răspuns încă", + "partiallycorrect": "Parțial corect", "questionno": "Întrebare {{$a}}", "requiresgrading": "Trebuie să fie notată", "unknown": "Necunoscut" diff --git a/www/core/components/question/lang/ru.json b/www/core/components/question/lang/ru.json index 68d3259d734..db192703a29 100644 --- a/www/core/components/question/lang/ru.json +++ b/www/core/components/question/lang/ru.json @@ -1,16 +1,21 @@ { "answer": "Ответ", "answersaved": "Ответ сохранен", - "complete": "Завершено", + "complete": "Выполнен", "correct": "Верно", + "errorattachmentsnotsupported": "Приложение пока не поддерживает прикрепление файлов к ответом.", + "errorinlinefilesnotsupported": "Приложение пока не поддерживает редактирование inline-файлов.", + "errorquestionnotsupported": "Данный тип вопросов пока не поддерживается приложением: {{$a}}.", "feedback": "Отзыв", + "howtodraganddrop": "Нажмите, чтобы выбрать, затем нажмите, чтобы сбросить.", "incorrect": "Неверно", "information": "Информация", "invalidanswer": "Неполный ответ", - "notanswered": "Еще не ответили", + "notanswered": "Нет ответа", "notyetanswered": "Пока нет ответа", - "partiallycorrect": "Частично верно", + "partiallycorrect": "Частично правильный", + "questionmessage": "Вопрос {{$a}}: {{$b}}", "questionno": "Вопрос {{$a}}", "requiresgrading": "Требуется оценивание", - "unknown": "неизвестно" + "unknown": "Нельзя определить статус" } \ No newline at end of file diff --git a/www/core/components/question/lang/sv.json b/www/core/components/question/lang/sv.json index c5026909e1f..9ef56c4f049 100644 --- a/www/core/components/question/lang/sv.json +++ b/www/core/components/question/lang/sv.json @@ -4,11 +4,11 @@ "complete": "Komplett", "correct": "Rätt", "feedback": "Återkoppling", - "incorrect": "Felaktigt", + "incorrect": "Felaktig", "information": "Information", "invalidanswer": "Ofullständigt svar", - "notanswered": "Inte ännu besvarad", - "notyetanswered": "Ännu inte besvarad", + "notanswered": "Ej besvarad", + "notyetanswered": "Inte besvarad än", "partiallycorrect": "Delvis korrekt", "questionno": "Fråga {{$a}}", "requiresgrading": "Kräver rättning", diff --git a/www/core/components/question/lang/tr.json b/www/core/components/question/lang/tr.json index 6de0e3edb23..5dc4d45244e 100644 --- a/www/core/components/question/lang/tr.json +++ b/www/core/components/question/lang/tr.json @@ -1,14 +1,14 @@ { - "answer": "Yanıt", + "answer": "Cevap", "answersaved": "Cevap kaydedildi", - "complete": "Tamamlanmış", - "correct": "Doğru", - "feedback": "Geri bildirim", + "complete": "Tamamlandı", + "correct": "doğru", + "feedback": "Geribildirim", "incorrect": "Yanlış", "information": "Bilgi", "invalidanswer": "Tamamlanmamış cevap", - "notanswered": "Henüz yanıtlanmadı", - "notyetanswered": "Henüz yanıtlanmamış", + "notanswered": "Cevaplanmadı", + "notyetanswered": "Henüz cevaplanmadı", "partiallycorrect": "Kısmen doğru", "questionno": "Soru {{$a}}", "requiresgrading": "Notlandırma gerekir", diff --git a/www/core/components/question/lang/uk.json b/www/core/components/question/lang/uk.json index bb6c5913eed..f83c00f0b3f 100644 --- a/www/core/components/question/lang/uk.json +++ b/www/core/components/question/lang/uk.json @@ -6,16 +6,16 @@ "errorattachmentsnotsupported": "Додаток не підтримує прикріплення файлів відповідей", "errorinlinefilesnotsupported": "Додаток ще не підтримує редагування вбудованих файлів.", "errorquestionnotsupported": "Цей тип питання не підтримується додатком: {{$a}}.", - "feedback": "Відгук", + "feedback": "Коментар", "howtodraganddrop": "Натисніть, щоб вибрати і перемістить.", "incorrect": "Неправильно", "information": "Інформація", "invalidanswer": "Неповна відповідь", - "notanswered": "Відповіді ще не було", + "notanswered": "Відповіді не було", "notyetanswered": "Відповіді ще не було", "partiallycorrect": "Частково правильно", "questionmessage": "Питання {{$a}}: {{$b}}", "questionno": "Питання {{$a}}", "requiresgrading": "Потрібно оцінити", - "unknown": "Невідоме" + "unknown": "Неможливо визначити статус" } \ No newline at end of file diff --git a/www/core/components/settings/lang/ar.json b/www/core/components/settings/lang/ar.json index 4800179c47b..0f8555c7b08 100644 --- a/www/core/components/settings/lang/ar.json +++ b/www/core/components/settings/lang/ar.json @@ -6,12 +6,12 @@ "deviceinfo": "معلومات الجهاز", "deviceos": "نظام تشغيل الجهاز", "disableall": "تعطيل الإعلامات بشكل مؤقت", - "disabled": "مُعطِّل", + "disabled": "معطل", "enabledebugging": "تمكين التصحيح", "enabledownloadsection": "تفعيل تنزيل الأقسام", "enabledownloadsectiondescription": "عطل هذا الخيار لكي تسرع تحميل أقسام المنهج", "estimatedfreespace": "تقدير المساحة الحرة", - "general": "عام", + "general": "بيانات عامة", "language": "اللغة", "license": "رخصة", "localnotifavailable": "إشعارات محلية موجودة", @@ -24,7 +24,7 @@ "synchronizenow": "زامن الأن", "synchronizing": "يتم التزامن", "syncsettings": "إعدادات المزامنة", - "total": "مجموع", + "total": "المجموع", "versioncode": "رمز الإصدار", "versionname": "اسم الإصدار" } \ No newline at end of file diff --git a/www/core/components/settings/lang/bg.json b/www/core/components/settings/lang/bg.json index 79515e8cf7e..7636f582f23 100644 --- a/www/core/components/settings/lang/bg.json +++ b/www/core/components/settings/lang/bg.json @@ -4,12 +4,12 @@ "currentlanguage": "Текущ език", "deletesitefiles": "Сигурни ли сте, че искате да изтриете изтеглените от този сайт файлове?", "disableall": "Забрани уведомленията", - "disabled": "Блокирано", + "disabled": "Забранено", "enabledebugging": "Позволяване на диагностициране", "errordeletesitefiles": "Грешка при изтриването на файловете на сайта.", "errorsyncsite": "Грешка при синхронизацията на данните от сайта. Моля проверете Вашата връзка към Интернет и опитайте пак.", "estimatedfreespace": "Пресметнато свободно пространство", - "general": "Общо", + "general": "General", "language": "Език", "license": "Лиценз", "loggedin": "Онлайн", diff --git a/www/core/components/settings/lang/ca.json b/www/core/components/settings/lang/ca.json index b57f7fe8512..f1aa372f2d1 100644 --- a/www/core/components/settings/lang/ca.json +++ b/www/core/components/settings/lang/ca.json @@ -18,7 +18,7 @@ "deviceos": "OS del dispositiu", "devicewebworkers": "És compatible amb Device Web Workers", "disableall": "Inhabilita les notificacions temporalment", - "disabled": "Inhabilitat", + "disabled": "La missatgeria està inhabilitada en aquest lloc", "displayformat": "Format de visualització", "enabledebugging": "Habilita la depuració", "enabledownloadsection": "Habilita la descàrrega de seccions", @@ -30,7 +30,7 @@ "errorsyncsite": "S'ha produït un error sincronitzant les dades del lloc, comproveu la vostra connexió a internet i torneu-ho provar.", "estimatedfreespace": "Espai lliure estimat", "filesystemroot": "Arrel del fitxer de sistema", - "general": "General", + "general": "Dades generals", "language": "Idioma", "license": "Llicència", "localnotifavailable": "Notificacions locals disponibles", diff --git a/www/core/components/settings/lang/cs.json b/www/core/components/settings/lang/cs.json index 50a61c70148..a303c20c4ba 100644 --- a/www/core/components/settings/lang/cs.json +++ b/www/core/components/settings/lang/cs.json @@ -1,7 +1,7 @@ { "about": "O aplikaci", "appready": "Aplikace je připravena", - "cacheexpirationtime": "Vypršení platnosti vyrovnávací paměti (milisekundy)", + "cacheexpirationtime": "Doba vypršení platnosti vyrovnávací paměti (milisekundy)", "cannotsyncoffline": "Nelze synchronizovat offline.", "cannotsyncwithoutwifi": "Nelze synchronizovat, protože aktuální nastavení umožňují pouze k synchronizaci při připojení k Wi-Fi. Prosím, připojte se k síti Wi-Fi.", "configuringnotifications": "Konfigurujete \"{{$a}}\" oznámení.", @@ -18,19 +18,19 @@ "deviceos": "OS zařízení", "devicewebworkers": "Podporovaný Web Workers zařízení", "disableall": "Zakázat upozornění", - "disabled": "Vypnuto", + "disabled": "Zakázáno", "displayformat": "Formát zobrazení", "enabledebugging": "Povolit ladící informace", "enabledownloadsection": "Povolit stahování sekcí", "enabledownloadsectiondescription": "Zákazem této možnosti zrychlíte načítání sekcí kurzu.", - "enablerichtexteditor": "Povolit rich text editor", - "enablerichtexteditordescription": "Pokud je povoleno, bude rich text editor zobrazen v místech, která umožňují jeho používání.", + "enablerichtexteditor": "Povolit textový editor", + "enablerichtexteditordescription": "Pokud je povoleno, bude při zadávání obsahu k dispozici textový editor.", "enablesyncwifi": "Umožnit synchronizaci pouze na Wi-Fi", "errordeletesitefiles": "Chyba při odstraňování souborů stránek.", - "errorsyncsite": "Chyba synchronizace dat stránek, zkontrolujte své připojení k internetu a zkuste to znovu.", + "errorsyncsite": "Chyba synchronizace dat stránek. Zkontrolujte své připojení k internetu a zkuste to znovu.", "estimatedfreespace": "Odhadované volné místo", "filesystemroot": "Kořen souborového systému", - "general": "Obecná nastavení", + "general": "Obecně", "language": "Jazyk", "license": "Licence", "localnotifavailable": "Je dostupné lokání oznámení", diff --git a/www/core/components/settings/lang/da.json b/www/core/components/settings/lang/da.json index 160fd57bdaa..d4aa648f525 100644 --- a/www/core/components/settings/lang/da.json +++ b/www/core/components/settings/lang/da.json @@ -17,7 +17,7 @@ "deviceinfo": "Enhedsinfo", "deviceos": "Enheds operativsystem", "disableall": "Deaktiver notifikationer", - "disabled": "Beskedsystemet er deaktiveret", + "disabled": "Deaktiveret", "displayformat": "Vis format", "enabledebugging": "Aktiver fejlsøgning", "enabledownloadsection": "Aktiver download af sektioner", @@ -28,7 +28,7 @@ "errorsyncsite": "Fejl ved synkronisering. Kontroller din Internettilslutning og prøv igen.", "estimatedfreespace": "Beregnet ledig plads", "filesystemroot": "Filsystemets rod", - "general": "Generelt", + "general": "Generelle data", "language": "Sprog", "license": "Licens", "localnotifavailable": "Lokale meddelelser tilgængelige", @@ -50,7 +50,7 @@ "synchronizing": "Synkroniserer", "syncsettings": "Indstilling for synkronisering", "syncsitesuccess": "Websidens data er synkroniseret og alle mellemlagre tømt", - "total": "Total", + "total": "Totalt", "versioncode": "Versionsnummer", "versionname": "Versionsnavn", "wificonnection": "WiFi-forbindelse" diff --git a/www/core/components/settings/lang/de-du.json b/www/core/components/settings/lang/de-du.json index 9873f7a8735..47bce775d74 100644 --- a/www/core/components/settings/lang/de-du.json +++ b/www/core/components/settings/lang/de-du.json @@ -18,7 +18,7 @@ "deviceos": "Geräte-OS", "devicewebworkers": "Device Web Workers unterstützt", "disableall": "Systemmitteilungen deaktivieren", - "disabled": "Deaktiviert", + "disabled": "Mitteilungen sind für diese Website deaktiviert.", "displayformat": "Bildschirmformat", "enabledebugging": "Debugging aktivieren", "enabledownloadsection": "Herunterladen von Abschnitten aktivieren", @@ -52,7 +52,7 @@ "synchronizing": "Synchronisieren ...", "syncsettings": "Synchronisieren", "syncsitesuccess": "Die Daten wurden synchronisiert.", - "total": "Insgesamt", + "total": "Gesamt", "versioncode": "Versionscode", "versionname": "Versionsname", "wificonnection": "WLAN-Verbindung" diff --git a/www/core/components/settings/lang/de.json b/www/core/components/settings/lang/de.json index 709e4197913..23cbc63e9ff 100644 --- a/www/core/components/settings/lang/de.json +++ b/www/core/components/settings/lang/de.json @@ -18,7 +18,7 @@ "deviceos": "Geräte-OS", "devicewebworkers": "Device Web Workers unterstützt", "disableall": "Systemmitteilungen deaktivieren", - "disabled": "Deaktiviert", + "disabled": "Mitteilungen sind für diese Website deaktiviert.", "displayformat": "Bildschirmformat", "enabledebugging": "Debugging aktivieren", "enabledownloadsection": "Herunterladen von Abschnitten aktivieren", @@ -52,7 +52,7 @@ "synchronizing": "Synchronisieren ...", "syncsettings": "Synchronisieren", "syncsitesuccess": "Die Daten wurden synchronisiert.", - "total": "Insgesamt", + "total": "Gesamt", "versioncode": "Versionscode", "versionname": "Versionsname", "wificonnection": "WLAN-Verbindung" diff --git a/www/core/components/settings/lang/el.json b/www/core/components/settings/lang/el.json index cf6cad8002e..bb83893b28f 100644 --- a/www/core/components/settings/lang/el.json +++ b/www/core/components/settings/lang/el.json @@ -18,7 +18,7 @@ "deviceos": "Λειτουργικό σύστημα συσκευής", "devicewebworkers": "Υποστηρίζονται οι συσκευές Web Workers", "disableall": "Προσωρινή απενεργοποίηση ειδοποιήσεων", - "disabled": "Ανενεργό", + "disabled": "Απενεργοποιημένο", "displayformat": "Μορφή εμφάνισης", "enabledebugging": "Ενεργοποίηση εντοπισμού σφαλμάτων", "enabledownloadsection": "Ενεργοποιήστε τις ενότητες λήψης", @@ -30,7 +30,7 @@ "errorsyncsite": "Παρουσιάστηκε σφάλμα κατά το συγχρονισμό των δεδομένων ιστότοπου, ελέγξτε τη σύνδεση στο διαδίκτυο και δοκιμάστε ξανά.", "estimatedfreespace": "Εκτιμώμενος ελεύθερος χώρος", "filesystemroot": "Σύστημα αρχείων root", - "general": "Γενικά", + "general": "Γενικά δεδομένα", "language": "Γλώσσα", "license": "Άδεια GPL", "localnotifavailable": "Διαθέσιμες τοπικές ειδοποιήσεις", @@ -51,7 +51,7 @@ "synchronizing": "Γίνεται συγχρονισμός", "syncsettings": "Ρυθμίσεις συγχρονισμού", "syncsitesuccess": "Τα δεδομένα ιστότοπου συγχρονίστηκαν και όλες οι προσωρινές μνήμες ακυρώθηκαν.", - "total": "Συνολικά", + "total": "Συνολικό", "versioncode": "Κωδικός έκδοσης", "versionname": "Όνομα έκδοσης", "wificonnection": "Σύνδεση WiFi" diff --git a/www/core/components/settings/lang/es-mx.json b/www/core/components/settings/lang/es-mx.json index ca33c5196b5..e5ff17a5cd9 100644 --- a/www/core/components/settings/lang/es-mx.json +++ b/www/core/components/settings/lang/es-mx.json @@ -18,7 +18,7 @@ "deviceos": "Sistema Operativo del dispositivo", "devicewebworkers": "Trabajadores Web del Dispositivo soportados", "disableall": "Deshabilitar notificaciones", - "disabled": "Deshabilitado", + "disabled": "La mensajería está deshabilitada en este sitio", "displayformat": "Mostrar formato", "enabledebugging": "Activar modo depuración (debug)", "enabledownloadsection": "Habilitar descargar secciones", @@ -30,7 +30,7 @@ "errorsyncsite": "Error al sincronizarlos datos del sitio; por favor revise su conexión de Internet e inténtelo de nuevo.", "estimatedfreespace": "Espacio libre estimado", "filesystemroot": "Raíz del sistema-de-archivos", - "general": "General", + "general": "Datos generales", "language": "Idioma", "license": "Licencia", "localnotifavailable": "Notificaciones locales disponibles", diff --git a/www/core/components/settings/lang/es.json b/www/core/components/settings/lang/es.json index 9e144842444..40a792086a1 100644 --- a/www/core/components/settings/lang/es.json +++ b/www/core/components/settings/lang/es.json @@ -18,7 +18,7 @@ "deviceos": "OS del dispositivo", "devicewebworkers": "Soporta Device Web Workers", "disableall": "Desactivar temporalmente las notificaciones", - "disabled": "Deshabilitado", + "disabled": "Desactivado", "displayformat": "Formato de visualización", "enabledebugging": "Activar modo debug", "enabledownloadsection": "Habilitar la descarga de secciones", @@ -30,7 +30,7 @@ "errorsyncsite": "Se ha producido un error sincronizando los datos del sitio, por favor compruebe su conexión a internet y pruebe de nuevo.", "estimatedfreespace": "Espacio libre (estimado)", "filesystemroot": "Raíz del sistema de archivos", - "general": "General", + "general": "Datos generales", "language": "Idioma", "license": "Licencia", "localnotifavailable": "Notificaciones locales disponibles", diff --git a/www/core/components/settings/lang/eu.json b/www/core/components/settings/lang/eu.json index d9f320cc1ba..07f35a995c4 100644 --- a/www/core/components/settings/lang/eu.json +++ b/www/core/components/settings/lang/eu.json @@ -1,40 +1,40 @@ { "about": "Honi buruz", "appready": "App-a prest", - "cacheexpirationtime": "Cache-aren iraungitze denbora (milisegundotan)", + "cacheexpirationtime": "Cache-aren iraungitze-denbora (milisegundotan)", "cannotsyncoffline": "Ezin da lineaz-kanpo sinkronizatu.", "cannotsyncwithoutwifi": "Ezin da sinkronizatu oraingo ezarpenek sinkronizazio Wi-Fi bidez konektaturik egonda soilik baimentzen dutelako. Mesedez konektatu Wi-Fi sare batera.", "configuringnotifications": "'{{$a}}' jakinarazpen konfiguratzen ari zara.", - "cordovadevicemodel": "Cordova Device eredua", - "cordovadeviceosversion": "Cordova Device SE bertsioa", - "cordovadeviceplatform": "Cordova Device plataforma", - "cordovadeviceuuid": "Cordova Device uuid", + "cordovadevicemodel": "Cordova device eredua", + "cordovadeviceosversion": "Cordova device SE bertsioa", + "cordovadeviceplatform": "Cordova device plataforma", + "cordovadeviceuuid": "Cordova device uuid", "cordovaversion": "Cordova bertsioa", "credits": "Kredituak", "currentlanguage": "Oraingo hizkuntza", "deletesitefiles": "Ziur zaude '{{sitename}}' gunetik jaitsitako fitxategiak ezabatu nahi dituzula?", "deletesitefilestitle": "Ezabatu guneko fitxategiak", - "deviceinfo": "Gailuaren informazio", + "deviceinfo": "Gailuaren informazioa", "deviceos": "Gailuaren SEa", - "devicewebworkers": "Device Web Workers onartuak", + "devicewebworkers": "Device web workers onartuak", "disableall": "Desgaitu jakinarazpenak", - "disabled": "Mezularitza desgaituta dago gune honetan", + "disabled": "Desgaituta", "displayformat": "Erakusteko modua", "enabledebugging": "Gaitu arazketa", "enabledownloadsection": "Gaitu gaien deskarga", "enabledownloadsectiondescription": "Desgaitu aukera hau ikastaroaren gaiak kargatzeko abiadura azkartzeko.", - "enablerichtexteditor": "Gaitu testu-aberastuko editorea", - "enablerichtexteditordescription": "Gaituz gero, testu-aberastuko editorea erakutsiko da baimentzen duten lekuetan.", + "enablerichtexteditor": "Gaitu testu-editorea", + "enablerichtexteditordescription": "Gaituz gero, testu-editorea erakutsiko da edukia sartu ahal den lekuetan.", "enablesyncwifi": "Baimendu sinkronizazioa Wi-Fi bidezko konexioa dagoenean soilik", "errordeletesitefiles": "Errorea fitxategiak ezabatzean.", - "errorsyncsite": "Errorea guneko datuak sinkronizatzean, mesedez egiaztatu zure interneterako konexioa eta saiatu berriz.", + "errorsyncsite": "Errorea guneko datuak sinkronizatzean. Mesedez, egiaztatu zure interneterako konexioa eta saiatu berriz.", "estimatedfreespace": "Estimatutako leku librea", "filesystemroot": "Fitxategi-sistemaren jatorria", - "general": "Orokorra", + "general": "Datu orokorrak", "language": "Hizkuntza", "license": "Lizentzia", "localnotifavailable": "Jakinarazpen lokalak eskuragarri", - "locationhref": "Webview URLa", + "locationhref": "Web view URLa", "loggedin": "On-line", "loggedoff": "Lineaz kanpo", "navigatorlanguage": "Nabigatzailearen hizkuntza", diff --git a/www/core/components/settings/lang/fa.json b/www/core/components/settings/lang/fa.json index cb5276f1969..86def9bdb5d 100644 --- a/www/core/components/settings/lang/fa.json +++ b/www/core/components/settings/lang/fa.json @@ -9,14 +9,14 @@ "deviceinfo": "اطلاعات دستگاه", "deviceos": "سیستم‌عامل دستگاه", "disableall": "غیرفعال‌کردن اطلاعیه‌ها", - "disabled": "غیر فعال", + "disabled": "غیر فعال شده است", "enabledebugging": "فعالسازی اشکالزدایی", "enabledownloadsection": "فعال‌کردن دریافت قسمت‌ها", "enabledownloadsectiondescription": "برای سریع‌تر شدن بارگیری قسمت‌های درس این گزینه را غیرفعال کنید.", "enablerichtexteditor": "فعال‌کردن ویرایشگر متنی پیشرفته", "enablerichtexteditordescription": "اگر فعال باشد، در جاهایی که ممکن باشد یک ویرایشگر متنی پیشرفته نمایش داده خواهد شد.", "estimatedfreespace": "فضای آزاد تخمینی", - "general": "داده‌های کلی", + "general": "عمومی", "language": "زبان", "license": "اجازه‌نامه", "loggedin": "هنگام بودن در سایت", diff --git a/www/core/components/settings/lang/fi.json b/www/core/components/settings/lang/fi.json index e3de85d939a..22bf74eea44 100644 --- a/www/core/components/settings/lang/fi.json +++ b/www/core/components/settings/lang/fi.json @@ -12,10 +12,10 @@ "deviceinfo": "Laitteen tiedot", "deviceos": "Laitteen käyttöjärjestelmä", "disableall": "Estä ilmoitukset väliaikaisesti:", - "disabled": "Poistettu käytöstä", + "disabled": "Estetty", "errordeletesitefiles": "Sivuston tiedostoja poistettaessa tapahtui virhe.", "errorsyncsite": "Sivuston tietojen synkronoinnissa tapahtui virhe. Ole hyvä ja tarkista internet-yhteytesi ja yritä uudelleen.", - "general": "Yleistä", + "general": "Yleinen", "language": "Kieli", "license": "Lisenssi", "loggedin": "Kirjautuneena", @@ -27,6 +27,6 @@ "synchronizenow": "Synkronoi nyt", "synchronizing": "Synkronoidaan", "syncsettings": "Synkronoinnin asetukset", - "total": "Kokonaistulos", + "total": "Yhteensä", "wificonnection": "Langaton (Wi-Fi) yhteys" } \ No newline at end of file diff --git a/www/core/components/settings/lang/fr.json b/www/core/components/settings/lang/fr.json index 37f02124e56..3401b6eaae9 100644 --- a/www/core/components/settings/lang/fr.json +++ b/www/core/components/settings/lang/fr.json @@ -18,7 +18,7 @@ "deviceos": "Système d'exploitation de l'appareil", "devicewebworkers": "Web workers supportés", "disableall": "Désactiver les notifications", - "disabled": "Désactivée", + "disabled": "Désactivé", "displayformat": "Format d'affichage", "enabledebugging": "Activer le débogage", "enabledownloadsection": "Activer le téléchargement des sections", @@ -30,7 +30,7 @@ "errorsyncsite": "Erreur de synchronisation des données. Veuillez vérifier votre connexion internet et essayer plus tard.", "estimatedfreespace": "Espace libre estimé", "filesystemroot": "Racine du système de fichiers", - "general": "Général", + "general": "Généralités", "language": "Langue", "license": "Licence", "localnotifavailable": "Notifications locales disponibles", diff --git a/www/core/components/settings/lang/he.json b/www/core/components/settings/lang/he.json index c8810b2770a..9d9b1e29878 100644 --- a/www/core/components/settings/lang/he.json +++ b/www/core/components/settings/lang/he.json @@ -8,15 +8,15 @@ "deviceinfo": "מידע אודות המכשיר", "deviceos": "מערכת הפעלה של המכשיר", "disableall": "הודעות־מערכת כבויות זמנית", - "disabled": "לא זמין", + "disabled": "כבוי", "displayformat": "תבנית תצוגה", "enabledebugging": "הפעל ניפוי שגיאות", "errordeletesitefiles": "שגיאה במחיקת קבצי האתר.", "errorsyncsite": "שגיאה בסנכרון מידע האתר, אנא בדוק את החיבור לרשת האינטרנט ונסה שוב.", "estimatedfreespace": "אומדן מקום פנוי", - "general": "כללי", + "general": "נתונים כללים", "language": "שפת ממשק", - "license": "רישיון:", + "license": "רשיון", "localnotifavailable": "התראות מקומיות זמינות", "loggedin": "מקוון", "loggedoff": "לא מקוון", @@ -29,7 +29,7 @@ "synchronizenow": "סינכרון עכשיו", "synchronizing": "מסנכרן", "syncsitesuccess": "מידע האתר סונכרן וכל זיכרון המטמון אופס.", - "total": "סך הכל", + "total": "כולל", "versioncode": "קוד גרסה", "versionname": "שם גרסה", "wificonnection": "חיבור אלחוטי" diff --git a/www/core/components/settings/lang/hr.json b/www/core/components/settings/lang/hr.json index 519225768e1..f068bb89e2f 100644 --- a/www/core/components/settings/lang/hr.json +++ b/www/core/components/settings/lang/hr.json @@ -3,9 +3,9 @@ "deviceinfo": "Informacija o uređaju", "deviceos": "OS uređaja", "disableall": "Privremeno onemogući obavijesti", - "disabled": "Onemogućeno", + "disabled": "Slanje poruka nije omogućeno na ovom sustavu", "displayformat": "Oblik prikaza", - "general": "Općenito", + "general": "Opće postavke", "language": "Jezik", "license": "Licenca", "loggedin": "Online", diff --git a/www/core/components/settings/lang/hu.json b/www/core/components/settings/lang/hu.json index b235794ea1e..abdb80ef4f4 100644 --- a/www/core/components/settings/lang/hu.json +++ b/www/core/components/settings/lang/hu.json @@ -4,12 +4,12 @@ "currentlanguage": "Aktuális nyelv", "deletesitefiles": "Biztosan törli a portálról a letöltött fájlokat?", "disableall": "Értesítésekkikapcsolása", - "disabled": "Ezen a portálon az üzenetküldés ki van kapcsolva", + "disabled": "Kikapcsolva", "enabledebugging": "Hibakeresés bekapcsolása", "estimatedfreespace": "Becsült szabad tárhely", - "general": "Általános", + "general": "Általános adatok", "language": "Nyelv", - "license": "Engedély:", + "license": "Licenc", "loggedin": "Bejelentkezve:", "loggedoff": "Kijelentkezve", "processorsettings": "Feldolgozó beállításai", diff --git a/www/core/components/settings/lang/it.json b/www/core/components/settings/lang/it.json index 9af3d726bc1..e659bf2f70e 100644 --- a/www/core/components/settings/lang/it.json +++ b/www/core/components/settings/lang/it.json @@ -15,7 +15,7 @@ "deviceos": "SO del dispositivo", "devicewebworkers": "Dispositivi Web Worker supportati", "disableall": "Disabilita le notifiche", - "disabled": "In questo sito il messaging è disabilitato", + "disabled": "Disabilitato", "displayformat": "Formato di visualizzazione", "enabledebugging": "Abilita debugging", "enabledownloadsection": "Abilita scaricamento sezioni", @@ -24,7 +24,7 @@ "errorsyncsite": "Si è verificato un errore durante la sincronizzazione dei dati dal sito. Per favore verifica la connessione internet e riprova.", "estimatedfreespace": "Spazio libero stimato", "filesystemroot": "Root del filesystem", - "general": "Generale", + "general": "Dati generali", "language": "Lingua", "license": "Licenza", "localnotifavailable": "Notifiche locali disponibili", diff --git a/www/core/components/settings/lang/ja.json b/www/core/components/settings/lang/ja.json index 0f4aff2e5dd..d5905770aad 100644 --- a/www/core/components/settings/lang/ja.json +++ b/www/core/components/settings/lang/ja.json @@ -4,10 +4,10 @@ "currentlanguage": "現在の言語", "deletesitefiles": "本当にこのサイトからダウンロードしたファイルを消去しますか?", "disableall": "通知を無効にする", - "disabled": "無効", + "disabled": "このサイトではメッセージングが無効にされています。", "enabledebugging": "デバッグを有効にする", "estimatedfreespace": "概算の空き容量", - "general": "一般", + "general": "一般設定", "language": "言語設定", "license": "ライセンス", "loggedin": "オンライン", diff --git a/www/core/components/settings/lang/lt.json b/www/core/components/settings/lang/lt.json index 9f3b8827bff..79f4bc7a512 100644 --- a/www/core/components/settings/lang/lt.json +++ b/www/core/components/settings/lang/lt.json @@ -18,7 +18,7 @@ "deviceos": "Įrenginio OS", "devicewebworkers": "Įrenginio palaikymas", "disableall": "Išjungti pranešimus", - "disabled": "Išjungtas", + "disabled": "Išjungta", "displayformat": "Rodyti formatą", "enabledebugging": "Leisti derinti", "enabledownloadsection": "Įgalinti sekciją parsiuntimą", @@ -30,7 +30,7 @@ "errorsyncsite": "Klaida sinchronizuojant svetainės duomenis, prašome patikrinti interneto ryšį ir pabandyti dar kartą.", "estimatedfreespace": "Laisva vieta", "filesystemroot": "Failų sistema pradžia", - "general": "Bendra", + "general": "Bendrieji duomenys", "language": "Kalba", "license": "Licencija", "localnotifavailable": "Prieinami vietos pranešimai", diff --git a/www/core/components/settings/lang/mr.json b/www/core/components/settings/lang/mr.json index c309a7f5587..8956de6ebfc 100644 --- a/www/core/components/settings/lang/mr.json +++ b/www/core/components/settings/lang/mr.json @@ -28,7 +28,7 @@ "errorsyncsite": "साइट डेटा समक्रमित करताना त्रुटी, कृपया आपले इंटरनेट कनेक्शन तपासा आणि पुन्हा प्रयत्न करा.", "estimatedfreespace": "अंदाजे रिकामी जागा", "filesystemroot": "फाइलसिस्टम रूट", - "general": "सामान्य माहीती", + "general": "सामान्य", "language": "भाषा", "license": "GPL लायसेंस", "localnotifavailable": "स्थानिक सूचना उपलब्ध", diff --git a/www/core/components/settings/lang/nl.json b/www/core/components/settings/lang/nl.json index 940c5e668fa..aea344965fc 100644 --- a/www/core/components/settings/lang/nl.json +++ b/www/core/components/settings/lang/nl.json @@ -18,7 +18,7 @@ "deviceos": "Toestel OS", "devicewebworkers": "Ondersteunde Device Web Workers", "disableall": "Meldingen uitschakelen", - "disabled": "De berichtenservice is uitgeschakeld op deze site", + "disabled": "Uitgeschakeld", "displayformat": "Schermformaat", "enabledebugging": "Foutopsporing inschakelen", "enabledownloadsection": "Downloadsecties inschakelen", @@ -30,7 +30,7 @@ "errorsyncsite": "Fout bij het synchroniseren van sitegegevens. Controleer je internetverbinding en probeer opnieuw.", "estimatedfreespace": "Geschatte vrije ruimte", "filesystemroot": "Root bestandssysteem", - "general": "Algemeen", + "general": "Algemene gegevens", "language": "Taal", "license": "Licentie", "localnotifavailable": "Lokale meldingen beschikbaar", diff --git a/www/core/components/settings/lang/no.json b/www/core/components/settings/lang/no.json index 8d7deadfaf6..8246edfdb90 100644 --- a/www/core/components/settings/lang/no.json +++ b/www/core/components/settings/lang/no.json @@ -2,14 +2,14 @@ "about": "Om", "currentlanguage": "Gjeldende språk", "disableall": "Deaktiver varslinger", - "disabled": "Deaktivert", - "general": "Generell", + "disabled": "Meldingstjenesten er deaktivert på denne portalen", + "general": "Generelt", "language": "Språk", - "license": "Lisens", + "license": "(C) Lisens", "loggedin": "Innlogget", "loggedoff": "Utlogget", "processorsettings": "Prosessorinnstillinger", "settings": "Innstillinger", "sites": "Nettsteder", - "total": "Totalt" + "total": "Total" } \ No newline at end of file diff --git a/www/core/components/settings/lang/pl.json b/www/core/components/settings/lang/pl.json index 7d7c88bdc53..dcb9cd0ddb3 100644 --- a/www/core/components/settings/lang/pl.json +++ b/www/core/components/settings/lang/pl.json @@ -4,10 +4,10 @@ "currentlanguage": "Aktualny język", "deletesitefiles": "Czy na pewno chcesz usunąć pliki pobrane z tej strony?", "disableall": "Wyłącz powiadomienia", - "disabled": "Wyłączony", + "disabled": "Wyłączone", "enabledebugging": "Włącz debugowanie", "estimatedfreespace": "Szacowana wolna przestrzeń", - "general": "Ogólne", + "general": "Dane ogólne", "language": "Język", "license": "Licencja", "loggedin": "On-line", @@ -15,5 +15,5 @@ "settings": "Ustawienia", "sites": "Serwisy", "spaceusage": "Użyta przestrzeń", - "total": "Razem" + "total": "Ogólnie" } \ No newline at end of file diff --git a/www/core/components/settings/lang/pt-br.json b/www/core/components/settings/lang/pt-br.json index b2f9e11c9ba..28da97a0787 100644 --- a/www/core/components/settings/lang/pt-br.json +++ b/www/core/components/settings/lang/pt-br.json @@ -18,7 +18,7 @@ "deviceos": "Dispositivo OS", "devicewebworkers": "Device Web Workers suportados", "disableall": "Desabilitar notificações", - "disabled": "Desativar", + "disabled": "Desabilitado", "displayformat": "Formato de exibição", "enabledebugging": "Ativar a depuração", "enabledownloadsection": "Ativar seções de download", @@ -30,7 +30,7 @@ "errorsyncsite": "Erro ao sincronizar os dados do site, por favor verifique sua conexão de internet e tente novamente.", "estimatedfreespace": "Espaço livre estimado", "filesystemroot": "Raiz do sistema de arquivos", - "general": "Geral", + "general": "Dados Gerais", "language": "Idioma", "license": "Licença", "localnotifavailable": "Notificações locais disponíveis", diff --git a/www/core/components/settings/lang/pt.json b/www/core/components/settings/lang/pt.json index 7262011f6f3..ee752bd010b 100644 --- a/www/core/components/settings/lang/pt.json +++ b/www/core/components/settings/lang/pt.json @@ -18,7 +18,7 @@ "deviceos": "Dispositivo OS", "devicewebworkers": "Device web workers suportados", "disableall": "Desativar notificações", - "disabled": "Desativar", + "disabled": "Desativado", "displayformat": "Formato de visualização", "enabledebugging": "Ativar a depuração", "enabledownloadsection": "Ativar secções de transferência", @@ -30,7 +30,7 @@ "errorsyncsite": "Erro ao sincronizar os dados do site. Por favor verifique a sua ligação à internet e tente novamente.", "estimatedfreespace": "Espaço livre estimado", "filesystemroot": "Raíz dos ficheiros do sistema", - "general": "Geral", + "general": "Dados gerais", "language": "Idioma", "license": "Licença", "localnotifavailable": "Notificações locais disponíveis", diff --git a/www/core/components/settings/lang/ro.json b/www/core/components/settings/lang/ro.json index 7d901f92dba..663c453b9f9 100644 --- a/www/core/components/settings/lang/ro.json +++ b/www/core/components/settings/lang/ro.json @@ -15,7 +15,7 @@ "deviceos": "Sistemul de operare al dispozitivului", "devicewebworkers": "Web Workers este suportat pe dispozitiv", "disableall": "Dezactivați temporar notificările", - "disabled": "Schimbul de mesaje este dezactivat pe acest site", + "disabled": "Dezactivat", "displayformat": "Dimensiunea ecranului", "enabledebugging": "Activați modulul de depanare", "enabledownloadsection": "Activați secțiunile pentru descărcare", @@ -25,9 +25,9 @@ "errorsyncsite": "A apărut o eroare la sincronizarea datelor de pe site, verificați conexiunea la internet și încercați din nou.", "estimatedfreespace": "Spațiu liber estimat", "filesystemroot": "Rădăcina sistemului de fișiere", - "general": "General", + "general": "Informaţii generale", "language": "Limba", - "license": "Licență", + "license": "Licenţă", "localnotifavailable": "Notificările locale sunt disponibile", "locationhref": "URL", "loggedin": "On-line", @@ -35,6 +35,7 @@ "navigatorlanguage": "Limbă pentru navigator", "navigatoruseragent": "Navigator userAgent", "networkstatus": "Starea conexiunii la Internet", + "processorsettings": "Setările procesorului", "reportinbackground": "Erorile se raportează automat", "settings": "Setări", "sites": "Site-uri", diff --git a/www/core/components/settings/lang/ru.json b/www/core/components/settings/lang/ru.json index 32fa9ddf8c4..436ea61b516 100644 --- a/www/core/components/settings/lang/ru.json +++ b/www/core/components/settings/lang/ru.json @@ -1,34 +1,59 @@ { "about": "О приложении", + "appready": "Приложение готово", "cacheexpirationtime": "Срок действия кэша (миллисекунд)", + "cannotsyncoffline": "Невозможно синхронизировать пока не в сети.", + "cannotsyncwithoutwifi": "Невозможно синхронизироваться, потому что настоящие настройки разрешают синхронизироваться только когда есть подключение к Wi-Fi. Пожалуйста, подключитесь к сети Wi-Fi.", "configuringnotifications": "Вы настраиваете уведомления «{{$a}}».", + "cordovadevicemodel": "Модель устройства Cordova", + "cordovadeviceosversion": "Версия ОС устройства Cordova", + "cordovadeviceplatform": "Платформа устройства Cordova", + "cordovadeviceuuid": "UUID устройства Cordova", + "cordovaversion": "Версия Cordova", "credits": "Разработчики", "currentlanguage": "Выбранный язык", "deletesitefiles": "Вы уверены, что хотите удалить файлы, скачанные с сайта «{{sitename}}»?", "deletesitefilestitle": "Удалить файлы сайта", + "deviceinfo": "Информация об устройстве", + "deviceos": "ОС устройства", + "devicewebworkers": "Поддерживаемые web workers устройства", "disableall": "Отключить уведомления", - "disabled": "Выключить", + "disabled": "Отключено", + "displayformat": "Формат отображения", "enabledebugging": "Включить отладку", "enabledownloadsection": "Показать материалы, доступные для скачивания", + "enabledownloadsectiondescription": "Отключите эту опцию для ускорения загрузки раздела курса.", "enablerichtexteditor": "Включить текстовый редактор", - "enablerichtexteditordescription": "При включении функции текстовый редактор будет отображаться в допустимых местах.", + "enablerichtexteditordescription": "При включении функции текстовый редактор будет доступен во время ввода содержимого.", "enablesyncwifi": "Разрешить синхронизацию только по Wi-Fi", "errordeletesitefiles": "Ошибка при удалении файлов сайта", "errorsyncsite": "Ошибка синхронизации данных сайта. Проверьте интернет-соединение и повторите попытку.", "estimatedfreespace": "Ориентировочное свободное место", - "general": "Основные", + "filesystemroot": "Корень файловой системы", + "general": "Общие", "language": "Язык", - "license": "Лицензия:", + "license": "Лицензия", + "localnotifavailable": "Локальные уведомления доступны", + "locationhref": "URL компонента Web view", "loggedin": "На сайте", "loggedoff": "Вне сайта", + "navigatorlanguage": "Язык навигатора", + "navigatoruseragent": "userAgent навигатора", + "networkstatus": "Статус подключения к интернету", + "privacypolicy": "Политика конфиденциальности", "processorsettings": "Настройки способа доставки сообщений", "reportinbackground": "Автоматически оповещать об ошибках", "settings": "Настройки", "sites": "Сайты", "spaceusage": "Используемое пространство", + "storagetype": "Тип хранилища", "synchronization": "Синхронизация", + "synchronizenow": "Синхронизировать сейчас", "synchronizing": "Синхронизация", "syncsettings": "Настройки синхронизации", "syncsitesuccess": "Данные синхронизации сайта и все кэши недействительны.", - "total": "Итог" + "total": "Итого", + "versioncode": "Код версии", + "versionname": "Версия", + "wificonnection": "Подключение Wi-Fi" } \ No newline at end of file diff --git a/www/core/components/settings/lang/sv.json b/www/core/components/settings/lang/sv.json index 1b7000ce0ee..ecc3e7b2c21 100644 --- a/www/core/components/settings/lang/sv.json +++ b/www/core/components/settings/lang/sv.json @@ -15,7 +15,7 @@ "deviceos": "Mobil enhet operativsystem", "devicewebworkers": "Enheten stödjer Web Workers", "disableall": "Tillfälligt inaktivera meddelanden", - "disabled": "Avaktiverat", + "disabled": "Avaktiverad", "displayformat": "Visningsformat", "enabledebugging": "Aktivera felsökning", "enabledownloadsection": "Aktivera hämtning sektioner", @@ -25,7 +25,7 @@ "errorsyncsite": "Fel vid synkronisering. Kontrollera din Internetanslutning och försök igen", "estimatedfreespace": "Beräknad ledigt utrymme", "filesystemroot": "Filsystem root", - "general": "Allmänt", + "general": "Allmänna data", "language": "Språk", "license": "Licens", "localnotifavailable": "Lokala meddelanden tillgängliga", @@ -45,7 +45,7 @@ "synchronizing": "Synkronisera", "syncsettings": "Synkronisation inställningar", "syncsitesuccess": "Webbsidedata synkroniserades och alla cachar ogiltigförklarades", - "total": "Totalt", + "total": "Summa", "versioncode": "Version kod", "versionname": "Version namn", "wificonnection": "WiFi-anslutning" diff --git a/www/core/components/settings/lang/tr.json b/www/core/components/settings/lang/tr.json index 8fd8f03d869..efbef267550 100644 --- a/www/core/components/settings/lang/tr.json +++ b/www/core/components/settings/lang/tr.json @@ -4,10 +4,10 @@ "currentlanguage": "Geçerli dil", "deletesitefiles": "Bu siteden indirdiğiniz dosyaları silmek istediğinizden eminmisiniz?", "disableall": "Bildirimleri devre dışı bırak", - "disabled": "Devre dışı bırakıldı", + "disabled": "Mesajlaşma bu sitede etkinleştirilmemiş", "enabledebugging": "Hata ayıklamayı etkinleştir", "estimatedfreespace": "Tahmini boş alan", - "general": "Genel", + "general": "Genel veri", "language": "Dil", "license": "Lisans", "loggedin": "Çevrimiçi", diff --git a/www/core/components/settings/lang/uk.json b/www/core/components/settings/lang/uk.json index 33256034fbd..52526da3482 100644 --- a/www/core/components/settings/lang/uk.json +++ b/www/core/components/settings/lang/uk.json @@ -18,7 +18,7 @@ "deviceos": "ОС пристрою", "devicewebworkers": "Device Web Workers підтримується", "disableall": "Тимчасово заборонити повідомлення", - "disabled": "Повідомлення заборонені на цьому сайті", + "disabled": "Відключено", "displayformat": "Формат відображення", "enabledebugging": "Включити відладку", "enabledownloadsection": "Увімкнути секцію завантаження", @@ -30,7 +30,7 @@ "errorsyncsite": "Помилка синхронізації даних сайту, будь ласка, перевірте підключення до Інтернету і спробуйте ще раз.", "estimatedfreespace": "Розрахунковий вільний простір", "filesystemroot": "Коренева файлова система", - "general": "Основне", + "general": "Загальний", "language": "Мова інтерфейсу", "license": "Ліцензія", "localnotifavailable": "Доступні локальні сповіщення", @@ -51,7 +51,7 @@ "synchronizing": "Синхронізація", "syncsettings": "Налаштування синхронізації", "syncsitesuccess": "Дані сайту синхронізовані і всі кеші визнані недійсними.", - "total": "Підсумок", + "total": "Всього", "versioncode": "Версія коду", "versionname": "Ім'я версії", "wificonnection": "WiFi з'єднання" diff --git a/www/core/components/sharedfiles/lang/ar.json b/www/core/components/sharedfiles/lang/ar.json index 9f9e759ba0b..e56fb17f780 100644 --- a/www/core/components/sharedfiles/lang/ar.json +++ b/www/core/components/sharedfiles/lang/ar.json @@ -1,4 +1,4 @@ { - "rename": "تغيير الاسم", + "rename": "إعادة تسمية", "replace": "استبدال" } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/ca.json b/www/core/components/sharedfiles/lang/ca.json index af0c921ccaf..56cb9344708 100644 --- a/www/core/components/sharedfiles/lang/ca.json +++ b/www/core/components/sharedfiles/lang/ca.json @@ -4,7 +4,7 @@ "errorreceivefilenosites": "No hi ha llocs desats. Afegiu un lloc per poder compartir fitxers amb l'aplicació.", "nosharedfiles": "No hi ha fitxers compartits desats en aquest lloc.", "nosharedfilestoupload": "No hi ha fitxers per pujar. Si voleu pujar un fitxer des d'un altra aplicació, busqueu-lo i feu clic al botó «Obre a».", - "rename": "Canvia el nom", + "rename": "Reanomena", "replace": "Reemplaça", "sharedfiles": "Fitxers compartits", "successstorefile": "S'ha desat el fitxer amb èxit. Podeu seleccionar-lo i pujar-lo als vostres fitxers privats o adjuntar-lo a alguna activitat." diff --git a/www/core/components/sharedfiles/lang/cs.json b/www/core/components/sharedfiles/lang/cs.json index 9a19d1f00b1..b6aee213eea 100644 --- a/www/core/components/sharedfiles/lang/cs.json +++ b/www/core/components/sharedfiles/lang/cs.json @@ -5,7 +5,7 @@ "nosharedfiles": "Na tomto webu nejsou uložené žádné sdílené soubory.", "nosharedfilestoupload": "Nemáte žádné nahrané soubory. Pokud chcete nahrát soubor z jiné aplikace, vyhledejte tento soubor a klikněte na tlačítko \"Otevřít v\".", "rename": "Přejmenovat", - "replace": "Přepsat", + "replace": "Nahradit", "sharedfiles": "Sdílené soubory", - "successstorefile": "Soubor byl úspěšně uložen. Nyní můžete vybrat tento soubor a nahrát do vašich soukromých souborů nebo připojit ji do některých činností." + "successstorefile": "Soubor byl úspěšně uložen. Vyberte soubor, který chcete nahrát do vašich soukromých souborů nebo připojit ji do některých činností." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/de-du.json b/www/core/components/sharedfiles/lang/de-du.json index 805c3ab0df5..676d8abb42d 100644 --- a/www/core/components/sharedfiles/lang/de-du.json +++ b/www/core/components/sharedfiles/lang/de-du.json @@ -5,7 +5,7 @@ "nosharedfiles": "Keine geteilten Dateien auf dieser Website", "nosharedfilestoupload": "Du hast hier noch keine Datei zum Hochladen. Wenn du eine Datei aus einer anderen App hochladen möchtest, suche diese Datei und tippe auf die Taste 'Öffnen in'.", "rename": "Umbenennen", - "replace": "Ersetze", + "replace": "Ersetzen", "sharedfiles": "Geteilte Dateien", "successstorefile": "Die Datei wurde gespeichert. Du kannst die Datei in den Bereich 'Meine Dateien' hochladen oder bei Aktivitäten verwenden." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/de.json b/www/core/components/sharedfiles/lang/de.json index 080a8c40675..7b756fa2cd7 100644 --- a/www/core/components/sharedfiles/lang/de.json +++ b/www/core/components/sharedfiles/lang/de.json @@ -5,7 +5,7 @@ "nosharedfiles": "Keine geteilten Dateien auf dieser Website", "nosharedfilestoupload": "Sie haben hier noch keine Datei zum Hochladen. Wenn Sie eine Datei aus einer anderen App hochladen möchten, suchen Sie diese Datei und tippen Sie auf die Taste 'Öffnen in'.", "rename": "Umbenennen", - "replace": "Ersetze", + "replace": "Ersetzen", "sharedfiles": "Geteilte Dateien", "successstorefile": "Die Datei wurde gespeichert. Sie können die Datei in den Bereich 'Meine Dateien' hochladen oder bei Aktivitäten verwenden." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/es-mx.json b/www/core/components/sharedfiles/lang/es-mx.json index fb7d0207356..555162bdf2e 100644 --- a/www/core/components/sharedfiles/lang/es-mx.json +++ b/www/core/components/sharedfiles/lang/es-mx.json @@ -5,7 +5,7 @@ "nosharedfiles": "No hay archivos compartidos almacenados en este sitio.", "nosharedfilestoupload": "Usted no tiene archivos para subir aquí. Si Usted desea subir un archivo desde otra App, localice ese archivo y haga click en el botón para 'Abrir en'.", "rename": "Renombrar", - "replace": "Reemplazar", + "replace": "Remplazar", "sharedfiles": "Archivos compartidos", "successstorefile": "Archivo almacenado exitosamente. Seleccione el archivo a subir a sus archivos privados o para usar en una actividad." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/eu.json b/www/core/components/sharedfiles/lang/eu.json index a56363d095e..b47185ca190 100644 --- a/www/core/components/sharedfiles/lang/eu.json +++ b/www/core/components/sharedfiles/lang/eu.json @@ -2,10 +2,10 @@ "chooseaccountstorefile": "Aukeratu kontua fitxategiak bertan gordetzeko.", "chooseactionrepeatedfile": "Dagoeneko fitxategi bat dago izen horrekin. Existitzen den fitxategi hori ordezkatu edo \"{{$a}}\" gisa berrizendatu nahi duzu ?", "errorreceivefilenosites": "Ez dago gunerik gordeta. Mesedez gehitu gune bat app-aren bitartez fitxategi bat partekatu aurretik.", - "nosharedfiles": "Ez dago artekatutako fitxategirik gune honetan.", + "nosharedfiles": "Ez dago partekatutako fitxategirik gune honetan.", "nosharedfilestoupload": "Ez duzu igotzeko fitxategirik hemen. Beste app baten bitartez fitxategia igo nahi baduzu, fitxategia aurkitu eta ondoren 'Ireki honekin' botoia sakatu.", "rename": "Berrizendatu", - "replace": "Ordezkatu", + "replace": "Ordeztu", "sharedfiles": "Partekatutako fitxategiak", - "successstorefile": "Fitxategia ondo gorde da. Orain fitxategi hau aukeratu dezakezu zure gune pribatura igo edo jarduera bati eransteko." + "successstorefile": "Fitxategia ondo gorde da. Orain fitxategi hau aukeratu dezakezu zure gune pribatura igo edo jarduera batean erabiltzeko." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/fi.json b/www/core/components/sharedfiles/lang/fi.json index 7f53de1de9c..a26bdc92b06 100644 --- a/www/core/components/sharedfiles/lang/fi.json +++ b/www/core/components/sharedfiles/lang/fi.json @@ -4,7 +4,7 @@ "errorreceivefilenosites": "Yhtään sivustoa ei ole lisätty. Ole hyvä ja lisää sivusto ennen kuin jaat tiedostoja sovelluksella.", "nosharedfiles": "Tällä sivustolla ei ole yhtään jaettuja tiedostoja.", "nosharedfilestoupload": "Sinulla ei ole yhtään tiedostoa lähetettäväksi. Jos haluat lähettää tiedoston toisesta sovelluksesta, niin valitse tiedosto ja paina \"avaa sovelluksessa\"-painiketta ja valitse Moodle Mobile app.", - "rename": "Nimeä uudelleen", + "rename": "Uudelleennimeä", "replace": "Korvaa", "sharedfiles": "Jaetut tiedosto", "successstorefile": "Tiedosto tallennettiin onnistuneesti. Nyt voit valita tämän tiedoston lähettääksesi sen yksityisiin tiedostoihisi tai liittääksesi sen johonkin aktiviteettiin." diff --git a/www/core/components/sharedfiles/lang/hr.json b/www/core/components/sharedfiles/lang/hr.json index ef26809f0d5..d688c037b6c 100644 --- a/www/core/components/sharedfiles/lang/hr.json +++ b/www/core/components/sharedfiles/lang/hr.json @@ -1,5 +1,5 @@ { "rename": "Preimenuj", - "replace": "Zamijenite", + "replace": "Zamijeni", "sharedfiles": "Dijeljene datoteke" } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/it.json b/www/core/components/sharedfiles/lang/it.json index 875611dd996..81869805f8b 100644 --- a/www/core/components/sharedfiles/lang/it.json +++ b/www/core/components/sharedfiles/lang/it.json @@ -1,5 +1,5 @@ { - "rename": "Rinomina", + "rename": "Cambia il nome", "replace": "Sostituisci", "sharedfiles": "File condivisi" } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/lt.json b/www/core/components/sharedfiles/lang/lt.json index 2e51ae1b0ed..ef379410c73 100644 --- a/www/core/components/sharedfiles/lang/lt.json +++ b/www/core/components/sharedfiles/lang/lt.json @@ -4,8 +4,8 @@ "errorreceivefilenosites": "Svetainės nėra saugomos. Prieš dalintis failu, pridėkite svetainės nuorodą.", "nosharedfiles": "Šioje svetainėje nepatalpinti bendro naudojimo failai.", "nosharedfilestoupload": "Nėra įkeltų failų. Jeigu norite juos įkelti iš kitos programėlės, pažymėkite ir paspauskite mygtuką „Atidaryti“.", - "rename": "Pervardyti", - "replace": "Keisti", + "rename": "Pervadinti", + "replace": "Pakeisti", "sharedfiles": "Bendro naudojimo failai", "successstorefile": "Failas sėkmingai patalpintas. Galite jį perkelti į savo asmeninį aplanką arba įkelti tam tikrosiose veiklose." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/mr.json b/www/core/components/sharedfiles/lang/mr.json index 54c82d0f349..669675992d6 100644 --- a/www/core/components/sharedfiles/lang/mr.json +++ b/www/core/components/sharedfiles/lang/mr.json @@ -4,7 +4,7 @@ "errorreceivefilenosites": "संचयित केलेल्या कोणत्याही साइट नाहीत कृपया अॅपसह फाइल सामायिक करण्यापूर्वी साइट जोडा", "nosharedfiles": "या साइटवर संचयित केलेल्या कोणत्याही सामायिक केलेल्या फायली नाहीत.", "nosharedfilestoupload": "येथे अपलोड करण्यासाठी आपल्याकडे एकही फाइल नाही. आपण दुसर्या अॅपमधून फाइल अपलोड करू इच्छित असाल तर ती फाइल शोधा आणि 'इन-इन' बटणावर क्लिक करा.", - "rename": "पून्हा नाव द्या", + "rename": "पुनर्नामित करा", "replace": "पुनर्स्थित करा", "sharedfiles": "सामायिक केलेल्या फायली", "successstorefile": "फाइल यशस्वीरित्या संग्रहित केली. आता आपण ही फाईल आपल्या खाजगी फाइल्सवर अपलोड करण्यासाठी किंवा काही क्रियाकलापांमध्ये संलग्न करण्यासाठी ती निवडू शकता." diff --git a/www/core/components/sharedfiles/lang/no.json b/www/core/components/sharedfiles/lang/no.json index d9db4536eb2..1139b190f29 100644 --- a/www/core/components/sharedfiles/lang/no.json +++ b/www/core/components/sharedfiles/lang/no.json @@ -1,4 +1,4 @@ { - "rename": "Gi nytt navn", + "rename": "Nytt navn", "replace": "Bytt ut" } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/pt.json b/www/core/components/sharedfiles/lang/pt.json index a181fc1b944..ccb7b68c710 100644 --- a/www/core/components/sharedfiles/lang/pt.json +++ b/www/core/components/sharedfiles/lang/pt.json @@ -4,7 +4,7 @@ "errorreceivefilenosites": "Não existem sites armazenados. Adicione um site antes de partilhar um ficheiro com a aplicação.", "nosharedfiles": "Não existem quaisquer ficheiros partilhados armazenados neste site.", "nosharedfilestoupload": "Não existem ficheiros para fazer o carregamento. Se pretender carregar um ficheiro de outra aplicação, localize o ficheiro e clique no botão 'Abrir em'.", - "rename": "Renomear", + "rename": "Mudar nome", "replace": "Substituir", "sharedfiles": "Ficheiros partilhados", "successstorefile": "Ficheiro armazenado com sucesso. Selecione este ficheiro para enviá-lo para os seus ficheiros privados ou usá-lo em atividades." diff --git a/www/core/components/sharedfiles/lang/ru.json b/www/core/components/sharedfiles/lang/ru.json index 3c6455c50c7..cf8b8797df4 100644 --- a/www/core/components/sharedfiles/lang/ru.json +++ b/www/core/components/sharedfiles/lang/ru.json @@ -1,4 +1,11 @@ { + "chooseaccountstorefile": "Выберите учётную запись для хранения файла.", + "chooseactionrepeatedfile": "Файл с таким именем уже существует. Вы хотите заменить существующий файл или переименовать этот файл в «{{$a}}»?", + "errorreceivefilenosites": "Нет сохранённых сайтов. Добавьте сайт чтобы делиться файлом при помощи приложения.", + "nosharedfiles": "На этом сайте нет открытых для доступа файлов.", + "nosharedfilestoupload": "У Вас нет файлов для загрузки на сервер. Если Вы хотите загрузить на сервер файл из другого приложения, найдите файл и нажмите кнопку «Открыть в».", "rename": "Переименовать", - "replace": "Заменить" + "replace": "Переместить", + "sharedfiles": "Файлы в открытом доступе", + "successstorefile": "Файл успешно сохранён. Выберите файл для загрузки на сервер в свои личные файлы или для использования в активном элементе." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/sv.json b/www/core/components/sharedfiles/lang/sv.json index 117af22281c..aa1e826c0b2 100644 --- a/www/core/components/sharedfiles/lang/sv.json +++ b/www/core/components/sharedfiles/lang/sv.json @@ -1,4 +1,4 @@ { - "rename": "Döp om", + "rename": "Ändra namn", "replace": "Byt ut" } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/tr.json b/www/core/components/sharedfiles/lang/tr.json index 76c25af6f7c..94ea98f2214 100644 --- a/www/core/components/sharedfiles/lang/tr.json +++ b/www/core/components/sharedfiles/lang/tr.json @@ -1,5 +1,5 @@ { - "rename": "Ad değiştir", + "rename": "Yeniden adlandır", "replace": "Değiştir", "sharedfiles": "Paylaşılan dosyalar" } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/uk.json b/www/core/components/sharedfiles/lang/uk.json index f16da3ef448..6a2a6c61255 100644 --- a/www/core/components/sharedfiles/lang/uk.json +++ b/www/core/components/sharedfiles/lang/uk.json @@ -5,7 +5,7 @@ "nosharedfiles": "Немає загальних файлів, що зберігаються на цьому сайті.", "nosharedfilestoupload": "У вас немає файлів для завантаження. Якщо ви хочете завантажити файл з іншої програми, знайдіть цей файл і натисніть кнопку «Відкрити\".", "rename": "Перейменувати", - "replace": "Замінити", + "replace": "Перемістити", "sharedfiles": "Розшарити файли", "successstorefile": "Файл успішно збережений. Тепер ви можете вибрати цей файл, щоб завантажити його на ваші особисті файли або прикріпити його в деяких видах діяльності." } \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/ca.json b/www/core/components/sidemenu/lang/ca.json index d2e61d92b7b..321730fec1f 100644 --- a/www/core/components/sidemenu/lang/ca.json +++ b/www/core/components/sidemenu/lang/ca.json @@ -2,7 +2,7 @@ "appsettings": "Paràmetres de l'aplicació", "changesite": "Canvia de lloc", "help": "Ajuda", - "logout": "Surt", + "logout": "Desconnecta", "mycourses": "Els meus cursos", "togglemenu": "Canvia menú", "website": "Lloc web" diff --git a/www/core/components/sidemenu/lang/cs.json b/www/core/components/sidemenu/lang/cs.json index 68c7fe8de79..7de80a2bb9b 100644 --- a/www/core/components/sidemenu/lang/cs.json +++ b/www/core/components/sidemenu/lang/cs.json @@ -1,8 +1,8 @@ { "appsettings": "Nastavení aplikace", "changesite": "Změnit stránky", - "help": "Pomoc", - "logout": "Odhlásit se", + "help": "Nápověda", + "logout": "Odhlásit", "mycourses": "Moje kurzy", "togglemenu": "Přepnout nabídku", "website": "Webová stránka" diff --git a/www/core/components/sidemenu/lang/el.json b/www/core/components/sidemenu/lang/el.json index 114771adbff..2e0168f9e01 100644 --- a/www/core/components/sidemenu/lang/el.json +++ b/www/core/components/sidemenu/lang/el.json @@ -2,7 +2,7 @@ "appsettings": "Ρυθμίσεις εφαρμογής", "changesite": "Αλλαγή ιστότοπου", "help": "Βοήθεια", - "logout": "Έξοδος", + "logout": "Αποσύνδεση", "mycourses": "Τα μαθήματά μου", "togglemenu": "Αλλαγή μενού", "website": "Ιστότοπος" diff --git a/www/core/components/sidemenu/lang/es-mx.json b/www/core/components/sidemenu/lang/es-mx.json index fb36a0997ba..e2079172694 100644 --- a/www/core/components/sidemenu/lang/es-mx.json +++ b/www/core/components/sidemenu/lang/es-mx.json @@ -2,7 +2,7 @@ "appsettings": "Configuraciones del App", "changesite": "Cambiar sitio", "help": "Ayuda", - "logout": "Salir", + "logout": "Salir del sitio", "mycourses": "Mis cursos", "togglemenu": "Alternar menú", "website": "Página web" diff --git a/www/core/components/sidemenu/lang/eu.json b/www/core/components/sidemenu/lang/eu.json index c5757719d6e..d6c4be2b4ea 100644 --- a/www/core/components/sidemenu/lang/eu.json +++ b/www/core/components/sidemenu/lang/eu.json @@ -2,7 +2,7 @@ "appsettings": "App-aren ezarpenak", "changesite": "Aldatu gunea", "help": "Laguntza", - "logout": "Saioa amaitu", + "logout": "Irten", "mycourses": "Nire ikastaroak", "togglemenu": "Aldatu menua", "website": "Webgunea" diff --git a/www/core/components/sidemenu/lang/fa.json b/www/core/components/sidemenu/lang/fa.json index 34bdcc7018f..7d4184a0d64 100644 --- a/www/core/components/sidemenu/lang/fa.json +++ b/www/core/components/sidemenu/lang/fa.json @@ -1,8 +1,8 @@ { "appsettings": "تنظیمات برنامه", "changesite": "خروج", - "help": "راهنمایی", - "logout": "خروج از سایت", + "help": "راهنما", + "logout": "خروج", "mycourses": "درس‌های من", "website": "پایگاه اینترنتی" } \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/he.json b/www/core/components/sidemenu/lang/he.json index df2620a0194..defec49d009 100644 --- a/www/core/components/sidemenu/lang/he.json +++ b/www/core/components/sidemenu/lang/he.json @@ -2,7 +2,7 @@ "appsettings": "הגדרות יישומון", "changesite": "התנתק", "help": "עזרה", - "logout": "התנתקות", + "logout": "התנתק", "mycourses": "הקורסים שלי", "togglemenu": "החלפת מצב תפריט", "website": "אתר אינטרנט" diff --git a/www/core/components/sidemenu/lang/it.json b/www/core/components/sidemenu/lang/it.json index 9e368b1ef6f..b86c1c18949 100644 --- a/www/core/components/sidemenu/lang/it.json +++ b/www/core/components/sidemenu/lang/it.json @@ -2,7 +2,7 @@ "appsettings": "Impostazioni app", "changesite": "Cambia sito", "help": "Aiuto", - "logout": "Esci", + "logout": "Logout", "mycourses": "I miei corsi", "togglemenu": "Attiva/disattiva menu", "website": "Sito web" diff --git a/www/core/components/sidemenu/lang/lt.json b/www/core/components/sidemenu/lang/lt.json index 4f3f66ea9f3..0f0cb015df4 100644 --- a/www/core/components/sidemenu/lang/lt.json +++ b/www/core/components/sidemenu/lang/lt.json @@ -1,9 +1,9 @@ { "appsettings": "Programėlės nustatymai", "changesite": "Pakeisti svetainę", - "help": "Žinynas", - "logout": "Atsijungti", - "mycourses": "Mano kursai", + "help": "Pagalba", + "logout": "Pakeisti svetainę", + "mycourses": "Mano mokymo programos", "togglemenu": "Perjungti", "website": "Interneto svetainė" } \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/mr.json b/www/core/components/sidemenu/lang/mr.json index 9f0dbf261ce..091098f633d 100644 --- a/www/core/components/sidemenu/lang/mr.json +++ b/www/core/components/sidemenu/lang/mr.json @@ -2,8 +2,8 @@ "appsettings": "अॅप सेटिंग्ज", "changesite": "साइट बदला", "help": "मदत", - "logout": "लॉग-आउट", - "mycourses": "माझे कोर्सेस", + "logout": "बाहेर पडा", + "mycourses": "माझे अभ्यासक्रम", "togglemenu": "मेनू बदला", "website": "वेबसाइट" } \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/nl.json b/www/core/components/sidemenu/lang/nl.json index 7caa7f9041a..d06e70ec6d8 100644 --- a/www/core/components/sidemenu/lang/nl.json +++ b/www/core/components/sidemenu/lang/nl.json @@ -2,7 +2,7 @@ "appsettings": "App instellingen", "changesite": "Naar andere site", "help": "Help", - "logout": "Uitloggen", + "logout": "Afmelden", "mycourses": "Mijn cursussen", "togglemenu": "Menu schakelen", "website": "Website" diff --git a/www/core/components/sidemenu/lang/pl.json b/www/core/components/sidemenu/lang/pl.json index db5b40a15cd..dc57d0910b1 100644 --- a/www/core/components/sidemenu/lang/pl.json +++ b/www/core/components/sidemenu/lang/pl.json @@ -1,7 +1,7 @@ { "changesite": "Wyloguj", "help": "Pomoc", - "logout": "Wyloguj", + "logout": "Wyloguj się", "mycourses": "Moje kursy", "website": "Witryna" } \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/pt.json b/www/core/components/sidemenu/lang/pt.json index 479ba8e4f48..f972c409f74 100644 --- a/www/core/components/sidemenu/lang/pt.json +++ b/www/core/components/sidemenu/lang/pt.json @@ -2,7 +2,7 @@ "appsettings": "Configurações da aplicação", "changesite": "Mudar de site", "help": "Ajuda", - "logout": "Sair", + "logout": "Terminar sessão", "mycourses": "As minhas disciplinas", "togglemenu": "Alternar menu", "website": "Site" diff --git a/www/core/components/sidemenu/lang/ro.json b/www/core/components/sidemenu/lang/ro.json index 1c5f17d9e01..ea5d1d106e0 100644 --- a/www/core/components/sidemenu/lang/ro.json +++ b/www/core/components/sidemenu/lang/ro.json @@ -2,7 +2,7 @@ "appsettings": "Setările aplicației", "changesite": "Schimbați siteul", "help": "Ajutor", - "logout": "Ieşire", + "logout": "Schimbați siteul", "mycourses": "Cursurile mele", "togglemenu": "Meniul pentru comutare", "website": "Website" diff --git a/www/core/components/sidemenu/lang/ru.json b/www/core/components/sidemenu/lang/ru.json index 541a10d3285..6965e316d2d 100644 --- a/www/core/components/sidemenu/lang/ru.json +++ b/www/core/components/sidemenu/lang/ru.json @@ -1,8 +1,9 @@ { "appsettings": "Настройки приложения", - "changesite": "Выход", - "help": "Справка", - "logout": "Выход", + "changesite": "Сменить сайт", + "help": "Помощь", + "logout": "Выйти", "mycourses": "Мои курсы", + "togglemenu": "Переключить меню", "website": "Сайт" } \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/tr.json b/www/core/components/sidemenu/lang/tr.json index ace500a4db3..57800da7afa 100644 --- a/www/core/components/sidemenu/lang/tr.json +++ b/www/core/components/sidemenu/lang/tr.json @@ -1,7 +1,7 @@ { "changesite": "Çıkış", "help": "Yardım", - "logout": "Çıkış yap", + "logout": "Çıkış", "mycourses": "Derslerim", "website": "Websitesi" } \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/uk.json b/www/core/components/sidemenu/lang/uk.json index 21328fec9b5..2442161b325 100644 --- a/www/core/components/sidemenu/lang/uk.json +++ b/www/core/components/sidemenu/lang/uk.json @@ -2,7 +2,7 @@ "appsettings": "Налаштування додатку", "changesite": "Змінити сайт", "help": "Допомога", - "logout": "Вихід", + "logout": "Вийти", "mycourses": "Мої курси", "togglemenu": "Перемикання меню", "website": "Веб-сайт" diff --git a/www/core/components/user/lang/ar.json b/www/core/components/user/lang/ar.json index 7c07947c57e..3ba1ae44ee2 100644 --- a/www/core/components/user/lang/ar.json +++ b/www/core/components/user/lang/ar.json @@ -3,10 +3,10 @@ "city": "المدينة/البلدة", "contact": "جهة اتصال", "country": "الدولة", - "description": "الوصف", + "description": "نص المقدمة", "details": "التفاصيل", "editingteacher": "معلم", - "email": "عنوان البريد الإلكتروني", + "email": "بريد الإلكتروني", "emailagain": "إعادة إدخال البريد الإلكتروني للتأكيد ", "firstname": "الاسم الأول", "interests": "اهتمامات", diff --git a/www/core/components/user/lang/bg.json b/www/core/components/user/lang/bg.json index 70d1e6ca5f5..022f6afb2b1 100644 --- a/www/core/components/user/lang/bg.json +++ b/www/core/components/user/lang/bg.json @@ -3,11 +3,11 @@ "city": "Град/село", "contact": "Контакт", "country": "Държава", - "description": "Въвеждащ текст", + "description": "Описание", "details": "Подробности", "detailsnotavailable": "Детайлите за този потребител не са достъпни за Вас.", "editingteacher": "Учител", - "email": "Имейл адрес", + "email": "Имейл", "emailagain": "Имейл адрес (отново)", "firstname": "Име", "interests": "Интереси", diff --git a/www/core/components/user/lang/ca.json b/www/core/components/user/lang/ca.json index aa06c47268a..fe01cc4b106 100644 --- a/www/core/components/user/lang/ca.json +++ b/www/core/components/user/lang/ca.json @@ -7,7 +7,7 @@ "details": "Detalls", "detailsnotavailable": "No tens accés als detalls d'aquest usuari.", "editingteacher": "Professor", - "email": "Adreça electrònica", + "email": "Correu electrònic", "emailagain": "Correu electrònic (una altra vegada)", "firstname": "Nom", "interests": "Interessos", diff --git a/www/core/components/user/lang/cs.json b/www/core/components/user/lang/cs.json index a6f990b5aba..b15d42966c7 100644 --- a/www/core/components/user/lang/cs.json +++ b/www/core/components/user/lang/cs.json @@ -3,15 +3,15 @@ "city": "Město/obec", "contact": "Kontakt", "country": "Země", - "description": "Úvodní text", + "description": "Popis", "details": "Detaily", "detailsnotavailable": "Podrobnosti o tomto uživateli nejsou k dispozici.", "editingteacher": "Učitel", - "email": "E-mailová adresa", + "email": "Poslat e-mailem", "emailagain": "E-mail (znovu)", "firstname": "Křestní jméno", "interests": "Zájmy", - "invaliduser": "Neplatný uživatel", + "invaliduser": "Neplatný uživatel.", "lastname": "Příjmení", "manager": "Manažer", "newpicture": "Nový obrázek", diff --git a/www/core/components/user/lang/da.json b/www/core/components/user/lang/da.json index 907d22761b1..08cf0317a51 100644 --- a/www/core/components/user/lang/da.json +++ b/www/core/components/user/lang/da.json @@ -3,15 +3,15 @@ "city": "By", "contact": "Kontakt", "country": "Land", - "description": "Introduktionstekst", + "description": "Beskrivelse", "details": "Detaljer", "detailsnotavailable": "Denne brugers data er ikke tilgængelige for dig.", "editingteacher": "Lærer", - "email": "E-mailadresse", + "email": "E-mail", "emailagain": "E-mail (igen)", "firstname": "Fornavn", "interests": "Interesser", - "invaliduser": "Ugyldig bruger", + "invaliduser": "Ugyldig bruger.", "lastname": "Efternavn", "manager": "Manager", "newpicture": "Nyt billede", diff --git a/www/core/components/user/lang/de-du.json b/www/core/components/user/lang/de-du.json index 426119b3458..5fe28fcad9c 100644 --- a/www/core/components/user/lang/de-du.json +++ b/www/core/components/user/lang/de-du.json @@ -7,11 +7,11 @@ "details": "Details", "detailsnotavailable": "Die Nutzerdetails zu dieser Person sind für dich nicht verfügbar.", "editingteacher": "Trainer/in", - "email": "E-Mail-Adresse", + "email": "E-Mail", "emailagain": "E-Mail-Adresse (wiederholen)", "firstname": "Vorname", "interests": "Persönliche Interessen", - "invaliduser": "Ungültige Nutzer/in", + "invaliduser": "Nutzer/in ungültig", "lastname": "Nachname", "manager": "Manager/in", "newpicture": "Neues Foto", diff --git a/www/core/components/user/lang/de.json b/www/core/components/user/lang/de.json index 740e942be55..8a01dc74301 100644 --- a/www/core/components/user/lang/de.json +++ b/www/core/components/user/lang/de.json @@ -7,11 +7,11 @@ "details": "Details", "detailsnotavailable": "Die Nutzerdetails zu dieser Person sind für Sie nicht verfügbar.", "editingteacher": "Trainer/in", - "email": "E-Mail-Adresse", + "email": "E-Mail", "emailagain": "E-Mail-Adresse (wiederholen)", "firstname": "Vorname", "interests": "Persönliche Interessen", - "invaliduser": "Ungültige Nutzer/in", + "invaliduser": "Nutzer/in ungültig", "lastname": "Nachname", "manager": "Manager/in", "newpicture": "Neues Foto", diff --git a/www/core/components/user/lang/el.json b/www/core/components/user/lang/el.json index 2e66b93a534..a5b99d1e377 100644 --- a/www/core/components/user/lang/el.json +++ b/www/core/components/user/lang/el.json @@ -3,11 +3,11 @@ "city": "Πόλη/χωριό", "contact": "Επικοινωνία", "country": "Χώρα", - "description": "Κείμενο εισαγωγής", + "description": "Περιγραφή", "details": "Λεπτομέρειες", "detailsnotavailable": "Λεπτομέρειες για αυτό τον χρήστη δεν είναι διαθέσιμες.", "editingteacher": "Διδάσκων", - "email": "Διεύθυνση ηλεκτρονικού ταχυδρομείου", + "email": "Ηλεκτρονικό Ταχυδρομείο", "emailagain": "Email (ξανά)", "firstname": "Όνομα", "interests": "Ενδιαφέροντα", @@ -19,7 +19,7 @@ "phone2": "Κινητό τηλέφωνο", "roles": "Ρόλοι", "sendemail": "Email", - "student": "Φοιτητής", + "student": "Μαθητής", "teacher": "Διδάσκων χωρίς δικαιώματα αλλαγής", "viewprofile": "Επισκόπηση του προφίλ", "webpage": "Ιστοσελίδα" diff --git a/www/core/components/user/lang/es-mx.json b/www/core/components/user/lang/es-mx.json index 5a299d64eba..4a165259a1c 100644 --- a/www/core/components/user/lang/es-mx.json +++ b/www/core/components/user/lang/es-mx.json @@ -3,15 +3,15 @@ "city": "Ciudad", "contact": "Contacto", "country": "País", - "description": "Descripción -", + "description": "Descripción", "details": "Detalles", "detailsnotavailable": "Los detalles de este usuario no están disponibles para Usted.", "editingteacher": "Profesor", - "email": "Dirección Email", + "email": "Email", "emailagain": "Correo (de nuevo)", "firstname": "Nombre", "interests": "Intereses", - "invaliduser": "Usuario no válido", + "invaliduser": "Usuario inválido.", "lastname": "Apellido(s)", "manager": "Mánager", "newpicture": "Imagen nueva", diff --git a/www/core/components/user/lang/es.json b/www/core/components/user/lang/es.json index c7beaa21377..3c9de9a5eb4 100644 --- a/www/core/components/user/lang/es.json +++ b/www/core/components/user/lang/es.json @@ -7,7 +7,7 @@ "details": "Detalles", "detailsnotavailable": "No tiene acceso a los detalles de este usuario.", "editingteacher": "Profesor", - "email": "Dirección de correo", + "email": "Email", "emailagain": "Correo (de nuevo)", "firstname": "Nombre", "interests": "Intereses", diff --git a/www/core/components/user/lang/eu.json b/www/core/components/user/lang/eu.json index e19aa7863bf..fbd288168ff 100644 --- a/www/core/components/user/lang/eu.json +++ b/www/core/components/user/lang/eu.json @@ -7,11 +7,11 @@ "details": "Xehetasunak", "detailsnotavailable": "Erabiltzaile honen xehetasunak ez daude zuretzat eskuragarri", "editingteacher": "Irakaslea", - "email": "E-posta helbidea", + "email": "E-posta", "emailagain": "E-posta (berriro)", "firstname": "Izena", "interests": "Interesguneak", - "invaliduser": "Erabiltzaile baliogabea", + "invaliduser": "Erabiltzailea ez da zuzena.", "lastname": "Deitura", "manager": "Kudeatzailea", "newpicture": "Irudi berria", diff --git a/www/core/components/user/lang/fa.json b/www/core/components/user/lang/fa.json index b156d092804..7fbb0e60e88 100644 --- a/www/core/components/user/lang/fa.json +++ b/www/core/components/user/lang/fa.json @@ -1,11 +1,11 @@ { "address": "آدرس", "city": "شهر/شهرک", - "contact": "تماس", + "contact": "مخاطب", "country": "کشور", - "description": "توضیح تکلیف", + "description": "توصیف", "details": "جزئیات", - "email": "آدرس پست الکترونیک", + "email": "پست الکترونیک", "emailagain": "پست الکترونیک (دوباره)", "firstname": "نام", "interests": "علایق", diff --git a/www/core/components/user/lang/fi.json b/www/core/components/user/lang/fi.json index 66f6786ab08..ade2fc72234 100644 --- a/www/core/components/user/lang/fi.json +++ b/www/core/components/user/lang/fi.json @@ -1,17 +1,17 @@ { "address": "Osoite", "city": "Paikkakunta", - "contact": "Yhteystieto", + "contact": "Yhteystiedot", "country": "Maa", "description": "Kuvaus", "details": "Käyttäjätiedot", "detailsnotavailable": "Tämän käyttäjän käyttäjätiedot eivät ole saatavilla sinulle.", "editingteacher": "Opettaja", - "email": "Sähköposti", + "email": "Sähköpostiosoite", "emailagain": "Sähköposti (varmistus)", "firstname": "Etunimi", "interests": "Kiinnostukset", - "invaliduser": "Virheellinen käyttäjä", + "invaliduser": "Virheellinen käyttäjä.", "lastname": "Sukunimi", "manager": "Hallinoija", "newpicture": "Uusi kuva", diff --git a/www/core/components/user/lang/fr.json b/www/core/components/user/lang/fr.json index 2391c86e714..651dd756170 100644 --- a/www/core/components/user/lang/fr.json +++ b/www/core/components/user/lang/fr.json @@ -7,11 +7,11 @@ "details": "Détails", "detailsnotavailable": "Vous n'avez pas accès aux informations de cet utilisateur.", "editingteacher": "Enseignant", - "email": "Adresse de courriel", + "email": "Courriel", "emailagain": "Courriel (confirmation)", "firstname": "Prénom", "interests": "Centres d'intérêt", - "invaliduser": "Utilisateur non valide", + "invaliduser": "Utilisateur non valide.", "lastname": "Nom", "manager": "Gestionnaire", "newpicture": "Nouvelle image", @@ -19,7 +19,7 @@ "phone2": "Téléphone mobile", "roles": "Rôles", "sendemail": "Courriel", - "student": "Participants", + "student": "Étudiant", "teacher": "Enseignant non-éditeur", "viewprofile": "Consulter le profil", "webpage": "Page Web" diff --git a/www/core/components/user/lang/he.json b/www/core/components/user/lang/he.json index cfd73b8aa8f..29de36b8f1e 100644 --- a/www/core/components/user/lang/he.json +++ b/www/core/components/user/lang/he.json @@ -1,17 +1,17 @@ { "address": "כתובת", "city": "ישוב", - "contact": "ליצירת קשר", + "contact": "צור קשר", "country": "ארץ", - "description": "תיאור", + "description": "הנחיה למטלה", "details": "פרטים", "detailsnotavailable": "פרטי משתמש זה אינם זמינים לך.", "editingteacher": "מרצה", - "email": "כתובת דואר אלקטרוני", + "email": "דוא\"ל", "emailagain": "דואר אלקטרוני (שוב)", "firstname": "שם פרטי", "interests": "תחומי עניין", - "invaliduser": "משתמש שגוי", + "invaliduser": "משתמש לא תקף.", "lastname": "שם משפחה", "manager": "מנהל", "newpicture": "תמונה חדשה", diff --git a/www/core/components/user/lang/hr.json b/www/core/components/user/lang/hr.json index 5c86b11673e..b7de4acd0c6 100644 --- a/www/core/components/user/lang/hr.json +++ b/www/core/components/user/lang/hr.json @@ -3,14 +3,14 @@ "city": "Grad", "contact": "Kontakt", "country": "Država", - "description": "Opis", + "description": "Uvodni tekst", "details": "Detalji", "editingteacher": "Nastavnik", - "email": "Adresa e-pošte", + "email": "E-pošta", "emailagain": "E-pošta (ponovno)", "firstname": "Ime", "interests": "Interesi", - "invaliduser": "Neispravan korisnik", + "invaliduser": "Neispravan korisnik.", "lastname": "Prezime", "manager": "Menadžer", "newpicture": "Nova slika", diff --git a/www/core/components/user/lang/hu.json b/www/core/components/user/lang/hu.json index de2880aacb9..ea3235ea2d0 100644 --- a/www/core/components/user/lang/hu.json +++ b/www/core/components/user/lang/hu.json @@ -3,9 +3,9 @@ "city": "Helység", "contact": "Kapcsolat", "country": "Ország", - "description": "Bevezető szöveg", + "description": "Leírás", "details": "SCO nyomon követésének részletei", - "email": "E-mail cím", + "email": "E-mail", "emailagain": "E-mail (ismét)", "firstname": "Keresztnév", "interests": "Érdeklődési kör", diff --git a/www/core/components/user/lang/it.json b/www/core/components/user/lang/it.json index e5ac1a11ae9..1e89b57576f 100644 --- a/www/core/components/user/lang/it.json +++ b/www/core/components/user/lang/it.json @@ -3,15 +3,15 @@ "city": "Città /Località", "contact": "Contatto", "country": "Nazione", - "description": "Commento", + "description": "Descrizione", "details": "Dettagli", "detailsnotavailable": "Non puoi visualizzare i dettagli di questo utente.", "editingteacher": "Docente", - "email": "Indirizzo email", + "email": "Email", "emailagain": "Indirizzo email (ripeti)", "firstname": "Nome", "interests": "Interessi", - "invaliduser": "Utente non valido", + "invaliduser": "Utente non valido.", "lastname": "Cognome", "manager": "Manager", "newpicture": "Nuova immagine", diff --git a/www/core/components/user/lang/ja.json b/www/core/components/user/lang/ja.json index 848efaba470..7b191daf6d3 100644 --- a/www/core/components/user/lang/ja.json +++ b/www/core/components/user/lang/ja.json @@ -1,11 +1,11 @@ { "address": "住所", "city": "都道府県", - "contact": "連絡先", + "contact": "コンタクト", "country": "国", "description": "説明", "details": "詳細", - "email": "メールアドレス", + "email": "メール", "emailagain": "メールアドレス (もう一度)", "firstname": "名", "interests": "興味のあること", diff --git a/www/core/components/user/lang/lt.json b/www/core/components/user/lang/lt.json index e42242ef453..2f4a8565e55 100644 --- a/www/core/components/user/lang/lt.json +++ b/www/core/components/user/lang/lt.json @@ -1,17 +1,17 @@ { "address": "Adresas", "city": "Miestas / miestelis", - "contact": "Kontaktas", + "contact": "Kontaktai", "country": "Šalis", - "description": "Aprašas", + "description": "Įžangos tekstas", "details": "Detalės", "detailsnotavailable": "Šio vartotojo duomenys jums nepasiekiami.", "editingteacher": "Dėstytojas", - "email": "El. pašto adresas", + "email": "El. laiškas", "emailagain": "El. paštas (dar kartą)", "firstname": "Vardas", "interests": "Pomėgiai", - "invaliduser": "Klaidingas naudotojas", + "invaliduser": "Netinkamas vartotojas.", "lastname": "Pavardė", "manager": "Valdytojas", "newpicture": "Naujas paveikslėlis", diff --git a/www/core/components/user/lang/mr.json b/www/core/components/user/lang/mr.json index aca546a40eb..4c5ec98a04d 100644 --- a/www/core/components/user/lang/mr.json +++ b/www/core/components/user/lang/mr.json @@ -3,11 +3,11 @@ "city": "शहर/नगर्", "contact": "संपर्क साधा", "country": "देश", - "description": "प्रस्तावना", + "description": "वर्णन", "details": "तपशील", "detailsnotavailable": "या वापरकर्त्याचे तपशील आपल्यासाठी उपलब्ध नाहीत.", "editingteacher": "शिक्षक", - "email": "ई-मेल", + "email": "ई-मेल पत्ता", "emailagain": "ई-मेल(पुन्हा)", "firstname": "पहीले नाव", "interests": "आवडी", diff --git a/www/core/components/user/lang/nl.json b/www/core/components/user/lang/nl.json index 046d955bfba..0ca1abf5ab6 100644 --- a/www/core/components/user/lang/nl.json +++ b/www/core/components/user/lang/nl.json @@ -3,15 +3,15 @@ "city": "Plaats", "contact": "Contact", "country": "Land", - "description": "Inleidende tekst", + "description": "Beschrijving", "details": "Details", "detailsnotavailable": "Je kunt de details voor deze gebruiker niet bekijken.", "editingteacher": "Leraar", - "email": "E-mailadres", + "email": "E-mail", "emailagain": "E-mail (nogmaals)", "firstname": "Voornaam", "interests": "Interesses", - "invaliduser": "Ongeldige gebruiker", + "invaliduser": "Ongeldige gebuiker", "lastname": "Achternaam", "manager": "Manager", "newpicture": "Nieuwe foto", diff --git a/www/core/components/user/lang/no.json b/www/core/components/user/lang/no.json index bf772e32a73..41e5fdcc809 100644 --- a/www/core/components/user/lang/no.json +++ b/www/core/components/user/lang/no.json @@ -3,9 +3,9 @@ "city": "Sted", "contact": "Kontakt", "country": "Land", - "description": "Beskrivelse", + "description": "Informasjonsfelt", "details": "Detaljer", - "email": "E-postadresse", + "email": "Send som epost", "emailagain": "E-post (igjen)", "firstname": "Fornavn", "interests": "Interesser", diff --git a/www/core/components/user/lang/pl.json b/www/core/components/user/lang/pl.json index 36dbf206198..fdf52583dd4 100644 --- a/www/core/components/user/lang/pl.json +++ b/www/core/components/user/lang/pl.json @@ -1,11 +1,11 @@ { "address": "Adres", "city": "Miasto", - "contact": "Połącz", + "contact": "Kontakt", "country": "Kraj", - "description": "Wstęp", + "description": "Opis", "details": "Szczegóły ścieżki", - "email": "E-mail", + "email": "e-mail", "emailagain": "E-mail (jeszcze raz)", "firstname": "Imię", "interests": "Zainteresowania", diff --git a/www/core/components/user/lang/pt-br.json b/www/core/components/user/lang/pt-br.json index d65c2b3eccb..acd7aa18a73 100644 --- a/www/core/components/user/lang/pt-br.json +++ b/www/core/components/user/lang/pt-br.json @@ -3,15 +3,15 @@ "city": "Cidade/Município", "contact": "Contato", "country": "País", - "description": "Texto do link", + "description": "Descrição", "details": "Detalhes", "detailsnotavailable": "Os detalhes desse usuário não estão disponíveis para você.", "editingteacher": "Professor", - "email": "Endereço de email", + "email": "Email", "emailagain": "Confirmar endereço de e-mail", "firstname": "Nome", "interests": "Interesses", - "invaliduser": "Usuário inválido", + "invaliduser": "Usuário inválido.", "lastname": "Sobrenome", "manager": "Gerente", "newpicture": "Nova imagem", diff --git a/www/core/components/user/lang/pt.json b/www/core/components/user/lang/pt.json index dd9f07a9a2c..21a6936bf0c 100644 --- a/www/core/components/user/lang/pt.json +++ b/www/core/components/user/lang/pt.json @@ -7,7 +7,7 @@ "details": "Detalhes", "detailsnotavailable": "Não tem acesso aos detalhes deste utilizador.", "editingteacher": "Professor", - "email": "Endereço de e-mail", + "email": "E-mail", "emailagain": "E-mail (novamente)", "firstname": "Nome", "interests": "Interesses", diff --git a/www/core/components/user/lang/ro.json b/www/core/components/user/lang/ro.json index e1c0f7bd929..e3c4d91235f 100644 --- a/www/core/components/user/lang/ro.json +++ b/www/core/components/user/lang/ro.json @@ -3,22 +3,22 @@ "city": "Oraş/localitate", "contact": "Contact", "country": "Ţara", - "description": "Text introductiv", + "description": "Descriere", "details": "Detalii", "detailsnotavailable": "Detaliile acestui utilizator nu vă sunt disponibile.", "editingteacher": "Profesor", - "email": "Adresă email", + "email": "Email", "emailagain": "Email (reintroduceţi)", "firstname": "Prenume", "interests": "Interese", - "invaliduser": "Utilizator incorect", + "invaliduser": "Utilizator necunoscut.", "lastname": "Nume", "manager": "Manager", "newpicture": "Imagine nouă", "phone1": "Telefon", "phone2": "Mobil", "roles": "Roluri", - "student": "Cursant", + "student": "Student", "teacher": "Profesor asistent", "viewprofile": "Vezi profilul", "webpage": "Pagină Web" diff --git a/www/core/components/user/lang/ru.json b/www/core/components/user/lang/ru.json index a6c0773bcfa..afa7fa0c4b9 100644 --- a/www/core/components/user/lang/ru.json +++ b/www/core/components/user/lang/ru.json @@ -3,21 +3,22 @@ "city": "Город", "contact": "Контакты", "country": "Страна", - "description": "Вступление", + "description": "Описание", "details": "Подробнее", "detailsnotavailable": "Вам не доступны подробности этого пользователя", "editingteacher": "Учитель", - "email": "Адрес электронной почты", + "email": "Email", "emailagain": "Адрес электронной почты (еще раз)", "firstname": "Имя", "interests": "Интересы", - "invaliduser": "Некорректный пользователь", + "invaliduser": "Неправильный пользователь", "lastname": "Фамилия", "manager": "Управляющий", "newpicture": "Новое изображение", "phone1": "Телефон", "phone2": "Мобильный телефон", "roles": "Роли", + "sendemail": "Электронная почта", "student": "Студент", "teacher": "Учитель без права редактирования (ассистент)", "viewprofile": "Просмотр профиля", diff --git a/www/core/components/user/lang/sv.json b/www/core/components/user/lang/sv.json index 239dbb9c6af..e3c84060b70 100644 --- a/www/core/components/user/lang/sv.json +++ b/www/core/components/user/lang/sv.json @@ -3,22 +3,22 @@ "city": "Stad/ort", "contact": "Kontakt", "country": "Land", - "description": "Introduktion", + "description": "Beskrivning", "details": "Detaljer", "detailsnotavailable": "Detaljerna till denna användare är inte tillgängliga för dig.", "editingteacher": "Lärare", - "email": "E-postadress", + "email": "E-post", "emailagain": "E-post (igen)", "firstname": "Förnamn", "interests": "Intressen", - "invaliduser": "Ogiltig användare", + "invaliduser": "Ogiltig användare.", "lastname": "Efternamn", "manager": "Manager", "newpicture": "Ny bild", "phone1": "Telefon", "phone2": "Mobiltelefon", "roles": "Roller", - "student": "Student/elev/deltagare/lärande", + "student": "Student", "teacher": "Icke editerande lärare", "viewprofile": "Visa profil", "webpage": "Webbsida" diff --git a/www/core/components/user/lang/tr.json b/www/core/components/user/lang/tr.json index b4220cb1697..49ebb7e3098 100644 --- a/www/core/components/user/lang/tr.json +++ b/www/core/components/user/lang/tr.json @@ -1,16 +1,16 @@ { "address": "Adres", "city": "Şehir", - "contact": "İletişim", + "contact": "Kişi", "country": "Ülke", - "description": "Tanıtım metni", + "description": "Açıklama", "details": "Detaylar", "editingteacher": "Öğretmen", - "email": "E-posta adresi", + "email": "E-posta", "emailagain": "E-posta (tekrar)", "firstname": "Adı", "interests": "İlgi alanları", - "invaliduser": "Geçersiz kullanıcı", + "invaliduser": "Geçersiz kullanıcı.", "lastname": "Soyadı", "manager": "Yönetici", "newpicture": "Yeni resim", diff --git a/www/core/components/user/lang/uk.json b/www/core/components/user/lang/uk.json index 0e672d1bb8f..3a79d4315ef 100644 --- a/www/core/components/user/lang/uk.json +++ b/www/core/components/user/lang/uk.json @@ -3,15 +3,15 @@ "city": "Місто", "contact": "Контакт", "country": "Країна", - "description": "Текст вступу", + "description": "Опис", "details": "Деталі", "detailsnotavailable": "Деталі цього користувача вам не доступні", "editingteacher": "Вчитель", - "email": "Електронна пошта", + "email": "Ел.пошта", "emailagain": "Електронна пошта (повторно)", "firstname": "Ім'я", "interests": "Інтереси", - "invaliduser": "Неправильний користувач", + "invaliduser": "Невірний користувач.", "lastname": "Прізвище", "manager": "Менеджер", "newpicture": "Новий малюнок", diff --git a/www/core/lang/ar.json b/www/core/lang/ar.json index cb57534031d..9d2e3d61c0f 100644 --- a/www/core/lang/ar.json +++ b/www/core/lang/ar.json @@ -2,14 +2,14 @@ "allparticipants": "كل المشاركين", "areyousure": "هل انت متأكد؟", "back": "العودة", - "cancel": "إلغاء", + "cancel": "ألغي", "cannotconnect": "لا يمكن الاتصال: تحقق من أنك كتبت عنوان URL بشكل صحيح وأنك تستخدم موقع موودل 2.4 أو أحدث.", - "category": "التصنيف", + "category": "فئة", "choose": "اختر", "choosedots": "اختر...", "clicktohideshow": "انقر للطي أو التوسيع", - "close": "أغلق", - "comments": "تعليقاتك", + "close": "أغلاق النافذه", + "comments": "تعليقات", "commentscount": "التعليقات ({{$a}})", "completion-alt-auto-fail": "مكتمل (لم تحقق درحة النجاح)", "completion-alt-auto-n": "غير مكتمل", @@ -19,7 +19,7 @@ "completion-alt-manual-y": "مكتمل؛ حدد لجعل هذا العنصر غير مكتمل", "content": "المحتوى", "continue": "استمر", - "course": "المقرر الدراسي", + "course": "مقرر دراسي", "coursedetails": "تفاصيل المقرر الدراسي", "date": "تاريخ", "day": "يوم", @@ -27,12 +27,12 @@ "decsep": ".", "delete": "حذف", "deleting": "حذف", - "description": "الوصف", + "description": "نص المقدمة", "done": "تم", "download": "تحميل", "downloading": "يتم التنزيل", - "edit": "حرر", - "error": "خطاء", + "edit": "تحرير", + "error": "حصل خطاء", "errordownloading": "خطأ عن تنزيل الملف", "filename": "اسم الملف", "folder": "مجلد", @@ -44,15 +44,16 @@ "hide": "إخفاء", "hour": "ساعة", "hours": "ساعات", - "info": "معلومات", + "info": "معلومة", "labelsep": ":", "lastmodified": "آخر تعديل", "lastsync": "آخر تزامن", + "list": "قائمة", "listsep": "،", "loading": "يتم التحميل", "lostconnection": "فقدنا الاتصال تحتاج إلى إعادة الاتصال. المميز الخاص بك هو الآن غير صالح", "maxsizeandattachments": "الحجم الأقصى للملفات الجديدة: {{$a.size}}, أقصى عدد للمرفقات: {{$a.attachments}}", - "min": "الحد الأدنى", + "min": "أقل درجة", "mins": "دقائق", "mod_assign": "مهمة", "mod_assignment": "مهمة", @@ -77,14 +78,14 @@ "mod_workshop": "ورشة عمل", "moduleintro": "وصف", "mygroups": "مجموعاتي", - "name": "الاسم", + "name": "اسم", "networkerrormsg": "لم يتم تمكين الشبكة أو أنها لا تعمل.", "never": "مطلقاً", - "next": "التالي", + "next": "استمر", "no": "لا", "nocomments": "لا يوجد تعليقات", "nograde": "لا توجد درجة", - "none": "لا يوجد", + "none": "لا شئ", "nopasswordchangeforced": "لا يمكنك الاستمرار دون تغيير كلمة مرورك، لكن يبدو أنه لا يوجد صفحة متوفرة لتغييرها. رجاءً قم بالاتصال بمدير مودل.", "nopermissions": "عذراً ولكنك لا تملك حالياً الصلاحيات لتقوم بهذا ({{$a}})", "noresults": "لا توجد نتائج", @@ -100,20 +101,21 @@ "pictureof": "صورة {{$a}}", "previous": "السابق", "pulltorefresh": "اسحب للأسفل ليتم التحديث", - "refresh": "تحديث", - "required": "مفروض", + "quotausage": "حتى الآن قد استخدمت {{$a.used}} من ال {{$a.total}} المسموحه", + "refresh": "تنشيط", + "required": "مطلوب", "restore": "إسترجاع", - "save": "حفظ", + "save": "احفظ", "search": "بحث", - "searching": "بحث في", + "searching": "البحث في", "searchresults": "نتائج البحث", "sec": "ثانية", "secs": "ثواني", "seemoredetail": "اضغط هنا لترى تفاصيل أكثر", - "send": "إرسل", + "send": "إرسال", "sending": "يتم الإرسال", "serverconnection": "خطأ في الاتصال بالخادم", - "show": "اظهر", + "show": "عرض", "site": "الموقع", "sizeb": "بايتز", "sizegb": "غيغابايت", @@ -121,10 +123,10 @@ "sizemb": "ميغا بايب", "sortby": "إفرز بـ", "start": "إبداء", - "submit": "سلم", + "submit": "سلم/قدم", "success": "نجاح", "teachers": "معلمون", - "time": "وقت", + "time": "الوقت", "timesup": "انتهى الوقت!", "today": "اليوم", "unexpectederror": "خطأ غير متوقع. الرجاء الإغلاق وإعادة فتح التطبيق للمحاولة مرة أخرى", @@ -134,7 +136,7 @@ "userdeleted": "تم حذف اشتراك هذا المستخدم", "userdetails": "تفاصيل المستخدم", "users": "المستخدمون", - "view": "معاينه", + "view": "استعراض", "viewprofile": "عرض الحساب", "year": "سنة", "years": "سنوات", diff --git a/www/core/lang/bg.json b/www/core/lang/bg.json index 607dba221a7..5b8003d90f7 100644 --- a/www/core/lang/bg.json +++ b/www/core/lang/bg.json @@ -9,28 +9,28 @@ "choosedots": "Изберете...", "clearsearch": "Изчисти търсенето", "clicktohideshow": "Кликнете за да разгънете или свиете ", - "close": "Затваряне", - "comments": "Ваши коментари", + "close": "Затваряне на прозореца", + "comments": "Коментари", "commentscount": "Коментари ({{$a}})", "completion-alt-manual-n": "Не е завършена дейността: {{$a}}. Изберете я за да я отбележите за завършена.", "completion-alt-manual-y": "Завършена е дейността: {{$a}}. Изберете я за да я отбележите за незавършена.", "confirmdeletefile": "Сигурни ли сте, че искате да изтриете този файл?", "content": "Съдържание", "continue": "Продължаване", - "course": "Курсови", + "course": "Курс", "coursedetails": "Информация за курсове", "date": "Дата", "day": "ден", - "days": "дни", + "days": "Дена", "decsep": ",", "delete": "Изтриване", "deleting": "Изтриване", - "description": "Въвеждащ текст", + "description": "Описание", "done": "Извършено", "download": "Изтегляне", "downloading": "Изтегляне", "edit": "Редактиране", - "error": "Грешка", + "error": "Възникна непозната грешка!", "errordownloading": "Грешка при теглене на файл", "filename": "Име на файл", "folder": "Папка", @@ -45,11 +45,13 @@ "info": "Информация", "labelsep": ":", "lastmodified": "Последно модифициране", + "layoutgrid": "Мрежа", + "list": "Списък", "listsep": ";", "loading": "Зареждане", "lostconnection": "Изгубихме връзка и трябва да се свържете отново. Вашият ключ сега е невалиден.", "maxsizeandattachments": "Максимален размер за нови файлове: {{$a.size}}, максимален брой файлове: {{$a.attachments}}", - "min": "мин", + "min": "Най-ниска", "mins": "мин.", "mod_assign": "Задание", "mod_assignment": "Задание", @@ -81,11 +83,11 @@ "name": "Име", "networkerrormsg": "Мрежата не е разрешена или не работи", "never": "Никога", - "next": "Още", + "next": "Следващ", "no": "Не", "nocomments": "Няма коментари", - "nograde": "Без оценка", - "none": "Нищо", + "nograde": "Няма оценка.", + "none": "Няма", "nopasswordchangeforced": "Не можете да продължите без да се променили паролата, обаче няма налична страница за промяната и. Моля, свържете се с Вашия Moodle администратор.", "nopermissions": "За съжаление Вие нямате право да правите това ({{$a}})", "noresults": "Няма резултати", @@ -93,25 +95,25 @@ "notice": "Съобщене", "now": "сега", "numwords": "{{$a}} думи", - "offline": "Не се изисква предаване онлайн", + "offline": "Офлайн", "online": "Онлайн", "phone": "Телефон", "pictureof": "Снимка на {{$a}}", "previous": "Обратно", "pulltorefresh": "", "refresh": "Опресняване", - "required": "Задължително", + "required": "Задължителен", "restore": "Възстановяване", - "save": "Запазване", + "save": "Запис", "search": "Търсене", - "searching": "Търсене в", + "searching": "Търсене в ...", "searchresults": "Резултати от търсенето", "sec": "сек.", "secs": "сек.", "seemoredetail": "Щракнете тук за повече подробности", - "send": "изпращане", + "send": "Изпращане", "sending": "Изпраща се", - "show": "Да се вижда", + "show": "Показване", "site": "Сайт", "sizeb": "байта", "sizegb": "GB", @@ -120,7 +122,7 @@ "sizetb": "ТБ", "sortby": "Нареждане по", "start": "Започване", - "submit": "Изпълняване", + "submit": "Качване", "success": "Успешно", "time": "Време", "timesup": "Времето изтече!", @@ -131,7 +133,7 @@ "userdeleted": "Тази потребителска регистрация е изтрита", "userdetails": "Информация за потребителя", "users": "Потребители", - "view": "Преглед", + "view": "Изглед", "viewprofile": "Разглеждане на профила", "whoops": "Опс!", "years": "години", diff --git a/www/core/lang/ca.json b/www/core/lang/ca.json index 7f16bb87a98..2bdf6180974 100644 --- a/www/core/lang/ca.json +++ b/www/core/lang/ca.json @@ -13,7 +13,7 @@ "clearsearch": "Neteja la cerca", "clicktohideshow": "Feu clic per ampliar o reduir", "clicktoseefull": "Cliqueu per veure el contingut complet.", - "close": "Tanca", + "close": "Tanca finestra", "comments": "Comentaris", "commentscount": "Comentaris ({{$a}})", "commentsnotworking": "No s'han pogut recuperar els comentaris", @@ -36,11 +36,11 @@ "currentdevice": "Dispositiu actual", "datastoredoffline": "S'han desat les dades al dispositiu perquè no s'han pogut enviar. S'enviaran de manera automàtica més tard.", "date": "Data", - "day": "dia", - "days": "dies", + "day": "Dia (dies)", + "days": "Dies", "decsep": ",", "delete": "Suprimeix", - "deleting": "S'està suprimint", + "deleting": "S'està eliminant", "description": "Descripció", "dfdaymonthyear": "DD-MM-YYYY", "dfdayweekmonth": "ddd, D MMM", @@ -55,7 +55,7 @@ "downloading": "S'està descarregant", "edit": "Edita", "emptysplit": "Aquesta pàgina estarà buida si el panell esquerre està buit o s'està carregant.", - "error": "Error", + "error": "S'ha produït un error", "errorchangecompletion": "S'ha produït un error en carregar l'estat de la compleció. Si us plau torneu a intentar-ho.", "errordeletefile": "S'ha produït un error en eliminar el fitxer. Torneu-ho a provar més tard.", "errordownloading": "S'ha produït un error en baixar el fitxer.", @@ -84,19 +84,21 @@ "hour": "hora", "hours": "hores", "humanreadablesize": "{{size}} {{unit}}", - "image": "Imatge ({{$a.MIMETYPE2}})", + "image": "Imatge", "imageviewer": "Visor d'imatges", - "info": "Info", + "info": "Informació", "ios": "iOS", "labelsep": ":", "lastmodified": "Darrera modificació", "lastsync": "Darrera sincronització.", + "layoutgrid": "Graella", + "list": "Llista", "listsep": ";", - "loading": "S'està carregant", + "loading": "S'està carregant...", "loadmore": "Carrega'n més", "lostconnection": "S'ha perdut la connexió. Necessita tornar a connectar. El testimoni ja no és vàlid.", "maxsizeandattachments": "Mida màxima dels fitxers nous: {{$a.size}}, màxim d'adjuncions: {{$a.attachments}}", - "min": "minut", + "min": "Puntuació mínima", "mins": "minuts", "mod_assign": "Tasca", "mod_assignment": "Tasca", @@ -126,23 +128,23 @@ "mod_workshop": "Taller", "moduleintro": "Descripció", "mygroups": "Els meus grups", - "name": "Nom", + "name": "Nombre", "networkerrormsg": "La connexió a la xarxa no està habilitada o no funciona.", "never": "Mai", - "next": "Següent", + "next": "Continua", "no": "No", - "nocomments": "Sense comentaris", - "nograde": "Sense qualificació", + "nocomments": "No hi ha comentaris", + "nograde": "No hi ha qualificació.", "none": "Cap", - "nopasswordchangeforced": "No podeu continuar sense canviar la contrasenya, però no està disponible cap pàgina on pugueu canviar-la. Contacteu amb l'administració del vostre Moodle.", + "nopasswordchangeforced": "No podeu continuar sense canviar la contrasenya.", "nopermissions": "Actualment no teniu permisos per a fer això ({{$a}})", - "noresults": "Sense resultats", + "noresults": "No hi ha cap resultat", "notapplicable": "n/a", "notice": "Avís", "notsent": "No enviat", "now": "ara", "numwords": "{{$a}} paraules", - "offline": "Fora de línia", + "offline": "No es requereix cap tramesa en línia", "online": "En línia", "openfullimage": "Feu clic per veure la imatge a tamany complert", "openinbrowser": "Obre-ho al navegador", @@ -156,21 +158,21 @@ "pulltorefresh": "Estira per actualitzar", "redirectingtosite": "Sereu redireccionats al lloc web.", "refresh": "Refresca", - "required": "Necessari", + "required": "Requerit", "requireduserdatamissing": "En aquest perfil d'usuari hi manquen dades requerides. Si us plau ompliu aquestes dades i torneu a intentar-ho.
      {{$a}}", "restore": "Restaura", "retry": "Reintenta", "save": "Desa", - "search": "Cerca...", - "searching": "Cerca a", + "search": "Cerca", + "searching": "S'està cercant", "searchresults": "Resultats de la cerca", "sec": "segon", "secs": "segons", "seemoredetail": "Feu clic aquí per veure més detalls", - "send": "envia", + "send": "Envia", "sending": "S'està enviant", "serverconnection": "S'ha produït un error de connexió amb el servidor", - "show": "Mostrar", + "show": "Mostra", "showmore": "Mostra'n més...", "site": "Lloc", "sitemaintenance": "S'estan executant tasques de manteniment i el lloc no està disponible", @@ -182,12 +184,12 @@ "sorry": "Ho sentim...", "sortby": "Ordena per", "start": "Inicia", - "submit": "Tramet", + "submit": "Envia", "success": "Èxit", "tablet": "Tablet", "teachers": "Professors", "thereisdatatosync": "Hi ha {{$a}} fora de línia per sincronitzar.", - "time": "Hora", + "time": "Temps", "timesup": "Temps esgotat", "today": "Avui", "tryagain": "Torna-ho a provar", @@ -202,15 +204,16 @@ "upgraderunning": "El lloc s'està actualitzant. Proveu-ho més tard.", "userdeleted": "S'ha suprimit aquest compte d'usuari", "userdetails": "Més dades de l'usuari", + "usernotfullysetup": "La configuració de l'usuari no s'ha completat", "users": "Usuaris", - "view": "Visualització", + "view": "Mostra", "viewprofile": "Mostra el perfil", "warningofflinedatadeleted": "Les dades fora de línia de {{component}} «{{name}}» s'han eliminat. {{error}}", "whoops": "Ui!", "whyisthishappening": "I això per què passa?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "La funció de webservice no està disponible.", - "year": "any", + "year": "Any(s)", "years": "anys", "yes": "Sí" } \ No newline at end of file diff --git a/www/core/lang/cs.json b/www/core/lang/cs.json index 0e192c8fe0c..5af1d85b462 100644 --- a/www/core/lang/cs.json +++ b/www/core/lang/cs.json @@ -4,7 +4,7 @@ "android": "Android", "areyousure": "Opravdu?", "back": "Zpět", - "cancel": "Přerušit", + "cancel": "Zrušit", "cannotconnect": "Nelze se připojit: Ověřte, zda je zadali správně adresu URL a že používáte Moodle 2.4 nebo novější.", "cannotdownloadfiles": "Stahování souborů je vypnuto v Mobilních službách webu. Prosím, obraťte se na správce webu.", "captureaudio": "Nahrát zvuk", @@ -17,8 +17,8 @@ "clearsearch": "Vymazat vyhledávání", "clicktohideshow": "Klikněte pro rozbalení nebo sbalení", "clicktoseefull": "Kliknutím zobrazit celý obsah.", - "close": "Zavřít", - "comments": "Váš komentář", + "close": "Zavřít okno", + "comments": "Komentáře", "commentscount": "Komentáře ({{$a}})", "commentsnotworking": "Komentáře nemohou být obnoveny", "completion-alt-auto-fail": "Dokončeno: {{$a}} (nebylo dosaženo požadované známky)", @@ -44,13 +44,14 @@ "currentdevice": "Aktuální zařízení", "datastoredoffline": "Data byla uložena na zařízení, protože nemohla být odeslána. Budou odeslána automaticky později.", "date": "Datum", - "day": "den", - "days": "dnů", + "day": "Dnů", + "days": "Dnů", "decsep": ",", "defaultvalue": "Výchozí ({{$a}})", "delete": "Odstranit", + "deletedoffline": "Odstraněno offline", "deleting": "Odstraňování", - "description": "Úvodní text", + "description": "Popis", "dfdaymonthyear": "MM-DD-YYYY", "dfdayweekmonth": "ddd, D MMM", "dffulldate": "dddd, D MMMM YYYY h[:]mm A", @@ -64,7 +65,7 @@ "downloading": "Stahování", "edit": "Upravit", "emptysplit": "Pokud je levý panel prázdný nebo se nahrává, zobrazí se tato stránka prázdná.", - "error": "Chyba", + "error": "Vyskytla se chyba", "errorchangecompletion": "Při změně stavu dokončení došlo k chybě. Prosím zkuste to znovu.", "errordeletefile": "Chyba při odstraňování souboru. Prosím zkuste to znovu.", "errordownloading": "Chyba při stahování souboru", @@ -88,25 +89,27 @@ "groupsseparate": "Oddělené skupiny", "groupsvisible": "Viditelné skupiny", "hasdatatosync": "{{$a}} má offline data, která mají být synchronizována.", - "help": "Nápověda", + "help": "Pomoc", "hide": "Skrýt", "hour": "hodina", "hours": "hodin", "humanreadablesize": "{{size}} {{unit}}", - "image": "Obrázek ({{$a.MIMETYPE2}})", + "image": "Obrázek", "imageviewer": "Prohlížeč obrázků", - "info": "Info", + "info": "Informace", "ios": "iOS", "labelsep": ": ", "lastdownloaded": "Poslední stažení", "lastmodified": "Naposledy změněno", "lastsync": "Poslední synchronizace", + "layoutgrid": "Mřížka", + "list": "Seznam", "listsep": ";", - "loading": "Nahrávání", + "loading": "Načítání...", "loadmore": "Načíst další", - "lostconnection": "Ztratili jsme spojení, potřebujete se znovu připojit. Váš token je nyní neplatný", + "lostconnection": "Váš token je neplatný nebo vypršel. Budete se muset znovu připojit k webu.", "maxsizeandattachments": "Maximální velikost nových souborů: {{$a.size}}, maximální přílohy: {{$a.attachments}}", - "min": "min.", + "min": "Minimální skóre", "mins": "min.", "mod_assign": "Úkol", "mod_assignment": "Úkol", @@ -136,23 +139,23 @@ "mod_workshop": "Workshop", "moduleintro": "Popis", "mygroups": "Moje skupiny", - "name": "Název", + "name": "Jméno", "networkerrormsg": "Při připojování k webu došlo k problému. Zkontrolujte připojení a zkuste to znovu.", "never": "Nikdy", - "next": "Další", + "next": "Pokračovat", "no": "Ne", - "nocomments": "Bez komentářů", - "nograde": "Bez známky", - "none": "Žádný", - "nopasswordchangeforced": "Nemůžete pokračovat dál bez změny hesla, ale stránka pro jeho změnu není k dispozici. Kontaktujte správce Vašeho eLearningu Moodle.", + "nocomments": "Nejsou žádné komentáře", + "nograde": "Žádné hodnocení.", + "none": "Nic", + "nopasswordchangeforced": "Nelze pokračovat beze změny hesla.", "nopermissions": "Je mi líto, ale momentálně nemáte oprávnění vykonat tuto operaci ({{$a}})", - "noresults": "Žádné výsledky", + "noresults": "Bez výsledků", "notapplicable": "n/a", "notice": "Poznámka", "notsent": "Neodesláno", "now": "nyní", "numwords": "{{$a}} slov", - "offline": "Nejsou požadovány odpovědi online", + "offline": "Offline", "online": "Online", "openfullimage": "Zde klikněte pro zobrazení obrázku v plné velikosti", "openinbrowser": "Otevřít v prohlížeči", @@ -167,24 +170,24 @@ "quotausage": "Právě jste použili {{$a.used}} z vašeho {{$a.total}} limitu.", "redirectingtosite": "Budete přesměrováni na web.", "refresh": "Obnovit", - "required": "Povinné", + "required": "Vyžadováno", "requireduserdatamissing": "Tento uživatel nemá některá požadovaná data v profilu. Prosím, vyplňte tato data v systému Moodle a zkuste to znovu.
      {{$a}}", "restore": "Obnovit", "retry": "Opakovat", "save": "Uložit", - "search": "Hledat", - "searching": "Hledat v", + "search": "Vyhledat", + "searching": "Hledání", "searchresults": "Výsledky hledání", "sec": "sek.", "secs": "sekund", "seemoredetail": "Více podrobností...", - "send": "odeslat", - "sending": "Odesílání", + "send": "Odeslat", + "sending": "Odeslání", "serverconnection": "Chyba spojení se serverem", - "show": "Zobrazit", + "show": "Ukázat", "showmore": "Zobrazit více...", "site": "Stránky", - "sitemaintenance": "Na webu probíhá údržba a aktuálně není k dispozici", + "sitemaintenance": "Na webu probíhá údržba a aktuálně není k dispozici.", "sizeb": "bytů", "sizegb": "GB", "sizekb": "KB", @@ -204,7 +207,7 @@ "tryagain": "Zkuste znovu", "twoparagraphs": "{{p1}}

      {{p2}}", "uhoh": "Upozornění!", - "unexpectederror": "Neočekávaná chyba. Zavřete a znovu otevřete aplikaci a zkuste to znovu, prosím", + "unexpectederror": "Neočekávaná chyba. Zavřete a znovu otevřete aplikaci a zkuste to znovu, prosím.", "unicodenotsupported": "Některá emojis nejsou na tomto webu podporována. Takové znaky budou při odeslání zprávy odstraněny.", "unicodenotsupportedcleanerror": "Při čištění Unicode znaků byl nalezen prázdný text.", "unknown": "Neznámý", @@ -215,14 +218,14 @@ "userdetails": "Detaily uživatele", "usernotfullysetup": "Uživatel není plně nastaven", "users": "Uživatelé", - "view": "Zobrazit", + "view": "Zobrazení", "viewprofile": "Zobrazit profil", "warningofflinedatadeleted": "Offline data z {{component}} \"{{name}}\" byla odstraněna. {{error}}", "whoops": "Upozornění!", "whyisthishappening": "Proč se to děje?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "Funkce webových služeb není k dispozici.", - "year": "rok", + "year": "Rok(y)", "years": "roky", "yes": "Ano" } \ No newline at end of file diff --git a/www/core/lang/da.json b/www/core/lang/da.json index cae175a5f28..d14a1e1b594 100644 --- a/www/core/lang/da.json +++ b/www/core/lang/da.json @@ -18,14 +18,18 @@ "clicktohideshow": "Klik for at udvide eller folde sammen", "clicktoseefull": "Klik for at se alt indhold.", "close": "Luk", - "comments": "Dine kommentarer", + "comments": "Kommentarer", "commentscount": "Kommentarer ({{$a}})", "completion-alt-auto-fail": "Gennemført: {{$a}} (opnåede ikke beståelseskarakter)", "completion-alt-auto-n": "Ikke gennemført: {{$a}}", + "completion-alt-auto-n-override": "Ikke fuldført: {{$a.modname}} (set by {{$a.overrideuser}})", "completion-alt-auto-pass": "Gennemført: {{$a}} (opnåede beståelseskarakter)", "completion-alt-auto-y": "Gennemført: {{$a}}", + "completion-alt-auto-y-override": "Fuldført: {{$a.modname}} (set by {{$a.overrideuser}})", "completion-alt-manual-n": "Ikke gennemført: {{$a}}. Vælg for at markere som gennemført.", + "completion-alt-manual-n-override": "Ikke fuldført: {{$a.modname}} (set by {{$a.overrideuser}}). Vælg til markering som fuldført.", "completion-alt-manual-y": "Gennemført: {{$a}}. Vælg for at markere som ikke gennemført.", + "completion-alt-manual-y-override": "Fuldført: {{$a.modname}} (set by {{$a.overrideuser}}). Vælg til markering som ikke fuldført.", "confirmcanceledit": "Er du sikker på at du vil forlade denne side? Alle ændringer vil gå tabt.", "confirmdeletefile": "Er du sikker på at du vil slette denne fil?", "confirmloss": "Er du sikker? Alle ændringer vil gå tabt.", @@ -38,12 +42,12 @@ "coursedetails": "Kursusdetaljer", "datastoredoffline": "Der blev gemt data på enheden da det ikke kunne sendes. Det vil blive sendt senere.", "date": "Dato", - "day": "dag", - "days": "dage", + "day": "Dag(e)", + "days": "Dage", "decsep": ",", "delete": "Slet", "deleting": "Sletter", - "description": "Introduktionstekst", + "description": "Beskrivelse", "dfdaymonthyear": "DD-MM-YYY", "dfdayweekmonth": "ddd D. MMM", "dffulldate": "dddd D. MMMM YYYY h[:]mm", @@ -53,7 +57,7 @@ "downloading": "Downloader", "edit": "Rediger", "emptysplit": "Denne side vil blive vist uden indhold hvis det venstre panel er tomt eller ikke bliver indlæst.", - "error": "Fejl", + "error": "Fejl opstået", "errorchangecompletion": "En fejl opstod under ændring af gennemførelsesstatus. Prøv igen.", "errordeletefile": "Fejl ved sletning af filen. Prøv igen.", "errordownloading": "Fejl ved download af fil.", @@ -76,20 +80,21 @@ "hour": "time", "hours": "timer", "humanreadablesize": "{{size}} {{unit}}", - "image": "Billede ({{$a.MIMETYPE2}})", + "image": "Billede", "imageviewer": "Billedfremviser", - "info": "Info", + "info": "Information", "ios": "iOS", "labelsep": ":", "lastdownloaded": "Sidst downloadet", - "lastmodified": "Senest ændret", + "lastmodified": "Sidst ændret", "lastsync": "Sidst synkroniseret", + "list": "Liste", "listsep": ";", - "loading": "Indlæser", + "loading": "Indlæser...", "loadmore": "Indlæs mere", "lostconnection": "Din godkendelse er ugyldig eller udløbet, så du skal genoprette forbindelsen til webstedet.", "maxsizeandattachments": "Maksimal størrelse på nye filer: {{$a.size}}, højeste antal bilag: {{$a.attachments}}", - "min": "min.", + "min": "Minimum point", "mins": "min.", "mod_assign": "Opgave", "mod_assignment": "Opgave", @@ -122,12 +127,12 @@ "name": "Navn", "networkerrormsg": "Der var problemer med at tilslutte til webstedet. Tjek din forbindelse og prøv igen.", "never": "Aldrig", - "next": "Næste", + "next": "Fortsæt", "no": "Nej", - "nocomments": "Ingen kommentarer", - "nograde": "Ingen karakter", + "nocomments": "Der er ingen kommentarer", + "nograde": "Ingen bedømmelse.", "none": "Ingen", - "nopasswordchangeforced": "Du kan ikke fortsætte uden at ændre din adgangskode, men der er ingen tilgængelig side at ændre den på. Kontakt din Moodleadministrator.", + "nopasswordchangeforced": "Du kan ikke fortsætte uden at ændre din adgangskode.", "nopermissions": "Beklager, men dette ({{$a}}) har du ikke tilladelse til.", "noresults": "Ingen resultater", "notapplicable": "n/a", @@ -135,7 +140,7 @@ "notsent": "Ikke sendt", "now": "nu", "numwords": "{{$a}} ord", - "offline": "Der kræves ikke online-aflevering", + "offline": "Offline", "online": "Online", "openfullimage": "Klik her for at vise billedet i fuld størrelse.", "openinbrowser": "Åben i browser", @@ -147,20 +152,21 @@ "pictureof": "Billede af {{$a}}", "previous": "Forrige", "pulltorefresh": "Træk for at opdatere", + "quotausage": "Du har nu brugt {{$a.used}} af din grænse på {{$a.total}}.", "redirectingtosite": "Du bliver videresendt til siden", "refresh": "Genindlæs", - "required": "Krævet", + "required": "Påkrævet", "requireduserdatamissing": "Denne bruger mangler nogle krævede profildata. Udfyld venligst de manglende data i din Moodle og prøv igen.
      {{$a}}", "restore": "Gendan", "retry": "Prøv igen", "save": "Gem", - "search": "Søg...", - "searching": "Søg i", + "search": "Søg", + "searching": "Søger", "searchresults": "Søgeresultater", "sec": "sekunder", "secs": "sekunder", "seemoredetail": "Klik her for flere oplysninger", - "send": "send", + "send": "Send", "sending": "Sender", "serverconnection": "Fejl ved forbindelse til server", "show": "Vis", @@ -175,12 +181,12 @@ "sorry": "Beklager...", "sortby": "Sorter efter", "start": "Start", - "submit": "Gem", + "submit": "Send", "success": "Succes", "tablet": "Tablet", "teachers": "Lærere", "thereisdatatosync": "Der er {{$a}} offline der skal synkroniseres.", - "time": "Tidspunkt", + "time": "Tid", "timesup": "Tiden er gået!", "today": "I dag", "tryagain": "Prøv igen", @@ -201,7 +207,7 @@ "whyisthishappening": "Hvorfor sker dette?", "windowsphone": "Windowstelefon", "wsfunctionnotavailable": "Denne webservicefunktion er ikke tilgængelig.", - "year": "år", + "year": "År", "years": "år", "yes": "Ja" } \ No newline at end of file diff --git a/www/core/lang/de-du.json b/www/core/lang/de-du.json index df24b40d0cb..957f51be75a 100644 --- a/www/core/lang/de-du.json +++ b/www/core/lang/de-du.json @@ -11,14 +11,14 @@ "capturedimage": "Foto aufgenommen", "captureimage": "Foto aufnehmen", "capturevideo": "Video aufnehmen", - "category": "Kursbereich", + "category": "Kategorie", "choose": "Auswahl", "choosedots": "Auswählen...", "clearsearch": "Suche löschen", "clicktohideshow": "Zum Erweitern oder Zusammenfassen klicken", "clicktoseefull": "Tippe zum Anzeigen aller Inhalte", - "close": "Schließen", - "comments": "Kommentare", + "close": "Fenster schließen", + "comments": "Ihr Feedback", "commentscount": "Kommentare ({{$a}})", "commentsnotworking": "Kommentare können nicht abgerufen werden.", "completion-alt-auto-fail": "Abgeschlossen: {{$a}} (ohne Erfolg)", @@ -37,19 +37,19 @@ "confirmopeninbrowser": "Möchtest du dies im Webbrowser öffnen?", "content": "Inhalt", "contenteditingsynced": "Der Inhalt, den du gerade bearbeitest, wurde synchronisiert.", - "continue": "Weiter", + "continue": "Fortsetzen", "copiedtoclipboard": "Text in die Zwischenablage kopiert", "course": "Kurs", "coursedetails": "Kursdetails", "currentdevice": "Aktuelles Gerät", "datastoredoffline": "Die Daten würden auf dem mobilen Gerät gespeichert, weil sie nicht gesendet werden konnten. Sie werden automatisch später gesendet.", "date": "Datum", - "day": "Tag", + "day": "Tag(e)", "days": "Tage", "decsep": ",", "delete": "Löschen", "deletedoffline": "Offline gelöscht", - "deleting": "Lösche", + "deleting": "Löschen ...", "description": "Beschreibung", "dfdaymonthyear": "DD.MM.YYYY", "dfdayweekmonth": "ddd, D. MMM", @@ -64,7 +64,7 @@ "downloading": "Herunterladen ...", "edit": "Bearbeiten", "emptysplit": "Das Seitenmenü ist leer oder wird noch geladen ...", - "error": "Fehler", + "error": "Fehler aufgetreten", "errorchangecompletion": "Fehler beim Ändern des Abschlussstatus. Versuche es noch einmal.", "errordeletefile": "Fehler beim Löschen der Datei. Versuche es noch einmal.", "errordownloading": "Fehler beim Laden der Datei", @@ -93,20 +93,22 @@ "hour": "Stunde", "hours": "Stunden", "humanreadablesize": "{{size}} {{unit}}", - "image": "Bilddatei ({{$a.MIMETYPE2}})", + "image": "Bild", "imageviewer": "Bildanzeige", - "info": "Information", + "info": "Info", "ios": "iOS", "labelsep": ":", "lastdownloaded": "Zuletzt heruntergeladen", "lastmodified": "Zuletzt geändert", "lastsync": "Zuletzt synchronisiert", + "layoutgrid": "Horizontal", + "list": "Auflisten", "listsep": ";", - "loading": "Wird geladen", + "loading": "Wird geladen...", "loadmore": "Mehr laden", "lostconnection": "Die Authentifizierung ist abgelaufen oder ungültig. Du musst dich neu anmelden.", "maxsizeandattachments": "Maximale Größe für neue Dateien: {{$a.size}}, Maximale Zahl von Anhängen: {{$a.attachments}}", - "min": "Minute", + "min": "Niedrigste Punktzahl", "mins": "Minuten", "mod_assign": "Aufgabe", "mod_chat": "Chat", @@ -128,10 +130,10 @@ "never": "Nie", "next": "Weiter", "no": "Nein", - "nocomments": "Noch keine Kommentare", - "nograde": "Keine Bewertung", - "none": "Keine", - "nopasswordchangeforced": "Ohne die Änderung des Kennworts können Sie nicht weitermachen. Falls die Seite zur Änderung des Kennworts nicht verfügbar ist, wenden Sie sich an den Administrator der Website.", + "nocomments": "Keine Kommentare", + "nograde": "Keine Bewertung.", + "none": "Kein", + "nopasswordchangeforced": "Du kannst nicht weitermachen, ohne das Kennwort zu ändern.", "nopermissions": "Entschuldigung, aber du besitzt derzeit keine Rechte, dies zu tun ({{$a}}).", "noresults": "Keine Ergebnisse", "notapplicable": "n/a", @@ -139,7 +141,7 @@ "notsent": "Nicht gesendet", "now": "jetzt", "numwords": "{{$a}} Wörter", - "offline": "Offline", + "offline": "Keine Online-Abgabe notwendig", "online": "Online", "openfullimage": "Tippe, um das Bild in voller Größe anzuzeigen", "openinbrowser": "Im Browser öffnen", @@ -153,22 +155,22 @@ "pulltorefresh": "Zum Aktualisieren runterziehen", "quotausage": "Aktuell sind {{$a.used}} vom möglichen Speicher {{$a.total}} belegt.", "redirectingtosite": "Du wirst zur Website weitergeleitet.", - "refresh": "Aktualisieren", - "required": "Notwendig", + "refresh": "Neu laden", + "required": "Erforderlich", "requireduserdatamissing": "Im Nutzerprofil fehlen notwendige Einträge. Fülle die Daten in der Website aus und versuche es noch einmal.
      {{$a}}", "restore": "Wiederherstellen", "retry": "Neu versuchen", - "save": "Sichern", - "search": "Suchen", - "searching": "Suche in ...", + "save": "Speichern", + "search": "Suche", + "searching": "Suchen", "searchresults": "Suchergebnisse", "sec": "Sekunde", "secs": "Sekunden", "seemoredetail": "Klicke hier, um weitere Details sichtbar zu machen", "send": "Senden", - "sending": "wird gesendet", + "sending": "Senden", "serverconnection": "Fehler beim Verbinden zum Server", - "show": "Anzeigen", + "show": "Zeigen", "showmore": "Mehr anzeigen ...", "site": "Website", "sitemaintenance": "Wartungsmodus: Die Website ist im Moment nicht erreichbar!", @@ -180,7 +182,7 @@ "sorry": "Sorry ...", "sortby": "Sortiert nach", "start": "Start", - "submit": "Speichern", + "submit": "Übertragen", "success": "erfolgreich", "tablet": "Tablet", "teachers": "Trainer/innen", @@ -202,14 +204,14 @@ "userdetails": "Mehr Details", "usernotfullysetup": "Nutzerkonto unvollständig", "users": "Nutzer/innen", - "view": "Zum Kurs", + "view": "Anzeigen", "viewprofile": "Profil anzeigen", "warningofflinedatadeleted": "Die Offline-Daten von {{component}} '{{name}}' wurden gelöscht. {{error}}", "whoops": "Uuups!", "whyisthishappening": "Warum passiert dies?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "Die Webservice-Funktion ist nicht verfügbar.", - "year": "Jahr", + "year": "Jahr(e)", "years": "Jahre", "yes": "Ja" } \ No newline at end of file diff --git a/www/core/lang/de.json b/www/core/lang/de.json index f28a2d6794f..9ae6bfcbcf4 100644 --- a/www/core/lang/de.json +++ b/www/core/lang/de.json @@ -11,14 +11,14 @@ "capturedimage": "Foto aufgenommen", "captureimage": "Foto aufnehmen", "capturevideo": "Video aufnehmen", - "category": "Kategorie", + "category": "Kursbereich", "choose": "Auswahl", "choosedots": "Auswählen...", "clearsearch": "Suche löschen", "clicktohideshow": "Zum Erweitern oder Zusammenfassen klicken", "clicktoseefull": "Tippen zum Anzeigen aller Inhalte", - "close": "Schließen", - "comments": "Ihr Feedback", + "close": "Fenster schließen", + "comments": "Kommentare", "commentscount": "Kommentare ({{$a}})", "commentsnotworking": "Kommentare können nicht abgerufen werden.", "completion-alt-auto-fail": "Abgeschlossen: {{$a}} (ohne Erfolg)", @@ -37,20 +37,20 @@ "confirmopeninbrowser": "Möchten Sie dies im Webbrowser öffnen?", "content": "Inhalt", "contenteditingsynced": "Der Inhalt, den Sie gerade bearbeiten, wurde synchronisiert.", - "continue": "Weiter", + "continue": "Fortsetzen", "copiedtoclipboard": "Text in die Zwischenablage kopiert", "course": "Kurs", "coursedetails": "Kursdetails", "currentdevice": "Aktuelles Gerät", "datastoredoffline": "Die Daten würden auf dem mobilen Gerät gespeichert, weil sie nicht gesendet werden konnten. Sie werden automatisch später gesendet.", "date": "Datum", - "day": "Tag", + "day": "Tag(e)", "days": "Tage", "decsep": ",", "defaultvalue": "Standard ({{$a}})", "delete": "Löschen", "deletedoffline": "Offline gelöscht", - "deleting": "Lösche", + "deleting": "Löschen ...", "description": "Beschreibung", "dfdaymonthyear": "DD.MM.YYYY", "dfdayweekmonth": "ddd, D. MMM", @@ -65,7 +65,7 @@ "downloading": "Herunterladen ...", "edit": "Bearbeiten", "emptysplit": "Das Seitenmenü ist leer oder wird noch geladen ...", - "error": "Fehler", + "error": "Fehler aufgetreten", "errorchangecompletion": "Fehler beim Ändern des Abschlussstatus. Versuchen Sie es noch einmal.", "errordeletefile": "Fehler beim Löschen der Datei. Versuchen Sie es noch einmal.", "errordownloading": "Fehler beim Laden der Datei", @@ -94,20 +94,22 @@ "hour": "Stunde", "hours": "Stunden", "humanreadablesize": "{{size}} {{unit}}", - "image": "Bilddatei ({{$a.MIMETYPE2}})", + "image": "Bild", "imageviewer": "Bildanzeige", - "info": "Information", + "info": "Info", "ios": "iOS", "labelsep": ": ", "lastdownloaded": "Zuletzt heruntergeladen", "lastmodified": "Zuletzt geändert", "lastsync": "Zuletzt synchronisiert", + "layoutgrid": "Horizontal", + "list": "Auflisten", "listsep": ";", - "loading": "Wird geladen", + "loading": "Wird geladen...", "loadmore": "Mehr laden", "lostconnection": "Die Authentifizierung ist abgelaufen oder ungültig. Sie müssen sich neu anmelden.", "maxsizeandattachments": "Maximale Größe für neue Dateien: {{$a.size}}, Maximale Zahl von Anhängen: {{$a.attachments}}", - "min": "Minute", + "min": "Niedrigste Punktzahl", "mins": "Minuten", "mod_assign": "Aufgabe", "mod_assignment": "Aufgabe", @@ -142,10 +144,10 @@ "never": "Nie", "next": "Weiter", "no": "Nein", - "nocomments": "Noch keine Kommentare", - "nograde": "Keine Bewertung", - "none": "Keine", - "nopasswordchangeforced": "Ohne die Änderung des Kennworts können Sie nicht weitermachen. Falls die Seite zur Änderung des Kennworts nicht verfügbar ist, wenden Sie sich an den Administrator der Website.", + "nocomments": "Keine Kommentare", + "nograde": "Keine Bewertung.", + "none": "Kein", + "nopasswordchangeforced": "Sie können nicht weitermachen, ohne das Kennwort zu ändern.", "nopermissions": "Sie besitzen derzeit keine Rechte, dies zu tun ({{$a}}).", "noresults": "Keine Ergebnisse", "notapplicable": "n/a", @@ -153,7 +155,7 @@ "notsent": "Nicht gesendet", "now": "jetzt", "numwords": "{{$a}} Wörter", - "offline": "Offline", + "offline": "Keine Online-Abgabe notwendig", "online": "Online", "openfullimage": "Tippen, um das Bild in voller Größe anzuzeigen", "openinbrowser": "Im Browser öffnen", @@ -167,22 +169,22 @@ "pulltorefresh": "Zum Aktualisieren runterziehen", "quotausage": "Aktuell sind {{$a.used}} vom möglichen Speicher {{$a.total}} belegt.", "redirectingtosite": "Sie werden zur Website weitergeleitet.", - "refresh": "Aktualisieren", - "required": "Notwendig", + "refresh": "Neu laden", + "required": "Erforderlich", "requireduserdatamissing": "Im Nutzerprofil fehlen notwendige Einträge. Füllen Sie die Daten in der Website aus und versuchen Sie es noch einmal.
      {{$a}}", "restore": "Wiederherstellen", "retry": "Neu versuchen", - "save": "Speichern", - "search": "Suchen", - "searching": "Suche in ...", + "save": "Sichern", + "search": "Suche", + "searching": "Suchen", "searchresults": "Suchergebnisse", "sec": "Sekunde", "secs": "Sekunden", "seemoredetail": "Hier klicken, um weitere Details sichtbar zu machen", "send": "Senden", - "sending": "wird gesendet", + "sending": "Senden", "serverconnection": "Fehler beim Verbinden zum Server", - "show": "Anzeigen", + "show": "Zeigen", "showmore": "Mehr anzeigen ...", "site": "Website", "sitemaintenance": "Wartungsmodus: Die Website ist im Moment nicht erreichbar!", @@ -194,7 +196,7 @@ "sorry": "Sorry ...", "sortby": "Sortiert nach", "start": "Start", - "submit": "Speichern", + "submit": "Übertragen", "success": "erfolgreich", "tablet": "Tablet", "teachers": "Trainer/innen", @@ -216,14 +218,14 @@ "userdetails": "Mehr Details", "usernotfullysetup": "Nutzerkonto unvollständig", "users": "Nutzer/innen", - "view": "Zum Kurs", + "view": "Anzeigen", "viewprofile": "Profil anzeigen", "warningofflinedatadeleted": "Die Offline-Daten von {{component}} '{{name}}' wurden gelöscht. {{error}}", "whoops": "Uuups!", "whyisthishappening": "Warum passiert dies?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "Die Webservice-Funktion ist nicht verfügbar.", - "year": "Jahr", + "year": "Jahr(e)", "years": "Jahre", "yes": "Ja" } \ No newline at end of file diff --git a/www/core/lang/el.json b/www/core/lang/el.json index 23e7532a8cb..4fe98be6a1c 100644 --- a/www/core/lang/el.json +++ b/www/core/lang/el.json @@ -4,17 +4,17 @@ "android": "Android", "areyousure": "Είστε σίγουρος ;", "back": "Πίσω", - "cancel": "Άκυρο", + "cancel": "Ακύρωση", "cannotconnect": "Δεν είναι δυνατή η σύνδεση: Βεβαιωθείτε ότι έχετε πληκτρολογήσει σωστά τη διεύθυνση URL και ότι το site σας χρησιμοποιεί το Moodle 2.4 ή νεότερη έκδοση.", "cannotdownloadfiles": "Το κατέβασμα αρχείων είναι απενεργοποιημένο. Παρακαλώ, επικοινωνήστε με το διαχειριστή του site σας.", - "category": "Τμήμα", + "category": "Κατηγορία", "choose": "Επιλέξτε", "choosedots": "Επιλέξτε...", "clearsearch": "Καθαρισμός αναζήτησης", "clicktohideshow": "Πατήστε για επέκταση ή κατάρρευση", "clicktoseefull": "Κάντε κλικ για να δείτε το πλήρες περιεχόμενο.", - "close": "Κλείσιμο", - "comments": "Τα σχόλιά σας", + "close": "Κλείσιμο παραθύρου", + "comments": "Σχόλια", "commentscount": "Σχόλια ({{$a}})", "commentsnotworking": "Τα σχόλια δεν μπορούν να ανακτηθούν", "completion-alt-auto-fail": "Ολοκληρωμένο (με βαθμό κάτω της βάσης)", @@ -37,11 +37,11 @@ "datastoredoffline": "Τα δεδομένα αποθηκεύονται στη συσκευή, διότι δεν μπορούν να σταλούν. Θα αποσταλούν αυτόματα αργότερα.", "date": "Ημερομηνία", "day": "ημέρα", - "days": "ημέρες", + "days": "Ημέρες", "decsep": ",", "delete": "Διαγραφή", - "deleting": "Διαγραφή", - "description": "Κείμενο εισαγωγής", + "deleting": "Γίνεται διαγραφή", + "description": "Περιγραφή", "dfdaymonthyear": "MM-DD-YYYY", "dfdayweekmonth": "ddd, D MMM", "dffulldate": "dddd, D MMMM YYYY h[:]mm A", @@ -53,9 +53,9 @@ "done": "Ολοκληρώθηκε", "download": "Μεταφόρτωση", "downloading": "Κατέβασμα", - "edit": "Edit", + "edit": "Επεξεργασία ", "emptysplit": "Αυτή η σελίδα θα εμφανιστεί κενή, εάν ο αριστερός πίνακας είναι κενός ή φορτώνεται.", - "error": "Σφάλμα", + "error": "Συνέβη κάποιο σφάλμα", "errorchangecompletion": "Παρουσιάστηκε σφάλμα κατά την αλλαγή της κατάστασης ολοκλήρωσης. Παρακαλώ προσπαθήστε ξανά.", "errordeletefile": "Σφάλμα κατά τη διαγραφή του αρχείου. Παρακαλώ προσπαθήστε ξανά.", "errordownloading": "Σφάλμα στο κατέβασμα του αρχείου.", @@ -90,12 +90,14 @@ "ios": "iOS", "lastmodified": "Τελευταία τροποποίηση", "lastsync": "Τελευταίος συγχρονισμός", + "layoutgrid": "Πλέγμα", + "list": "Κατάλογος", "listsep": ";", - "loading": "Φορτώνει", + "loading": "Φόρτωση...", "loadmore": "Φόρτωση περισσότερων", "lostconnection": "Η σύνδεσή σας είναι άκυρη ή έχει λήξει. Πρέπει να ξανασυνδεθείτε στο site.", "maxsizeandattachments": "Μέγιστο μέγεθος για νέα αρχεία: {{$a.size}}, μέγιστος αριθμός συνημμένων: {{$a.attachments}}", - "min": "λεπτό", + "min": "Ελάχιστος βαθμός", "mins": "λεπτά", "mod_assign": "Εργασία", "mod_assignment": "Εργασία", @@ -128,12 +130,12 @@ "name": "Όνομα", "networkerrormsg": "Το δίκτυο δεν είναι ενεργοποιημένο ή δεν δουλεύει.", "never": "Ποτέ", - "next": "Επόμενο", + "next": "Συνέχεια", "no": "Όχι", - "nocomments": "Χωρίς Σχόλια", - "nograde": "Δεν υπάρχει βαθμός", - "none": "Κανένας", - "nopasswordchangeforced": "You cannot proceed without changing your password, however there is no available page for changing it. Please contact your Moodle Administrator.", + "nocomments": "Δεν υπάρχουν σχόλια", + "nograde": "Κανένα βαθμό.", + "none": "Κανένα", + "nopasswordchangeforced": "Δεν μπορείτε να προχωρήσετε χωρίς να αλλάξετε τον κωδικό πρόσβασής σας.", "nopermissions": "Συγνώμη, αλλά επί του τρεχόντως δεν έχετε το δικαίωμα να το κάνετε αυτό ({{$a}})", "noresults": "Κανένα αποτέλεσμα", "notapplicable": "n/a", @@ -141,7 +143,7 @@ "notsent": "Δεν εστάλη", "now": "τώρα", "numwords": "{{$a}} λέξεις", - "offline": "Δεν απαιτείται διαδικτυακή υποβολή", + "offline": "Αποσυνδεδεμένος", "online": "Συνδεδεμένος", "openfullimage": "Πατήστε εδώ για να δείτε την εικόνα σε πλήρες μέγεθος", "openinbrowser": "Ανοίξτε στον περιηγητή.", @@ -160,15 +162,15 @@ "restore": "Επαναφορά", "retry": "Προσπαθήστε ξανά", "save": "Αποθήκευση", - "search": "Αναζήτηση", - "searching": "Αναζήτηση σε", - "searchresults": "Αποτελέσματα αναζήτησης", + "search": "Έρευνα", + "searching": "Αναζήτηση", + "searchresults": "Αναζήτηση στα αποτελέσματα", "sec": "δευτερόλεπτο", "secs": "δευτερόλεπτα", "seemoredetail": "Κάντε κλικ εδώ για να δείτε περισσότερες λεπτομέρειες", "send": "Αποστολή", - "sending": "Αποστέλλεται", - "show": "Προβολή", + "sending": "Αποστολή", + "show": "Εμφάνιση", "showmore": "Περισσότερα...", "site": "ιστοχώρος", "sitemaintenance": "Η ιστοσελίδα είναι υπό συντήρηση και δεν είναι άμεσα διαθέσιμη", @@ -185,7 +187,7 @@ "tablet": "Tablet", "teachers": "Καθηγητές", "thereisdatatosync": "Υπάρχουν εκτός σύνδεσης {{$a}} για συγχρονισμό.", - "time": "Ώρα", + "time": "Χρόνος", "timesup": "Έληξε ο χρόνος!", "today": "Σήμερα", "tryagain": "Προσπαθήστε ξανά.", diff --git a/www/core/lang/es-mx.json b/www/core/lang/es-mx.json index 13018be014e..93bad96cd63 100644 --- a/www/core/lang/es-mx.json +++ b/www/core/lang/es-mx.json @@ -17,8 +17,8 @@ "clearsearch": "Limpiar búsqueda", "clicktohideshow": "Clic para expandir o colapsar", "clicktoseefull": "Hacer click para ver los contenidos completos.", - "close": "Cerrar", - "comments": "Sus comentarios", + "close": "Cerrar vista previa", + "comments": "Comentarios", "commentscount": "Comentarios ({{$a}})", "commentsnotworking": "No pueden recuperarse comentarios", "completion-alt-auto-fail": "Finalizado {{$a}} (no obtuvo calificación de aprobado)", @@ -44,14 +44,14 @@ "currentdevice": "Dispositivo actual", "datastoredoffline": "Los datos se almacenaron en el dispositivo debido a que no se pudieron enviar. Serán enviados automáticamente más tarde.", "date": "Fecha", - "day": "día", - "days": "días", + "day": "Día(s)", + "days": "Días", "decsep": ".", "defaultvalue": "Valor por defecto ({{$a}})", "delete": "Eliminar", "deletedoffline": "Eliminado fuera-de-línea", "deleting": "Eliminando", - "description": "Descripción -", + "description": "Descripción", "dfdaymonthyear": "MM-DD-AAAA", "dfdayweekmonth": "ddd, D MMM", "dffulldate": "dddd, D MMMM AAAA h[:]mm A", @@ -63,9 +63,9 @@ "done": "Hecho", "download": "Descargar", "downloading": "Descargando", - "edit": "Edición", + "edit": "Editar", "emptysplit": "Esta página aparecerá en blanco si el panel izquierdo está vacío o si está cargando.", - "error": "Error", + "error": "Ocurrió un error", "errorchangecompletion": "Ocurrió un error al cambiar el estatus de finalización. Por favor inténtelo nuevamente.", "errordeletefile": "Error al eliminar el archivo. Por favor inténtelo nuevamente.", "errordownloading": "Error al descargar archivo", @@ -94,20 +94,22 @@ "hour": "hora", "hours": "horas", "humanreadablesize": "{{size}} {{unit}}", - "image": "Imagen ({{$a.MIMETYPE2}})", + "image": "Imagen", "imageviewer": "Visor de imágenes", "info": "Información", "ios": "iOS", "labelsep": ":", "lastdownloaded": "Última descarga", - "lastmodified": "Última modicficación", + "lastmodified": "Última modificación", "lastsync": "Última sincronización", + "layoutgrid": "Rejilla", + "list": "Lista", "listsep": ";", - "loading": "Cargando", + "loading": "Cargando...", "loadmore": "Cargar más", "lostconnection": "Si ficha (token) de autenticación es inválida o ha caducado. Usted tendrá que re-conectarse al sitio.", "maxsizeandattachments": "Tamaño máximo para archivos nuevos: {{$a.size}}, anexos máximos: {{$a.attachments}}", - "min": "minutos", + "min": "Puntuación mínima", "mins": "minutos", "mod_assign": "Tarea", "mod_assignment": "Tarea", @@ -140,20 +142,20 @@ "name": "Nombre", "networkerrormsg": "Hubo un problema para conectarse al sitio. Por favor revise su conexión e inténtelo nuevamente.", "never": "Nunca", - "next": "Siguiente", + "next": "Continuar", "no": "No", "nocomments": "No hay comentarios", - "nograde": "No hay calificación", - "none": "Ninguno/a", - "nopasswordchangeforced": "No puede seguir sin cambiar su contraseña, sin embargo no existe ninguna página disponible para cambiarla. Por favor contacte a su administrador de Moodle.", + "nograde": "Sin calificación.", + "none": "Ninguno(a)", + "nopasswordchangeforced": "Usted no puede proceder sin cambiar su contraseña.", "nopermissions": "Lo sentimos, pero por el momento no tiene permiso para hacer eso ({{$a}})", - "noresults": "Sin resultados", + "noresults": "No hay resultados", "notapplicable": "no disp.", "notice": "Aviso", "notsent": "No enviado", "now": "ahora", "numwords": "{{$a}} palabras", - "offline": "Fuera de línea", + "offline": "No se requieren entregas online", "online": "En línea", "openfullimage": "Hacer click aquí para mostrar la imagen a tamaño completo", "openinbrowser": "Abrir en navegador", @@ -168,18 +170,18 @@ "quotausage": "Actualmente Usted ha usado {{$a.used}} de sus {{$a.total}} límite.", "redirectingtosite": "Usted será redireccionado al sitio.", "refresh": "Refrescar", - "required": "Requerido", + "required": "Obligatorio", "requireduserdatamissing": "A este usuario le faltan algunos datos requeridos del perfil. Por favor, llene estos datos en su sitio e inténtelo nuevamente.
      {{$a}}", "restore": "Restaurar", "retry": "Reintentar", "save": "Guardar", - "search": "Buscar", - "searching": "Buscando en ...", - "searchresults": "Resultados de la búsqueda", + "search": "Búsqueda", + "searching": "Buscando", + "searchresults": "Resultado", "sec": "segundos", "secs": "segundos", "seemoredetail": "Haga clic aquí para ver más detalles", - "send": "enviar", + "send": "Enviar", "sending": "Enviando", "serverconnection": "Error al conectarse al servidor", "show": "Mostrar", @@ -199,7 +201,7 @@ "tablet": "Tableta", "teachers": "Profesores", "thereisdatatosync": "Existen {{$a}} fuera-de-línea para ser sincronizados/as.", - "time": "Hora", + "time": "Tiempo", "timesup": "¡Se ha pasado el tiempo!", "today": "Hoy", "tryagain": "Intentar nuevamente", @@ -216,14 +218,14 @@ "userdetails": "Detalles de usuario", "usernotfullysetup": "Usuario no cnfigurado completamente", "users": "Usuarios", - "view": "Vista", + "view": "Ver", "viewprofile": "Ver perfil", "warningofflinedatadeleted": "Los datos fuera-de-línea de {{component}} '{{name}}' han sido borrados. {{error}}", "whoops": "¡Órale!", "whyisthishappening": "¿Porqué está pasando esto?", "windowsphone": "Teléfono Windows", "wsfunctionnotavailable": "La función servicio web no está disponible.", - "year": "año", + "year": "Año(s)", "years": "años", "yes": "Sí" } \ No newline at end of file diff --git a/www/core/lang/es.json b/www/core/lang/es.json index 0507ea70998..773bdc6e302 100644 --- a/www/core/lang/es.json +++ b/www/core/lang/es.json @@ -13,8 +13,8 @@ "clearsearch": "Limpiar búsqueda", "clicktohideshow": "Clic para expandir o colapsar", "clicktoseefull": "Clic para ver el contenido al completo", - "close": "Cerrar", - "comments": "Sus comentarios", + "close": "Cerrar vista previa", + "comments": "Comentarios", "commentscount": "Comentarios ({{$a}})", "commentsnotworking": "No pueden recuperarse comentarios", "completion-alt-auto-fail": "Finalizado {{$a}} (no ha alcanzado la calificación de aprobado)", @@ -36,11 +36,11 @@ "currentdevice": "Dispositivo actual", "datastoredoffline": "Los datos se almacenaron en el dispositivo debido a que no se pudieron enviar. Serán enviados automáticamente más tarde.", "date": "Fecha", - "day": "día", - "days": "días", + "day": "Día(s)", + "days": "Días", "decsep": ",", - "delete": "Eliminar", - "deleting": "Eliminando", + "delete": "Borrar", + "deleting": "Borrando", "description": "Descripción", "dfdaymonthyear": "MM-DD-YYYY", "dfdayweekmonth": "ddd, D MMM", @@ -53,9 +53,9 @@ "done": "Hecho", "download": "Descargar", "downloading": "Descargando...", - "edit": "Edición", + "edit": "Editar", "emptysplit": "Esta página aparecerá en blanco si el panel izquierdo está vacío o si está cargando.", - "error": "Error", + "error": "Se produjo un error", "errorchangecompletion": "Ha ocurrido un error cargando el grado de realización. Por favor inténtalo de nuevo.", "errordeletefile": "Error al eliminar el archivo. Por favor inténtelo de nuevo.", "errordownloading": "Ocurrió un error descargando el archivo", @@ -84,19 +84,21 @@ "hour": "hora", "hours": "horas", "humanreadablesize": "{{size}} {{unit}}", - "image": "Imagen ({{$a.MIMETYPE2}})", + "image": "Imagen", "imageviewer": "Visor de imágenes", - "info": "Info", + "info": "Información", "ios": "iOs", "labelsep": ":", "lastmodified": "Última modificación", "lastsync": "Última sincronización", + "layoutgrid": "Rejilla", + "list": "Lista", "listsep": ";", - "loading": "Cargando", + "loading": "Cargando...", "loadmore": "Cargar más", "lostconnection": "Hemos perdido la conexión, necesita reconectar. Su token ya no es válido", "maxsizeandattachments": "Tamaño máximo para nuevos archivos: {{$a.size}}, número máximo de archivos adjuntos: {{$a.attachments}}", - "min": "minutos", + "min": "Calificación mínima", "mins": "minutos", "mod_assign": "Tarea", "mod_assignment": "Tarea", @@ -129,20 +131,20 @@ "name": "Nombre", "networkerrormsg": "Conexión no disponible o sin funcionar.", "never": "Nunca", - "next": "Siguiente", + "next": "Continuar", "no": "No", "nocomments": "No hay comentarios", - "nograde": "No hay calificación", - "none": "Ninguna", - "nopasswordchangeforced": "No puede seguir sin cambiar su contraseña, sin embargo no existe ninguna página disponible para cambiarla. Por favor contacte a su administrador de Moodle.", + "nograde": "Sin calificación", + "none": "Ninguno", + "nopasswordchangeforced": "No puede continuar sin cambiar su contraseña.", "nopermissions": "Lo sentimos, pero por el momento no tiene permiso para hacer eso ({{$a}})", - "noresults": "Sin resultados", + "noresults": "No hay resultados", "notapplicable": "n/a", "notice": "Noticia", "notsent": "No enviado", "now": "ahora", "numwords": "{{$a}} palabras", - "offline": "Fuera de línea", + "offline": "No se requieren entregas online", "online": "En línea", "openfullimage": "Haga clic aquí para ver la imagen a tamaño completo", "openinbrowser": "Abrir en el navegador", @@ -154,20 +156,21 @@ "pictureof": "Imagen de {{$a}}", "previous": "Anterior", "pulltorefresh": "Tirar para recargar", + "quotausage": "Actualmente has utilizado {{$a.used}} de tu {{$a.total}} límite.", "redirectingtosite": "Será redirigido al sitio.", - "refresh": "Recargar", + "refresh": "Refrescar", "required": "Obligatorio", "requireduserdatamissing": "En este perfil de usuario faltan datos requeridos. Por favor, rellene estos datos e inténtelo otra vez.
      {{$a}}", "restore": "Restaurar", "retry": "Reintentar", "save": "Guardar", - "search": "Buscar", - "searching": "Buscar en", - "searchresults": "Resultados de la búsqueda", + "search": "Búsqueda", + "searching": "Buscando", + "searchresults": "Resultado", "sec": "segundos", "secs": "segundos", "seemoredetail": "Haga clic aquí para ver más detalles", - "send": "enviar", + "send": "Enviar", "sending": "Enviando", "serverconnection": "Error al conectarse al servidor", "show": "Mostrar", @@ -187,7 +190,7 @@ "tablet": "Tablet", "teachers": "Profesores", "thereisdatatosync": "Hay {{$a}} fuera de línea pendiente de ser sincronizado.", - "time": "Hora", + "time": "Tiempo", "timesup": "¡Se ha pasado el tiempo!", "today": "Hoy", "tryagain": "Intentar de nuevo", @@ -203,14 +206,14 @@ "userdeleted": "Esta cuenta se ha cancelado", "userdetails": "Detalles de usuario", "users": "Usuarios", - "view": "Vista", + "view": "Ver", "viewprofile": "Ver perfil", "warningofflinedatadeleted": "Los datos fuera de línea de {{component}} '{{name}}' han sido borrados. {{error}}", "whoops": "Oops!", "whyisthishappening": "¿Porqué está pasando esto?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "La función de webservice no está disponible.", - "year": "año", + "year": "Año(s)", "years": "años", "yes": "Sí" } \ No newline at end of file diff --git a/www/core/lang/eu.json b/www/core/lang/eu.json index 7df53ad62a3..1f8d36d6661 100644 --- a/www/core/lang/eu.json +++ b/www/core/lang/eu.json @@ -6,7 +6,7 @@ "back": "Atzera", "cancel": "Utzi", "cannotconnect": "Ezin izan da konektatu: URLa ondo idatzi duzula eta zure Moodle-ak 2.4 edo goragoko bertsioa erabiltzen duela egiaztatu ezazu.", - "cannotdownloadfiles": "Fitxategiak jaistea ezgaituta dago zure Mobile zerbitzuan. Mesedez zure gune kudeatzailean harremanetan jarri zaitez.", + "cannotdownloadfiles": "Fitxategiak jaistea ezgaituta dago. Mesedez, jar zaitez harremanetan zure guneko kudeatzailearekin.", "captureaudio": "Grabatu audioa", "capturedimage": "Argazkia atera da.", "captureimage": "Atera argazkia", @@ -17,8 +17,8 @@ "clearsearch": "Bilaketa garbia", "clicktohideshow": "Sakatu zabaltzeko edo tolesteko", "clicktoseefull": "Klik egin eduki guztiak ikusteko.", - "close": "Itxi", - "comments": "Zure iruzkinak", + "close": "Leihoa itxi", + "comments": "Iruzkinak", "commentscount": "Iruzkinak: ({{$a}})", "commentsnotworking": "Iruzkinak ezin izan dira atzitu", "completion-alt-auto-fail": "Osatuta: {{$a}} (ez dute gutxieneko kalifikazioa lortu)", @@ -42,12 +42,13 @@ "course": "Ikastaroa", "coursedetails": "Ikastaro-xehetasunak", "currentdevice": "Oraingo gailua", - "datastoredoffline": "Gailu honetan gordetako informazioa ezin izan da bidali. Beranduago automatikoki bidaliko da.", + "datastoredoffline": "Informazioa gailuan gorde da ezin izan delako bidali. Beranduago automatikoki bidaliko da.", "date": "Data", - "day": "egun(a)", - "days": "egun", + "day": "Egun", + "days": "Egun", "decsep": ",", "delete": "Ezabatu", + "deletedoffline": "Lineaz kanpo ezabatu da", "deleting": "Ezabatzen", "description": "Deskribapena", "dfdaymonthyear": "YYYY-MM-DD", @@ -63,14 +64,14 @@ "downloading": "Jaisten", "edit": "Editatu", "emptysplit": "Orri hau hutsik agertuko da ezkerreko panela hutsik badago edo kargatzen ari bada.", - "error": "Errorea", + "error": "Errorea gertatu da", "errorchangecompletion": "Errorea gertatu da osaketa-egoera aldatzean. Mesedez saiatu berriz.", "errordeletefile": "Errorea fitxategia ezabatzean. Mesedez, saiatu berriz.", "errordownloading": "Errorea fitxategia jaistean.", - "errordownloadingsomefiles": "Errorea moduluaren fitxategiak jaistean. Fitxategi batzuk falta daitezke.", + "errordownloadingsomefiles": "Errore bat gertatu da moduluaren fitxategiak jaistean. Fitxategi batzuk falta daitezke.", "errorfileexistssamename": "Dagoeneko badago izen hori duen fitxategi bat.", - "errorinvalidform": "Formularioak balio ez duten datuak dauzka. Mesedez egiaztatu derrigorrezko eremuak bete dituzula eta datuak egokiak direla.", - "errorinvalidresponse": "Erantzun baliogabea jaso da. Mesedez, jar zaitez harremanetan zure Moodle-ko kudeatzailearekin errorea iraunkorra bada.", + "errorinvalidform": "Formularioak baliozkoak ez diren datuak dauzka. Mesedez egiaztatu derrigorrezko eremuak bete dituzula eta datuak egokiak direla.", + "errorinvalidresponse": "Erantzun baliogabea jaso da. Errorea iraunkorra bada mesedez jar zaitez harremanetan zure guneko kudeatzailearekin .", "errorloadingcontent": "Errorea edukia kargatzean.", "erroropenfilenoapp": "Errorea fitxategia irekitzean: ez da aurkitu fitxategi mota hau irekitzeko app-rik.", "erroropenfilenoextension": "Errorea fitxategia irekitzean: fitxategiak ez dauka luzapenik.", @@ -92,20 +93,22 @@ "hour": "ordu", "hours": "ordu(ak)", "humanreadablesize": "{{size}} {{unit}}", - "image": "Irudia ({{$a.MIMETYPE2}})", + "image": "Irudia", "imageviewer": "Irudi ikuskatzailea", - "info": "Info", + "info": "Informazioa", "ios": "iOS", "labelsep": " :", "lastdownloaded": "Azkenik jaitsita", "lastmodified": "Azken aldaketa", "lastsync": "Azken sinkronizazioa", + "layoutgrid": "Laukia", + "list": "Zerrendatu", "listsep": ";", - "loading": "Kargatzen", + "loading": "Kargatzen...", "loadmore": "Kargatu gehiago", - "lostconnection": "Zure token-a orain ez da baliozkoa edo iraungitu da, gunera berriz konektatu beharko zara.", + "lostconnection": "Zure autentikazio-token-a ez da baliozkoa edo iraungitu da. Gunera berriz konektatu beharko duzu.", "maxsizeandattachments": "Gehienezko tamaina fitxategi berrietarako: {{$a.size}}, gehienezko eranskin-kopurua: {{$a.attachments}}", - "min": "minutu", + "min": "Gutxieneko puntuazioa", "mins": "minutu", "mod_assign": "Zeregina", "mod_assignment": "Zeregina", @@ -138,12 +141,12 @@ "name": "Izena", "networkerrormsg": "Arazo bat izan da gunearekin konektatzerakoan. Mesedez egiaztatu zure konexioa eta ondoren berriz saiatu zaitez.", "never": "Inoiz ez", - "next": "Hurrengoa", + "next": "Jarraitu", "no": "Ez", - "nocomments": "Iruzkinik ez", - "nograde": "Kalifikaziorik ez", + "nocomments": "Ez dago iruzkinik", + "nograde": "Kalifikaziorik ez.", "none": "Bat ere ez", - "nopasswordchangeforced": "Ezin duzu aurrera egin pasahitza aldatu gabe, baina ez dago aldatzeko inongo orririk. Mesedez, jarri harremanetan zure Moodle Kudeatzailearekin.", + "nopasswordchangeforced": "Ezin duzu jarraitu zure pasahitza aldatu gabe.", "nopermissions": "Sentitzen dugu, baina oraingoz ez duzu hori egiteko baimenik ({{$a}})", "noresults": "Emaitzarik ez", "notapplicable": "ezin da aplikatu", @@ -151,9 +154,9 @@ "notsent": "Bidali gabea", "now": "orain", "numwords": "{{$a}} hitz", - "offline": "Ez du on-line bidalketarik eskatzen", + "offline": "Lineaz kanpo", "online": "On-line", - "openfullimage": "Klik egin hemen irudia jatorrizko tamainan ikusteko", + "openfullimage": "Klik egin hemen irudia jatorrizko tamainan ikusteko.", "openinbrowser": "Ireki nabigatzailean", "othergroups": "Beste taldeak", "pagea": "{{$a}} orria", @@ -166,18 +169,18 @@ "quotausage": "Une honetan {{$a.used}} erabili dituzu, eta zure muga {{$a.total}} da.", "redirectingtosite": "Gunera berbideratua izango zara.", "refresh": "Freskatu", - "required": "Beharrezkoa", - "requireduserdatamissing": "Erabiltzaile honek beharrezkoak diren profileko datuak bete gabe ditu. Mesedez, bete itzazu datu hauek zure Moodle gunean eta saiatu berriz.
      {{$a}}", + "required": "Ezinbestekoa", + "requireduserdatamissing": "Erabiltzaile honek beharrezkoak diren profileko datuak bete gabe ditu. Mesedez, bete itzazu datu hauek zure gunean eta saiatu berriz.
      {{$a}}", "restore": "Berreskuratu", "retry": "Berriz saiatu", "save": "Gorde", - "search": "Bilatu...", - "searching": "Bilatu hemen", + "search": "Bilatu", + "searching": "Bilatzen", "searchresults": "Bilaketaren emaitzak", "sec": "seg", "secs": "segundu", "seemoredetail": "Klik egin hemen xehetasun gehiago ikusteko", - "send": "bidali", + "send": "Bidali", "sending": "Bidaltzen", "serverconnection": "Errorea zerbitzariarekin konektatzean", "show": "Erakutsi", @@ -197,13 +200,13 @@ "tablet": "Tablet-a", "teachers": "Irakasleak", "thereisdatatosync": "Lineaz-kanpoko {{$a}} daude sinkronizatzeko .", - "time": "Ordua", + "time": "Denbora", "timesup": "Denbora amaitu egin da!", "today": "Gaur", "tryagain": "Saiatu berriz", "twoparagraphs": "{{p1}}

      {{p2}}", "uhoh": "Oh oh!", - "unexpectederror": "Ezusteko errorea. Mesedez ireki eta berriz ireki app-a eta berriz saiatu", + "unexpectederror": "Ezusteko errore bat gertatu da. Mesedez app-a itxi eta berriz ireki ondoren berriz saiatu zaitez.", "unicodenotsupported": "Emoji batzuk ez dira gune honetan onartzen. Mezua karaktere horiek kenduta bidaliko da.", "unicodenotsupportedcleanerror": "Testu hutsa aurkitu da Unicode karaktereak ezabatzean.", "unknown": "Ezezaguna", @@ -212,6 +215,7 @@ "upgraderunning": "Gunea eguneratzen ari da; mesedez, saitu beranduago.", "userdeleted": "Erabiltzaile-kontu hau ezabatu da", "userdetails": "Erabiltzaileen xehetasunak", + "usernotfullysetup": "Erabiltzailea ez dago guztiz prest", "users": "Erabiltzaileak", "view": "Ikusi", "viewprofile": "Profila ikusi", @@ -220,7 +224,7 @@ "whyisthishappening": "Zergatik ari da hau gertatzen?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "Web-zerbitzu funtzioa ez dago eskuragarri.", - "year": "urtea", + "year": "Urte", "years": "urte", "yes": "Bai" } \ No newline at end of file diff --git a/www/core/lang/fa.json b/www/core/lang/fa.json index 9e4139ecd2e..857ab9170c4 100644 --- a/www/core/lang/fa.json +++ b/www/core/lang/fa.json @@ -4,12 +4,12 @@ "back": "بازگشت", "cancel": "انصراف", "cannotconnect": "اتصال به سایت ممکن نبود. بررسی کنید که نشانی سایت را درست وارد کرده باشید و اینکه سایت شما از مودل ۲٫۴ یا جدیدتر استفاده کند.", - "category": "طبقه", + "category": "دسته", "choose": "انتخاب کنید", "choosedots": "انتخاب کنید...", "clicktohideshow": "برای باز یا بسته شدن کلیک کنید", "close": "بستن پنجره", - "comments": "نظرات", + "comments": "توضیحات شما", "commentscount": "نظرات ({{$a}})", "completion-alt-auto-fail": "تکمیل شده است (بدون اکتساب نمرهٔ قبولی)", "completion-alt-auto-n": "تکمیل نشده است", @@ -32,11 +32,11 @@ "decsep": ".", "delete": "حذف", "deleting": "در حال حذف", - "description": "توضیح تکلیف", + "description": "توصیف", "done": "پر کرده است", "download": "دریافت", "edit": "ویرایش", - "error": "خطا", + "error": "خطا رخ داد", "errordownloading": "خطا در دانلود فایل", "folder": "پوشه", "forcepasswordchangenotice": "برای پیش‌روی باید رمز ورود خود را تغییر دهید.", @@ -49,14 +49,16 @@ "hours": "ساعت", "image": "عکس ({{$a.MIMETYPE2}})", "imageviewer": "نمایشگر تصویر", - "info": "توضیحات", + "info": "اطلاعات", "labelsep": ": ", "lastmodified": "آخرین تغییر", + "layoutgrid": "جدول", + "list": "لیست محتوا", "listsep": ",", - "loading": "در حال بارگیری", + "loading": "دریافت اطلاعات...", "lostconnection": "اطلاعات توکن شناسایی شما معتبر نیست یا منقضی شده است. باید دوباره به سایت متصل شوید.", "maxsizeandattachments": "حداکثر اندازه برای فایل‌های جدید: {{$a.size}}، حداکثر تعداد فایل‌های پیوست: {{$a.attachments}}", - "min": "دقیقه", + "min": "کمترین امتیاز", "mins": "دقیقه", "mod_assign": "تکلیف", "mod_chat": "اتاق گفتگو", @@ -77,7 +79,7 @@ "never": "هیچ‌وقت", "next": "ادامه", "no": "خیر", - "nocomments": "بدون دیدگاه", + "nocomments": "نظری ارائه نشده است", "nograde": "بدون نمره", "none": "هیچ", "nopasswordchangeforced": "شما نمی‌توانید بدون تغییر رمز عبور ادامه دهید اما هیچ صفحه‌ای برای عوض کردن آن وجود ندارد. لطفا با مدیریت سایت تماس بگیرید.", @@ -96,16 +98,16 @@ "previous": "قبلی", "pulltorefresh": "برای تازه‌سازی بکشید", "refresh": "تازه‌سازی", - "required": "لازم است", + "required": "الزامی بودن", "restore": "بازیابی", "save": "ذخیره", - "search": "جستجو...", + "search": "جستجو", "searching": "در حال جستجو در ...", - "searchresults": "نتیجهٔ جستجو", + "searchresults": "نتایج جستجو", "sec": "ثانیه", "secs": "ثانیه", "seemoredetail": "برای دیدن جزئیات بیشتر اینجا را کلیک کنید", - "send": "فرستادن", + "send": "ارسال", "sending": "در حال ارسال", "serverconnection": "خطا در اتصال به کارگزار", "show": "نمایش", @@ -118,7 +120,7 @@ "sorry": "متاسفیم...", "sortby": "مرتب شدن بر اساس", "start": "آغاز", - "submit": "ثبت", + "submit": "ارسال", "success": "موفق", "teachers": "استاد", "time": "زمان", diff --git a/www/core/lang/fi.json b/www/core/lang/fi.json index 7cdcb68d1bc..262a8fc63a6 100644 --- a/www/core/lang/fi.json +++ b/www/core/lang/fi.json @@ -16,8 +16,8 @@ "clearsearch": "Tyhjennä haku", "clicktohideshow": "Klikkaa avataksesi tai sulkeaksesi", "clicktoseefull": "Klikkaa tästä nähdäksesi koko sisällön.", - "close": "Sulje ikkuna", - "comments": "Kommenttisi", + "close": "Sulje", + "comments": "Kommentit", "commentscount": "Kommentit ({{$a}})", "commentsnotworking": "Kommentteja ei pystytä lataamaan", "completion-alt-auto-fail": "Suoritettu: {{$a}} (ei saavutettu hyväksyttyä arvosanaa)", @@ -38,9 +38,9 @@ "coursedetails": "Kurssitiedot", "currentdevice": "Nykyinen laite", "datastoredoffline": "Tiedot tallennettiin tälle laitteelle, koska sitä ei voitu lähettää. Se lähetetään automaattisesti myöhemmin uudelleen.", - "date": "Päivämäärä", - "day": "Päivä(ä)", - "days": "Päivää", + "date": "Päiväys", + "day": "päivä", + "days": "päivää", "decsep": ",", "delete": "Poista", "deleting": "Poistetaan", @@ -53,7 +53,7 @@ "downloading": "Ladataan", "edit": "Muokkaa ", "emptysplit": "Tämä sivu näyttää tyhjältä mikäli vasen paneeli on tyhjä tai sitä ladataan yhä.", - "error": "Virhe tapahtui", + "error": "Virhe", "errorchangecompletion": "Suorituksen statusta muutettaessa tapahtui virhe. Ole hyvä ja yritä uudelleen.", "errordeletefile": "Tiedostoa poistettaessa tapahtui virhe. Ole hyvä ja yritä uudelleen.", "errordownloading": "Tiedostoa ladattaessa tapahtui virhe.", @@ -80,18 +80,20 @@ "hide": "Piilota", "hour": "tunti", "hours": "tuntia", - "image": "Kuva ({{$a.MIMETYPE2}})", - "info": "Taustatieto", + "image": "Kuva", + "info": "Tiedot", "labelsep": ":", "lastdownloaded": "Viimeksi ladattu", - "lastmodified": "Viimeksi muokattu", + "lastmodified": "Viimeksi muutettu", "lastsync": "Viimeinen synkroinointi", + "layoutgrid": "Ruudukko", + "list": "Lista", "listsep": ";", "loading": "Lataa...", "loadmore": "Lataa lisää", "lostconnection": "Käyttäjätunnuksesi on virheellinen tai vanhentunut. Sinun täytyy kirjautua uudelleen sivustolle.", "maxsizeandattachments": "Uusien tiedostojen kokoraja: {{$a.size}} ja liitetiedostojen maksimimäärä: {{$a.attachments}}", - "min": "Minimitulos", + "min": "min", "mins": "min", "mod_assign": "Tehtävä", "mod_chat": "Chat", @@ -111,19 +113,19 @@ "name": "Nimi", "networkerrormsg": "Sivustoon yhdistettäessä tapahtui virhe. Ole hyvä ja tarkista yhteytesi ja yritä uudestaan.", "never": "Ei koskaan", - "next": "Jatka", + "next": "Seuraava", "no": "Ei", "nocomments": "Ei kommentteja", - "nograde": "Ei arvosanaa", + "nograde": "Ei arviointia", "none": "Ei yhtään", - "nopasswordchangeforced": "Sinun täytyy muuttaa salasanaasi jatkaaksesi. Salasanan muuttamiseen ei kuitenkaan ole sivua, joten ota yhteyttä Moodlen ylläpitäjään.", + "nopasswordchangeforced": "Et voi jatkaa ennen kuin vaihdat salasanasi.", "nopermissions": "Sinulla ei ole oikeutta tehdä kyseistä operaatiota ({{$a}})", "noresults": "Ei tuloksia", "notice": "Ilmoitus", "notsent": "Ei lähetetty", "now": "nyt", "numwords": "{{$a}} sanaa", - "offline": "Offline", + "offline": "Ei verkon kautta tehtävää palautusta", "online": "Online", "openfullimage": "Klikkaa tästä nähdäksesi kuvan täydessä koossa", "openinbrowser": "Avaa selaimessa", @@ -136,18 +138,18 @@ "pulltorefresh": "Vedä päivittääksesi", "redirectingtosite": "Sinut uudelleenohjataan sivustolle.", "refresh": "Päivitä", - "required": "Pakollinen", + "required": "Vaadittu", "requireduserdatamissing": "Tältä käyttäjältä puuttuu vaadittuja tietoja profiilistaan. Ole hyvä ja täytä tiedot sivustolla ja yritä uudestaan.
      {{$a}}", "restore": "Palauta", "retry": "Yritä uudelleen", "save": "Tallenna", - "search": "Etsi", - "searching": "Haetaan  ", - "searchresults": "Haun tulokset", + "search": "Hae", + "searching": "Hakee", + "searchresults": "Hakutulokset", "sec": "sekunti", "secs": "sekuntia", "seemoredetail": "Napsauta tästä nähdäksesi lisätietoja", - "send": "lähetä", + "send": "Lähetä", "sending": "Lähettää", "serverconnection": "Virhe yhdistettäessä palvelimelle", "show": "Näytä", @@ -161,14 +163,14 @@ "sorry": "Anteeksi..", "sortby": "Lajittele", "start": "Aloita", - "submit": "Palauta", + "submit": "Lähetä", "success": "Valmis!", "tablet": "Tabletti-tietokone", "teachers": "Opettajat", "thereisdatatosync": "Offline {{$a}} odottaa synkronointia.", "time": "Aika", "timesup": "Aika loppui!", - "today": "tänään", + "today": "Tänään", "tryagain": "Yritä uudelleen", "uhoh": "Voi ei!", "unexpectederror": "Odottomaton virhe. Ole hyvä, sulje sovellus ja käynnistä se uudelleen.", @@ -180,14 +182,14 @@ "userdeleted": "Tämä tunnus on poistettu", "userdetails": "Käyttäjätiedot", "users": "Käyttäjähallinta", - "view": "Näytä", + "view": "Näkymä", "viewprofile": "Näytä profiili", "warningofflinedatadeleted": "Komponentin {{component}} offline-tiedot '{{name}}' on poistettu. {{error}}", "whoops": "Oho!", "whyisthishappening": "Miksi tämä tapahtuu?", "windowsphone": "Windows-puhelin", "wsfunctionnotavailable": "Verkkopalvelun toiminto ei ole käytettävissä.", - "year": "Vuotta", + "year": "vuosi", "years": "vuotta", "yes": "Kyllä" } \ No newline at end of file diff --git a/www/core/lang/fr.json b/www/core/lang/fr.json index e24b7e5ee8a..b18821406f8 100644 --- a/www/core/lang/fr.json +++ b/www/core/lang/fr.json @@ -17,8 +17,8 @@ "clearsearch": "Effacer la recherche", "clicktohideshow": "Cliquer pour déplier ou replier", "clicktoseefull": "Cliquer pour voir tout le contenu.", - "close": "Fermer", - "comments": "Vos commentaires", + "close": "Fermer la prévisualisation", + "comments": "Commentaires", "commentscount": "Commentaires ({{$a}})", "commentsnotworking": "Les commentaires ne peuvent pas être récupérés", "completion-alt-auto-fail": "Terminé : {{$a}} (n'a pas atteint la note pour passer)", @@ -44,13 +44,13 @@ "currentdevice": "Appareil actuel", "datastoredoffline": "Données stockées sur l'appareil, car elles n'ont pas pu être envoyées. Elles seront automatiquement envoyées ultérieurement.", "date": "Date", - "day": "jour", - "days": "jours", + "day": "Jour(s)", + "days": "Jours", "decsep": ",", "defaultvalue": "Défaut ({{$a}})", "delete": "Supprimer", "deletedoffline": "Supprimé en local", - "deleting": "En cours de suppression", + "deleting": "Suppression", "description": "Description", "dfdaymonthyear": "DD-MM-YYYY", "dfdayweekmonth": "ddd, D MMM", @@ -65,7 +65,7 @@ "downloading": "Téléchargement en cours", "edit": "Modifier", "emptysplit": "Cette page paraîtra vide si le panneau de gauche est vide ou en cours de chargement.", - "error": "Erreur", + "error": "Une erreur est survenue", "errorchangecompletion": "Une erreur est survenue lors du changement de l'état d'achèvement. Veuillez essayer à nouveau.", "errordeletefile": "Erreur lors de la suppression du fichier. Veuillez essayer à nouveau.", "errordownloading": "Erreur lors du téléchargement du fichier.", @@ -94,20 +94,22 @@ "hour": "heure", "hours": "heures", "humanreadablesize": "{{size}} {{unit}}", - "image": "Image ({{$a.MIMETYPE2}})", + "image": "Image", "imageviewer": "Lecteur d'images", "info": "Info", "ios": "iOS", "labelsep": " ", "lastdownloaded": "Dernier téléchargement", - "lastmodified": "Dernière modification", + "lastmodified": "Modifié le", "lastsync": "Dernière synchronisation", + "layoutgrid": "Grille", + "list": "Liste", "listsep": ";", - "loading": "Chargement", + "loading": "Chargement...", "loadmore": "Charger plus", "lostconnection": "Votre jeton n'est pas valide ou est échu. Veuillez vous reconnecter à la plateforme.", "maxsizeandattachments": "Taille maximale des nouveaux fichiers : {{$a.size}}. Nombre maximal d'annexes : {{$a.attachments}}", - "min": "min", + "min": "Score minimum", "mins": "min", "mod_assign": "Devoir", "mod_assignment": "Devoir", @@ -140,20 +142,20 @@ "name": "Nom", "networkerrormsg": "Un problème est survenu lors de la connexion au site. Veuillez vérifier votre connexion et essayer à nouveau.", "never": "Jamais", - "next": "Suivant", + "next": "Suite", "no": "Non", "nocomments": "Aucun commentaire", - "nograde": "Pas de note", + "nograde": "Aucune note.", "none": "Aucun", - "nopasswordchangeforced": "Vous ne pouvez pas continuer sans modifier votre mot de passe. Cependant, il n'y a aucun moyen disponible de le modifier. Veuillez contacter l'administrateur de votre Moodle.", + "nopasswordchangeforced": "Vous ne pouvez pas continuer sans changer votre mot de passe.", "nopermissions": "Désolé, vous n'avez actuellement pas les droits d'accès requis pour effectuer ceci ({{$a}})", - "noresults": "Pas de résultat", + "noresults": "Aucun résultat", "notapplicable": "n/a", "notice": "Remarque", "notsent": "Pas envoyé", "now": "maintenant", "numwords": "{{$a}} mots", - "offline": "Déconnecté", + "offline": "Aucun travail à remettre requis", "online": "En ligne", "openfullimage": "Cliquer ici pour afficher l'image en pleine grandeur", "openinbrowser": "Ouvrir dans le navigateur", @@ -170,11 +172,11 @@ "refresh": "Actualiser", "required": "Requis", "requireduserdatamissing": "Il manque certaines données au profil de cet utilisateur. Veuillez compléter ces données dans votre plateforme et essayer à nouveau.
      {{$a}}", - "restore": "Restauration", + "restore": "Restaurer", "retry": "Essayer à nouveau", "save": "Enregistrer", - "search": "Rechercher", - "searching": "Recherche dans...", + "search": "Recherche", + "searching": "Recherche", "searchresults": "Résultats de la recherche", "sec": "s", "secs": "s", @@ -199,7 +201,7 @@ "tablet": "Tablette", "teachers": "Enseignants", "thereisdatatosync": "Il y a des {{$a}} locales à synchroniser.", - "time": "Heure", + "time": "Temps", "timesup": "Le chrono est enclenché !", "today": "Aujourd'hui", "tryagain": "Essayer encore", @@ -216,14 +218,14 @@ "userdetails": "Informations détaillées", "usernotfullysetup": "Utilisateur pas complètement défini", "users": "Utilisateurs", - "view": "Affichage", + "view": "Afficher", "viewprofile": "Consulter le profil", "warningofflinedatadeleted": "Des données locales de {{component}} « {{name}} » ont été supprimées. {{error}}", "whoops": "Oups !", "whyisthishappening": "Que se passe-t-il ?", "windowsphone": "Windows phone", "wsfunctionnotavailable": "Le service web n'est pas disponible.", - "year": "année", + "year": "Année(s)", "years": "années", "yes": "Oui" } \ No newline at end of file diff --git a/www/core/lang/he.json b/www/core/lang/he.json index fcaacd70c96..3cc797bb664 100644 --- a/www/core/lang/he.json +++ b/www/core/lang/he.json @@ -11,8 +11,8 @@ "choosedots": "בחירה...", "clearsearch": "איפוס חיפוש", "clicktohideshow": "הקש להרחבה או לצמצום", - "close": "סגירה", - "comments": "ההערות שלך", + "close": "סגירת חלון", + "comments": "הערות", "commentscount": "({{$a}}) הערות", "completion-alt-auto-fail": "הושלם: {{$a}} (לא השיג ציון עובר)", "completion-alt-auto-n": "לא הושלם: {{$a}}", @@ -26,12 +26,12 @@ "course": "קורס", "coursedetails": "פרטי הקורס", "date": "תאריך", - "day": "יום", + "day": "ימים", "days": "ימים", "decsep": ".", "delete": "מחיקה", "deleting": "מוחק", - "description": "תיאור", + "description": "הנחיה למטלה", "dfdayweekmonth": "dddd, D MMMM", "dflastweekdate": "dddd", "dftimedate": "hh[:]mm", @@ -39,7 +39,7 @@ "download": "הורדה", "downloading": "מוריד", "edit": "עריכה", - "error": "טעות", + "error": "שגיאה התרחשה", "errordownloading": "שגיאה בהורדת קובץ", "errordownloadingsomefiles": "שגיאה בהורדת קבצי המודול. יתכן וחלק מהקבצים חסרים.", "filename": "שם הקובץ", @@ -52,16 +52,18 @@ "hide": "הסתרה", "hour": "שעה", "hours": "שעות", - "image": "תמונת ({{$a.MIMETYPE2}})", + "image": "תמונה", "imageviewer": "מציג תמונות", "info": "מידע", "labelsep": ":", - "lastmodified": "עדכון אחרון", + "lastmodified": "שינוי אחרון", + "layoutgrid": "סריג", + "list": "רשימה", "listsep": ",", - "loading": "טעינה", + "loading": "טוען...", "lostconnection": "לקוד הזיהוי המאובטח שלך פג התוקף, ולכן החיבור נותק. עליך להתחבר שוב.", "maxsizeandattachments": "נפח קבצים מירבי: {{$a.size}}, מספר קבצים מצורפים מירבי: {{$a.attachments}}", - "min": "דקה", + "min": "תוצאה מינמלית", "mins": "דקות", "mod_assign": "מטלה", "mod_assignment": "מטלה", @@ -90,22 +92,22 @@ "mod_wiki": "ויקי (תוצר משותף)", "mod_workshop": "הערכת־עמיתים", "moduleintro": "הנחיה לפעילות", - "name": "שם:", + "name": "שם", "networkerrormsg": "הרשת לא מופעלת או לא עובדת.", - "never": "אף פעם לא", - "next": "הבא", + "never": "לעולם לא", + "next": "הבא אחריו", "no": "לא", - "nocomments": "ללא הערות", + "nocomments": "אין הערות", "nograde": "אין ציון", - "none": "אין", + "none": "ללא", "nopasswordchangeforced": "אינך יכול להמשיך ללא שינוי הסיסמה שלך. אך נכון לעכשיו אין דף זמין בו ניתן לשנותה. אנא צור קשר עם מנהל המוודל שלך.", "nopermissions": "למשתמש שלכם אין את ההרשאה לבצע את הפעולה \"{{$a}}\".\n
      \nיש לפנות למנהל(ת) המערכת שלכם לקבלת ההרשאות המתאימות.", - "noresults": "לא נמצאו תוצאות", + "noresults": "אין תוצאות", "notapplicable": "לא זמין", "notice": "לתשומת לב", "now": "עכשיו", "numwords": "{{$a}} מילים", - "offline": "לא נדרשות הגשות מקוונות", + "offline": "לא מקוון", "online": "מקוון", "openfullimage": "יש להקליק כאן להצגת התמונה בגודל מלא", "openinbrowser": "תצוגה בדפדפן", @@ -115,21 +117,22 @@ "pictureof": "תמונה של {{$a}}", "previous": "קודם", "pulltorefresh": "משיכה לרענון", + "quotausage": "השתמשת כרגע ב {{$a.used}} מהמגבלה שלך בסך {{$a.total}}.", "refresh": "רענון", - "required": "דרוש", + "required": "נדרש", "requireduserdatamissing": "למשתמש זה חסרים שדות נדרשים בפרופיל המשתמש. יש להשלים מידע זה באתר המוודל שלך ולנסות שוב.
      {{$a}}", "restore": "שחזור", "save": "שמירה", - "search": "חיפוש", - "searching": "חיפוש ב-", - "searchresults": "תוצאות חיפוש", + "search": "חפשו", + "searching": "מחפש ב...", + "searchresults": "תוצאות החיפוש", "sec": "שניה", "secs": "שניות", "seemoredetail": "הקליקו כאן כדי לראות פרטים נוספים", - "send": "שליחה", - "sending": "שולחים", + "send": "לשלוח", + "sending": "שולח", "serverconnection": "שגיאה בהתחברות לשרת", - "show": "הצגה", + "show": "תצוגה", "site": "מערכת", "sizeb": "בתים", "sizegb": "GB", @@ -137,7 +140,7 @@ "sizemb": "MB", "sortby": "מיון לפי", "start": "התחלה", - "submit": "שמירה", + "submit": "הגש", "success": "הצלחה", "tablet": "טאבלט", "teachers": "מורים", @@ -151,10 +154,10 @@ "userdeleted": "חשבון משתמש זה נמחק", "userdetails": "מאפייניי המשתמש", "users": "משתמשים", - "view": "תצוגה", + "view": "צפיה", "viewprofile": "תצוגת מאפיינים", "whoops": "אוווווופס!", - "year": "שנה", + "year": "שנים", "years": "שנים", "yes": "כן" } \ No newline at end of file diff --git a/www/core/lang/hr.json b/www/core/lang/hr.json index 08d35e4d000..5fd22ef24b9 100644 --- a/www/core/lang/hr.json +++ b/www/core/lang/hr.json @@ -12,8 +12,8 @@ "choose": "Odaberite", "choosedots": "Odaberi...", "clicktohideshow": "Kliknite za otvaranje ili zatvaranje", - "close": "Zatvori", - "comments": "Komentari", + "close": "Zatvori prozor", + "comments": "Vaši komentari", "commentscount": "Komentari ({{$a}})", "completion-alt-auto-fail": "Dovršeno (nije postignuta prolazna ocjena): {{$a}}", "completion-alt-auto-n": "Nije završeno: {{$a}}", @@ -23,25 +23,25 @@ "completion-alt-manual-y": "Dovršeno: {{$a}}, odaberite za označavanje kao nedovršeno", "confirmdeletefile": "Želite li izbrisati ovu datoteku?", "content": "Sadržaj", - "continue": "Nastavi", + "continue": "Nastavak", "course": "E-kolegij", "coursedetails": "Detalji kolegija", "currentdevice": "Trenutačni uređaj", "date": "Datum", "day": "dan", - "days": "dana", + "days": "Dani", "decsep": ",", "delete": "Izbriši", "deleting": "Brisanje", - "description": "Opis", + "description": "Uvodni tekst", "dfdaymonthyear": "DD-MM-YYYY", "dflastweekdate": "ddd", "dfmediumdate": "LLL", "done": "Gotovo", "download": "Preuzimanje", "downloading": "Preuzimanje", - "edit": "Uredi", - "error": "Greška", + "edit": "Promijeni", + "error": "Dogodila se pogreška", "filename": "Naziv datoteke", "filenameexist": "Naziv datoteke već postoji: {{$a}}", "folder": "Mapa", @@ -55,15 +55,17 @@ "hour": "sat", "hours": "sat(a)", "humanreadablesize": "{{size}} {{unit}}", - "image": "Slika ({{$a.MIMETYPE2}})", - "info": "Informacija", + "image": "Slika", + "info": "Info", "ios": "iOS", "labelsep": ":", "lastmodified": "Zadnji puta izmijenjeno", + "layoutgrid": "Mreža", + "list": "Popis", "listsep": ";", "loading": "Učitavanje...", "maxsizeandattachments": "Najveća dopuštena veličina za nove datoteke: {{$a.size}}, najveći broj privitaka: {{$a.attachments}}", - "min": "min", + "min": "Najlošiji rezultat", "mins": "min", "mod_assign": "Zadaća", "mod_chat": "Chat", @@ -80,13 +82,13 @@ "mod_workshop": "Radionica", "moduleintro": "Opis", "mygroups": "Moje grupe", - "name": "Ime", + "name": "Naziv", "never": "Nikad", - "next": "Nastavi", + "next": "Slijedeći", "no": "Ne", "nocomments": "Nema komentara", - "nograde": "Nema ocjene", - "none": "Nijedan", + "nograde": "Nema ocjene.", + "none": "Nema", "nopasswordchangeforced": "Ne možete nastaviti bez promjene lozinke, međutim, ne postoji stranicu za promjenu iste. Kontaktirajte administratora.", "nopermissions": "Trenutačno nemate ovlasti da napravite ({{$a}})", "noresults": "Nema rezultata", @@ -94,7 +96,7 @@ "notsent": "Nije poslano", "now": "sada", "numwords": "{{$a}} riječi", - "offline": "Ne treba ništa predati online", + "offline": "Offline", "online": "Online", "openinbrowser": "Otvori u pregledniku", "othergroups": "Ostale grupe", @@ -104,20 +106,20 @@ "phone": "Telefon", "pictureof": "Slika {{$a}}", "previous": "Prethodni", - "refresh": "Osvježavanje", + "refresh": "Osvježi", "required": "Obvezatno", - "restore": "Vraćanje iz kopije", + "restore": "Vrati", "save": "Pohrani", - "search": "Pretraži", - "searching": "Traži u", + "search": "Pretraživanje", + "searching": "Pretraga", "searchresults": "Rezultati pretraživanja", "sec": "sek", "secs": "s", "seemoredetail": "Kliknite ovdje za više detalja", - "send": "Pošalji", + "send": "pošalji", "sending": "Slanje", "serverconnection": "Pogreška pri spajanju na poslužitelj", - "show": "Prikaži", + "show": "Prikaz", "showmore": "Opširnije...", "site": "Site", "sizeb": "bajtovi", @@ -127,7 +129,7 @@ "sizetb": "TB", "sortby": "Sortiraj prema", "start": "Početak", - "submit": "Predaj", + "submit": "Predajte", "success": "Uspješno", "tablet": "Tablet", "teachers": "Nastavnici", @@ -142,7 +144,7 @@ "userdeleted": "Ovaj korisnički račun je izbrisan", "userdetails": "Detalji o korisniku", "users": "Korisnici", - "view": "Prikaz", + "view": "Prikaži", "viewprofile": "Prikaži profil", "whoops": "Ups!", "windowsphone": "Windows Phone", diff --git a/www/core/lang/hu.json b/www/core/lang/hu.json index 21ece419326..e0b3dd692e4 100644 --- a/www/core/lang/hu.json +++ b/www/core/lang/hu.json @@ -2,14 +2,14 @@ "allparticipants": "Összes résztvevő", "areyousure": "Biztos?", "back": "Vissza", - "cancel": "Törlés", + "cancel": "Mégse", "cannotconnect": "Sikertelen kapcsolódás: ellenőrizze, jó-e az URL és a portál legalább 2.4-es Moodle-t használ-e.", "category": "Kategória", "choose": "Választás", "choosedots": "Választás...", "clicktohideshow": "Kattintson a kibontáshoz vagy a becsukáshoz.", - "close": "Bezárás", - "comments": "Megjegyzései", + "close": "Ablak bezárása", + "comments": "Megjegyzések", "commentscount": "Megjegyzések ({{$a}})", "completion-alt-auto-fail": "Teljesítve: {{$a}} (a teljesítési pontszámot nem érte el)", "completion-alt-auto-n": "Nincs teljesítve: {{$a}}", @@ -23,22 +23,22 @@ "completion-alt-manual-y-override": "Befejezve: {{$a.modname}} (beállította {{$a.overrideuser}}). Válassza ki befejezetlenként való megjelölésre.", "confirmdeletefile": "Biztosan törli ezt az állományt?", "content": "Tartalom", - "continue": "Folytatás", + "continue": "Tovább", "course": "Kurzus", "coursedetails": "Kurzusadatok", "date": "Dátum", "day": "nap", - "days": "nap", + "days": "Nap", "decsep": ",", "defaultvalue": "Alapeset ({{$a}})", "delete": "Törlés", "deleting": "Törlés", - "description": "Bevezető szöveg", + "description": "Leírás", "done": "Kész", "download": "Letöltés", "downloading": "Letöltés...", "edit": "Szerkesztés", - "error": "Hiba", + "error": "Hiba történt.", "errordownloading": "Nem sikerült letölteni az állományt.", "filename": "Állománynév", "folder": "Mappa", @@ -51,14 +51,16 @@ "hour": "óra", "hours": "óra", "image": "Kép ({{$a.MIMETYPE2}})", - "info": "Információ", + "info": "Információk", "labelsep": ":", - "lastmodified": "Utolsó módosítás dátuma:", + "lastmodified": "Utolsó módosítás", + "layoutgrid": "Rács", + "list": "Lista", "listsep": ";", - "loading": "Betöltés", + "loading": "Betöltés...", "lostconnection": "A kapcsolat megszakadt, kacsolódjon újból. Jele érvénytelen.", "maxsizeandattachments": "Új állományok maximális mérete: {{$a.size}}, maximális csatolt állomány: {{$a.attachments}}", - "min": "p", + "min": "Min. pontszám", "mins": "perc", "mod_assign": "Feladat", "mod_chat": "Csevegés", @@ -74,21 +76,21 @@ "mod_wiki": "Wiki", "mod_workshop": "Műhelymunka", "moduleintro": "Leírás", - "name": "Név:", + "name": "Név", "networkerrormsg": "A hálózat nincs bekapcsolva vagy nem működik.", "never": "Soha", - "next": "Következő", + "next": "Tovább", "no": "Nem", - "nocomments": "Nincs megjegyzés.", - "nograde": "Nincs pont", - "none": "Nincs", + "nocomments": "Nincs megjegyzés", + "nograde": "Nincs osztályzat", + "none": "Egy sem", "nopasswordchangeforced": "A továbblépéshez először módosítania kell a jelszavát, ehhez azonban nem áll rendelkezésre megfelelő oldal. Forduljon a Moodle rendszergazdájához.", "nopermissions": "Ehhez ({{$a}}) jelenleg nincs engedélye", "noresults": "Nincs eredmény", "notice": "Tájékoztatás", "now": "most", "numwords": "{{$a}} szó", - "offline": "Nincs szükség neten keresztüli leadásra", + "offline": "Offline", "online": "Online", "pagea": "{{$a}} oldal", "paymentinstant": "A fizetéshez és a perceken belüli beiratkozáshoz használja az alábbi gombot!", @@ -98,18 +100,18 @@ "quotausage": "Összesen {{$a.total}} egységből {{$a.used}}-t használt fel.", "refresh": "Frissítés", "required": "Kitöltendő", - "restore": "Helyreállítás", + "restore": "Visszaállítás", "save": "Mentés", - "search": "Keresés...", - "searching": "Hol keres?", + "search": "Keresés", + "searching": "Keresés helye ...", "searchresults": "Keresési eredmények", "sec": "mp", "secs": "mp", "seemoredetail": "A részletekért kattintson ide", - "send": "Elküld", + "send": "küldés", "sending": "Küldés", "serverconnection": "Hiba a szerverhez csatlakozás közben", - "show": "Megjelenítés", + "show": "Mutat", "site": "Portál", "sizeb": "bájt", "sizegb": "GB", @@ -131,9 +133,9 @@ "userdetails": "Felhasználó adatai", "usernotfullysetup": "A felhasználó beállítása még nincs kész", "users": "Felhasználó", - "view": "Nézet", + "view": "Megtekintés", "viewprofile": "Profil megtekintése", - "year": "év", + "year": "Év", "years": "év", "yes": "Igen" } \ No newline at end of file diff --git a/www/core/lang/it.json b/www/core/lang/it.json index ea1f0c9930a..1294153d871 100644 --- a/www/core/lang/it.json +++ b/www/core/lang/it.json @@ -12,8 +12,8 @@ "clearsearch": "Pulisci la ricerca", "clicktohideshow": "Click per aprire e chiudere", "clicktoseefull": "Click per visualizzare il contenuto completo.", - "close": "Chiudi", - "comments": "I tuoi commenti", + "close": "Chiudi finestra", + "comments": "Commenti", "commentscount": "Commenti: ({{$a}})", "commentsnotworking": "Non è possibile scaricare i commenti", "completion-alt-auto-fail": "Completato: {{$a}} (senza raggiungere la sufficienza)", @@ -34,13 +34,13 @@ "course": "Corso", "coursedetails": "Dettagli corso", "date": "Data", - "day": "giorno", - "days": "giorni", + "day": "Giorni", + "days": "Giorni", "decsep": ",", "defaultvalue": "Default ({{$a}})", "delete": "Elimina", - "deleting": "Eliminazione", - "description": "Commento", + "deleting": "Eliminazione in corso", + "description": "Descrizione", "dfdayweekmonth": "ddd, D MMM", "dflastweekdate": "ddd", "dfmediumdate": "LLL", @@ -49,7 +49,7 @@ "download": "Download", "downloading": "Scaricamento in corso", "edit": "Modifica", - "error": "Errore", + "error": "Si è verificato un errore", "errorchangecompletion": "Si è verificato un errore durante la modifica dello stato di completamento. Per favore riprova.", "errordeletefile": "Si è verificato un errore durante l'eliminazione del file. Per favore riprova.", "errordownloading": "Si è verificato un errore durante lo scaricamento del file.", @@ -72,18 +72,20 @@ "hour": "ora", "hours": "ore", "humanreadablesize": "{{size}} {{unit}}", - "image": "Immagine ({{$a.MIMETYPE2}})", + "image": "Immagine", "imageviewer": "Visualizzatore di immagini", - "info": "Informazione", + "info": "Informazioni", "ios": "iOS", "labelsep": ": ", - "lastmodified": "Ultima modifica", + "lastmodified": "Ultime modifiche", "lastsync": "Ultima sincronizzazione", + "layoutgrid": "Griglia", + "list": "Elenco", "listsep": ";", - "loading": "Caricamento in corso", + "loading": "Caricamento in corso...", "lostconnection": "La connessione è stata perduta. Il tuo token non è più valido.", "maxsizeandattachments": "Dimensione massima per i file nuovi: {{$a.size}}, numero massimo di allegati: {{$a.attachments}}", - "min": "min.", + "min": "Punteggio minimo", "mins": "min.", "mod_assign": "Compito", "mod_assignment": "Compito", @@ -113,13 +115,13 @@ "mod_workshop": "Workshop", "moduleintro": "Descrizione", "mygroups": "I miei gruppi", - "name": "Titolo", + "name": "Nome", "networkerrormsg": "La rete non è abilitata o non funziona.", "never": "Mai", - "next": "Successivo", + "next": "Continua", "no": "No", "nocomments": "Non ci sono commenti", - "nograde": "Senza valutazione", + "nograde": "Nessuna valutazione.", "none": "Nessuno", "nopasswordchangeforced": "Non puoi proseguire senza modificare la tua password, ma non c'è una pagina per cambiarla. Contatta il tuo amministratore Moodle.", "nopermissions": "Spiacente, ma attualmente non avete il permesso per fare questo ({{$a}})", @@ -128,7 +130,7 @@ "notice": "Nota", "now": "adesso", "numwords": "{{$a}} parole", - "offline": "Questo compito non richiede consegne online", + "offline": "Offline", "online": "Online", "openfullimage": "Click per visualizare l'immagine a dimensioni reali", "openinbrowser": "Apri nel browser", @@ -142,19 +144,19 @@ "pulltorefresh": "Trascina per aggiornare", "quotausage": "Hai utilizzato {{$a.used}} su un massimo di {{$a.total}}", "refresh": "Aggiorna", - "required": "La risposta è obbligatoria", + "required": "Obbligatorio", "requireduserdatamissing": "Nel profilo di questo utente mancano alcuni dati. Per favore compila i dati mancanti in Moodle e riprova.
      {{$a}}", - "restore": "Ripristino", + "restore": "Ripristina", "retry": "Riprova", "save": "Salva", - "search": "Cerca", - "searching": "Cerca in", - "searchresults": "Risultati della ricerca", + "search": "Ricerca", + "searching": "Ricerca in corso", + "searchresults": "Risultati delle ricerche", "sec": "secondo", "secs": "secondi", "seemoredetail": "Clicca qui per ulteriori dettagli", - "send": "invia", - "sending": "Invio in corso", + "send": "Invia", + "sending": "Invio in c orso", "serverconnection": "Si è verificato un errore durante la connessione al server", "show": "Visualizza", "site": "Sito", @@ -166,10 +168,10 @@ "sortby": "Ordina per", "start": "Apertura", "submit": "Invia", - "success": "Operazione eseguita con successo", + "success": "Operazione eseguita correttamente", "tablet": "Tablet", "teachers": "Docenti", - "time": "Data/Ora", + "time": "Tempo", "timesup": "Tempo scaduto!", "today": "Oggi", "twoparagraphs": "{{p1}}

      {{p2}}", @@ -187,7 +189,7 @@ "whoops": "Oops!", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "La funzione webservice non è disponibile.", - "year": "anno", + "year": "Anni", "years": "anni", - "yes": "Sì" + "yes": "Si" } \ No newline at end of file diff --git a/www/core/lang/ja.json b/www/core/lang/ja.json index 08a2d11878e..4981f35f83c 100644 --- a/www/core/lang/ja.json +++ b/www/core/lang/ja.json @@ -13,8 +13,8 @@ "clearsearch": "検索のクリア", "clicktohideshow": "展開または折りたたむにはここをクリックしてください。", "clicktoseefull": "クリックで全てのコンテンツを見る", - "close": "閉じる", - "comments": "あなたのコメント", + "close": "ウィンドウを閉じる", + "comments": "コメント", "commentscount": "コメント ({{$a}})", "commentsnotworking": "コメントが取得できませんでした", "completion-alt-auto-fail": "完了: {{$a}} (合格点未到達)", @@ -45,7 +45,7 @@ "decsep": ".", "defaultvalue": "デフォルト ({{$a}})", "delete": "削除", - "deleting": "削除", + "deleting": "消去中", "description": "説明", "dfdaymonthyear": "YYYY/MM/DD", "dfdayweekmonth": "MMM月D日(ddd)", @@ -60,7 +60,7 @@ "downloading": "ダウンロード中", "edit": "編集", "emptysplit": "左パネルが空またはロード中のため本ページは空白", - "error": "エラー", + "error": "エラーが発生しました。", "errorchangecompletion": "完了状態の変更中にエラーが発生しました。再度実行してください。", "errordeletefile": "ファイル消去中にエラーが発生しました。再度実行してください。", "errordownloading": "ファイルダウンロードのエラー", @@ -89,19 +89,21 @@ "hour": "時間", "hours": "時間", "humanreadablesize": "{{size}} {{unit}}", - "image": "イメージ ({{$a.MIMETYPE2}})", + "image": "画像", "imageviewer": "画像ビューア", - "info": "インフォメーション", + "info": "情報", "ios": "iOS", "labelsep": ":", "lastmodified": "最終更新日時", "lastsync": "最後の同期", + "layoutgrid": "グリッド", + "list": "リスト", "listsep": ",", - "loading": "読み込み", + "loading": "読み込み中 ...", "loadmore": "続きを読み込む", "lostconnection": "あなたのトークンが無効になったため、再接続に必要な情報がサーバにはありません。", "maxsizeandattachments": "新しいファイルの最大サイズ: {{$a.size}} / 最大添付: {{$a.attachments}}", - "min": "分", + "min": "最小評点", "mins": "分", "mod_assign": "課題", "mod_chat": "チャット", @@ -121,20 +123,20 @@ "name": "名称", "networkerrormsg": "ネットワークが無効もしくは機能していません", "never": "なし", - "next": "次へ", + "next": "続ける", "no": "No", - "nocomments": "コメントなし", + "nocomments": "コメントはありません。", "nograde": "評点なし", "none": "なし", - "nopasswordchangeforced": "あなたはパスワードを変更せずに次へ進むことはできません。しかし、パスワードを変更するため利用できるページがありません。あなたのMoodle管理者にご連絡ください。", + "nopasswordchangeforced": "パスワードを変更するまで続きを実行できません。", "nopermissions": "申し訳ございません、現在、あなたは 「 {{$a}} 」を実行するためのパーミッションがありません。", - "noresults": "該当データがありません。", + "noresults": "該当データはありません。", "notapplicable": "なし", "notice": "警告", "notsent": "未送信", "now": "現在", "numwords": "{{$a}} 語", - "offline": "オンライン提出不要", + "offline": "オフライン", "online": "オンライン", "openfullimage": "クリックしてフルサイズの画像を表示", "openinbrowser": "ブラウザで開く", @@ -154,8 +156,8 @@ "restore": "リストア", "retry": "再実行", "save": "保存", - "search": "検索 ...", - "searching": "検索:", + "search": "検索", + "searching": "検索中", "searchresults": "検索結果", "sec": "秒", "secs": "秒", @@ -189,7 +191,7 @@ "unexpectederror": "不明なエラー。アプリを閉じて再起動してみてください。", "unicodenotsupported": "本サイトでは一部の絵文字がサポートされていません。それらは送信されたメッセージから削除されます。", "unicodenotsupportedcleanerror": "Unicode文字をクリアする際に空のテキストがありました。", - "unknown": "不明", + "unknown": "不明な", "unlimited": "無制限", "unzipping": "未展開の", "upgraderunning": "サイトはアップグレード中です。後ほどお試しください。", diff --git a/www/core/lang/ko.json b/www/core/lang/ko.json new file mode 100644 index 00000000000..b8b4330954a --- /dev/null +++ b/www/core/lang/ko.json @@ -0,0 +1,71 @@ +{ + "accounts": "계정", + "android": "안드로이드", + "cannotconnect": "연결할 수 없음: URL을 정확히 입력했는지 그리고 사이트가 Moodle 2.4 이상을 사용하고 있는지 확인하십시오.", + "cannotdownloadfiles": "파일 다운로드가 비활성화되었습니다. 사이트 관리자에게 문의하십시오.", + "captureaudio": "오디오 녹음", + "capturedimage": "사진을 찍었습니다.", + "captureimage": "사진 촬영", + "capturevideo": "비디오 녹화", + "clearsearch": "명확한 검색", + "clicktoseefull": "전체 내용을 보려면 클릭하십시오.", + "commentsnotworking": "댓글을 검색 할 수 없습니다.", + "confirmcanceledit": "이 페이지에서 나가시겠습니까? 모든 변경 사항이 손실됩니다.", + "confirmloss": "확실합니까? 모든 변경 사항이 손실됩니다.", + "confirmopeninbrowser": "웹 브라우저에서 여시겠습니까?", + "contenteditingsynced": "수정중인 콘텐츠가 동기화되었습니다.", + "copiedtoclipboard": "클립 보드에 복사 된 텍스트", + "currentdevice": "현재 장치", + "datastoredoffline": "데이터를 전송할 수 없기 때문에 장치에 데이터가 저장되었습니다. 나중에 자동으로 전송됩니다.", + "deletedoffline": "오프라인에서 삭제됨", + "deleting": "삭제 중", + "dfdaymonthyear": "MM-DD-YYYY", + "dfdayweekmonth": "ddd, D MMM", + "dffulldate": "dddd, D MMMM YYYY h[:]mm A", + "dflastweekdate": "ddd", + "dfmediumdate": "LLL", + "dftimedate": "h[:]mm A", + "discard": "포기", + "dismiss": "버리다", + "downloading": "다운로드 중", + "emptysplit": "왼쪽 패널이 비어 있거나 로드 중인 경우이 페이지는 공백으로 표시됩니다.", + "errorchangecompletion": "완료 상태를 변경하는 중에 오류가 발생했습니다. 다시 시도하십시오.", + "errordeletefile": "파일을 삭제하는 중 오류가 발생했습니다. 다시 시도하십시오.", + "errordownloading": "파일 다운로드 중 오류가 발생했습니다.", + "errordownloadingsomefiles": "파일을 다운로드하는 중 오류가 발생했습니다. 일부 파일이 누락되었을 수 있습니다.", + "errorfileexistssamename": "이 이름의 파일이 이미 있습니다.", + "errorinvalidform": "양식에 잘못된 데이터가 있습니다. 모든 필수 입력란이 채워져 있고 데이터가 유효한지 확인하십시오.", + "errorinvalidresponse": "잘못된 응답이 수신 되었습니다. 오류가 계속되면 사이트 관리자에게 문의하십시오.", + "errorloadingcontent": "내용을 로드하는 중 오류가 발생했습니다.", + "erroropenfilenoapp": "파일 열기 중 오류: 이 유형의 파일을 여는 앱이 없습니다.", + "erroropenfilenoextension": "파일을 여는 중 오류가 발생했습니다. 파일에 확장명이 없습니다.", + "erroropenpopup": "이 활동은 팝업을 열려고 합니다. 앱에서는 지원되지 않습니다.", + "errorrenamefile": "파일의 이름을 바꾸는 중 오류가 발생했습니다. 다시 시도하십시오.", + "errorsync": "동기화 중 오류가 발생했습니다. 다시 시도하십시오.", + "errorsyncblocked": "이 {{$ a}}은(는) 진행 중인 프로세스로 인해 지금 동기화 할 수 없습니다. 나중에 다시 시도 해주십시오. 문제가 지속되면 앱을 다시 시작하십시오.", + "filenameexist": "파일 이름이 이미 존재합니다: {{$ a}}", + "fullnameandsitename": "{{fullname}} ({{sitename}})", + "hasdatatosync": "이 {{$ a}}에 동기화 할 오프라인 데이터가 있습니다.", + "humanreadablesize": "{{size}} {{unit}}", + "image": "이미지", + "imageviewer": "이미지 뷰어", + "info": "정보", + "ios": "iOS", + "lastdownloaded": "마지막으로 다운로드 한 파일", + "lastsync": "마지막 동기화", + "loadmore": "더 많은 로드", + "lostconnection": "인증 토큰이 유효하지 않거나 만료되었습니다. 사이트에 다시 연결해야 합니다.", + "mygroups": "내 그룹", + "networkerrormsg": "사이트에 연결하는 중에 문제가 발생했습니다. 연결을 확인하고 다시 시도하십시오.", + "nopasswordchangeforced": "암호를 변경하지 않고 계속 진행할 수 없습니다.", + "notapplicable": "n/a", + "notsent": "전송되지 않음", + "openfullimage": "전체 크기 이미지를 보려면 여기를 클릭하십시오.", + "openinbrowser": "브라우저에서 열기", + "othergroups": "다른 그룹", + "percentagenumber": "{{$a}}%", + "pulltorefresh": "당겨서 새로 고침", + "redirectingtosite": "사이트로 리디렉션됩니다.", + "requireduserdatamissing": "이 사용자에게는 필요한 프로필 데이터가 없습니다. 사이트에 데이터를 입력하고 다시 시도하십시오.
      {{$ a}}", + "retry": "다시 시도" +} \ No newline at end of file diff --git a/www/core/lang/lt.json b/www/core/lang/lt.json index 1100dc480cc..aa508e7f90e 100644 --- a/www/core/lang/lt.json +++ b/www/core/lang/lt.json @@ -7,14 +7,14 @@ "cancel": "Atšaukti", "cannotconnect": "Negalima prisijungti: patikrinkite, ar teisingai įvedėte URL adresą, ar Jūsų svetainė naudoja Moodle 2.4. ar vėlesnę versiją.", "cannotdownloadfiles": "Jūsų mobiliuoju ryšiu negalima atsisiųsti failo. Prašome susisiekti su svetainės administratoriumi.", - "category": "Kursų kategorija", + "category": "Kategorija", "choose": "Pasirinkite", "choosedots": "Pasirinkite...", "clearsearch": "Išvalyti peiškos laukelį", "clicktohideshow": "Spustelėkite, kad išplėstumėte ar sutrauktumėte", "clicktoseefull": "Paspauskite norėdami pamatyti visą turinį.", - "close": "Uždaryti", - "comments": "Jūsų komentarai", + "close": "Uždaryti langą", + "comments": "Komentarai", "commentscount": "Komentarai ({{$a}})", "commentsnotworking": "Komentarų negalima ištaisyti", "completion-alt-auto-fail": "Užbaigta: {{$a}} (negautas išlaikymo įvertis)", @@ -33,17 +33,17 @@ "content": "Turinys", "contenteditingsynced": "Turinys, kurį taisote, sinchronizuojamas.", "continue": "Tęsti", - "course": "Kursai", + "course": "Kursas", "coursedetails": "Kurso informacija", "currentdevice": "Dabartinis prietaisas", "datastoredoffline": "Duomenys saugomi įrenginyje, nes šiuo metu negalima išsiųsti. Bus vėlaiu išsiųsti automatiškai.", "date": "Data", - "day": "diena", - "days": "dienos", + "day": "Diena(-os)", + "days": "Dienos", "decsep": ".", - "delete": "Naikinti", - "deleting": "Naikinama", - "description": "Aprašas", + "delete": "Pašalinti", + "deleting": "Trinama", + "description": "Įžangos tekstas", "dfdaymonthyear": "MM-DD-MMMM", "dfdayweekmonth": "ddd, D MMM", "dflastweekdate": "ddd", @@ -55,7 +55,7 @@ "download": "Atsisiųsti", "downloading": "Siunčiama", "edit": "Redaguoti", - "error": "Klaida", + "error": "Įvyko klaida", "errorchangecompletion": "Klaida keičiant baigimo būseną. Pabandykite dar kartą.", "errordeletefile": "Klaida trinant failą. Pabandykite dar kartą.", "errordownloading": "Klaida siunčiant failą.", @@ -78,23 +78,25 @@ "groupsseparate": "Atskiros grupės", "groupsvisible": "Matomos grupės", "hasdatatosync": "{{$a}} turi duomenis, kuriuos reikia sinchronizuoti.", - "help": "Žinynas", + "help": "Pagalba", "hide": "Slėpti", "hour": "valanda", "hours": "valandos", "humanreadablesize": "{{dydis}} {{vienetai}}", - "image": "Paveiksliukas ({{$a.MIMETYPE2}})", + "image": "Paveiksliukas", "imageviewer": "Paveiksliukų peržiūra", "info": "Informacija", "ios": "iOS", "labelsep": ":", - "lastmodified": "Paskutinį kartą modifikuota", + "lastmodified": "Paskutinį kartą keista", "lastsync": "Paskutinis sinchronizavimas", + "layoutgrid": "Tinklelis", + "list": "Sąrašas", "listsep": ";", - "loading": "Kraunasi", + "loading": "Įkeliama...", "lostconnection": "Jūsų atpažinimo kodas neteisingas arba negalioja, turėsite vėl prisijungti prie svetainės.", "maxsizeandattachments": "Maksimalus naujo failo dydis: {{$a.size}}, maksimalus priedų skaičius: {{$a.attachments}}", - "min": "min.", + "min": "Mažiausias balas", "mins": "min.", "mod_assign": "Užduotis", "mod_assignment": "Užduotis", @@ -124,15 +126,15 @@ "mod_workshop": "Darbas grupėje", "moduleintro": "Aprašas", "mygroups": "Mano grupės", - "name": "Vardas", + "name": "Pavadinimas", "networkerrormsg": "Tinklas nepasiekiamas arba neveikia.", "never": "Niekada", - "next": "Pirmyn", + "next": "Tęsti", "no": "Ne", - "nocomments": "Jokių komentarų", - "nograde": "Nėra įverčio", - "none": "Nei vienas", - "nopasswordchangeforced": "Negalite tęsti nepakeitę slaptažodžio, tačiau nėra slaptažodžio keitimo puslapio. Susisiekite su „Moodle“ administratoriumi.", + "nocomments": "Nėra komentarų", + "nograde": "Nėra įvertinimų.", + "none": "Nėra", + "nopasswordchangeforced": "Nepakeitus slaptažodžio, negalima tęsti.", "nopermissions": "Atsiprašome, tačiau šiuo metu jūs neturite teisės atlikti šio veiksmo", "noresults": "Nėra rezultatų", "notapplicable": "netaikoma", @@ -140,7 +142,7 @@ "notsent": "Neišsiųsta", "now": "dabar", "numwords": "Žodžių: {{$a}}", - "offline": "Nereikia įkelti darbų į svetainę", + "offline": "Neprisijungęs", "online": "Prisijungęs", "openfullimage": "Paspauskite, norėdami matyti visą vaizdą", "openinbrowser": "Atidaryti naršyklėje", @@ -152,20 +154,21 @@ "pictureof": "{{$a}} paveikslėlis", "previous": "Ankstesnis", "pulltorefresh": "Atnaujinti", + "quotausage": "Dabar išnaudojama {{$a.used}} Jūsų turimo {{$a.total}} limito.", "redirectingtosite": "Būsite nukreiptas į svetainę.", "refresh": "Atnaujinti", - "required": "Būtina", + "required": "Privalomas", "requireduserdatamissing": "Trūkta vartotojo duomenų. Prašome užpildyti duomenis Moodle ir pabandyti dar kartą.
      {{$a}}", "restore": "Atkurti", "retry": "Bandykite dar kartą", - "save": "Įrašyti", - "search": "Paieška", - "searching": "Ieškoti", + "save": "Išsaugoti", + "search": "Ieškoti", + "searching": "Ieškoma", "searchresults": "Ieškos rezultatai", "sec": "sek.", "secs": "sek.", "seemoredetail": "Spustelėkite čia, kad pamatytumėte daugiau informacijos", - "send": "siųsti", + "send": "Siųsti", "sending": "Siunčiama", "serverconnection": "Klaida jungiantis į serverį", "show": "Rodyti", @@ -192,7 +195,7 @@ "twoparagraphs": "{{p1}}

      {{p2}}", "uhoh": "Uh oh!", "unexpectederror": "Klaida. Uždarykite programėlę ir bandykite atidaryti dar kartą", - "unknown": "Nežinoma", + "unknown": "Nežinomas", "unlimited": "Neribota", "unzipping": "Išskleidžiama", "upgraderunning": "Naujinama svetainės versija, bandykite vėliau.", @@ -206,7 +209,7 @@ "whyisthishappening": "Kodėl tai nutiko?", "windowsphone": "Windows telefonas", "wsfunctionnotavailable": "Interneto paslaugų funkcija nepasiekiama.", - "year": "metai", + "year": "Metai (-ų)", "years": "metai", "yes": "Taip" } \ No newline at end of file diff --git a/www/core/lang/mr.json b/www/core/lang/mr.json index b345edf044a..0bb8a894e2d 100644 --- a/www/core/lang/mr.json +++ b/www/core/lang/mr.json @@ -3,7 +3,7 @@ "allparticipants": "सर्व सहभागी", "android": "अँड्रॉइड", "back": "पाठीमागे", - "cancel": "रद्द", + "cancel": "रद्द करा", "cannotconnect": "कनेक्ट करू शकत नाही: आपण योग्यरित्या URL टाइप केला असल्याचे आणि आपली साइट Moodle 2.4 किंवा नंतर वापरत असल्याचे सत्यापित करा.", "cannotdownloadfiles": "आपल्या मोबाईल सेवेमध्ये फाइल डाउनलोड करणे अक्षम केले आहे. कृपया, आपल्या साइट प्रशासकाशी संपर्क साधा.", "captureaudio": "ऑडिओ रेकॉर्ड करा", @@ -15,24 +15,24 @@ "clearsearch": "शोध साफ करा", "clicktoseefull": "संपूर्ण सामग्री पाहण्यासाठी क्लिक करा.", "close": "विंडो बंद करा", - "comments": "टिकाटप्पिणीसाठी", + "comments": "तुमची मते", "commentsnotworking": "टिप्पण्या पुनर्प्राप्त करणे शक्य नाही", "confirmcanceledit": "आपली खात्री आहे की आपण हे पृष्ठ सोडू इच्छिता? सर्व बदल गमावले जातील.", "confirmloss": "तुम्हाला खात्री आहे? सर्व बदल गमावले जातील.", "confirmopeninbrowser": "आपण ते ब्राउझरमध्ये उघडू इच्छिता?", "contenteditingsynced": "आपण संपादित करत असलेली सामग्री समक्रमित केली गेली आहे.", - "continue": "चालू रहाणे.", + "continue": "चालु ठेवा", "copiedtoclipboard": "क्लिपबोर्डवर मजकूर कॉपी केला", "course": "कोर्स", "currentdevice": "वर्तमान डिव्हाइस", "datastoredoffline": "डिव्हाइसमध्ये डेटा संचयित केला कारण तो पाठविला जाऊ शकत नाही हे नंतर स्वयंचलितपणे पाठविले जाईल.", - "date": "दिनांक", + "date": "तारीख", "day": "दिवस", "days": "दिवस", "decsep": ".", - "delete": "मिटवणे", - "deleting": "काढून टाकत आहे...", - "description": "प्रस्तावना", + "delete": "काढुन टाका", + "deleting": "हटवत आहे", + "description": "वर्णन", "dfdaymonthyear": "MM-DD-YYYY", "dfdayweekmonth": "ddd, D MMM", "dffulldate": "dddd, D MMMM YYYY h[:]mm A", @@ -42,7 +42,7 @@ "discard": "टाकून द्या", "dismiss": "डिसमिस करा", "downloading": "डाऊनलोड करीत आहे", - "edit": "तपासा", + "edit": "बदल", "emptysplit": "जर डावीकडील पॅनेल रिक्त असेल किंवा लोड होत असेल तर हे पृष्ठ रिक्त दिसून येईल", "error": "चुका", "errorchangecompletion": "पूर्ण स्थिती बदलताना त्रुटी आली. कृपया पुन्हा प्रयत्न करा.", @@ -74,15 +74,16 @@ "humanreadablesize": "{{size}} {{unit}}", "image": "प्रतिमा", "imageviewer": "प्रतिमा दर्शक", - "info": "माहीती", + "info": "माहिती", "ios": "iOS", "lastdownloaded": "अंतिम डाउनलोड केलेले", "lastmodified": "शेवटचा बदललेले", "lastsync": "अंतिम संकालन", + "list": "यादी", "listsep": ",", "loadmore": "अजून लोड करा", "lostconnection": "आपले प्रमाणीकरण टोकन अवैध आहे किंवा कालबाह्य झाले आहे, आपल्याला साइटशी पुन्हा कनेक्ट करणे आवश्यक आहे.", - "min": "कमीत कमी गुण", + "min": "लहानान लहान", "mins": "मिनस", "mod_chat": "संभाषण", "mod_choice": "निवड", @@ -94,11 +95,11 @@ "name": "नाव", "networkerrormsg": "साइटवर कनेक्ट करताना समस्या आली. कृपया आपले कनेक्शन तपासा आणि पुन्हा प्रयत्न करा.", "never": "नाही", - "next": "पुढील", + "next": "पुढचा", "no": "नाही", "nograde": "श्रेणी दिलेली नाहि", - "none": "काहीही नाही", - "nopasswordchangeforced": "पासवर्ड बदलल्याशिवाय तुम्ही पुढे जाऊच शकत नाही.जर त्यासाठी पान उपलब्ध नसेल तर मुडल व्यवस्थापकाशी संपर्क साधा.", + "none": "काहिच नाही.", + "nopasswordchangeforced": "आपण आपला पासवर्ड न बदलता पुढे जाऊ शकत नाही.", "noresults": "निकाल नाही.", "notapplicable": "n/a", "notice": "पूर्वसुचना", @@ -122,12 +123,12 @@ "retry": "पुन्हा प्रयत्न करा", "save": "जतन करा", "search": "शोध", - "searching": "यात शोधत आहे..", + "searching": "शोधत आहे", "searchresults": "निकाल शोधा.", "sec": "सेकंद", "secs": "सेकन्दस", "sending": "पाठवत आहे", - "show": "दाखवा", + "show": "दाखवा.", "showmore": "अजून दाखवा...", "site": "साईट", "sitemaintenance": "साइटवर देखरेख चालू आहे आणि सध्या उपलब्ध नाही", @@ -152,7 +153,7 @@ "unexpectederror": "अनपेक्षित त्रुटी कृपया पुन्हा प्रयत्न करण्यासाठी अनुप्रयोग बंद करा आणि पुन्हा उघडा", "unicodenotsupported": "या साइटवर काही इमोजी समर्थित नाहीत. जेव्हा संदेश पाठविला जातो तेव्हा असे अक्षरे काढून टाकले जातील.", "unicodenotsupportedcleanerror": "युनिकोड वर्ण साफ करताना रिक्त मजकूर सापडला.", - "unknown": "अनोळखी", + "unknown": "अज्ञात", "unlimited": "अमर्याद", "unzipping": "अनझिप चालू आहे", "userdeleted": "ह्या युजरचे खाते काढून टाकण्यात आले आहे.", diff --git a/www/core/lang/nl.json b/www/core/lang/nl.json index 68934f72eac..a18f5c6bd5f 100644 --- a/www/core/lang/nl.json +++ b/www/core/lang/nl.json @@ -17,37 +17,41 @@ "clearsearch": "Zoekresultaten leegmaken", "clicktohideshow": "Klik om te vergroten of te verkleinen", "clicktoseefull": "Klik hier om de volledige inhoud te zien", - "close": "Sluit", - "comments": "Notities", + "close": "Sluit weergave test", + "comments": "Jouw commentaar", "commentscount": "Opmerkingen ({{$a}})", "commentsnotworking": "Opmerkingen konden niet opgehaald worden", "completion-alt-auto-fail": "Voltooid: {{$a}} (bereikte het cijfer voor geslaagd niet)", "completion-alt-auto-n": "Niet voltooid: {{$a}}", + "completion-alt-auto-n-override": "Niet voltooid: {{$a.modname}} (ingesteld door {{$a.overrideuser}})", "completion-alt-auto-pass": "Voltooid: {{$a}} (slaagcijfer bereikt)", "completion-alt-auto-y": "Voltooid: {{$a}}", + "completion-alt-auto-y-override": "Voltooid: {{$a.modname}} (ingesteld door {{$a.overrideuser}})", "completion-alt-manual-n": "Niet voltooid: {{$a}}. Selecteer om te markeren als voltooid", + "completion-alt-manual-n-override": "Niet voltooid: {{$a.modname}} (ingesteld door {{$a.overrideuser}}). Selecteer om als voltooid te markeren.", "completion-alt-manual-y": "voltooid: {{$a}}. Selecteer om als niet voltooid te markeren.", + "completion-alt-manual-y-override": "Voltooid: {{$a.modname}} (ingesteld door {{$a.overrideuser}}). Selecteer om als niet voltooid te markeren.", "confirmcanceledit": "Weet je zeker dat je deze pagina wil verlaten? Alle wijzigingen zullen verloren gaan.", "confirmdeletefile": "Wil je dit bestand echt verwijderen?", "confirmloss": "Ben je zeker? Alle wijzigingen zullen verloren gaan.", "confirmopeninbrowser": "Wil je het openen in je browser?", "content": "Inhoud", "contenteditingsynced": "De inhoud die je aan het bewerken bent, is gesynchroniseerd.", - "continue": "Ga door", + "continue": "Ga verder", "copiedtoclipboard": "Tekst gekopieerd naar klembord", "course": "Cursus", "coursedetails": "Cursusdetails", "currentdevice": "Huidig apparaat", "datastoredoffline": "Gegevens die bewaard werden op het toestel konden niet verstuurd worden. Ze zullen later automatisch verzonden worden.", "date": "Datum", - "day": "dag", - "days": "dagen", + "day": "Dag(en)", + "days": "Dagen", "decsep": ",", "defaultvalue": "Standaard ({{$a}})", "delete": "Verwijder", "deletedoffline": "Offline verwijderd", - "deleting": "Verwijderen", - "description": "Inleidende tekst", + "deleting": "Verwijderen.", + "description": "Beschrijving", "dfdaymonthyear": "MM-DD-JJJJ", "dfdayweekmonth": "ddd, D, MMM", "dffulldate": "dddd, D MMMM YYYY h[:]mm A", @@ -59,9 +63,9 @@ "done": "Voltooid", "download": "Download", "downloading": "Downloaden", - "edit": "Wijzig", + "edit": "Bewerk", "emptysplit": "Deze pagina zal leeg verschijnen als het linker paneel leeg of aan het laden is.", - "error": "Fout", + "error": "Er is een fout opgetreden", "errorchangecompletion": "Er is een fout opgetreden tijdens het wijzigen van de voltooiingsstatus. Probeer opnieuw.", "errordeletefile": "Fout tijdens het verwijderen van het bestand. Probeer opnieuw.", "errordownloading": "Fout bij downloaden bestand", @@ -90,20 +94,22 @@ "hour": "uur", "hours": "uren", "humanreadablesize": "{{size}} {{unit}}", - "image": "Afbeelding ({{$a.MIMETYPE2}})", + "image": "Afbeelding", "imageviewer": "Afbeeldingsviewer", "info": "Info", "ios": "iOS", "labelsep": ": ", "lastdownloaded": "Laatste download", - "lastmodified": "Laatst gewijzigd", + "lastmodified": "Laatste wijziging", "lastsync": "Laatste synchronisatie", + "layoutgrid": "Tabel", + "list": "Lijst", "listsep": ";", - "loading": "Aan het laden", + "loading": "Laden...", "loadmore": "Meer laden", "lostconnection": "Je token is ongeldig of verlopen. Je zult opnieuw moeten verbinden met de site.", "maxsizeandattachments": "Maximale grootte voor nieuwe bestanden: {{$a.size}}, maximum aantal bijlagen: {{$a.attachments}}", - "min": "minuut", + "min": "Minimumscore", "mins": "minuten", "mod_assign": "Opdracht", "mod_assignment": "Opdracht", @@ -136,20 +142,20 @@ "name": "Naam", "networkerrormsg": "Er was een probleem met het verbinden met de site. Controleer je verbinding en probeer opnieuw.", "never": "Nooit", - "next": "VolgendeAdm", + "next": "Volgende", "no": "Nee", - "nocomments": "Geen commentaren", - "nograde": "Nog geen cijfer", + "nocomments": "Er zijn geen opmerkingen", + "nograde": "Geen cijfer.", "none": "Geen", - "nopasswordchangeforced": "Je kunt niet verdergaan zonder je wachtwoord te wijzigen, hoewel er geen pagina voorzien is om dat te doen. Neem contact op met je Moodlebeheerder", + "nopasswordchangeforced": "Je kunt niet verdergaan zonder je wachtwoord te veranderen.", "nopermissions": "Sorry, maar je hebt nu niet het recht om dat te doen ({{$a}}).", - "noresults": "Geen resultaat", + "noresults": "Geen resultaten", "notapplicable": "n/a", "notice": "Opmerking", "notsent": "Niet verstuurd", "now": "Nu", "numwords": "{{$a}} woorden", - "offline": "Offline", + "offline": "Je hoeft niets online in te sturen", "online": "Online", "openfullimage": "Klik hier om de afbeelding op volledige grootte weer te geven.", "openinbrowser": "Open in browser", @@ -164,21 +170,21 @@ "quotausage": "Je hebt {{$a.used}} gebruikt van je totale limiet van {{$a.total}}.", "redirectingtosite": "Je wordt doorgestuurd naar de site.", "refresh": "Vernieuw", - "required": "Vereist", + "required": "Verplicht", "requireduserdatamissing": "Er ontbreken vereiste gegevens in het profiel van deze gebruiker. Vul deze gegevens in op je Moodle-site en probeer opnieuw.
      {{$a}}", "restore": "Terugzetten", "retry": "Probeer opnieuw", "save": "Bewaar", - "search": "Zoeken...", - "searching": "Zoeken in ...", + "search": "Zoek", + "searching": "Zoeken", "searchresults": "Zoekresultaten", "sec": "seconde", "secs": "seconden", "seemoredetail": "Klik hier om meer details te zien", - "send": "Stuur", - "sending": "Versturen", + "send": "stuur", + "sending": "Sturen", "serverconnection": "Fout bij het verbinden met de server", - "show": "Toon", + "show": "Laat zien", "showmore": "Toon meer...", "site": "Site", "sitemaintenance": "De site is in onderhoud en is op dit ogenblik niet beschikbaar.", @@ -190,7 +196,7 @@ "sorry": "Sorry...", "sortby": "Sorteer volgens", "start": "Start", - "submit": "Insturen", + "submit": "Verstuur", "success": "Succes", "tablet": "Tablet", "teachers": "leraren", @@ -212,7 +218,7 @@ "userdetails": "Gebruikersdetails", "usernotfullysetup": "Gebruiker niet volledig ingesteld", "users": "Gebruikers", - "view": "Bekijken", + "view": "Bekijk", "viewprofile": "Bekijk profiel", "warningofflinedatadeleted": "Offline data van {{component}} '{{name}}' is verwijderd. {{error}}", "whoops": "Oei!", diff --git a/www/core/lang/no.json b/www/core/lang/no.json index a4e7e733410..1d092a8e2cf 100644 --- a/www/core/lang/no.json +++ b/www/core/lang/no.json @@ -13,8 +13,8 @@ "clearsearch": "Nullstill søk", "clicktohideshow": "Klikk for å utvide/skjule", "clicktoseefull": "Klikk for å se hele innholdet.", - "close": "Steng", - "comments": "Kommentarer", + "close": "Lukk forhåndsvsining", + "comments": "Dine kommentarer", "commentscount": "Kommentarer ({{$a}})", "completion-alt-auto-fail": "Gjennomført: {{$a}} (uten godkjent karakter)", "completion-alt-auto-n": "Ikke fullført: {{$a}}", @@ -23,7 +23,9 @@ "completion-alt-auto-y": "Fullført: {{$a}}", "completion-alt-auto-y-override": "Fullført: {{$a.modname}} (satt av {{$a.overrideuser}})", "completion-alt-manual-n": "Ikke fullført: {{$a}} Velg for å merke som fullført", + "completion-alt-manual-n-override": "Ikke fullført: {{$a.modname}} (set by {{$a.overrideuser}}). Velg for å markere som fullført.", "completion-alt-manual-y": "Fullført: {{$a}} Velg for å merke som ikke fullført.", + "completion-alt-manual-y-override": "Fullført: {{$a.modname}} (set by {{$a.overrideuser}}). Velg for å markere som ikke fullført.", "confirmcanceledit": "Er du sikker på at du vil forlate siden? Du vil miste alle endringer.", "confirmdeletefile": "Er du sikker på at du vil slette denne fila?", "confirmloss": "Er du sikker? Du vil miste alle endringer.", @@ -33,16 +35,16 @@ "course": "Kurs", "coursedetails": "Kursdetaljer", "date": "Dato", - "day": "dag", - "days": "dager", + "day": "Dager", + "days": "Dager", "decsep": ",", "delete": "Slett", "deleting": "Sletter", - "description": "Beskrivelse", + "description": "Informasjonsfelt", "done": "Ferdig", "download": "Last ned", - "edit": "Rediger", - "error": "Feil", + "edit": "Endre", + "error": "Feil oppstod", "filename": "Filnavn", "folder": "Mappe", "forcepasswordchangenotice": "Du må endre passordet for å fortsette", @@ -54,13 +56,15 @@ "hour": "time", "hours": "timer", "image": "Bilde ({{$a.MIMETYPE2}})", - "info": "Informasjon", + "info": "Info", "labelsep": ":", - "lastmodified": "Sist modifisert", + "lastmodified": "Sist endret", + "layoutgrid": "Rutenett", + "list": "Liste", "listsep": ";", - "loading": "Laster", + "loading": "Laster...", "maxsizeandattachments": "Maks størrelse for nye filer: {{$a.size}}, maks antall vedlegg: {{$a.attachments}}", - "min": "min", + "min": "Minimumskarakter", "mins": "min", "mod_assign": "Innlevering", "mod_chat": "Nettprat", @@ -78,10 +82,10 @@ "moduleintro": "Beskrivelse", "name": "Navn", "never": "Aldri", - "next": "Neste", + "next": "Fortsett", "no": "Nei", - "nocomments": "Ingen kommentarer", - "nograde": "Ingen karakter", + "nocomments": "Ingen kommentarer lagt til", + "nograde": "Ingen karakter.", "none": "Ingen", "nopasswordchangeforced": "Du kan ikke fortsette uten å endre passordet ditt, men det er ingen tilgjengelig side for å endre det. Vær vennlig å kontakt Moodleadministratoren din.", "nopermissions": "Beklager, men du har ikke rettighet til å gjøre dette ({{$a}})", @@ -89,7 +93,7 @@ "notice": "Merknad", "now": "nå", "numwords": "{{$a}} ord", - "offline": "Ingen innleveringer på nett påkrevd", + "offline": "Ikke på nett", "online": "På nett", "pagea": "Side {{$a}}", "paymentinstant": "Bruk knappen under for å betale og melde deg på kurset.", @@ -97,17 +101,17 @@ "pictureof": "Bilde av {{$a}}", "previous": "Forrige", "quotausage": "Du har brukt {{$a.used}} av din totale grense på {{$a.limit}}", - "refresh": "Oppdatér", - "required": "Påkrevd", - "restore": "Gjenoppretting", + "refresh": "Frisk opp skjermbildet", + "required": "Obligatorisk", + "restore": "Gjenopprett", "save": "Lagre", - "search": "Søk...", - "searching": "Søk i", + "search": "Søk", + "searching": "Søker i...", "searchresults": "Søkeresultater", "sec": "sek", "secs": "sek", "seemoredetail": "Klikk her for detaljer", - "send": "Send", + "send": "send", "sending": "Sender", "serverconnection": "Feil ved tilkobling til server", "show": "Vis", @@ -131,9 +135,9 @@ "userdetails": "Brukerdetaljer", "usernotfullysetup": "Bruker ikke ferdig satt opp", "users": "Brukere", - "view": "Visning", + "view": "Vis", "viewprofile": "Vis profilen", - "year": "år", + "year": "År", "years": "år", "yes": "Ja" } \ No newline at end of file diff --git a/www/core/lang/pl.json b/www/core/lang/pl.json index c0e7dddcb63..23a6a3f450f 100644 --- a/www/core/lang/pl.json +++ b/www/core/lang/pl.json @@ -8,8 +8,8 @@ "choose": "Wybierz", "choosedots": "Wybierz ...", "clicktohideshow": "Kliknij, aby rozwinąć lub zwinąć", - "close": "Zamknij", - "comments": "Twój komentarz", + "close": "Zamknij okno", + "comments": "Komentarze", "commentscount": "Komentarze ({{$a}})", "completion-alt-auto-fail": "Ukończone: {{$a}} (bez pozytywnej oceny)", "completion-alt-auto-n": "Nie ukończone: {{$a}}", @@ -22,18 +22,18 @@ "continue": "Kontynuuj", "course": "Kurs", "coursedetails": "Szczegóły kursu", - "date": "Data", - "day": "dzień", - "days": "dni", + "date": "data", + "day": "Dzień/dni", + "days": "Dni", "decsep": ",", "delete": "Usuń", "deleting": "Usuwanie", - "description": "Wstęp", + "description": "Opis", "done": "Wykonane", "download": "Pobierz", "downloading": "Pobieranie ...", - "edit": "Modyfikuj", - "error": "Błąd", + "edit": "Edytuj", + "error": "Wystąpił błąd", "filename": "Nazwa pliku", "folder": "Folder", "forcepasswordchangenotice": "W celu kontynuacji musisz zmienić swoje hasło", @@ -47,12 +47,14 @@ "image": "Obraz ({{$a.MIMETYPE2}})", "info": "Informacja", "labelsep": ": ", - "lastmodified": "Ostatnia modyfikacja:", + "lastmodified": "Ostatnia modyfikacja", + "layoutgrid": "siatka", + "list": "Lista", "listsep": ";", - "loading": "Ładowanie", + "loading": "Ładuję ...", "lostconnection": "Straciliśmy połączenie i musisz się połączyć ponowne. Twój token jest teraz nieważny", "maxsizeandattachments": "Maksymalny rozmiar dla nowych plików: {{$a.size}}, maksimum załączników: {{$a.attachments}}", - "min": "min", + "min": "Min punkty", "mins": "min.", "mod_assign": "Zadanie", "mod_chat": "Czat", @@ -68,13 +70,13 @@ "mod_wiki": "Wiki", "mod_workshop": "Warsztaty", "moduleintro": "Opis", - "name": "Nazwa:", + "name": "Nazwa", "networkerrormsg": "Sieć jest wyłączona lub nie działa.", "never": "Nigdy", - "next": "Dalej", + "next": "Następny", "no": "Nie", "nocomments": "Brak komentarzy", - "nograde": "Brak oceny", + "nograde": "Brak oceny.", "none": "Żaden", "nopasswordchangeforced": "Nie możesz kontynuować bez zmiany hasła, jakkolwiek nie ma dostępnej strony do tej zmiany. Proszę skontaktować się z Administratorem Moodla.", "nopermissions": "Brak odpowiednich uprawnień do wykonania ({{$a}})", @@ -82,40 +84,41 @@ "notice": "Powiadomienie", "now": "teraz", "numwords": "{{$a}} słów", - "offline": "Wysyłanie online nie jest wymagane", + "offline": "Offline", "online": "Online", "pagea": "Strona {{$a}}", "paymentinstant": "Użyj poniższego przycisku, aby zapłacić i zapisać się na kurs w ciągu kilku minut!", "phone": "Telefon", "pictureof": "Obraz {{$a}}", - "previous": "Poprzedni", - "refresh": "Odśwież", + "previous": "Wstecz", + "quotausage": "Aktualnie wykorzystano {{$a.used}} z limitu {{$a.total}}.", + "refresh": "Odswież", "required": "Wymagane", - "restore": "Odtwórz", + "restore": "Przywrócić", "save": "Zapisz", - "search": "Wyszukaj", - "searching": "Szukaj w", - "searchresults": "Wyniki wyszukiwania", + "search": "Szukaj", + "searching": "Wyszukiwanie w ...", + "searchresults": "Szukaj w rezultatach", "sec": "sek", "secs": "sek.", "seemoredetail": "Kliknij aby zobaczyć więcej szczegółów", - "send": "wyślij", + "send": "Wyślij", "sending": "Wysyłanie", "serverconnection": "Błąd podczas łączenia się z serwerem", "show": "Pokaż", - "site": "Serwis", + "site": "Strona", "sizeb": "bajtów", "sizegb": "GB", "sizekb": "KB", "sizemb": "MB", "sortby": "Posortuj według", "start": "Rozpocznij", - "submit": "Prześlij", + "submit": "Zatwierdź", "success": "Gotowe", "teachers": "Prowadzący", "time": "Czas", "timesup": "Koniec czasu", - "today": "Dziś", + "today": "Dzisiaj", "unexpectederror": "Niespodziewany błąd. Zamknij i otwórz aplikację ponownie aby spróbować jeszcze raz", "unknown": "Nieznany", "unlimited": "Nieograniczone", @@ -123,9 +126,9 @@ "userdeleted": "To konto użytkownika zostało usunięte", "userdetails": "Szczegóły użytkownika", "users": "Użytkownicy", - "view": "Wejście", + "view": "Przegląd", "viewprofile": "Zobacz profil", - "year": "rok", + "year": "Rok/lata", "years": "lata", "yes": "Tak" } \ No newline at end of file diff --git a/www/core/lang/pt-br.json b/www/core/lang/pt-br.json index 9d93b6703dc..d9eb069ba8d 100644 --- a/www/core/lang/pt-br.json +++ b/www/core/lang/pt-br.json @@ -7,22 +7,30 @@ "cancel": "Cancelar", "cannotconnect": "Não é possível conectar-se: Verifique se digitou a URL corretamente e se seu site usa o Moodle 2.4 ou posterior.", "cannotdownloadfiles": "Download de arquivos está desabilitado no seu serviço Mobile. Por favor, contate o administrador do site.", + "captureaudio": "Gravar áudio", + "capturedimage": "Fotografia tirada.", + "captureimage": "Tirar fotografia", + "capturevideo": "Gravar vídeo", "category": "Categoria", "choose": "Escolher", "choosedots": "Escolher...", "clearsearch": "Limpar busca", "clicktohideshow": "Clique para expandir ou contrair", "clicktoseefull": "Clique para ver o conteúdo completo.", - "close": "Fechar", - "comments": "Seus comentários", + "close": "Fechar janela", + "comments": "Comentários", "commentscount": "Comentários ({{$a}})", "commentsnotworking": "Os comentários não podem ser recuperados", "completion-alt-auto-fail": "Concluído: {{$a}} (não obteve nota para aprovação)", "completion-alt-auto-n": "Não concluído(s): {{$a}}", + "completion-alt-auto-n-override": "Não concluído: {{$a.modname}} (por {{$a.overrideuser}})", "completion-alt-auto-pass": "Concluído: {{$a}} (foi atingida a nota de aprovação)", "completion-alt-auto-y": "Concluído: {{$a}}", + "completion-alt-auto-y-override": "Concluído: {{$a.modname}} (por {{$a.overrideuser}})", "completion-alt-manual-n": "Não concluído(s): {{$a}}. Selecione para marcar como concluído.", + "completion-alt-manual-n-override": "Não concluído: {{$a.modname}} (por {{$a.overrideuser}}). Selecione para marcar como concluído.", "completion-alt-manual-y": "Concluído(s): {{$a}}. Selecione para marcar como não concluído.", + "completion-alt-manual-y-override": "Concluído: {{$a.modname}} (por {{$a.overrideuser}}). Selecione para marcar não concluído.", "confirmcanceledit": "Você tem certeza que quer sair dessa página? Todas as mudanças serão perdidas.", "confirmdeletefile": "Você tem certeza que quer excluir este arquivo?", "confirmloss": "Você tem certeza? Todas as alterações serão perdidas.", @@ -36,14 +44,16 @@ "currentdevice": "Dispositivo atual", "datastoredoffline": "Os dados foram guardados no dispositivo porque não foi possível enviar agora. Os dados serão automaticamente enviados mais tarde.", "date": "Data", - "day": "dia", - "days": "dias", + "day": "Dia(s)", + "days": "Dias", "decsep": ",", - "delete": "Cancelar", + "delete": "Excluir", + "deletedoffline": "Apagada em modo offline", "deleting": "Excluindo", - "description": "Texto do link", + "description": "Descrição", "dfdaymonthyear": "MM-DD-YYYY", "dfdayweekmonth": "ddd, D MMM", + "dffulldate": "dddd, D MMMM YYYY h[:]mm A", "dflastweekdate": "ddd", "dfmediumdate": "LLL", "dftimedate": "h[:]mm A", @@ -53,7 +63,8 @@ "download": "Download", "downloading": "Baixando", "edit": "Editar", - "error": "Erro", + "emptysplit": "Esta página aparecerá em branco se o painel esquerdo estiver vazio ou enquanto estiver a ser carregado.", + "error": "Ocorreu um erro", "errorchangecompletion": "Ocorreu um erro ao alterar o status de conclusão. Por favor, tente novamente.", "errordeletefile": "Erro ao excluir o arquivo. Por favor tente novamente.", "errordownloading": "Erro ao baixar o arquivo", @@ -82,18 +93,22 @@ "hour": "hora", "hours": "horas", "humanreadablesize": "{{size}} {{unit}}", - "image": "Imagem ({{$a.MIMETYPE2}})", + "image": "Imagem", "imageviewer": "Visualizador de imagens", - "info": "Informação", + "info": "Informações", "ios": "iOS", "labelsep": ": ", - "lastmodified": "Última modificação", + "lastdownloaded": "Descarregada última vez em", + "lastmodified": "Última atualização", "lastsync": "Última sincronização", + "layoutgrid": "Grade", + "list": "Lista", "listsep": ";", - "loading": "Carregando", + "loading": "Carregando...", + "loadmore": "Ver mais", "lostconnection": "Perdemos conexão. Você precisa se reconectar. Seu token agora está inválido.", "maxsizeandattachments": "Tamanho máximo para novos arquivos: {{$a.size}}, máximo de anexos: {{$a.attachments}}", - "min": "minuto", + "min": "Pontuação mínima", "mins": "minutos", "mod_assign": "Tarefa", "mod_assignment": "Tarefa", @@ -126,20 +141,20 @@ "name": "Nome", "networkerrormsg": "Rede não habilitada ou não está funcionado", "never": "Nunca", - "next": "Próximo", + "next": "Próxima", "no": "Não", - "nocomments": "Nenhum comentário", - "nograde": "Nenhuma nota", - "none": "Nenhum", - "nopasswordchangeforced": "Você não pode continuar sem mudar sua senha. Mas infelizmente não existe uma página para esse propósito.\nPor favor contate o Administrador Moodle.", + "nocomments": "Não existem comentários", + "nograde": "Não há nota", + "none": "Nada", + "nopasswordchangeforced": "Você não pode proceder sem mudar sua senha.", "nopermissions": "Você não tem permissão para {{$a}}", - "noresults": "Sem resultados", + "noresults": "Nenhum resultado", "notapplicable": "n/a", "notice": "Notar", "notsent": "Não enviado", "now": "agora", "numwords": "{{$a}} palavras", - "offline": "Não há envios online solicitados", + "offline": "Desconectado", "online": "Conectado", "openfullimage": "Clique aqui para exibir a imagem no tamanho completo", "openinbrowser": "Abrir no navegador", @@ -151,23 +166,24 @@ "pictureof": "Imagem de {{$a}}", "previous": "Anterior", "pulltorefresh": "Puxe para atualizar", + "quotausage": "Você está usando {{$a.used}} do seu limite de {{$a.total}}.", "redirectingtosite": "Você será redirecionado para o site.", "refresh": "Atualizar", - "required": "Necessários", + "required": "Exigido", "requireduserdatamissing": "Este usuário não possui alguns dados de perfil exigidos. Por favor, preencha estes dados em seu Moodle e tente novamente.
      {{$a}}", "restore": "Restaurar", "retry": "Tentar novamente", - "save": "Gravar", - "search": "Buscar", - "searching": "Buscar em", + "save": "Salvar", + "search": "Busca", + "searching": "Procurando", "searchresults": "Resultados da busca", "sec": "segundo", "secs": "segundos", "seemoredetail": "Clique aqui para mais detalhes", - "send": "enviar", + "send": "Enviar", "sending": "Enviando", "serverconnection": "Erro ao conectar ao servidor", - "show": "Mostrar", + "show": "Exibir", "showmore": "Exibir mais...", "site": "Site", "sitemaintenance": "Os site está em manutenção e atualmente não está disponível", @@ -184,7 +200,7 @@ "tablet": "Tablet", "teachers": "Professores", "thereisdatatosync": "Existem {{$a}} offline para ser sincronizados.", - "time": "Hora", + "time": "Duração", "timesup": "Acabou o tempo de duração!", "today": "Hoje", "tryagain": "Tente de novo", @@ -201,14 +217,14 @@ "userdetails": "Detalhes do usuário", "usernotfullysetup": "O usuário não está totalmente configurado", "users": "Usuários", - "view": "Ver", + "view": "Visualizar", "viewprofile": "Ver perfil", "warningofflinedatadeleted": "Dados offline de {{component}} '{{name}}' foram excluídos. {{error}}", "whoops": "Oops!", "whyisthishappening": "Por que isso está acontecendo?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "A função do webservice não está disponível.", - "year": "ano", + "year": "Ano(s)", "years": "anos", "yes": "Sim" } \ No newline at end of file diff --git a/www/core/lang/pt.json b/www/core/lang/pt.json index c47e0ae01e0..f9923fc829c 100644 --- a/www/core/lang/pt.json +++ b/www/core/lang/pt.json @@ -17,16 +17,20 @@ "clearsearch": "Limpar pesquisa", "clicktohideshow": "Clique para expandir ou contrair", "clicktoseefull": "Clique para ver todos os conteúdos.", - "close": "Fechar", - "comments": "Os seus comentários", + "close": "Fechar janela", + "comments": "Comentários", "commentscount": "Comentários ({{$a}})", "commentsnotworking": "Não foi possível recuperar os comentários", "completion-alt-auto-fail": "Concluída: {{$a}} (não atingiu nota de aprovação)", "completion-alt-auto-n": "Não concluída: {{$a}}", + "completion-alt-auto-n-override": "Não concluída: {{$a.modname}} (marcada por {{$a.overrideuser}})", "completion-alt-auto-pass": "Concluída: {{$a}} (atingiu nota de aprovação)", "completion-alt-auto-y": "Concluída: {{$a}}", + "completion-alt-auto-y-override": "Concluída: {{$a.modname}} (marcada por {{$a.overrideuser}})", "completion-alt-manual-n": "Não concluída: {{$a}}. Selecione para assinalar como concluída", + "completion-alt-manual-n-override": "Não concluído: {{$a- modname}} (definido por {{$a.overrideuser}}). Selecione para marcar como concluído.", "completion-alt-manual-y": "Concluída: {{$a}}. Selecione para dar como não concluída", + "completion-alt-manual-y-override": "Concluído: {{$a- modname}} (definido por {{$a.overrideuser}}). Selecione para marcar como não concluído.", "confirmcanceledit": "Tem a certeza de que pretende sair desta página? Todas as alterações serão perdidas.", "confirmdeletefile": "Tem a certeza de que pretende apagar este ficheiro?", "confirmloss": "Tem a certeza absoluta? Todas as alterações serão perdidas.", @@ -40,8 +44,8 @@ "currentdevice": "Dispositivo atual", "datastoredoffline": "Dados armazenados no dispositivo por não ter sido possível enviar. Serão automaticamente enviados mais tarde.", "date": "Data", - "day": "dia", - "days": "dias", + "day": "Dia(s)", + "days": "Dias", "decsep": ",", "delete": "Apagar", "deletedoffline": "Apagada em modo offline", @@ -60,7 +64,7 @@ "downloading": "A descarregar", "edit": "Editar", "emptysplit": "Esta página aparecerá em branco se o painel esquerdo estiver vazio ou enquanto estiver a ser carregado.", - "error": "Erro", + "error": "Ocorreu um erro", "errorchangecompletion": "Ocorreu um erro ao alterar o estado de conclusão. Por favor, tente novamente.", "errordeletefile": "Erro ao apagar o ficheiro. Por favor, tente novamente.", "errordownloading": "Erro ao descarregar ficheiro.", @@ -89,20 +93,22 @@ "hour": "hora", "hours": "horas", "humanreadablesize": "{{size}} {{unit}}", - "image": "Imagem ({{$a.MIMETYPE2}})", + "image": "Imagem", "imageviewer": "Visualizador de imagens", - "info": "Informação de sistema", + "info": "Informações", "ios": "iOS", "labelsep": ": ", "lastdownloaded": "Descarregada última vez em", - "lastmodified": "Modificado pela última vez:", + "lastmodified": "Última alteração", "lastsync": "Última sincronização", + "layoutgrid": "Grelha", + "list": "Lista", "listsep": ";", - "loading": "A carregar", + "loading": "A carregar...", "loadmore": "Ver mais", "lostconnection": "O seu token é inválido ou expirou. Terá de se autenticar novamente no site.", "maxsizeandattachments": "Tamanho máximo para novos ficheiros: {{$a.size}}, número máximo de anexos: {{$a.attachments}}", - "min": "minuto", + "min": "Nota mínima", "mins": "minutos", "mod_assign": "Trabalho", "mod_assignment": "Trabalho", @@ -132,15 +138,15 @@ "mod_workshop": "Workshop", "moduleintro": "Descrição", "mygroups": "Meus grupos", - "name": "Designação", + "name": "Nome", "networkerrormsg": "Houve um problema ao ligar ao site. Por favor verifique sua ligação e tente novamente.", "never": "Nunca", - "next": "Seguinte", + "next": "Continuar", "no": "Não", - "nocomments": "Sem comentários", - "nograde": "Nenhuma nota", - "none": "Nenhum", - "nopasswordchangeforced": "Não consegue prosseguir sem modificar a senha, entretanto não existe nenhuma página disponível para a mudar. Por favor contate o Administrador do site Moodle.", + "nocomments": "Não existem comentários", + "nograde": "Sem avaliação", + "none": "Nenhuma", + "nopasswordchangeforced": "Não pode prosseguir sem alterar sua senha.", "nopermissions": "Atualmente, não tem permissões para realizar a operação {{$a}}", "noresults": "Sem resultados", "notapplicable": "n/a", @@ -148,7 +154,7 @@ "notsent": "Não enviado", "now": "agora", "numwords": "{{$a}} palavra(s)", - "offline": "Inativo", + "offline": "Não é necessário submeter nada online", "online": "Inativo", "openfullimage": "Clique aqui para exibir a imagem em tamanho real", "openinbrowser": "Abrir no navegador", @@ -160,16 +166,17 @@ "pictureof": "Fotografia de {{$a}}", "previous": "Anterior", "pulltorefresh": "Puxe para atualizar", + "quotausage": "Está atualmente a usar {{$a.used}} do máximo de {{$a.total}}.", "redirectingtosite": "Irá ser redirecionado para o site.", "refresh": "Atualizar", - "required": "Resposta obrigatória", + "required": "Obrigatório", "requireduserdatamissing": "Este utilizador não possui todos os dados de perfil obrigatórios. Por favor, preencha estes dados no seu site e tente novamente.
      {{$a}}", "restore": "Restaurar", "retry": "Tentar novamente", - "save": "Gravar", - "search": "Procurar", - "searching": "A procurar em...", - "searchresults": "Procurar resultados", + "save": "Guardar", + "search": "Pesquisa", + "searching": "A procurar", + "searchresults": "Resultados da procura", "sec": "segundo", "secs": "segundos", "seemoredetail": "Clique aqui para ver mais detalhes", @@ -188,12 +195,12 @@ "sorry": "Desculpe...", "sortby": "Ordenar por", "start": "Iniciar", - "submit": "Enviar", + "submit": "Submeter", "success": "Operação realizada com sucesso!", "tablet": "Tablet", "teachers": "Professores", "thereisdatatosync": "Existem {{$a}} offline que têm de ser sincronizados.", - "time": "Hora", + "time": "Tempo", "timesup": "O tempo terminou!", "today": "Hoje", "tryagain": "Tente novamente", @@ -202,7 +209,7 @@ "unexpectederror": "Erro inesperado. Por favor, feche e abra a aplicação e tente de novo.", "unicodenotsupported": "Alguns emojis não são suportados neste site. Estes caracteres serão removidos quando a mensagem for enviada.", "unicodenotsupportedcleanerror": "Foi encontrado texto vazio ao limpar caracteres Unicode.", - "unknown": "Desconhecido(a)", + "unknown": "Desconhecido", "unlimited": "Ilimitado(a)", "unzipping": "A descomprimir", "upgraderunning": "O site está em processo de atualização, por favor, tente novamente mais tarde.", @@ -217,7 +224,7 @@ "whyisthishappening": "Por que é que isto está a acontecer?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "A função do webservice não está disponível.", - "year": "ano", + "year": "Ano(s)", "years": "anos", "yes": "Sim" } \ No newline at end of file diff --git a/www/core/lang/ro.json b/www/core/lang/ro.json index 8337b363def..b4c7bb76c69 100644 --- a/www/core/lang/ro.json +++ b/www/core/lang/ro.json @@ -12,8 +12,8 @@ "clearsearch": "Curățați căutările", "clicktohideshow": "Click pentru maximizare sau minimizare", "clicktoseefull": "Apăsați pentru a vedea întregul conținut", - "close": "Închide", - "comments": "Comentariile dumneavoastră", + "close": "Închide fereastra", + "comments": "Comentarii", "commentscount": "Comentarii ({{$a}})", "completion-alt-auto-fail": "Finalizat: {{$a}} (nu a obținut notă de trecere)", "completion-alt-auto-n": "Nu s-a finalizat: {{$a}}", @@ -24,16 +24,16 @@ "confirmdeletefile": "Sunteți sigur că doriți să ștergeți acest fișier?", "confirmopeninbrowser": "Doriți să deschideți într-un browser?", "content": "Conţinut", - "continue": "Continuă", + "continue": "Mai departe", "course": "Curs", "coursedetails": "Detalii curs", - "date": "Dată", - "day": "zi", - "days": "zile", + "date": "Data", + "day": "Zi(Zile)", + "days": "Zile", "decsep": ",", - "delete": "Şterge", - "deleting": "În curs de ştergere", - "description": "Text introductiv", + "delete": "Ștergeți", + "deleting": "Se șterge", + "description": "Descriere", "dfdayweekmonth": "zzz, Z LLL", "dflastweekdate": "zzz", "dfmediumdate": "LLL", @@ -41,8 +41,8 @@ "done": "Terminat", "download": "Descarcă", "downloading": "Se descarcă", - "edit": "Editează", - "error": "Eroare", + "edit": "Editare", + "error": "A apărut o eroare", "errorchangecompletion": "A apărut o eroare în timpul schimbării nivelului de completare a cursului. Încercați din nou!", "errordownloading": "A apărut o eroare la descărcarea fișierului.", "errordownloadingsomefiles": "A apărut o eroare la descărcarea fișierelor modulului. Unele fișiere pot lipsi.", @@ -61,18 +61,20 @@ "hour": "oră", "hours": "ore", "humanreadablesize": "{{mărime}} {{unitate}}", - "image": "Imagine ({{$a.MIMETYPE2}})", + "image": "Imagine", "imageviewer": "Vizualizator pentru imagini", - "info": "Informaţii", + "info": "Info", "ios": "iOS", "labelsep": ":", - "lastmodified": "Modificat ultima dată", + "lastmodified": "Ultima modificare", "lastsync": "Ultima sincronizare", + "layoutgrid": "Grilă", + "list": "Listă", "listsep": ";", - "loading": "Se încarcă", + "loading": "Încărcare ...", "lostconnection": "Tokenul pentru autentificare este invalid sau a expirat; trebuie să va reconectați!", "maxsizeandattachments": "Dimensiunea maximă pentru fișierele noi: {{$a.size}}, atașamente maxime: {{$a.attachments}}", - "min": "min", + "min": "Punctaj minim", "mins": "min", "mod_assign": "Temă", "mod_assignment": "Temă", @@ -104,19 +106,19 @@ "name": "Nume", "networkerrormsg": "Rețea de date inexistentă sau nefuncțională", "never": "Niciodată", - "next": "Următorul", + "next": "Înainte", "no": "Nu", - "nocomments": "Nu sunt comentarii", - "nograde": "Nicio notă", - "none": "nici unul", + "nocomments": "Nu există comentarii", + "nograde": "Fără notă.", + "none": "Niciunul", "nopasswordchangeforced": "Nu puteţi trece mai departe fără să vă schimbaţi parola, însă nu există nicio pagină în care să realizaţi această operaţiune. Vă rugăm contactaţi un administrator Moodle.", "nopermissions": "Ne pare rău, dar în acest moment nu aveţi permisiunea să realizaţi această operaţiune ({{$a}})", - "noresults": "Nu sunt rezultate", + "noresults": "Niciun rezultat", "notapplicable": "n/a", "notice": "Notificare", "now": "acum", "numwords": "{{$a}} cuvinte", - "offline": "Nu se solicită răspunsuri online", + "offline": "Offline", "online": "Online", "openfullimage": "Apăsați aici pentru a vizualiza imaginea la dimensiunea întreagă", "openinbrowser": "Deschideți în browser", @@ -127,21 +129,21 @@ "pictureof": "Imaginea {{$a}}", "previous": "Precedent", "pulltorefresh": "Trageți în jos pentru actualizare", - "refresh": "Reîncarcă", - "required": "Obligatoriu", + "refresh": "Actualizați", + "required": "Necesar", "requireduserdatamissing": "Acest utilizator are unele date de profil obligatorii necompletate. Completați aceste date în contul din Moodle și încercați din nou.
      {{$a}}", - "restore": "Restaurează", - "save": "Salvare", - "search": "Caută", - "searching": "Căutare în", - "searchresults": "Rezultate căutare", + "restore": "Restaurare", + "save": "Salvează", + "search": "Căutați", + "searching": "Căutare", + "searchresults": "Rezultatele căutării", "sec": "sec", "secs": "secs", "seemoredetail": "Apasă aici pentru mai multe detalii", - "send": "Trimis", + "send": "trimis", "sending": "Se trimite", "serverconnection": "Eroare la conectarea la server", - "show": "Afişare", + "show": "Afișați", "site": "Site", "sizeb": "bytes", "sizegb": "GB", @@ -154,7 +156,7 @@ "success": "Succes", "tablet": "Tabletă", "teachers": "Profesori", - "time": "Ora", + "time": "Timp", "timesup": "Timpul a expirat!", "today": "Azi", "twoparagraphs": "{{p1}}

      {{p2}}", @@ -171,7 +173,7 @@ "whoops": "Ops!", "windowsphone": "Telefon cu sistem de operare Windows", "wsfunctionnotavailable": "Această funcție Web nu este disponibilă.", - "year": "an", + "year": "An (Ani)", "years": "ani", "yes": "Da" } \ No newline at end of file diff --git a/www/core/lang/ru.json b/www/core/lang/ru.json index 02823e562a2..2a4c587a407 100644 --- a/www/core/lang/ru.json +++ b/www/core/lang/ru.json @@ -1,65 +1,111 @@ { + "accounts": "Учётные записи", "allparticipants": "Все участники", "android": "Android", "areyousure": "Вы уверены?", "back": "Назад", - "cancel": "Отмена", - "cannotconnect": "Не удается подключиться: убедитесь, что Вы ввели правильный URL-адрес и что сайт использует Moodle 2.4 или более поздней версии.", - "cannotdownloadfiles": "Скачивание файла отключено для мобильных служб. Пожалуйста, свяжитесь с администратором сайта.", + "cancel": "Отменить", + "cannotconnect": "Не удается подключиться: Убедитесь, что вы правильно ввели URL-адрес и что ваш сайт использует Moodle 2.4 или более поздней версии.", + "cannotdownloadfiles": "Загрузка файлов отключена. Пожалуйста, свяжитесь с администратором вашего сайта.", + "captureaudio": "Записать аудио", + "capturedimage": "Сделанное изображение", + "captureimage": "Сделать изображение", + "capturevideo": "Записать видео", "category": "Категория", "choose": "Выбрать", "choosedots": "Выберите...", "clearsearch": "Очистить поиск", "clicktohideshow": "Нажмите, чтобы раскрыть или скрыть", - "close": "Закрыть", - "comments": "Ваши комментарии", + "clicktoseefull": "Нажать, чтобы посмотреть полное содержимое.", + "close": "Закрыть окно", + "comments": "Комментарии", "commentscount": "Комментарии ({{$a}})", + "commentsnotworking": "Комментарии не могут быть найдены", "completion-alt-auto-fail": "Выполнено: {{$a}} (оценка ниже проходного балла)", "completion-alt-auto-n": "Не выполнено: {{$a}}", "completion-alt-auto-pass": "Выполнено: {{$a}} (оценка выше проходного балла)", "completion-alt-auto-y": "Выполнено: {{$a}}", "completion-alt-manual-n": "Не выполнено: {{$a}}. Выберите, чтобы отметить элемент как выполненный", "completion-alt-manual-y": "Выполнено: {{$a}}. Выберите, чтобы отметить элемент курса как невыполненный", + "confirmcanceledit": "Вы уверены, что хотите покинуть эту страницу? Все изменения будут потеряны.", "confirmdeletefile": "Вы уверены, что хотите удалить это файл?", "confirmloss": "Вы уверены? Все изменения будут удалены.", + "confirmopeninbrowser": "Вы хотите открыть это в веб-браузере?", "content": "Содержимое", + "contenteditingsynced": "Содержимое, которое вы редактируете, было синхронизировано.", "continue": "Продолжить", + "copiedtoclipboard": "Текст скопирован в буфер обмена.", "course": "Курс", "coursedetails": "Информация о курсе", + "currentdevice": "Данное устройство", + "datastoredoffline": "Данные сохранены на устройстве, потому что не могут быть отправлены. Они будут автоматически отправлены позже.", "date": "Дата", - "day": "день", - "days": "дн.", + "day": "дн.", + "days": "Дней", "decsep": ",", "defaultvalue": "Значение по умолчанию ({{$a}})", "delete": "Удалить", + "deletedoffline": "Удалено вне сети", "deleting": "Удаление", - "description": "Вступление", + "description": "Описание", + "dfdaymonthyear": "MM-DD-YYYY", + "dfdayweekmonth": "ddd, D MMM", + "dffulldate": "dddd, D MMMM YYYY h[:]mm A", + "dflastweekdate": "ddd", + "dfmediumdate": "LLL", + "dftimedate": "h[:]mm A", + "discard": "Сбросить", + "dismiss": "Распустить", "done": "Завершено", "download": "Скачать", "downloading": "Загрузка", "edit": "Редактировать", - "error": "Ошибка", + "emptysplit": "Эта страница отобразится незаполненной, если левая панель пуста или загружается.", + "error": "Произошла ошибка", + "errorchangecompletion": "Во время изменения статуса завершения возникла ошибка. Пожалуйста, попробуйте снова.", + "errordeletefile": "Ошибка при удалении файла. Пожалуйста, попробуйте снова.", "errordownloading": "Ошибка загрузки файла", + "errordownloadingsomefiles": "Ошибка загрузки файлов. Некоторые файлы могут отсутствовать.", + "errorfileexistssamename": "Файл с таким именем уже существует.", + "errorinvalidform": "Форма содержит неверные данные. Пожалуйста, проверьте, что все требуемые поля заполнены и что данные верны.", + "errorinvalidresponse": "Получен некорректный ответ. Пожалуйста, свяжитесь с администратором вашего сайта, если при последующих попытках ошибка не пропадёт.", + "errorloadingcontent": "Ошибка загрузки содержимого.", + "erroropenfilenoapp": "Ошибка открытия файла: не найдено приложение для открытия данного типа файла.", + "erroropenfilenoextension": "Ошибка открытия файла: файл не имеет расширения.", + "erroropenpopup": "Это действие пытается открыть всплывающее окно. Это не поддерживается в приложении.", + "errorrenamefile": "Ошибка переименовывания файла. Пожалуйста, попытайтесь снова.", + "errorsync": "При синхронизации возникла ошибка. Пожалуйста, попробуйте снова.", + "errorsyncblocked": "В данный момент это {{$a}} не может быть синхронизировано по причине выполняющегося процесса. Пожалуйста, попытайтесь ещё раз позже. Если при последующих попытках ошибка не пропадёт, попробуйте перезапустить приложение.", "filename": "Имя файла", + "filenameexist": "Имя файла уже существует: {{$a}}", "folder": "Папка", "forcepasswordchangenotice": "Вы должны изменить свой пароль.", "fulllistofcourses": "Все курсы", + "fullnameandsitename": "{{fullname}} ({{sitename}})", "groupsseparate": "Изолированные группы", "groupsvisible": "Видимые группы", - "help": "Справка", + "hasdatatosync": "Это {{$a}} имеет данные, добавленные вне сети, для синхронизации.", + "help": "Помощь", "hide": "Скрыть", "hour": "ч.", "hours": "час.", "humanreadablesize": "{{size}} {{unit}}", - "image": "Изображение ({{$a.MIMETYPE2}})", + "image": "Изображение", + "imageviewer": "Средство отображения изображений", "info": "Информация", + "ios": "iOS", "labelsep": ":", - "lastmodified": "Последние изменения:", + "lastdownloaded": "Последнее загруженное", + "lastmodified": "Последнее изменение", + "lastsync": "Последняя синхронизация", + "layoutgrid": "Сетка", + "list": "Список", "listsep": ";", - "loading": "Загрузка", + "loading": "Загрузка...", + "loadmore": "Загрузить больше", "lostconnection": "Ваш ключ аутентификации недействителен или просрочен. Вам придется повторно подключиться к сайту.", "maxsizeandattachments": "Максимальный размер новых файлов: {{$a.size}}, максимальное количество прикрепленных файлов: {{$a.attachments}}", - "min": "мин.", + "min": "Минимальный балл", "mins": "мин.", "mod_assign": "Задание", "mod_assignment": "Задание", @@ -88,36 +134,44 @@ "mod_wiki": "Вики", "mod_workshop": "Семинар", "moduleintro": "Описание", - "name": "Название:", - "networkerrormsg": "Сеть не работает или работа в ней не разрешена.", + "mygroups": "Мои группы", + "name": "Название", + "networkerrormsg": "С подключением к сайту была проблема. Пожалуйста, проверьте ваше соединение и попытайтесь снова.", "never": "Никогда", - "next": "Далее", + "next": "Следующий", "no": "Нет", "nocomments": "Нет комментариев", - "nograde": "Без оценки", - "none": "Пусто", - "nopasswordchangeforced": "Вы не можете продолжать работу без смены пароля, однако страница для его изменения не доступна. Пожалуйста, свяжитесь с администратором сайта.", + "nograde": "Нет оценки.", + "none": "Никто", + "nopasswordchangeforced": "Вы не можете продолжить, не поменяв свой пароль.", "nopermissions": "Извините, но у Вас нет прав сделать это ({{$a}})", "noresults": "Нет результатов", "notapplicable": "н/д", "notice": "Уведомление", + "notsent": "Не отправлено", "now": "сейчас", "numwords": "всего слов - {{$a}}", - "offline": "Ответ вне сайта", + "offline": "Вне сайта", "online": "На сайте", + "openfullimage": "Нажмите здесь, чтобы отобразить полноразмерное изображение", "openinbrowser": "Открыть в браузере", + "othergroups": "Другие группы", "pagea": "Страница {{$a}}", "paymentinstant": "Используйте кнопку, чтобы произвести оплату и зарегистрироваться в течение нескольких минут!", + "percentagenumber": "{{$a}}%", "phone": "Телефон", "pictureof": "Изображение пользователя {{$a}}", "previous": "Назад", "pulltorefresh": "Потяните, чтобы обновить", + "redirectingtosite": "Вы будете перенаправлены на сайт.", "refresh": "Обновить", - "required": "Необходимо заполнить", + "required": "Обязательный", + "requireduserdatamissing": "У этого пользователя не хватает необходимых данных профиля. Пожалуйста, введите данные на вашем сайте и попытайтесь снова.
      {{$a}}", "restore": "Восстановить", + "retry": "Попробовать снова", "save": "Сохранить", - "search": "Найти", - "searching": "Искать в", + "search": "Искать", + "searching": "Поиск", "searchresults": "Результаты поиска", "sec": "сек.", "secs": "сек.", @@ -128,22 +182,32 @@ "show": "Показать", "showmore": "Показать больше...", "site": "Сайт", + "sitemaintenance": "Сайт на техническом обслуживании и в данный момент не доступен.", "sizeb": "байт", "sizegb": "Гбайт", "sizekb": "Кбайт", "sizemb": "Мбайт", "sizetb": "Тб", + "sorry": "Извините...", "sortby": "Сортировать по", "start": "Начало", "submit": "Отправить", "success": "Успешно", + "tablet": "Планшет", "teachers": "Преподаватели", + "thereisdatatosync": "Есть {{$a}} для синхронизации, созданные вне сети.", "time": "Время", "timesup": "Время закончилось!", "today": "Сегодня", - "unexpectederror": "Неизвестная ошибка. Пожалуйста, закройте и снова еще раз откройте приложение", - "unknown": "неизвестно", + "tryagain": "Попытаться снова", + "twoparagraphs": "{{p1}}

      {{p2}}", + "uhoh": "Ой, ой!", + "unexpectederror": "Неизвестная ошибка. Пожалуйста, закройте, затем ещё раз откройте приложение и попробуйте снова.", + "unicodenotsupported": "Некоторые смайлики не поддерживаются на этом сайте. Такие символы будут удалены при отправке сообщения.", + "unicodenotsupportedcleanerror": "Был обнаружен пустой текст при очистке символов Unicode.", + "unknown": "Неизвестно", "unlimited": "Неограничено", + "unzipping": "Распаковка", "upgraderunning": "Сайт обновляется, повторите попытку позже.", "userdeleted": "Учетная запись пользователя была удалена", "userdetails": "Подробная информация о пользователе", @@ -151,8 +215,12 @@ "users": "Пользователи", "view": "Просмотр", "viewprofile": "Просмотр профиля", + "warningofflinedatadeleted": "Данные, добавленные вне сети, из {{component}} «{{name}}» были удалены. {{error}}", "whoops": "Ой!", - "year": "г.", + "whyisthishappening": "Почему так происходит?", + "windowsphone": "Windows Phone", + "wsfunctionnotavailable": "Функция веб-службы не доступна.", + "year": "Год(ы)", "years": "г.", "yes": "Да" } \ No newline at end of file diff --git a/www/core/lang/sv.json b/www/core/lang/sv.json index c1c118b5c3a..67f0693a58c 100644 --- a/www/core/lang/sv.json +++ b/www/core/lang/sv.json @@ -12,8 +12,8 @@ "clearsearch": "Rensa sökning", "clicktohideshow": "Klicka för att expandera eller fälla ihop", "clicktoseefull": "Klicka för att se hela innehållet", - "close": "Stäng", - "comments": "Dina kommentarer", + "close": "Stäng fönster", + "comments": "Kommentarer", "commentscount": "Kommentarer ({{$a}})", "completion-alt-auto-fail": "Fullföljd (uppnådde inte godkänt resultat)", "completion-alt-auto-n": "Inte avslutad: {{$a}}", @@ -28,12 +28,12 @@ "course": "Kurs", "coursedetails": "Kursinformation", "date": "Datum", - "day": "dag", - "days": "dagar", + "day": "Dag(ar)", + "days": "Dagar", "decsep": ",", "delete": "Ta bort", - "deleting": "Tar bort", - "description": "Introduktion", + "deleting": "ta bort", + "description": "Beskrivning", "dfdayweekmonth": "ddd, D MMM", "dflastweekdate": "ddd", "dfmediumdate": "", @@ -42,7 +42,7 @@ "download": "Ladda ner", "downloading": "Laddar ner", "edit": "Redigera", - "error": "Fel", + "error": "Det uppstod ett fel", "errorchangecompletion": "Ett fel uppstod när du ändrade status för fullföljande. Var god försök igen.", "errordownloading": "Fel vid nedladdning av fil", "errordownloadingsomefiles": "Fel vid hämtning av modulens filer. Vissa filer kanske saknas .", @@ -61,18 +61,19 @@ "hour": "timme", "hours": "timmar", "humanreadablesize": "{{size}} {{unit}}", - "image": "Bild ({{$a.MIMETYPE2}})", + "image": "Bild", "imageviewer": "Bildvisare", - "info": "Information", + "info": "Info", "ios": "IOS", "labelsep": ":", "lastmodified": "Senast modifierad", "lastsync": "Senaste synkronisering", + "list": "Lista", "listsep": ";", - "loading": "Laddar....", + "loading": "Laddar...", "lostconnection": "Vi förlorade anslutningen. Du måste ansluta igen. Din token är nu ogiltigt.", "maxsizeandattachments": "Maximal storlek för nya filer: {{$a.size}}, max bilagor: {{$a.attachments}}", - "min": "minut", + "min": "Min resultat", "mins": "minuter", "mod_assign": "Uppgift", "mod_assignment": "Uppgift", @@ -105,10 +106,10 @@ "name": "Namn", "networkerrormsg": "Nätverket är inte aktiverat eller fungerar inte", "never": "Aldrig", - "next": "Nästa", - "no": "Nej", - "nocomments": "Inga kommentarer", - "nograde": "Inget betyg", + "next": "Fortsätt", + "no": "Ingen", + "nocomments": "Det finns inga kommentarer", + "nograde": "Inget betyg.", "none": "Ingen", "nopasswordchangeforced": "Du kan inte gå vidare utan att ändra Ditt lösenord, men det finns inte någon sida tillgänglig för att ändra det. Var snäll och kontakta Din administratör för Moodle.", "nopermissions": "Du har tyvärr f.n. inte tillstånd att göra detta ({{$a}})", @@ -117,7 +118,7 @@ "notice": "Meddelande", "now": "nu", "numwords": "{{$a}} ord", - "offline": "Ingen inlämning online krävs", + "offline": "Frånkopplat läge", "online": "Uppkopplad", "openfullimage": "Klick här för att visa bilden i full storlek", "openinbrowser": "Öppna i webbläsare", @@ -129,18 +130,18 @@ "pictureof": "Bild av {{$a}}", "previous": "Tidigare", "pulltorefresh": "Dra för att uppdatera", - "refresh": "Uppdatera", + "refresh": "Återställ", "required": "Obligatorisk", "requireduserdatamissing": "Den här användaren saknar vissa nödvändiga profildata. Vänligen fyll i uppgifterna i din Moodle och försök igen.
      {{$a}}", "restore": "Återställ", "save": "Spara", - "search": "Sök...", - "searching": "Sök i ", + "search": "Sök", + "searching": "Söker", "searchresults": "Sökresultat", "sec": "Sekund", "secs": "Sekunder", "seemoredetail": "Klicka här för att se fler detaljer", - "send": "skicka", + "send": "Skicka", "sending": "Skickar", "serverconnection": "Fel vid anslutning till servern", "show": "Visa", @@ -152,7 +153,7 @@ "sizetb": "Tb", "sortby": "Sortera enligt", "start": "Starta", - "submit": "Skicka", + "submit": "Skicka in", "success": "Framgång", "tablet": "Tablet", "teachers": "Distanslärare/
      handledare/
      coacher", @@ -173,7 +174,7 @@ "whoops": "Hoppsan!", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "Webbtjänstfunktion är inte tillgänglig.", - "year": "år", + "year": "År", "years": "år", "yes": "Ja" } \ No newline at end of file diff --git a/www/core/lang/tr.json b/www/core/lang/tr.json index aecc3bf7883..5ed211d45c8 100644 --- a/www/core/lang/tr.json +++ b/www/core/lang/tr.json @@ -11,8 +11,8 @@ "choosedots": "Seçiniz...", "clearsearch": "Aramayı temizle", "clicktohideshow": "Genişlet/Daralt", - "close": "Kapat", - "comments": "Yorumlarınız", + "close": "Pencereyi kapat", + "comments": "Yorumlar", "commentscount": "Yorumlar ({{$a}})", "completion-alt-auto-fail": "Tamamlandı (geçer not almayı başaramadı)", "completion-alt-auto-n": "Tamamlanmadı", @@ -23,21 +23,21 @@ "confirmdeletefile": "Bu dosyayı silmek istediğinize emin misiniz?", "confirmopeninbrowser": "Tarayıcıda açmak istediğine emin misin?", "content": "İçerik", - "continue": "Devam", + "continue": "Devam et", "course": "Ders", "coursedetails": "Ders ayrıntıları", "date": "Tarih", - "day": "gün", - "days": "gün", + "day": "Gün", + "days": "Gün", "decsep": ",", "delete": "Sil", "deleting": "Siliniyor", - "description": "Tanıtım metni", + "description": "Açıklama", "done": "Tamamlandı", "download": "İndir", "downloading": "İndiriliyor...", - "edit": "Düzelt", - "error": "Hata", + "edit": "Düzenle ", + "error": "Hata oluştu", "errordownloading": "Dosya indirmede hata", "filename": "Dosya adı", "folder": "Klasör", @@ -49,17 +49,19 @@ "hide": "Gizle", "hour": "saat", "hours": "saat", - "image": "Görüntü ({{$a.MIMETYPE2}})", + "image": "Resim", "info": "Bilgi", "ios": "İOS", "labelsep": ":", - "lastmodified": "Son değiştirme", + "lastmodified": "En son değiştirme", "lastsync": "Son senkronizasyon", + "layoutgrid": "Izgara", + "list": "Listele", "listsep": ";", - "loading": "Yükleniyor", + "loading": "Yükleniyor...", "lostconnection": "Bağlantınızı kaybettik, yeniden bağlanmanız gerekiyor. Verileriniz artık geçerli değil.", "maxsizeandattachments": "Yeni dosyalar için en büyük boyut: {{$a.size}}, en fazla ek: {{$a.attachments}}", - "min": "dk", + "min": "Min puan", "mins": "dk", "mod_assign": "Ödev", "mod_book": "Kitap", @@ -88,21 +90,21 @@ "mod_workshop": "Çalıştay", "moduleintro": "Açıklama", "mygroups": "Gruplarım", - "name": "Ad", + "name": "Adı", "networkerrormsg": "Ağ etkin değil ya da çalışmıyor.", - "never": "Hiçbir zaman", - "next": "Sonraki", + "never": "Asla", + "next": "Devam et", "no": "Hayır", - "nocomments": "Yorum yok", - "nograde": "Not yok", - "none": "Yok", + "nocomments": "Hiç yorum yok", + "nograde": "Not yok.", + "none": "Hiçbiri", "nopasswordchangeforced": "Şifrenizi değiştirmeden ilerleyemezsiniz, ancak şifrenizi değiştirmek için bir sayfa yok. Lütfen Moodle Yöneticinizle iletişime geçin.", "nopermissions": "Üzgünüz, şu anda bunu yapmaya yetkiniz yok: {{$a}}", "noresults": "Sonuç yok", "notice": "Uyarı", "now": "şimdi", "numwords": "{{$a}} kelime", - "offline": "Online gönderim gerekli değil", + "offline": "Çevrimdışı", "online": "Çevrimiçi", "openinbrowser": "Tarayıcıda aç", "othergroups": "Diğer gruplar", @@ -115,8 +117,8 @@ "required": "Gerekli", "restore": "Geri yükle", "save": "Kaydet", - "search": "Arama...", - "searching": "Aranan", + "search": "Ara", + "searching": "Aranıyor", "searchresults": "Arama sonuçları", "sec": "sn", "secs": "sn", @@ -138,7 +140,7 @@ "success": "Başarı", "tablet": "Tablet", "teachers": "Eğitimciler", - "time": "Zaman", + "time": "Süre", "timesup": "Süre doldu!", "today": "Bugün", "unexpectederror": "Beklenmeyen hata. Lütfen uygulamanızı yeniden açın ve tekrar deneyin", @@ -149,9 +151,9 @@ "userdetails": "Kullanıcı ayrıntıları", "usernotfullysetup": "Kullanıcı tam kurulum yapmadı", "users": "Kullanıcılar", - "view": "Görüntüle", + "view": "Görünüm", "viewprofile": "Profili görüntüle", - "year": "yıl", + "year": "Yıl", "years": "yıl", "yes": "Evet" } \ No newline at end of file diff --git a/www/core/lang/uk.json b/www/core/lang/uk.json index 7a77b715316..841ca4c5214 100644 --- a/www/core/lang/uk.json +++ b/www/core/lang/uk.json @@ -13,8 +13,8 @@ "clearsearch": "Очистити пошук", "clicktohideshow": "Натисніть, щоб розгорнути або згорнути", "clicktoseefull": "Натисніть, щоб побачити весь вміст.", - "close": "Закрити", - "comments": "Ваші коментарі", + "close": "Закрити вікно", + "comments": "Коментарі", "commentscount": "Коментарі ({{$a}})", "commentsnotworking": "Коментар не може бути відновлений", "completion-alt-auto-fail": "Виконано: {{$a}} (не вдалося досягти прохідного балу)", @@ -31,17 +31,17 @@ "contenteditingsynced": "Ви редагуєте вміст який був синхронізований.", "continue": "Продовжити", "copiedtoclipboard": "Текст скопійований", - "course": "Курсу", + "course": "Курс", "coursedetails": "Деталі курсу", "currentdevice": "Поточний пристрій", "datastoredoffline": "Дані зберігаються в пристрої, оскільки не можуть бути надіслані. Вони будуть автоматично відправлені пізніше.", "date": "Дата", - "day": "день", - "days": "днів", + "day": "День(ів)", + "days": "Днів", "decsep": ",", - "delete": "Видалити", + "delete": "Вилучити", "deleting": "Видалення", - "description": "Текст вступу", + "description": "Опис", "dfdaymonthyear": "MM-DD-YYYY", "dfdayweekmonth": "ddd, D MMM", "dffulldate": "dddd, D MMMM YYYY h[:]mm A", @@ -55,7 +55,7 @@ "downloading": "Завантаження", "edit": "Редагувати", "emptysplit": "Ця сторінка буде виглядати порожньою, якщо ліва панель порожня або завантажується.", - "error": "Помилка", + "error": "Сталася помилка", "errorchangecompletion": "При зміні статусу завершення сталася помилка. Будь ласка спробуйте ще раз.", "errordeletefile": "Помилка видалення файлу. Будь ласка спробуйте ще раз.", "errordownloading": "Помилка завантаження файлу.", @@ -84,19 +84,21 @@ "hour": "година", "hours": "години", "humanreadablesize": "{{size}} {{unit}}", - "image": "Зображення ({{$a.MIMETYPE2}})", + "image": "Зображення", "imageviewer": "Переглядач зображень", - "info": "Інформація", + "info": "Інфо", "ios": "iOS", "labelsep": ":", - "lastmodified": "Остання зміна", + "lastmodified": "Востаннє змінено", "lastsync": "Остання синхронізація", + "layoutgrid": "Сітка", + "list": "Список", "listsep": ";", - "loading": "Завантаження...", + "loading": "Завантаження", "loadmore": "Завантажити більше", "lostconnection": "Ваш маркер аутентифікації недійсний або закінчився, вам доведеться підключитися до сайту.", "maxsizeandattachments": "Макс. обсяг для нових файлів: {{$a.size}}, макс. кількість прикріплених файлів: {{$a.attachments}}", - "min": "хв", + "min": "Мін.оцінка", "mins": "хв", "mod_assign": "Завдання", "mod_chat": "Чат", @@ -113,23 +115,23 @@ "mod_workshop": "Семінар", "moduleintro": "Опис", "mygroups": "Мої групи", - "name": "Ім'я", + "name": "Назва", "networkerrormsg": "Мережа не включена або не працює.", "never": "Ніколи", - "next": "Далі", + "next": "Вперед", "no": "Ні", - "nocomments": "Немає коментарів", - "nograde": "Без оцінки", - "none": "Не вибрано", - "nopasswordchangeforced": "Ви не можете перейти не змінивши ваш пароль, але не вказано ніякої сторінки для цього процесу. Будь ласка, зверніться до вашого Адміністратора.", + "nocomments": "Коментарів немає", + "nograde": "Немає оцінки.", + "none": "Немає", + "nopasswordchangeforced": "Ви не можете продовжити без зміни пароля.", "nopermissions": "Вибачте, але ваші поточні права не дозволяють вам цього робити ({{$a}})", - "noresults": "Без результатів", + "noresults": "Результат відсутній", "notapplicable": "n/a", "notice": "Помітити", "notsent": "Не відправлено", "now": "зараз", "numwords": "{{$a}} слів", - "offline": "Не потрібно здавати в онлайні", + "offline": "Поза мережею", "online": "В мережі", "openfullimage": "Натисніть тут, щоб побачити зображення в повному розмірі", "openinbrowser": "Відкрити у браузері", @@ -141,21 +143,22 @@ "pictureof": "Фото {{$a}}", "previous": "Назад", "pulltorefresh": "Потягніть щоб оновити", + "quotausage": "Ви в даний час використовували {$ a-> used}} вашого ліміту {$ a-> total}}.", "redirectingtosite": "Ви будете перенаправлені на сайт.", "refresh": "Оновити", - "required": "Необхідні", + "required": "Необхідне", "requireduserdatamissing": "Цей користувач не має деяких необхідних даних в профілі. Заповніть, будь ласка, ці дані у вашому профілі Moodle і спробуйте ще раз.
      {{$a}}", - "restore": "Відновлення", + "restore": "Відновити", "retry": "Повторити", "save": "Зберегти", - "search": "Знайти", - "searching": "Шукати в", + "search": "Пошук", + "searching": "Пошук", "searchresults": "Результати пошуку", "sec": "сек", "secs": "сек", "seemoredetail": "Деталі...", - "send": "Відіслати", - "sending": "Відсилання", + "send": "надіслати", + "sending": "Відправка", "serverconnection": "Помилка з’єднання з сервером", "show": "Показати", "showmore": "Показати більше", @@ -169,7 +172,7 @@ "sorry": "Вибачте...", "sortby": "Сортувати за", "start": "Початок", - "submit": "Прийняти", + "submit": "Надіслати", "success": "Успішно", "tablet": "Планшет", "teachers": "Викладачі", @@ -183,7 +186,7 @@ "unexpectederror": "Неочікувана помилка. Будь ласка, закрийте і знову відкрийте додаток, щоб спробувати ще раз", "unicodenotsupported": "Деякі Emoji не підтримуються на цьому сайті. Такі символи будуть видалені, коли повідомлення буде відправлено.", "unicodenotsupportedcleanerror": "Порожній текст був знайдений при чищенні Unicode символів.", - "unknown": "Невідоме", + "unknown": "Невідомо", "unlimited": "Не обмежено", "unzipping": "Розпакування", "upgraderunning": "Сайт оновлюється, повторіть спробу пізніше.", @@ -197,7 +200,7 @@ "whyisthishappening": "Чому це відбувається?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "Функція веб-сервіс не доступна.", - "year": "рік", + "year": "Роки", "years": "роки", "yes": "Так" } \ No newline at end of file From 957867ff428797590adfe31e1bf93c986d37ce2e Mon Sep 17 00:00:00 2001 From: Juan Leyva Date: Fri, 23 Feb 2018 11:36:25 +0100 Subject: [PATCH 23/31] MOBILE-2369 release: Bump version number --- config.xml | 2 +- desktop/assets/windows/AppXManifest.xml | 2 +- package.json | 2 +- www/config.json | 4 ++-- www/errorreport.js | 2 +- 5 files changed, 6 insertions(+), 6 deletions(-) diff --git a/config.xml b/config.xml index d3b51458c38..aa0eebbe887 100644 --- a/config.xml +++ b/config.xml @@ -1,5 +1,5 @@ - + Moodle Mobile Moodle Mobile official app diff --git a/desktop/assets/windows/AppXManifest.xml b/desktop/assets/windows/AppXManifest.xml index 2bf1932beea..65f9a24f0ab 100644 --- a/desktop/assets/windows/AppXManifest.xml +++ b/desktop/assets/windows/AppXManifest.xml @@ -6,7 +6,7 @@ + Version="3.4.1.0" /> Moodle Desktop Moodle Pty Ltd. diff --git a/package.json b/package.json index e27e287906f..f17d0fca60e 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "moodlemobile", - "version": "3.4.0", + "version": "3.4.1", "description": "The official app for Moodle.", "author": { "name": "Moodle Pty Ltd.", diff --git a/www/config.json b/www/config.json index d4675af7a34..54aaeaffb99 100644 --- a/www/config.json +++ b/www/config.json @@ -2,8 +2,8 @@ "app_id" : "com.moodle.moodlemobile", "appname": "Moodle Mobile", "desktopappname": "Moodle Desktop", - "versioncode" : "2021", - "versionname" : "3.4.0", + "versioncode" : "2022", + "versionname" : "3.4.1", "cache_expiration_time" : 300000, "default_lang" : "en", "languages": {"ar": "عربي", "bg": "Български", "ca": "Català", "cs": "Čeština", "da": "Dansk", "de": "Deutsch", "de-du": "Deutsch - Du", "el": "Ελληνικά", "en": "English", "es": "Español", "es-mx": "Español - México", "eu": "Euskara", "fa": "فارسی", "fi": "Suomi", "fr" : "Français", "he" : "עברית", "hu": "magyar", "it": "Italiano", "ja": "日本語", "lt" : "Lietuvių", "mr": "मराठी", "nl": "Nederlands", "pl": "Polski", "pt-br": "Português - Brasil", "pt": "Português - Portugal", "ro": "Română", "ru": "Русский", "sr-cr": "Српски", "sr-lt": "Srpski", "sv": "Svenska", "tr" : "Türkçe", "uk" : "Українська", "zh-cn" : "简体中文", "zh-tw" : "正體中文"}, diff --git a/www/errorreport.js b/www/errorreport.js index 611d50d482e..68aa753e9c9 100644 --- a/www/errorreport.js +++ b/www/errorreport.js @@ -16,7 +16,7 @@ // Using JS confirm function we are sure that the user get notified in a Mobile device. // This script should be added at the begining of the index.html and it should only use native javascript functions. -var appVersion = '3.4.0 (2021)', +var appVersion = '3.4.1 (2022)', reportInBackgroundName = 'mmCoreReportInBackground', errors = [], ignoredFiles = ['www/index.html#/site/mod_page', 'www/index.html#/site/mod_resource', 'www/index.html#/site/mm_course-section'], From 595870bac843d0c932521863d6d73205bcaa508f Mon Sep 17 00:00:00 2001 From: Juan Leyva Date: Fri, 23 Feb 2018 12:37:14 +0100 Subject: [PATCH 24/31] MOBILE-2369 release: Fix language strings --- www/addons/mod/assign/lang/en.json | 22 +++++++++++----------- www/addons/mod/workshop/lang/en.json | 4 ++-- 2 files changed, 13 insertions(+), 13 deletions(-) diff --git a/www/addons/mod/assign/lang/en.json b/www/addons/mod/assign/lang/en.json index 16f95b9dd48..e044377550f 100644 --- a/www/addons/mod/assign/lang/en.json +++ b/www/addons/mod/assign/lang/en.json @@ -14,9 +14,9 @@ "attemptreopenmethod_manual": "Manually", "attemptreopenmethod_untilpass": "Automatically until pass", "attemptsettings": "Attempt settings", - "cannotgradefromapp": "Some grading methods are not yet supported by the app and cannot be modified.", - "cannoteditduetostatementsubmission": "You cannot add or edit a submission in the app because we couldn't retrieve the submission statement from the site.", - "cannotsubmitduetostatementsubmission": "You cannot submit for grading in the app because we couldn't retrieve the submission statement from the site.", + "cannotgradefromapp": "Certain grading methods are not yet supported by the app and cannot be modified.", + "cannoteditduetostatementsubmission": "You can't add or edit a submission in the app because the submission statement could not be retrieved from the site.", + "cannotsubmitduetostatementsubmission": "You can't make a submission in the app because the submission statement could not be retrieved from the site.", "confirmsubmission": "Are you sure you want to submit your work for grading? You will not be able to make any more changes.", "currentgrade": "Current grade in gradebook", "cutoffdate": "Cut-off date", @@ -28,10 +28,10 @@ "duedatereached": "The due date for this assignment has now passed", "editingstatus": "Editing status", "editsubmission": "Edit submission", - "erroreditpluginsnotsupported": "You cannot add or edit a submission in the app because some plugins aren't supported for editing:", - "errorshowinginformation": "We can't display the submission information", + "erroreditpluginsnotsupported": "You can't add or edit a submission in the app because certain plugins are not yet supported for editing.", + "errorshowinginformation": "Submission information cannot be displayed.", "extensionduedate": "Extension due date", - "feedbacknotsupported": "This feedback is not supported by the app and may not contain all the information", + "feedbacknotsupported": "This feedback is not supported by the app and may not contain all the information.", "grade": "Grade", "graded": "Graded", "gradedby": "Graded by", @@ -55,7 +55,7 @@ "nomoresubmissionsaccepted": "Only allowed for participants who have been granted an extension", "noonlinesubmissions": "This assignment does not require you to submit anything online", "nosubmission": "Nothing has been submitted for this assignment", - "notallparticipantsareshown": "Participants without submissions are not being shown", + "notallparticipantsareshown": "Participants who have not made a submission are not shown.", "noteam": "Not a member of any group", "notgraded": "Not graded", "numberofdraftsubmissions": "Drafts", @@ -69,7 +69,7 @@ "savechanges": "Save changes", "submissioneditable": "Student can edit this submission", "submissionnoteditable": "Student cannot edit this submission", - "submissionnotsupported": "This submission is not supported by the app and may not contain all the information", + "submissionnotsupported": "This submission is not supported by the app and may not contain all the information.", "submission": "Submission", "submissionslocked": "This assignment is not accepting submissions", "submissionstatus_draft": "Draft (not submitted)", @@ -90,10 +90,10 @@ "timeremaining": "Time remaining", "ungroupedusers": "The setting 'Require group to make submission' is enabled and some users are either not a member of any group, or are a member of more than one group, so are unable to make submissions.", "unlimitedattempts": "Unlimited", - "userwithid": "User with Id {{id}}", + "userwithid": "User with ID {{id}}", "userswhoneedtosubmit": "Users who need to submit: {{$a}}", "viewsubmission": "View submission", - "warningsubmissionmodified": "The user submission was modified in the site.", - "warningsubmissiongrademodified": "The submission grade was modified in the site.", + "warningsubmissionmodified": "The user submission was modified on the site.", + "warningsubmissiongrademodified": "The submission grade was modified on the site.", "wordlimit": "Word limit" } \ No newline at end of file diff --git a/www/addons/mod/workshop/lang/en.json b/www/addons/mod/workshop/lang/en.json index 789520d1bff..57243db4ab0 100644 --- a/www/addons/mod/workshop/lang/en.json +++ b/www/addons/mod/workshop/lang/en.json @@ -50,8 +50,8 @@ "switchphase40": "Switch to the evaluation phase", "switchphase50": "Close workshop", "userplancurrentphase": "Current phase", - "warningassessmentmodified": "The user submission was modified in the site.", - "warningsubmissionmodified": "The user assessment was modified in the site.", + "warningassessmentmodified": "The submission was modified on the site.", + "warningsubmissionmodified": "The assessment was modified on the site.", "weightinfo": "Weight: {{$a}}", "yourassessment": "Your assessment", "yourassessmentfor": "Your assessment for {{$a}}", From 85b12d6936561b8cf1c25dfefb84dcc9e60a8c5c Mon Sep 17 00:00:00 2001 From: Dani Palou Date: Fri, 23 Feb 2018 10:12:52 +0100 Subject: [PATCH 25/31] MOBILE-2371 quiz: Improve unit support in calculated questions --- www/addons/qtype/calculated/directive.js | 4 +- www/addons/qtype/calculated/handlers.js | 46 +++++++- www/addons/qtype/calculated/template.html | 21 ++++ .../qtype/calculatedsimple/directive.js | 4 +- .../components/question/services/helper.js | 106 +++++++++++++++++- 5 files changed, 172 insertions(+), 9 deletions(-) create mode 100644 www/addons/qtype/calculated/template.html diff --git a/www/addons/qtype/calculated/directive.js b/www/addons/qtype/calculated/directive.js index 41c87e43abc..398785719b4 100644 --- a/www/addons/qtype/calculated/directive.js +++ b/www/addons/qtype/calculated/directive.js @@ -27,9 +27,9 @@ angular.module('mm.addons.qtype_calculated') return { restrict: 'A', priority: 100, - templateUrl: 'addons/qtype/shortanswer/template.html', + templateUrl: 'addons/qtype/calculated/template.html', link: function(scope) { - $mmQuestionHelper.inputTextDirective(scope, $log); + $mmQuestionHelper.calculatedDirective(scope, $log); } }; }); diff --git a/www/addons/qtype/calculated/handlers.js b/www/addons/qtype/calculated/handlers.js index 39dff7bbbdd..cfa4762ea56 100644 --- a/www/addons/qtype/calculated/handlers.js +++ b/www/addons/qtype/calculated/handlers.js @@ -21,7 +21,7 @@ angular.module('mm.addons.qtype_calculated') * @ngdoc service * @name $mmaQtypeCalculatedHandler */ -.factory('$mmaQtypeCalculatedHandler', function($mmaQtypeNumericalHandler) { +.factory('$mmaQtypeCalculatedHandler', function($mmaQtypeNumericalHandler, $mmUtil) { var self = {}; @@ -34,7 +34,15 @@ angular.module('mm.addons.qtype_calculated') */ self.isCompleteResponse = function(question, answers) { // This question type depends on numerical. - return $mmaQtypeNumericalHandler.isCompleteResponse(question, answers); + if (!self.isGradableResponse(question, answers) || !$mmaQtypeNumericalHandler.validateUnits(answers['answer'])) { + return false; + } + + if (self.requiresUnits(question)) { + return self.isValidValue(answers['unit']); + } + + return -1; }; /** @@ -56,7 +64,13 @@ angular.module('mm.addons.qtype_calculated') */ self.isGradableResponse = function(question, answers) { // This question type depends on numerical. - return $mmaQtypeNumericalHandler.isGradableResponse(question, answers); + var hasAnswer = self.isValidValue(answers['answer']); + if (self.requiresUnits(question)) { + // The question requires a unit. + return hasAnswer && self.isValidValue(answers['unit']); + } else { + return hasAnswer; + } }; /** @@ -69,7 +83,18 @@ angular.module('mm.addons.qtype_calculated') */ self.isSameResponse = function(question, prevAnswers, newAnswers) { // This question type depends on numerical. - return $mmaQtypeNumericalHandler.isSameResponse(question, prevAnswers, newAnswers); + return $mmUtil.sameAtKeyMissingIsBlank(prevAnswers, newAnswers, 'answer') && + $mmUtil.sameAtKeyMissingIsBlank(prevAnswers, newAnswers, 'unit'); + }; + + /** + * Check if a value is valid (not empty). + * + * @param {Mixed} value Value to check. + * @return {Boolean} Whether the value is valid. + */ + self.isValidValue = function(value) { + return value || value === '0' || value === 0; }; /** @@ -82,5 +107,18 @@ angular.module('mm.addons.qtype_calculated') return 'mma-qtype-calculated'; }; + /** + * Check if a question requires units in a separate input. + * + * @param {Object} question The questions. + * @return {Boolean} Whether the question requires units. + */ + self.requiresUnits = function(question) { + var div = document.createElement('div'); + div.innerHTML = question.html; + + return div.querySelector('select[name*=unit]') || div.querySelector('input[type="radio"]'); + }; + return self; }); diff --git a/www/addons/qtype/calculated/template.html b/www/addons/qtype/calculated/template.html new file mode 100644 index 00000000000..3325ff934bd --- /dev/null +++ b/www/addons/qtype/calculated/template.html @@ -0,0 +1,21 @@ +
      +
      +

      {{ question.text }}

      +
      + + + + +
      + + +

      + {{select.selected.label}} +

      +
      + + +

      {{option.text}}

      +
      +
      diff --git a/www/addons/qtype/calculatedsimple/directive.js b/www/addons/qtype/calculatedsimple/directive.js index f5a21952279..70ba29dd077 100644 --- a/www/addons/qtype/calculatedsimple/directive.js +++ b/www/addons/qtype/calculatedsimple/directive.js @@ -27,9 +27,9 @@ angular.module('mm.addons.qtype_calculatedsimple') return { restrict: 'A', priority: 100, - templateUrl: 'addons/qtype/shortanswer/template.html', + templateUrl: 'addons/qtype/calculated/template.html', link: function(scope) { - $mmQuestionHelper.inputTextDirective(scope, $log); + $mmQuestionHelper.calculatedDirective(scope, $log); } }; }); diff --git a/www/core/components/question/services/helper.js b/www/core/components/question/services/helper.js index 9c6798d1a0e..446a37a9c47 100644 --- a/www/core/components/question/services/helper.js +++ b/www/core/components/question/services/helper.js @@ -51,6 +51,108 @@ angular.module('mm.core.question') }); } + /** + * Generic link function for question directives with an input of type "text" and, optionally, a select for the units. + * + * @module mm.core.question + * @ngdoc method + * @name $mmQuestionHelper#calculatedDirective + * @param {Object} scope Directive's scope. + * @param {Object} log $log instance to log messages. + * @return {Void} + */ + self.calculatedDirective = function(scope, log) { + // Treat the input text first. + var questionEl = self.inputTextDirective(scope, log); + if (questionEl) { + questionEl = questionEl[0] || questionEl; // Convert from jqLite to plain JS if needed. + + // Check if the question has a select for units. + var selectModel = {}, + select = questionEl.querySelector('select[name*=unit]'), + options = select && select.querySelectorAll('option'); + + if (select && options && options.length) { + + selectModel.id = select.id; + selectModel.name = select.name; + selectModel.disabled = select.disabled; + selectModel.selected = false; + selectModel.options = []; + + // Treat each option. + angular.forEach(options, function(option) { + if (typeof option.value == 'undefined') { + log.warn('Aborting because couldn\'t find option value.', question.name); + return self.showDirectiveError(scope); + } + var opt = { + value: option.value, + label: option.innerHTML, + selected: option.selected + }; + + if (opt.selected) { + selectModel.selected = opt; + } + + selectModel.options.push(opt); + }); + + // Get the accessibility label. + accessibilityLabel = questionEl.querySelector('label[for="' + select.id + '"]'); + selectModel.accessibilityLabel = accessibilityLabel.innerHTML; + + scope.select = selectModel; + + return; + } + + // Check if the question has radio buttons for units. + options = questionEl.querySelectorAll('input[type="radio"]'); + if (!options || !options.length) { + return; + } + + scope.options = []; + + angular.forEach(options, function(element) { + + var option = { + id: element.id, + name: element.name, + value: element.value, + checked: element.checked, + disabled: element.disabled + }, + label; + + // Get the label with the question text. + label = questionEl.querySelector('label[for="' + option.id + '"]'); + if (label) { + option.text = label.innerText; + + // Check that we were able to successfully extract options required data. + if (typeof option.name != 'undefined' && typeof option.value != 'undefined' && + typeof option.text != 'undefined') { + + if (element.checked) { + // If the option is checked and it's a single choice we use the model to select the one. + scope.unit = option.value; + } + + scope.options.push(option); + return; + } + } + + // Something went wrong when extracting the questions data. Abort. + log.warn('Aborting because of an error parsing options.', question.name, option.name); + return self.showDirectiveError(scope); + }); + } + }; + /** * Convenience function to initialize a question directive. * Performs some common checks and extracts the question's text. @@ -554,7 +656,7 @@ angular.module('mm.core.question') * @name $mmQuestionHelper#inputTextDirective * @param {Object} scope Directive's scope. * @param {Object} log $log instance to log messages. - * @return {Void} + * @return {Oject} The question element. */ self.inputTextDirective = function(scope, log) { var questionEl = self.directiveInit(scope, log); @@ -582,6 +684,8 @@ angular.module('mm.core.question') scope.input.isCorrect = 1; } } + + return questionEl; }; /** From b8568ba4d55b7c680c994ae27abe2b6936a68ba3 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Pau=20Ferrer=20Oca=C3=B1a?= Date: Sun, 25 Feb 2018 21:21:56 +0100 Subject: [PATCH 26/31] MODILE-2371 quiz: Fix styles and default option --- www/addons/qtype/calculated/scss/styles.scss | 12 +++++++++ www/addons/qtype/calculated/template.html | 26 ++++++++++--------- .../components/question/services/helper.js | 7 +++-- 3 files changed, 29 insertions(+), 16 deletions(-) create mode 100644 www/addons/qtype/calculated/scss/styles.scss diff --git a/www/addons/qtype/calculated/scss/styles.scss b/www/addons/qtype/calculated/scss/styles.scss new file mode 100644 index 00000000000..dff2dee511c --- /dev/null +++ b/www/addons/qtype/calculated/scss/styles.scss @@ -0,0 +1,12 @@ +// Style match content a bit. +.mma-qtype-calculated-container .item-select { + select, + .mm-select-fix { + padding: 0 36px 0 0; + max-width: 100%; + display: flex; + justify-content:center; + align-content:center; + flex-direction:column; + } +} diff --git a/www/addons/qtype/calculated/template.html b/www/addons/qtype/calculated/template.html index 3325ff934bd..908be42c7f6 100644 --- a/www/addons/qtype/calculated/template.html +++ b/www/addons/qtype/calculated/template.html @@ -1,18 +1,20 @@ -
      +

      {{ question.text }}

      - - - - -
      - - -

      - {{select.selected.label}} -

      +
      + + + + +
      + + +

      + {{select.selected.label}} +

      +
      diff --git a/www/core/components/question/services/helper.js b/www/core/components/question/services/helper.js index 446a37a9c47..df4d7d79243 100644 --- a/www/core/components/question/services/helper.js +++ b/www/core/components/question/services/helper.js @@ -77,7 +77,7 @@ angular.module('mm.core.question') selectModel.id = select.id; selectModel.name = select.name; selectModel.disabled = select.disabled; - selectModel.selected = false; + selectModel.selected = ""; selectModel.options = []; // Treat each option. @@ -88,11 +88,10 @@ angular.module('mm.core.question') } var opt = { value: option.value, - label: option.innerHTML, - selected: option.selected + label: option.innerHTML }; - if (opt.selected) { + if (option.selected) { selectModel.selected = opt; } From e3e7c23f7baad5020893ed888c7db506cdd1f207 Mon Sep 17 00:00:00 2001 From: Dani Palou Date: Tue, 27 Feb 2018 09:42:10 +0100 Subject: [PATCH 27/31] MOBILE-2371 quiz: Fix select default option duplicated --- www/addons/qtype/calculated/handlers.js | 24 +++++++++++++++++++ www/addons/qtype/calculated/template.html | 6 ++--- .../qtype/calculatedsimple/directive.js | 11 +++++++++ www/addons/qtype/calculatedsimple/handlers.js | 15 ++++++++++++ .../components/question/services/helper.js | 10 ++++++-- 5 files changed, 61 insertions(+), 5 deletions(-) diff --git a/www/addons/qtype/calculated/handlers.js b/www/addons/qtype/calculated/handlers.js index cfa4762ea56..0eb4f0887e6 100644 --- a/www/addons/qtype/calculated/handlers.js +++ b/www/addons/qtype/calculated/handlers.js @@ -107,6 +107,30 @@ angular.module('mm.addons.qtype_calculated') return 'mma-qtype-calculated'; }; + /** + * Prepare the answers for a certain question. + * This function should only be implemented if the answers must be processed before being sent. + * + * @param {Object} question The question. + * @param {Object} answers The answers retrieved from the form. Prepared answers must be stored in this object. + * @param {Boolean} offline True if data should be saved in offline. + * @param {String} [siteId] Site ID. If not defined, current site. + * @return {Promise|Void} Promise resolved when data has been prepared. + */ + self.prepareAnswers = function(question, answers, offline, siteId) { + // If the units are sent using a select, remove a "string:" added by Angular to the values. + // First check if there really is a select in the question HTML. + var div = document.createElement('div'), + select; + + div.innerHTML = question.html; + select = div.querySelector('select[name*=unit]'); + if (select && typeof answers[select.name] == 'string') { + // Remove the "string:" from the beginning of the answer if it's there. + answers[select.name] = answers[select.name].replace(/^string:/, ''); + } + }; + /** * Check if a question requires units in a separate input. * diff --git a/www/addons/qtype/calculated/template.html b/www/addons/qtype/calculated/template.html index 908be42c7f6..9d5dd48b617 100644 --- a/www/addons/qtype/calculated/template.html +++ b/www/addons/qtype/calculated/template.html @@ -9,10 +9,10 @@
      - -

      - {{select.selected.label}} +

      + {{select.selectedLabel}}

      diff --git a/www/addons/qtype/calculatedsimple/directive.js b/www/addons/qtype/calculatedsimple/directive.js index 70ba29dd077..b74492adbb7 100644 --- a/www/addons/qtype/calculatedsimple/directive.js +++ b/www/addons/qtype/calculatedsimple/directive.js @@ -30,6 +30,17 @@ angular.module('mm.addons.qtype_calculatedsimple') templateUrl: 'addons/qtype/calculated/template.html', link: function(scope) { $mmQuestionHelper.calculatedDirective(scope, $log); + + scope.valueChanged = function() { + // The value has changed. Update selected label. + for (var i = 0; i < scope.select.options.length; i++) { + var option = scope.select.options[i]; + if (option.value == scope.select.selected) { + scope.select.selectedLabel = option.label; + break; + } + } + }; } }; }); diff --git a/www/addons/qtype/calculatedsimple/handlers.js b/www/addons/qtype/calculatedsimple/handlers.js index e8481e3821c..c0826d585fa 100644 --- a/www/addons/qtype/calculatedsimple/handlers.js +++ b/www/addons/qtype/calculatedsimple/handlers.js @@ -82,5 +82,20 @@ angular.module('mm.addons.qtype_calculatedsimple') return 'mma-qtype-calculated-simple'; }; + /** + * Prepare the answers for a certain question. + * This function should only be implemented if the answers must be processed before being sent. + * + * @param {Object} question The question. + * @param {Object} answers The answers retrieved from the form. Prepared answers must be stored in this object. + * @param {Boolean} offline True if data should be saved in offline. + * @param {String} [siteId] Site ID. If not defined, current site. + * @return {Promise|Void} Promise resolved when data has been prepared. + */ + self.prepareAnswers = function(question, answers, offline, siteId) { + // This question type depends on calculated. + return $mmaQtypeCalculatedHandler.prepareAnswers(question, answers, offline, siteId); + }; + return self; }); diff --git a/www/core/components/question/services/helper.js b/www/core/components/question/services/helper.js index df4d7d79243..ce842112312 100644 --- a/www/core/components/question/services/helper.js +++ b/www/core/components/question/services/helper.js @@ -77,7 +77,6 @@ angular.module('mm.core.question') selectModel.id = select.id; selectModel.name = select.name; selectModel.disabled = select.disabled; - selectModel.selected = ""; selectModel.options = []; // Treat each option. @@ -92,12 +91,19 @@ angular.module('mm.core.question') }; if (option.selected) { - selectModel.selected = opt; + selectModel.selected = opt.value; + selectModel.selectedLabel = opt.label; } selectModel.options.push(opt); }); + if (!selectModel.selected) { + // No selected option, select the first one. + selectModel.selected = selectModel.options[0].value; + selectModel.selectedLabel = selectModel.options[0].label; + } + // Get the accessibility label. accessibilityLabel = questionEl.querySelector('label[for="' + select.id + '"]'); selectModel.accessibilityLabel = accessibilityLabel.innerHTML; From bf736735e6ccc4ce135b3f5eb60528a71d0c200a Mon Sep 17 00:00:00 2001 From: Dani Palou Date: Wed, 28 Feb 2018 09:40:02 +0100 Subject: [PATCH 28/31] MOBILE-2371 quiz: Support displaying units first in calculated questions --- www/addons/qtype/calculated/template.html | 34 ++++++++++++------- .../components/question/services/helper.js | 11 +++++- 2 files changed, 31 insertions(+), 14 deletions(-) diff --git a/www/addons/qtype/calculated/template.html b/www/addons/qtype/calculated/template.html index 9d5dd48b617..9bfbc09f14d 100644 --- a/www/addons/qtype/calculated/template.html +++ b/www/addons/qtype/calculated/template.html @@ -1,23 +1,31 @@ + + + + + +

      {{ question.text }}

      +
      +
      - -
      - - -

      - {{select.selectedLabel}} -

      -
      +
      - - -

      {{option.text}}

      -
      +
      diff --git a/www/core/components/question/services/helper.js b/www/core/components/question/services/helper.js index ce842112312..0da9e1b4f31 100644 --- a/www/core/components/question/services/helper.js +++ b/www/core/components/question/services/helper.js @@ -70,7 +70,8 @@ angular.module('mm.core.question') // Check if the question has a select for units. var selectModel = {}, select = questionEl.querySelector('select[name*=unit]'), - options = select && select.querySelectorAll('option'); + options = select && select.querySelectorAll('option'), + input; if (select && options && options.length) { @@ -110,6 +111,10 @@ angular.module('mm.core.question') scope.select = selectModel; + // Check which one should be displayed first: the select or the input. + input = questionEl.querySelector('input[type="text"][name*=answer]'); + scope.selectFirst = questionEl.innerHTML.indexOf(input.outerHTML) > questionEl.innerHTML.indexOf(select.outerHTML); + return; } @@ -155,6 +160,10 @@ angular.module('mm.core.question') log.warn('Aborting because of an error parsing options.', question.name, option.name); return self.showDirectiveError(scope); }); + + // Check which one should be displayed first: the options or the input. + input = questionEl.querySelector('input[type="text"][name*=answer]'); + scope.optionsFirst = questionEl.innerHTML.indexOf(input.outerHTML) > questionEl.innerHTML.indexOf(options[0].outerHTML); } }; From ac2929dae1dbee47eac13025b113ac248d664804 Mon Sep 17 00:00:00 2001 From: Juan Leyva Date: Wed, 28 Feb 2018 16:27:55 +0100 Subject: [PATCH 29/31] MOBILE-2369 release: Auto translated strings --- www/addons/badges/lang/ko.json | 13 ++ www/addons/badges/lang/mr.json | 2 +- www/addons/badges/lang/sv.json | 2 +- www/addons/badges/lang/tr.json | 2 +- www/addons/calendar/lang/ar.json | 2 +- www/addons/calendar/lang/bg.json | 2 +- www/addons/calendar/lang/ca.json | 2 +- www/addons/calendar/lang/cs.json | 4 +- www/addons/calendar/lang/da.json | 4 +- www/addons/calendar/lang/de-du.json | 4 +- www/addons/calendar/lang/de.json | 4 +- www/addons/calendar/lang/el.json | 2 +- www/addons/calendar/lang/es-mx.json | 4 +- www/addons/calendar/lang/es.json | 4 +- www/addons/calendar/lang/eu.json | 2 +- www/addons/calendar/lang/fa.json | 4 +- www/addons/calendar/lang/fi.json | 2 +- www/addons/calendar/lang/fr.json | 2 +- www/addons/calendar/lang/he.json | 4 +- www/addons/calendar/lang/it.json | 2 +- www/addons/calendar/lang/ja.json | 2 +- www/addons/calendar/lang/ko.json | 2 +- www/addons/calendar/lang/lt.json | 2 +- www/addons/calendar/lang/mr.json | 2 +- www/addons/calendar/lang/nl.json | 2 +- www/addons/calendar/lang/no.json | 2 +- www/addons/calendar/lang/pt-br.json | 4 +- www/addons/calendar/lang/pt.json | 2 +- www/addons/calendar/lang/ru.json | 2 +- www/addons/calendar/lang/sv.json | 4 +- www/addons/calendar/lang/uk.json | 4 +- www/addons/competency/lang/ar.json | 6 +- www/addons/competency/lang/bg.json | 2 +- www/addons/competency/lang/ca.json | 14 +- www/addons/competency/lang/cs.json | 12 +- www/addons/competency/lang/da.json | 12 +- www/addons/competency/lang/de-du.json | 16 +-- www/addons/competency/lang/de.json | 16 +-- www/addons/competency/lang/el.json | 4 +- www/addons/competency/lang/es-mx.json | 14 +- www/addons/competency/lang/es.json | 10 +- www/addons/competency/lang/eu.json | 10 +- www/addons/competency/lang/fa.json | 10 +- www/addons/competency/lang/fi.json | 10 +- www/addons/competency/lang/fr.json | 12 +- www/addons/competency/lang/he.json | 12 +- www/addons/competency/lang/hr.json | 6 +- www/addons/competency/lang/hu.json | 12 +- www/addons/competency/lang/it.json | 14 +- www/addons/competency/lang/ja.json | 14 +- www/addons/competency/lang/ko.json | 10 ++ www/addons/competency/lang/lt.json | 14 +- www/addons/competency/lang/mr.json | 4 +- www/addons/competency/lang/nl.json | 12 +- www/addons/competency/lang/no.json | 10 +- www/addons/competency/lang/pl.json | 10 +- www/addons/competency/lang/pt-br.json | 12 +- www/addons/competency/lang/pt.json | 14 +- www/addons/competency/lang/ro.json | 4 +- www/addons/competency/lang/ru.json | 16 +-- www/addons/competency/lang/sv.json | 14 +- www/addons/competency/lang/tr.json | 12 +- www/addons/competency/lang/uk.json | 18 +-- www/addons/coursecompletion/lang/ar.json | 6 +- www/addons/coursecompletion/lang/bg.json | 14 +- www/addons/coursecompletion/lang/ca.json | 16 +-- www/addons/coursecompletion/lang/cs.json | 26 ++-- www/addons/coursecompletion/lang/da.json | 30 ++-- www/addons/coursecompletion/lang/de-du.json | 24 ++-- www/addons/coursecompletion/lang/de.json | 24 ++-- www/addons/coursecompletion/lang/el.json | 16 +-- www/addons/coursecompletion/lang/es-mx.json | 26 ++-- www/addons/coursecompletion/lang/es.json | 10 +- www/addons/coursecompletion/lang/eu.json | 18 +-- www/addons/coursecompletion/lang/fa.json | 14 +- www/addons/coursecompletion/lang/fi.json | 22 +-- www/addons/coursecompletion/lang/fr.json | 14 +- www/addons/coursecompletion/lang/he.json | 26 ++-- www/addons/coursecompletion/lang/hr.json | 12 +- www/addons/coursecompletion/lang/hu.json | 12 +- www/addons/coursecompletion/lang/it.json | 16 +-- www/addons/coursecompletion/lang/ja.json | 24 ++-- www/addons/coursecompletion/lang/ko.json | 24 ++-- www/addons/coursecompletion/lang/lt.json | 22 +-- www/addons/coursecompletion/lang/mr.json | 6 +- www/addons/coursecompletion/lang/nl.json | 22 +-- www/addons/coursecompletion/lang/no.json | 10 +- www/addons/coursecompletion/lang/pl.json | 12 +- www/addons/coursecompletion/lang/pt-br.json | 24 ++-- www/addons/coursecompletion/lang/pt.json | 18 +-- www/addons/coursecompletion/lang/ro.json | 28 ++-- www/addons/coursecompletion/lang/ru.json | 28 ++-- www/addons/coursecompletion/lang/sv.json | 22 +-- www/addons/coursecompletion/lang/tr.json | 12 +- www/addons/coursecompletion/lang/uk.json | 26 ++-- www/addons/files/lang/ca.json | 4 +- www/addons/files/lang/cs.json | 4 +- www/addons/files/lang/da.json | 4 +- www/addons/files/lang/de-du.json | 4 +- www/addons/files/lang/de.json | 4 +- www/addons/files/lang/el.json | 2 +- www/addons/files/lang/es-mx.json | 4 +- www/addons/files/lang/es.json | 4 +- www/addons/files/lang/eu.json | 4 +- www/addons/files/lang/fi.json | 4 +- www/addons/files/lang/fr.json | 4 +- www/addons/files/lang/he.json | 2 +- www/addons/files/lang/hr.json | 2 +- www/addons/files/lang/it.json | 4 +- www/addons/files/lang/ja.json | 4 +- www/addons/files/lang/ko.json | 6 +- www/addons/files/lang/lt.json | 4 +- www/addons/files/lang/nl.json | 4 +- www/addons/files/lang/pt-br.json | 4 +- www/addons/files/lang/pt.json | 6 +- www/addons/files/lang/ro.json | 4 +- www/addons/files/lang/ru.json | 2 +- www/addons/files/lang/uk.json | 4 +- www/addons/frontpage/lang/ko.json | 4 + www/addons/grades/lang/bg.json | 2 +- www/addons/grades/lang/el.json | 2 +- www/addons/grades/lang/fa.json | 2 +- www/addons/grades/lang/fi.json | 2 +- www/addons/grades/lang/fr.json | 2 +- www/addons/grades/lang/he.json | 2 +- www/addons/grades/lang/hr.json | 2 +- www/addons/grades/lang/it.json | 2 +- www/addons/grades/lang/ja.json | 2 +- www/addons/grades/lang/ko.json | 4 + www/addons/grades/lang/mr.json | 2 +- www/addons/grades/lang/nl.json | 2 +- www/addons/grades/lang/pl.json | 2 +- www/addons/grades/lang/ru.json | 2 +- www/addons/grades/lang/uk.json | 2 +- www/addons/messages/lang/ar.json | 5 +- www/addons/messages/lang/bg.json | 6 +- www/addons/messages/lang/ca.json | 6 +- www/addons/messages/lang/cs.json | 8 +- www/addons/messages/lang/da.json | 6 +- www/addons/messages/lang/de-du.json | 2 +- www/addons/messages/lang/de.json | 2 +- www/addons/messages/lang/el.json | 6 +- www/addons/messages/lang/es-mx.json | 8 +- www/addons/messages/lang/es.json | 6 +- www/addons/messages/lang/eu.json | 6 +- www/addons/messages/lang/fa.json | 6 +- www/addons/messages/lang/fi.json | 6 +- www/addons/messages/lang/fr.json | 10 +- www/addons/messages/lang/he.json | 12 +- www/addons/messages/lang/hr.json | 8 +- www/addons/messages/lang/hu.json | 6 +- www/addons/messages/lang/it.json | 8 +- www/addons/messages/lang/ja.json | 6 +- www/addons/messages/lang/ko.json | 13 +- www/addons/messages/lang/lt.json | 8 +- www/addons/messages/lang/mr.json | 6 +- www/addons/messages/lang/nl.json | 6 +- www/addons/messages/lang/no.json | 8 +- www/addons/messages/lang/pl.json | 6 +- www/addons/messages/lang/pt-br.json | 6 +- www/addons/messages/lang/pt.json | 4 +- www/addons/messages/lang/ro.json | 8 +- www/addons/messages/lang/ru.json | 4 +- www/addons/messages/lang/sv.json | 8 +- www/addons/messages/lang/tr.json | 4 +- www/addons/messages/lang/uk.json | 6 +- .../mod/assign/feedback/comments/lang/ko.json | 3 + .../mod/assign/feedback/comments/lang/mr.json | 2 +- .../mod/assign/feedback/editpdf/lang/ar.json | 2 +- .../mod/assign/feedback/editpdf/lang/bg.json | 2 +- .../mod/assign/feedback/editpdf/lang/ko.json | 3 + .../mod/assign/feedback/editpdf/lang/mr.json | 2 +- .../mod/assign/feedback/file/lang/el.json | 3 + .../mod/assign/feedback/file/lang/ko.json | 3 + .../mod/assign/feedback/file/lang/mr.json | 2 +- www/addons/mod/assign/lang/ca.json | 2 +- www/addons/mod/assign/lang/de-du.json | 2 +- www/addons/mod/assign/lang/de.json | 2 +- www/addons/mod/assign/lang/eu.json | 2 +- www/addons/mod/assign/lang/fi.json | 2 +- www/addons/mod/assign/lang/he.json | 2 +- www/addons/mod/assign/lang/it.json | 2 +- www/addons/mod/assign/lang/ja.json | 2 +- www/addons/mod/assign/lang/ko.json | 74 +++++++++- www/addons/mod/assign/lang/nl.json | 2 +- www/addons/mod/assign/lang/pt-br.json | 2 +- www/addons/mod/assign/lang/pt.json | 2 +- www/addons/mod/assign/lang/ro.json | 2 +- www/addons/mod/assign/lang/ru.json | 2 +- www/addons/mod/assign/lang/sv.json | 2 +- www/addons/mod/assign/lang/tr.json | 2 +- .../assign/submission/comments/lang/ar.json | 2 +- .../assign/submission/comments/lang/ko.json | 3 + .../assign/submission/comments/lang/mr.json | 2 +- .../mod/assign/submission/file/lang/ko.json | 3 + .../mod/assign/submission/file/lang/mr.json | 2 +- .../assign/submission/onlinetext/lang/ar.json | 2 +- .../assign/submission/onlinetext/lang/bg.json | 2 +- .../assign/submission/onlinetext/lang/ca.json | 2 +- .../assign/submission/onlinetext/lang/cs.json | 2 +- .../assign/submission/onlinetext/lang/da.json | 2 +- .../submission/onlinetext/lang/de-du.json | 2 +- .../assign/submission/onlinetext/lang/de.json | 2 +- .../assign/submission/onlinetext/lang/el.json | 2 +- .../submission/onlinetext/lang/es-mx.json | 2 +- .../assign/submission/onlinetext/lang/es.json | 2 +- .../assign/submission/onlinetext/lang/eu.json | 2 +- .../assign/submission/onlinetext/lang/fa.json | 2 +- .../assign/submission/onlinetext/lang/fi.json | 2 +- .../assign/submission/onlinetext/lang/fr.json | 2 +- .../assign/submission/onlinetext/lang/he.json | 2 +- .../assign/submission/onlinetext/lang/hr.json | 2 +- .../assign/submission/onlinetext/lang/hu.json | 2 +- .../assign/submission/onlinetext/lang/it.json | 2 +- .../assign/submission/onlinetext/lang/ja.json | 2 +- .../assign/submission/onlinetext/lang/ko.json | 3 + .../assign/submission/onlinetext/lang/lt.json | 2 +- .../assign/submission/onlinetext/lang/mr.json | 2 +- .../assign/submission/onlinetext/lang/nl.json | 2 +- .../assign/submission/onlinetext/lang/no.json | 2 +- .../assign/submission/onlinetext/lang/pl.json | 2 +- .../submission/onlinetext/lang/pt-br.json | 2 +- .../assign/submission/onlinetext/lang/pt.json | 2 +- .../assign/submission/onlinetext/lang/ro.json | 2 +- .../assign/submission/onlinetext/lang/ru.json | 2 +- .../assign/submission/onlinetext/lang/sv.json | 2 +- .../assign/submission/onlinetext/lang/tr.json | 2 +- .../assign/submission/onlinetext/lang/uk.json | 2 +- www/addons/mod/chat/lang/ko.json | 13 ++ www/addons/mod/choice/lang/ko.json | 15 ++ www/addons/mod/data/lang/ko.json | 35 +++++ www/addons/mod/data/lang/mr.json | 2 +- www/addons/mod/data/lang/ru.json | 16 +-- www/addons/mod/feedback/lang/ko.json | 32 +++++ www/addons/mod/feedback/lang/mr.json | 6 +- www/addons/mod/folder/lang/ca.json | 2 +- www/addons/mod/folder/lang/cs.json | 2 +- www/addons/mod/folder/lang/da.json | 2 +- www/addons/mod/folder/lang/de-du.json | 2 +- www/addons/mod/folder/lang/de.json | 2 +- www/addons/mod/folder/lang/es-mx.json | 2 +- www/addons/mod/folder/lang/eu.json | 2 +- www/addons/mod/folder/lang/fi.json | 2 +- www/addons/mod/folder/lang/fr.json | 2 +- www/addons/mod/folder/lang/he.json | 2 +- www/addons/mod/folder/lang/hr.json | 2 +- www/addons/mod/folder/lang/it.json | 2 +- www/addons/mod/folder/lang/ja.json | 2 +- www/addons/mod/folder/lang/ko.json | 3 + www/addons/mod/folder/lang/lt.json | 2 +- www/addons/mod/folder/lang/nl.json | 2 +- www/addons/mod/folder/lang/pt-br.json | 2 +- www/addons/mod/folder/lang/pt.json | 2 +- www/addons/mod/folder/lang/ro.json | 2 +- www/addons/mod/forum/lang/cs.json | 2 +- www/addons/mod/forum/lang/ko.json | 24 ++++ www/addons/mod/forum/lang/mr.json | 4 +- www/addons/mod/glossary/lang/ar.json | 6 +- www/addons/mod/glossary/lang/bg.json | 6 +- www/addons/mod/glossary/lang/ca.json | 8 +- www/addons/mod/glossary/lang/cs.json | 8 +- www/addons/mod/glossary/lang/da.json | 8 +- www/addons/mod/glossary/lang/de-du.json | 8 +- www/addons/mod/glossary/lang/de.json | 8 +- www/addons/mod/glossary/lang/el.json | 8 +- www/addons/mod/glossary/lang/es-mx.json | 6 +- www/addons/mod/glossary/lang/es.json | 6 +- www/addons/mod/glossary/lang/eu.json | 8 +- www/addons/mod/glossary/lang/fa.json | 6 +- www/addons/mod/glossary/lang/fi.json | 8 +- www/addons/mod/glossary/lang/fr.json | 8 +- www/addons/mod/glossary/lang/he.json | 6 +- www/addons/mod/glossary/lang/hr.json | 6 +- www/addons/mod/glossary/lang/hu.json | 6 +- www/addons/mod/glossary/lang/it.json | 6 +- www/addons/mod/glossary/lang/ja.json | 8 +- www/addons/mod/glossary/lang/ko.json | 6 + www/addons/mod/glossary/lang/lt.json | 8 +- www/addons/mod/glossary/lang/mr.json | 4 +- www/addons/mod/glossary/lang/nl.json | 8 +- www/addons/mod/glossary/lang/no.json | 6 +- www/addons/mod/glossary/lang/pl.json | 6 +- www/addons/mod/glossary/lang/pt-br.json | 8 +- www/addons/mod/glossary/lang/pt.json | 8 +- www/addons/mod/glossary/lang/ro.json | 8 +- www/addons/mod/glossary/lang/ru.json | 8 +- www/addons/mod/glossary/lang/sv.json | 8 +- www/addons/mod/glossary/lang/tr.json | 6 +- www/addons/mod/glossary/lang/uk.json | 8 +- www/addons/mod/label/lang/fi.json | 2 +- www/addons/mod/label/lang/he.json | 2 +- www/addons/mod/label/lang/ko.json | 3 + www/addons/mod/label/lang/lt.json | 2 +- www/addons/mod/label/lang/uk.json | 2 +- www/addons/mod/lesson/lang/ar.json | 2 +- www/addons/mod/lesson/lang/ko.json | 76 ++++++++++ www/addons/mod/quiz/lang/ko.json | 56 ++++++++ www/addons/mod/quiz/lang/mr.json | 2 +- www/addons/mod/scorm/lang/ko.json | 35 +++++ www/addons/mod/survey/lang/ja.json | 2 +- www/addons/mod/survey/lang/ko.json | 6 + www/addons/mod/survey/lang/mr.json | 4 +- www/addons/mod/survey/lang/pl.json | 2 +- www/addons/mod/survey/lang/tr.json | 2 +- www/addons/mod/wiki/lang/ar.json | 2 +- www/addons/mod/wiki/lang/bg.json | 4 +- www/addons/mod/wiki/lang/ca.json | 2 +- www/addons/mod/wiki/lang/cs.json | 2 +- www/addons/mod/wiki/lang/da.json | 2 +- www/addons/mod/wiki/lang/de-du.json | 2 +- www/addons/mod/wiki/lang/de.json | 2 +- www/addons/mod/wiki/lang/el.json | 4 +- www/addons/mod/wiki/lang/es-mx.json | 2 +- www/addons/mod/wiki/lang/es.json | 2 +- www/addons/mod/wiki/lang/eu.json | 2 +- www/addons/mod/wiki/lang/fa.json | 2 +- www/addons/mod/wiki/lang/fi.json | 2 +- www/addons/mod/wiki/lang/fr.json | 2 +- www/addons/mod/wiki/lang/he.json | 2 +- www/addons/mod/wiki/lang/hr.json | 2 +- www/addons/mod/wiki/lang/hu.json | 2 +- www/addons/mod/wiki/lang/it.json | 2 +- www/addons/mod/wiki/lang/ja.json | 2 +- www/addons/mod/wiki/lang/ko.json | 14 +- www/addons/mod/wiki/lang/lt.json | 2 +- www/addons/mod/wiki/lang/mr.json | 2 +- www/addons/mod/wiki/lang/nl.json | 2 +- www/addons/mod/wiki/lang/no.json | 2 +- www/addons/mod/wiki/lang/pl.json | 2 +- www/addons/mod/wiki/lang/pt-br.json | 2 +- www/addons/mod/wiki/lang/pt.json | 2 +- www/addons/mod/wiki/lang/ro.json | 2 +- www/addons/mod/wiki/lang/ru.json | 2 +- www/addons/mod/wiki/lang/sv.json | 2 +- www/addons/mod/wiki/lang/tr.json | 2 +- www/addons/mod/wiki/lang/uk.json | 2 +- .../assessment/accumulative/lang/ko.json | 4 + .../workshop/assessment/comments/lang/ko.json | 3 + .../assessment/numerrors/lang/ko.json | 3 + .../workshop/assessment/rubric/lang/ko.json | 4 + www/addons/mod/workshop/lang/ko.json | 45 +++++- www/addons/notes/lang/ca.json | 2 +- www/addons/notes/lang/cs.json | 2 +- www/addons/notes/lang/da.json | 2 +- www/addons/notes/lang/de-du.json | 2 +- www/addons/notes/lang/de.json | 2 +- www/addons/notes/lang/el.json | 2 +- www/addons/notes/lang/es-mx.json | 2 +- www/addons/notes/lang/eu.json | 2 +- www/addons/notes/lang/fi.json | 2 +- www/addons/notes/lang/fr.json | 2 +- www/addons/notes/lang/he.json | 2 +- www/addons/notes/lang/hr.json | 2 +- www/addons/notes/lang/it.json | 2 +- www/addons/notes/lang/ja.json | 2 +- www/addons/notes/lang/ko.json | 2 +- www/addons/notes/lang/lt.json | 2 +- www/addons/notes/lang/nl.json | 2 +- www/addons/notes/lang/pt-br.json | 2 +- www/addons/notes/lang/pt.json | 2 +- www/addons/notes/lang/ro.json | 2 +- www/addons/notes/lang/ru.json | 2 +- www/addons/notes/lang/sv.json | 2 +- www/addons/notes/lang/uk.json | 2 +- www/addons/notifications/lang/ar.json | 3 +- www/addons/notifications/lang/bg.json | 2 +- www/addons/notifications/lang/ca.json | 2 +- www/addons/notifications/lang/cs.json | 2 +- www/addons/notifications/lang/da.json | 2 +- www/addons/notifications/lang/de-du.json | 2 +- www/addons/notifications/lang/de.json | 2 +- www/addons/notifications/lang/es-mx.json | 2 +- www/addons/notifications/lang/es.json | 4 +- www/addons/notifications/lang/eu.json | 2 +- www/addons/notifications/lang/fa.json | 2 +- www/addons/notifications/lang/fi.json | 2 +- www/addons/notifications/lang/he.json | 2 +- www/addons/notifications/lang/hr.json | 2 +- www/addons/notifications/lang/ja.json | 2 +- www/addons/notifications/lang/ko.json | 2 +- www/addons/notifications/lang/lt.json | 2 +- www/addons/notifications/lang/mr.json | 2 +- www/addons/notifications/lang/nl.json | 2 +- www/addons/notifications/lang/no.json | 2 +- www/addons/notifications/lang/pt-br.json | 4 +- www/addons/notifications/lang/ru.json | 2 +- www/addons/notifications/lang/sv.json | 2 +- www/addons/notifications/lang/uk.json | 2 +- www/addons/participants/lang/ar.json | 2 +- www/addons/participants/lang/ca.json | 2 +- www/addons/participants/lang/cs.json | 4 +- www/addons/participants/lang/da.json | 2 +- www/addons/participants/lang/de-du.json | 4 +- www/addons/participants/lang/de.json | 4 +- www/addons/participants/lang/el.json | 2 +- www/addons/participants/lang/es-mx.json | 2 +- www/addons/participants/lang/es.json | 2 +- www/addons/participants/lang/eu.json | 2 +- www/addons/participants/lang/fa.json | 2 +- www/addons/participants/lang/fi.json | 2 +- www/addons/participants/lang/fr.json | 2 +- www/addons/participants/lang/he.json | 2 +- www/addons/participants/lang/hu.json | 2 +- www/addons/participants/lang/it.json | 4 +- www/addons/participants/lang/ja.json | 2 +- www/addons/participants/lang/ko.json | 4 +- www/addons/participants/lang/lt.json | 2 +- www/addons/participants/lang/mr.json | 2 +- www/addons/participants/lang/nl.json | 2 +- www/addons/participants/lang/no.json | 4 +- www/addons/participants/lang/pl.json | 2 +- www/addons/participants/lang/pt-br.json | 2 +- www/addons/participants/lang/pt.json | 4 +- www/addons/participants/lang/ro.json | 4 +- www/addons/participants/lang/ru.json | 2 +- www/addons/participants/lang/sv.json | 2 +- www/addons/participants/lang/tr.json | 2 +- www/addons/participants/lang/uk.json | 2 +- www/core/components/course/lang/es-mx.json | 2 +- www/core/components/course/lang/es.json | 2 +- www/core/components/course/lang/fa.json | 2 +- www/core/components/course/lang/ko.json | 5 + www/core/components/course/lang/lt.json | 2 +- www/core/components/course/lang/mr.json | 2 +- www/core/components/course/lang/pt-br.json | 2 +- www/core/components/course/lang/ro.json | 2 +- www/core/components/course/lang/tr.json | 2 +- www/core/components/course/lang/uk.json | 2 +- www/core/components/courses/lang/ar.json | 12 +- www/core/components/courses/lang/bg.json | 8 +- www/core/components/courses/lang/ca.json | 10 +- www/core/components/courses/lang/cs.json | 12 +- www/core/components/courses/lang/da.json | 12 +- www/core/components/courses/lang/de-du.json | 12 +- www/core/components/courses/lang/de.json | 12 +- www/core/components/courses/lang/el.json | 8 +- www/core/components/courses/lang/es-mx.json | 8 +- www/core/components/courses/lang/es.json | 8 +- www/core/components/courses/lang/eu.json | 14 +- www/core/components/courses/lang/fa.json | 12 +- www/core/components/courses/lang/fi.json | 14 +- www/core/components/courses/lang/fr.json | 12 +- www/core/components/courses/lang/he.json | 10 +- www/core/components/courses/lang/hr.json | 10 +- www/core/components/courses/lang/hu.json | 12 +- www/core/components/courses/lang/it.json | 10 +- www/core/components/courses/lang/ja.json | 10 +- www/core/components/courses/lang/ko.json | 18 +++ www/core/components/courses/lang/lt.json | 12 +- www/core/components/courses/lang/mr.json | 8 +- www/core/components/courses/lang/nl.json | 12 +- www/core/components/courses/lang/no.json | 12 +- www/core/components/courses/lang/pl.json | 12 +- www/core/components/courses/lang/pt-br.json | 10 +- www/core/components/courses/lang/pt.json | 12 +- www/core/components/courses/lang/ro.json | 12 +- www/core/components/courses/lang/ru.json | 14 +- www/core/components/courses/lang/sv.json | 12 +- www/core/components/courses/lang/tr.json | 12 +- www/core/components/courses/lang/uk.json | 12 +- www/core/components/fileuploader/lang/ar.json | 2 +- www/core/components/fileuploader/lang/bg.json | 2 +- www/core/components/fileuploader/lang/ca.json | 12 +- www/core/components/fileuploader/lang/cs.json | 14 +- www/core/components/fileuploader/lang/da.json | 12 +- .../components/fileuploader/lang/de-du.json | 10 +- www/core/components/fileuploader/lang/de.json | 10 +- www/core/components/fileuploader/lang/el.json | 8 +- .../components/fileuploader/lang/es-mx.json | 12 +- www/core/components/fileuploader/lang/es.json | 10 +- www/core/components/fileuploader/lang/eu.json | 14 +- www/core/components/fileuploader/lang/fa.json | 4 +- www/core/components/fileuploader/lang/fi.json | 12 +- www/core/components/fileuploader/lang/fr.json | 14 +- www/core/components/fileuploader/lang/he.json | 10 +- www/core/components/fileuploader/lang/hr.json | 4 +- www/core/components/fileuploader/lang/hu.json | 2 +- www/core/components/fileuploader/lang/it.json | 14 +- www/core/components/fileuploader/lang/ja.json | 10 +- www/core/components/fileuploader/lang/ko.json | 9 ++ www/core/components/fileuploader/lang/lt.json | 12 +- www/core/components/fileuploader/lang/mr.json | 4 +- www/core/components/fileuploader/lang/nl.json | 16 +-- www/core/components/fileuploader/lang/no.json | 2 +- www/core/components/fileuploader/lang/pl.json | 2 +- .../components/fileuploader/lang/pt-br.json | 14 +- www/core/components/fileuploader/lang/pt.json | 14 +- www/core/components/fileuploader/lang/ro.json | 12 +- www/core/components/fileuploader/lang/ru.json | 14 +- www/core/components/fileuploader/lang/sv.json | 8 +- www/core/components/fileuploader/lang/tr.json | 6 +- www/core/components/fileuploader/lang/uk.json | 10 +- www/core/components/grades/lang/ar.json | 2 +- www/core/components/grades/lang/bg.json | 2 +- www/core/components/grades/lang/ca.json | 4 +- www/core/components/grades/lang/cs.json | 4 +- www/core/components/grades/lang/da.json | 4 +- www/core/components/grades/lang/de-du.json | 6 +- www/core/components/grades/lang/de.json | 6 +- www/core/components/grades/lang/el.json | 2 +- www/core/components/grades/lang/es-mx.json | 2 +- www/core/components/grades/lang/es.json | 2 +- www/core/components/grades/lang/eu.json | 4 +- www/core/components/grades/lang/fi.json | 4 +- www/core/components/grades/lang/he.json | 8 +- www/core/components/grades/lang/hr.json | 4 +- www/core/components/grades/lang/it.json | 4 +- www/core/components/grades/lang/ja.json | 2 +- www/core/components/grades/lang/ko.json | 14 ++ www/core/components/grades/lang/lt.json | 2 +- www/core/components/grades/lang/mr.json | 4 +- www/core/components/grades/lang/nl.json | 4 +- www/core/components/grades/lang/no.json | 6 +- www/core/components/grades/lang/pl.json | 4 +- www/core/components/grades/lang/pt-br.json | 4 +- www/core/components/grades/lang/pt.json | 8 +- www/core/components/grades/lang/ro.json | 4 +- www/core/components/grades/lang/ru.json | 4 +- www/core/components/grades/lang/sv.json | 8 +- www/core/components/grades/lang/tr.json | 8 +- www/core/components/grades/lang/uk.json | 8 +- www/core/components/login/lang/ar.json | 4 +- www/core/components/login/lang/ca.json | 2 +- www/core/components/login/lang/cs.json | 12 +- www/core/components/login/lang/da.json | 4 +- www/core/components/login/lang/de-du.json | 4 +- www/core/components/login/lang/de.json | 4 +- www/core/components/login/lang/el.json | 6 +- www/core/components/login/lang/es-mx.json | 6 +- www/core/components/login/lang/es.json | 4 +- www/core/components/login/lang/eu.json | 6 +- www/core/components/login/lang/fa.json | 2 +- www/core/components/login/lang/fi.json | 6 +- www/core/components/login/lang/fr.json | 6 +- www/core/components/login/lang/he.json | 4 +- www/core/components/login/lang/hr.json | 4 +- www/core/components/login/lang/hu.json | 4 +- www/core/components/login/lang/it.json | 4 +- www/core/components/login/lang/ja.json | 2 +- www/core/components/login/lang/ko.json | 35 +++++ www/core/components/login/lang/lt.json | 8 +- www/core/components/login/lang/mr.json | 4 +- www/core/components/login/lang/nl.json | 6 +- www/core/components/login/lang/no.json | 2 +- www/core/components/login/lang/pl.json | 2 +- www/core/components/login/lang/pt-br.json | 6 +- www/core/components/login/lang/pt.json | 8 +- www/core/components/login/lang/ro.json | 6 +- www/core/components/login/lang/ru.json | 10 +- www/core/components/login/lang/sv.json | 4 +- www/core/components/login/lang/tr.json | 2 +- www/core/components/login/lang/uk.json | 8 +- www/core/components/question/lang/ar.json | 14 +- www/core/components/question/lang/bg.json | 14 +- www/core/components/question/lang/ca.json | 12 +- www/core/components/question/lang/cs.json | 14 +- www/core/components/question/lang/da.json | 16 +-- www/core/components/question/lang/de-du.json | 10 +- www/core/components/question/lang/de.json | 10 +- www/core/components/question/lang/el.json | 6 +- www/core/components/question/lang/es-mx.json | 16 +-- www/core/components/question/lang/es.json | 16 +-- www/core/components/question/lang/eu.json | 10 +- www/core/components/question/lang/fa.json | 8 +- www/core/components/question/lang/fi.json | 10 +- www/core/components/question/lang/fr.json | 6 +- www/core/components/question/lang/he.json | 12 +- www/core/components/question/lang/hr.json | 8 +- www/core/components/question/lang/hu.json | 6 +- www/core/components/question/lang/it.json | 14 +- www/core/components/question/lang/ja.json | 8 +- www/core/components/question/lang/ko.json | 16 +++ www/core/components/question/lang/lt.json | 16 +-- www/core/components/question/lang/mr.json | 4 +- www/core/components/question/lang/nl.json | 8 +- www/core/components/question/lang/no.json | 12 +- www/core/components/question/lang/pl.json | 12 +- www/core/components/question/lang/pt-br.json | 14 +- www/core/components/question/lang/pt.json | 8 +- www/core/components/question/lang/ro.json | 12 +- www/core/components/question/lang/ru.json | 8 +- www/core/components/question/lang/sv.json | 6 +- www/core/components/question/lang/tr.json | 12 +- www/core/components/question/lang/uk.json | 6 +- www/core/components/settings/lang/ar.json | 7 +- www/core/components/settings/lang/bg.json | 4 +- www/core/components/settings/lang/ca.json | 4 +- www/core/components/settings/lang/cs.json | 4 +- www/core/components/settings/lang/da.json | 6 +- www/core/components/settings/lang/de-du.json | 4 +- www/core/components/settings/lang/de.json | 4 +- www/core/components/settings/lang/el.json | 6 +- www/core/components/settings/lang/es-mx.json | 4 +- www/core/components/settings/lang/es.json | 4 +- www/core/components/settings/lang/eu.json | 4 +- www/core/components/settings/lang/fa.json | 4 +- www/core/components/settings/lang/fi.json | 6 +- www/core/components/settings/lang/fr.json | 4 +- www/core/components/settings/lang/he.json | 8 +- www/core/components/settings/lang/hr.json | 4 +- www/core/components/settings/lang/hu.json | 6 +- www/core/components/settings/lang/it.json | 4 +- www/core/components/settings/lang/ja.json | 4 +- www/core/components/settings/lang/ko.json | 13 ++ www/core/components/settings/lang/lt.json | 4 +- www/core/components/settings/lang/mr.json | 2 +- www/core/components/settings/lang/nl.json | 4 +- www/core/components/settings/lang/no.json | 8 +- www/core/components/settings/lang/pl.json | 6 +- www/core/components/settings/lang/pt-br.json | 4 +- www/core/components/settings/lang/pt.json | 4 +- www/core/components/settings/lang/ro.json | 6 +- www/core/components/settings/lang/ru.json | 8 +- www/core/components/settings/lang/sv.json | 6 +- www/core/components/settings/lang/tr.json | 4 +- www/core/components/settings/lang/uk.json | 6 +- www/core/components/sharedfiles/lang/ar.json | 2 +- www/core/components/sharedfiles/lang/ca.json | 2 +- www/core/components/sharedfiles/lang/cs.json | 2 +- .../components/sharedfiles/lang/de-du.json | 2 +- www/core/components/sharedfiles/lang/de.json | 2 +- .../components/sharedfiles/lang/es-mx.json | 2 +- www/core/components/sharedfiles/lang/eu.json | 2 +- www/core/components/sharedfiles/lang/fi.json | 2 +- www/core/components/sharedfiles/lang/hr.json | 2 +- www/core/components/sharedfiles/lang/it.json | 2 +- www/core/components/sharedfiles/lang/ko.json | 4 + www/core/components/sharedfiles/lang/lt.json | 4 +- www/core/components/sharedfiles/lang/mr.json | 2 +- www/core/components/sharedfiles/lang/no.json | 2 +- www/core/components/sharedfiles/lang/pt.json | 2 +- www/core/components/sharedfiles/lang/ru.json | 2 +- www/core/components/sharedfiles/lang/sv.json | 2 +- www/core/components/sharedfiles/lang/tr.json | 2 +- www/core/components/sharedfiles/lang/uk.json | 2 +- www/core/components/sidemenu/lang/ca.json | 2 +- www/core/components/sidemenu/lang/cs.json | 4 +- www/core/components/sidemenu/lang/de-du.json | 2 +- www/core/components/sidemenu/lang/de.json | 2 +- www/core/components/sidemenu/lang/el.json | 2 +- www/core/components/sidemenu/lang/es-mx.json | 2 +- www/core/components/sidemenu/lang/es.json | 2 +- www/core/components/sidemenu/lang/eu.json | 2 +- www/core/components/sidemenu/lang/fa.json | 4 +- www/core/components/sidemenu/lang/he.json | 2 +- www/core/components/sidemenu/lang/it.json | 2 +- www/core/components/sidemenu/lang/ko.json | 5 + www/core/components/sidemenu/lang/lt.json | 6 +- www/core/components/sidemenu/lang/mr.json | 4 +- www/core/components/sidemenu/lang/nl.json | 2 +- www/core/components/sidemenu/lang/pl.json | 2 +- www/core/components/sidemenu/lang/pt.json | 2 +- www/core/components/sidemenu/lang/ro.json | 2 +- www/core/components/sidemenu/lang/ru.json | 4 +- www/core/components/sidemenu/lang/tr.json | 2 +- www/core/components/sidemenu/lang/uk.json | 2 +- www/core/components/user/lang/ar.json | 4 +- www/core/components/user/lang/bg.json | 4 +- www/core/components/user/lang/ca.json | 2 +- www/core/components/user/lang/cs.json | 6 +- www/core/components/user/lang/da.json | 6 +- www/core/components/user/lang/de-du.json | 4 +- www/core/components/user/lang/de.json | 4 +- www/core/components/user/lang/el.json | 6 +- www/core/components/user/lang/es-mx.json | 6 +- www/core/components/user/lang/es.json | 2 +- www/core/components/user/lang/eu.json | 4 +- www/core/components/user/lang/fa.json | 6 +- www/core/components/user/lang/fi.json | 6 +- www/core/components/user/lang/fr.json | 6 +- www/core/components/user/lang/he.json | 8 +- www/core/components/user/lang/hr.json | 6 +- www/core/components/user/lang/hu.json | 4 +- www/core/components/user/lang/it.json | 6 +- www/core/components/user/lang/ja.json | 4 +- www/core/components/user/lang/ko.json | 20 +++ www/core/components/user/lang/lt.json | 8 +- www/core/components/user/lang/mr.json | 4 +- www/core/components/user/lang/nl.json | 6 +- www/core/components/user/lang/no.json | 4 +- www/core/components/user/lang/pl.json | 4 +- www/core/components/user/lang/pt-br.json | 6 +- www/core/components/user/lang/pt.json | 2 +- www/core/components/user/lang/ro.json | 8 +- www/core/components/user/lang/ru.json | 6 +- www/core/components/user/lang/sv.json | 8 +- www/core/components/user/lang/tr.json | 8 +- www/core/components/user/lang/uk.json | 6 +- www/core/lang/ar.json | 46 +++--- www/core/lang/bg.json | 38 ++--- www/core/lang/ca.json | 52 +++---- www/core/lang/cs.json | 58 ++++---- www/core/lang/da.json | 46 +++--- www/core/lang/de-du.json | 54 +++---- www/core/lang/de.json | 54 +++---- www/core/lang/el.json | 48 +++---- www/core/lang/es-mx.json | 54 +++---- www/core/lang/es.json | 54 +++---- www/core/lang/eu.json | 42 +++--- www/core/lang/fa.json | 28 ++-- www/core/lang/fi.json | 48 +++---- www/core/lang/fr.json | 46 +++--- www/core/lang/he.json | 52 +++---- www/core/lang/hr.json | 48 +++---- www/core/lang/hu.json | 50 +++---- www/core/lang/it.json | 52 +++---- www/core/lang/ja.json | 32 ++--- www/core/lang/ko.json | 132 +++++++++++++++++- www/core/lang/lt.json | 60 ++++---- www/core/lang/mr.json | 34 ++--- www/core/lang/nl.json | 58 ++++---- www/core/lang/no.json | 48 +++---- www/core/lang/pl.json | 52 +++---- www/core/lang/pt-br.json | 58 ++++---- www/core/lang/pt.json | 54 +++---- www/core/lang/ro.json | 68 ++++----- www/core/lang/ru.json | 50 +++---- www/core/lang/sv.json | 46 +++--- www/core/lang/tr.json | 50 +++---- www/core/lang/uk.json | 62 ++++---- 720 files changed, 3384 insertions(+), 2610 deletions(-) create mode 100644 www/addons/badges/lang/ko.json create mode 100644 www/addons/competency/lang/ko.json create mode 100644 www/addons/frontpage/lang/ko.json create mode 100644 www/addons/grades/lang/ko.json create mode 100644 www/addons/mod/assign/feedback/comments/lang/ko.json create mode 100644 www/addons/mod/assign/feedback/editpdf/lang/ko.json create mode 100644 www/addons/mod/assign/feedback/file/lang/el.json create mode 100644 www/addons/mod/assign/feedback/file/lang/ko.json create mode 100644 www/addons/mod/assign/submission/comments/lang/ko.json create mode 100644 www/addons/mod/assign/submission/file/lang/ko.json create mode 100644 www/addons/mod/assign/submission/onlinetext/lang/ko.json create mode 100644 www/addons/mod/chat/lang/ko.json create mode 100644 www/addons/mod/choice/lang/ko.json create mode 100644 www/addons/mod/data/lang/ko.json create mode 100644 www/addons/mod/feedback/lang/ko.json create mode 100644 www/addons/mod/folder/lang/ko.json create mode 100644 www/addons/mod/forum/lang/ko.json create mode 100644 www/addons/mod/glossary/lang/ko.json create mode 100644 www/addons/mod/label/lang/ko.json create mode 100644 www/addons/mod/lesson/lang/ko.json create mode 100644 www/addons/mod/quiz/lang/ko.json create mode 100644 www/addons/mod/scorm/lang/ko.json create mode 100644 www/addons/mod/survey/lang/ko.json create mode 100644 www/addons/mod/workshop/assessment/accumulative/lang/ko.json create mode 100644 www/addons/mod/workshop/assessment/comments/lang/ko.json create mode 100644 www/addons/mod/workshop/assessment/numerrors/lang/ko.json create mode 100644 www/addons/mod/workshop/assessment/rubric/lang/ko.json create mode 100644 www/core/components/course/lang/ko.json create mode 100644 www/core/components/courses/lang/ko.json create mode 100644 www/core/components/fileuploader/lang/ko.json create mode 100644 www/core/components/grades/lang/ko.json create mode 100644 www/core/components/login/lang/ko.json create mode 100644 www/core/components/question/lang/ko.json create mode 100644 www/core/components/settings/lang/ko.json create mode 100644 www/core/components/sharedfiles/lang/ko.json create mode 100644 www/core/components/sidemenu/lang/ko.json create mode 100644 www/core/components/user/lang/ko.json diff --git a/www/addons/badges/lang/ko.json b/www/addons/badges/lang/ko.json new file mode 100644 index 00000000000..9e30623e461 --- /dev/null +++ b/www/addons/badges/lang/ko.json @@ -0,0 +1,13 @@ +{ + "badgedetails": "뱃지 세부사항", + "badges": "뱃지", + "contact": "연락처", + "dateawarded": "발행일", + "expired": "죄송합니다. 이 활동은 {{$a}} 에 종료되어서 더 이상 사용할 수 없습니다.", + "expirydate": "만료일", + "issuancedetails": "뱃지 만료기한", + "issuerdetails": "발행자 세부정보", + "issuername": "발행자 이름", + "nobadges": "사용가능한 뱃지가 없습니다.", + "recipientdetails": "수신자 세부사항" +} \ No newline at end of file diff --git a/www/addons/badges/lang/mr.json b/www/addons/badges/lang/mr.json index 3ca1958cc11..2b37db102e4 100644 --- a/www/addons/badges/lang/mr.json +++ b/www/addons/badges/lang/mr.json @@ -1,3 +1,3 @@ { - "expired": "क्षमा करा,ही कार्यक्षमता बंद आहे" + "expired": "संपलेला" } \ No newline at end of file diff --git a/www/addons/badges/lang/sv.json b/www/addons/badges/lang/sv.json index 7bc0c510bf2..d533b8a4a4a 100644 --- a/www/addons/badges/lang/sv.json +++ b/www/addons/badges/lang/sv.json @@ -1,6 +1,6 @@ { "badgedetails": "Detaljer för märke", - "badges": "Badges", + "badges": "Märken", "contact": "Kontakt", "dateawarded": "Utfärdandedatum", "expired": "Den här aktiviteten är stängd på {{$a}} och den är inte längre tillgänglig.", diff --git a/www/addons/badges/lang/tr.json b/www/addons/badges/lang/tr.json index c6e5937b65e..86adcba8c37 100644 --- a/www/addons/badges/lang/tr.json +++ b/www/addons/badges/lang/tr.json @@ -1,6 +1,6 @@ { "badgedetails": "Nişan ayrıntıları", - "badges": "Rozetler", + "badges": "Nişanlar", "contact": "İletişim", "dateawarded": "Verilen tarih", "expired": "Üzgünüz, bu etkinlik {{$a}} tarihinde kapandı ve bu etkinliğe artık ulaşılamaz", diff --git a/www/addons/calendar/lang/ar.json b/www/addons/calendar/lang/ar.json index 9bece3c914d..23e2ee91b94 100644 --- a/www/addons/calendar/lang/ar.json +++ b/www/addons/calendar/lang/ar.json @@ -3,5 +3,5 @@ "errorloadevent": "خطأ في تحميل الحدث", "errorloadevents": "خطأ في تحميل الأحداث", "noevents": "لا يوجد أي أحداث", - "notifications": "إشعارات" + "notifications": "الإشعارات" } \ No newline at end of file diff --git a/www/addons/calendar/lang/bg.json b/www/addons/calendar/lang/bg.json index 8d6a2e703f0..33589385cc7 100644 --- a/www/addons/calendar/lang/bg.json +++ b/www/addons/calendar/lang/bg.json @@ -3,5 +3,5 @@ "errorloadevent": "Грешка при зареждането на събитие.", "errorloadevents": "Грешка при зареждането на събитията.", "noevents": "Няма предстоящи дейности", - "notifications": "Уведомления" + "notifications": "Уведомление" } \ No newline at end of file diff --git a/www/addons/calendar/lang/ca.json b/www/addons/calendar/lang/ca.json index cc1ee634071..a2a8930c77d 100644 --- a/www/addons/calendar/lang/ca.json +++ b/www/addons/calendar/lang/ca.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Hora de notificació per defecte", "errorloadevent": "S'ha produït un error carregant l'esdeveniment.", "errorloadevents": "S'ha produït un error carregant els esdeveniments.", - "noevents": "No hi ha cap esdeveniment", + "noevents": "Cap activitat venç properament", "notifications": "Notificacions" } \ No newline at end of file diff --git a/www/addons/calendar/lang/cs.json b/www/addons/calendar/lang/cs.json index 93d27c11dce..5dca11fb0e2 100644 --- a/www/addons/calendar/lang/cs.json +++ b/www/addons/calendar/lang/cs.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Výchozí čas oznámení", "errorloadevent": "Chyba při načítání události.", "errorloadevents": "Chyba při načítání událostí.", - "noevents": "Nejsou žádné události", - "notifications": "Upozornění" + "noevents": "Žádné nadcházející činnosti", + "notifications": "Informace" } \ No newline at end of file diff --git a/www/addons/calendar/lang/da.json b/www/addons/calendar/lang/da.json index 6826baea7eb..9af5235a51d 100644 --- a/www/addons/calendar/lang/da.json +++ b/www/addons/calendar/lang/da.json @@ -2,6 +2,6 @@ "calendarevents": "Kalenderbegivenheder", "errorloadevent": "Fejl ved indlæsning af begivenhed.", "errorloadevents": "Fejl ved indlæsning af begivenheder.", - "noevents": "Der er ingen begivenheder", - "notifications": "Notifikationer" + "noevents": "Ingen forestående aktiviteter", + "notifications": "Beskeder" } \ No newline at end of file diff --git a/www/addons/calendar/lang/de-du.json b/www/addons/calendar/lang/de-du.json index 120feaec0ae..7268e975f31 100644 --- a/www/addons/calendar/lang/de-du.json +++ b/www/addons/calendar/lang/de-du.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Standardmäßige Benachrichtigungszeit", "errorloadevent": "Fehler beim Laden des Kalendereintrags", "errorloadevents": "Fehler beim Laden der Kalendereinträge", - "noevents": "Keine Kalendereinträge", - "notifications": "Systemmitteilungen" + "noevents": "Keine anstehenden Aktivitäten fällig", + "notifications": "Mitteilungen" } \ No newline at end of file diff --git a/www/addons/calendar/lang/de.json b/www/addons/calendar/lang/de.json index 120feaec0ae..7268e975f31 100644 --- a/www/addons/calendar/lang/de.json +++ b/www/addons/calendar/lang/de.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Standardmäßige Benachrichtigungszeit", "errorloadevent": "Fehler beim Laden des Kalendereintrags", "errorloadevents": "Fehler beim Laden der Kalendereinträge", - "noevents": "Keine Kalendereinträge", - "notifications": "Systemmitteilungen" + "noevents": "Keine anstehenden Aktivitäten fällig", + "notifications": "Mitteilungen" } \ No newline at end of file diff --git a/www/addons/calendar/lang/el.json b/www/addons/calendar/lang/el.json index 9a2040a3e51..4a7590c2db2 100644 --- a/www/addons/calendar/lang/el.json +++ b/www/addons/calendar/lang/el.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Προεπιλεγμένος χρόνος ειδοποίησης", "errorloadevent": "Σφάλμα στην φόρτωση συμβάντου.", "errorloadevents": "Σφάλμα στην φόρτωση συμβάντων.", - "noevents": "Δεν υπάρχουν συμβάντα", + "noevents": "Καμία δραστηριότητα προσεχώς", "notifications": "Ειδοποιήσεις" } \ No newline at end of file diff --git a/www/addons/calendar/lang/es-mx.json b/www/addons/calendar/lang/es-mx.json index 872b31813b4..d4be495ef94 100644 --- a/www/addons/calendar/lang/es-mx.json +++ b/www/addons/calendar/lang/es-mx.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Hora de notificación por defecto", "errorloadevent": "Error al cargar evento.", "errorloadevents": "Error al cargar eventos.", - "noevents": "No hay eventos", - "notifications": "Notificaciones" + "noevents": "No hay actividades próximas pendientes", + "notifications": "Avisos" } \ No newline at end of file diff --git a/www/addons/calendar/lang/es.json b/www/addons/calendar/lang/es.json index 993aec44200..8149bc574d6 100644 --- a/www/addons/calendar/lang/es.json +++ b/www/addons/calendar/lang/es.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Tiempo de notificación por defecto", "errorloadevent": "Error cargando el evento.", "errorloadevents": "Error cargando los eventos.", - "noevents": "No hay eventos", - "notifications": "Notificaciones" + "noevents": "No hay actividades próximas pendientes", + "notifications": "Avisos" } \ No newline at end of file diff --git a/www/addons/calendar/lang/eu.json b/www/addons/calendar/lang/eu.json index 1158b9cd186..26477c604df 100644 --- a/www/addons/calendar/lang/eu.json +++ b/www/addons/calendar/lang/eu.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Berezko jakinarazpen-ordua", "errorloadevent": "Errorea gertakaria kargatzean.", "errorloadevents": "Errorea gertakariak kargatzean.", - "noevents": "Ez dago ekitaldirik", + "noevents": "Ez dago jardueren muga-egunik laster", "notifications": "Jakinarazpenak" } \ No newline at end of file diff --git a/www/addons/calendar/lang/fa.json b/www/addons/calendar/lang/fa.json index 109ac4e7ec6..76813733c1d 100644 --- a/www/addons/calendar/lang/fa.json +++ b/www/addons/calendar/lang/fa.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "زمان پیش‌فرض اطلاع‌رسانی", "errorloadevent": "خطا در بارگیری رویداد.", "errorloadevents": "خطا در بارگیری رویدادها.", - "noevents": "هیچ رویدادی نیست", - "notifications": "هشدارها" + "noevents": "هیچ مهلتی برای فعالیت‌های آتی وجود ندارد", + "notifications": "تذکرات" } \ No newline at end of file diff --git a/www/addons/calendar/lang/fi.json b/www/addons/calendar/lang/fi.json index c0c6a3c5b25..39534c661d8 100644 --- a/www/addons/calendar/lang/fi.json +++ b/www/addons/calendar/lang/fi.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Oletusilmoitusaika", "errorloadevent": "Ladattaessa tapahtumaa tapahtui virhe.", "errorloadevents": "Ladattaessa tapahtumia tapahtui virhe.", - "noevents": "Tapahtumia ei ole", + "noevents": "Ei tulevia aktiviteettien määräaikoja", "notifications": "Ilmoitukset" } \ No newline at end of file diff --git a/www/addons/calendar/lang/fr.json b/www/addons/calendar/lang/fr.json index 79e2b2edcac..9281fbdabb5 100644 --- a/www/addons/calendar/lang/fr.json +++ b/www/addons/calendar/lang/fr.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Heure de notification par défaut", "errorloadevent": "Erreur de chargement de l'événement", "errorloadevents": "Erreur de chargement des événements", - "noevents": "Il n'y a pas d'événement", + "noevents": "Aucune activité", "notifications": "Notifications" } \ No newline at end of file diff --git a/www/addons/calendar/lang/he.json b/www/addons/calendar/lang/he.json index 368fb1895c4..3702664d6e1 100644 --- a/www/addons/calendar/lang/he.json +++ b/www/addons/calendar/lang/he.json @@ -2,6 +2,6 @@ "calendarevents": "אירועי לוח שנה", "errorloadevent": "שגיאה בטעינת האירוע.", "errorloadevents": "שגיאה בטעינת האירועים.", - "noevents": "אין אירועים", - "notifications": "התראות" + "noevents": "לא קיימות פעילויות עתידיות להן מועד הגשה", + "notifications": "עדכונים והודעות" } \ No newline at end of file diff --git a/www/addons/calendar/lang/it.json b/www/addons/calendar/lang/it.json index 7dda0726c1e..06072dbecf6 100644 --- a/www/addons/calendar/lang/it.json +++ b/www/addons/calendar/lang/it.json @@ -2,6 +2,6 @@ "calendarevents": "Eventi nel calendario", "errorloadevent": "Si è verificato un errore durante il caricamento degli eventi.", "errorloadevents": "Si è verificato un errore durante il caricamento degli eventi.", - "noevents": "Non ci sono eventi", + "noevents": "Non ci sono attività con date di svolgimento e/o di scadenza programmate in questo periodo.", "notifications": "Notifiche" } \ No newline at end of file diff --git a/www/addons/calendar/lang/ja.json b/www/addons/calendar/lang/ja.json index b6e5457e412..8bdfec3c217 100644 --- a/www/addons/calendar/lang/ja.json +++ b/www/addons/calendar/lang/ja.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "デフォルト通知時間", "errorloadevent": "イベントの読み込み時にエラーがありました。", "errorloadevents": "イベントの読み込み時にエラーがありました。", - "noevents": "イベントはありません", + "noevents": "到来する活動期限はありません。", "notifications": "通知" } \ No newline at end of file diff --git a/www/addons/calendar/lang/ko.json b/www/addons/calendar/lang/ko.json index 89620ab46b2..eaf06b12223 100644 --- a/www/addons/calendar/lang/ko.json +++ b/www/addons/calendar/lang/ko.json @@ -4,5 +4,5 @@ "errorloadevent": "이벤트 올리기 오류", "errorloadevents": "이벤트 올리기 오류", "noevents": "이벤트 없음", - "notifications": "알림" + "notifications": "시스템공지" } \ No newline at end of file diff --git a/www/addons/calendar/lang/lt.json b/www/addons/calendar/lang/lt.json index 84444f84a30..38fab7b87a5 100644 --- a/www/addons/calendar/lang/lt.json +++ b/www/addons/calendar/lang/lt.json @@ -2,6 +2,6 @@ "calendarevents": "Renginių kalendorius", "errorloadevent": "Klaida įkeliant renginį.", "errorloadevents": "Klaida įkeliant renginius.", - "noevents": "Renginių nėra", + "noevents": "Nėra numatytų artėjančių veiklų", "notifications": "Pranešimai" } \ No newline at end of file diff --git a/www/addons/calendar/lang/mr.json b/www/addons/calendar/lang/mr.json index 28aa585a614..9406719e93e 100644 --- a/www/addons/calendar/lang/mr.json +++ b/www/addons/calendar/lang/mr.json @@ -4,5 +4,5 @@ "errorloadevent": "कार्यक्रम लोड करताना त्रुटी.", "errorloadevents": "कार्यक्रम लोड करताना त्रुटी.", "noevents": "कोणतेही कार्यक्रम नाहीत", - "notifications": "सूचना" + "notifications": "अधिसुचना" } \ No newline at end of file diff --git a/www/addons/calendar/lang/nl.json b/www/addons/calendar/lang/nl.json index 5c7174a3165..16546e8a4ee 100644 --- a/www/addons/calendar/lang/nl.json +++ b/www/addons/calendar/lang/nl.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Standaard notificatietijd", "errorloadevent": "Fout bij het laden van de gebeurtenis.", "errorloadevents": "Fout bij het laden van de gebeurtenissen.", - "noevents": "Er zijn geen gebeurtenissen", + "noevents": "Er zijn geen verwachte activiteiten", "notifications": "Meldingen" } \ No newline at end of file diff --git a/www/addons/calendar/lang/no.json b/www/addons/calendar/lang/no.json index 21393284448..8021542858c 100644 --- a/www/addons/calendar/lang/no.json +++ b/www/addons/calendar/lang/no.json @@ -4,5 +4,5 @@ "errorloadevent": "Feil ved lasting av hendelse", "errorloadevents": "Feil ved lasting av hendelser", "noevents": "Det er ingen aktiviteter som må gjøres i nærmeste fremtid.", - "notifications": "Varslinger" + "notifications": "Meldinger" } \ No newline at end of file diff --git a/www/addons/calendar/lang/pt-br.json b/www/addons/calendar/lang/pt-br.json index b348e89bed4..f66b11184df 100644 --- a/www/addons/calendar/lang/pt-br.json +++ b/www/addons/calendar/lang/pt-br.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Tempo de notificação padrão", "errorloadevent": "Erro ao carregar evento.", "errorloadevents": "Erro ao carregar eventos.", - "noevents": "Sem eventos", - "notifications": "Notificação" + "noevents": "Não há atividades pendentes", + "notifications": "Avisos" } \ No newline at end of file diff --git a/www/addons/calendar/lang/pt.json b/www/addons/calendar/lang/pt.json index 6cb58c20e8d..a65b11f461a 100644 --- a/www/addons/calendar/lang/pt.json +++ b/www/addons/calendar/lang/pt.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Hora de notificação predefinida", "errorloadevent": "Erro ao carregar evento.", "errorloadevents": "Erro ao carregar eventos.", - "noevents": "Sem eventos", + "noevents": "Nenhuma atividade programada", "notifications": "Notificações" } \ No newline at end of file diff --git a/www/addons/calendar/lang/ru.json b/www/addons/calendar/lang/ru.json index 0d17cabd368..3a1b1bf3bd2 100644 --- a/www/addons/calendar/lang/ru.json +++ b/www/addons/calendar/lang/ru.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Время уведомлений по умолчанию", "errorloadevent": "Ошибка при загрузке события", "errorloadevents": "Ошибка при загрузке событий", - "noevents": "Нет событий", + "noevents": "Окончаний сроков сдачи элементов курса в ближайшее время нет.", "notifications": "Уведомления" } \ No newline at end of file diff --git a/www/addons/calendar/lang/sv.json b/www/addons/calendar/lang/sv.json index d5ac5c127d0..28354a80742 100644 --- a/www/addons/calendar/lang/sv.json +++ b/www/addons/calendar/lang/sv.json @@ -2,6 +2,6 @@ "calendarevents": "Kalenderhändelser", "errorloadevent": "Fel vid inläsning av händelse.", "errorloadevents": "Fel vid inläsning av händelser", - "noevents": "Det finns inga händelser", - "notifications": "Notifikationer" + "noevents": "Inga deadlines för aktiviteter", + "notifications": "Administration" } \ No newline at end of file diff --git a/www/addons/calendar/lang/uk.json b/www/addons/calendar/lang/uk.json index 2e0930c7034..e0b616f24a4 100644 --- a/www/addons/calendar/lang/uk.json +++ b/www/addons/calendar/lang/uk.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Час сповіщень за-замовчуванням", "errorloadevent": "Помилка завантаження події.", "errorloadevents": "Помилка завантаження подій.", - "noevents": "Немає подій", - "notifications": "Сповіщення" + "noevents": "Наразі, заплановані активності відсутні", + "notifications": "Повідомлення" } \ No newline at end of file diff --git a/www/addons/competency/lang/ar.json b/www/addons/competency/lang/ar.json index 79ce4fda7f6..5952485e905 100644 --- a/www/addons/competency/lang/ar.json +++ b/www/addons/competency/lang/ar.json @@ -1,11 +1,11 @@ { - "activities": "أنشطة", - "duedate": "موعد التسليم", + "activities": "الأنشطة", + "duedate": "تاريخ تقديم مهمة", "errornocompetenciesfound": "لا يوجد أي قدرات موجودة", "myplans": "خططي للتعلم", "nocompetencies": "لا يوجد أي قدرات", "path": "مسار", "progress": "تقدّم الطالب", - "status": "الوضع", + "status": "الحالة", "template": "قالب" } \ No newline at end of file diff --git a/www/addons/competency/lang/bg.json b/www/addons/competency/lang/bg.json index a5175cb9a90..5b003195ac4 100644 --- a/www/addons/competency/lang/bg.json +++ b/www/addons/competency/lang/bg.json @@ -10,7 +10,7 @@ "planstatusactive": "Активен", "planstatuscomplete": "Завършен", "planstatusdraft": "Чернова", - "status": "Състояние на значка", + "status": "Състояние", "template": "Шаблон", "userplans": "Учебни планове" } \ No newline at end of file diff --git a/www/addons/competency/lang/ca.json b/www/addons/competency/lang/ca.json index ffcc6899a81..93bcee24b76 100644 --- a/www/addons/competency/lang/ca.json +++ b/www/addons/competency/lang/ca.json @@ -4,7 +4,7 @@ "competenciesmostoftennotproficientincourse": "Competències que més sovint no s'assoleixen en aquest curs", "coursecompetencies": "Competències del curs", "crossreferencedcompetencies": "Competències referenciades", - "duedate": "Venciment", + "duedate": "Data de venciment", "errornocompetenciesfound": "No s'han trobat competències", "evidence": "Evidència", "evidence_competencyrule": "La regla de competència s'ha satisfet.", @@ -20,22 +20,22 @@ "learningplans": "Plans d'aprenentatge", "myplans": "Els meus plans d'aprenentatge", "noactivities": "Cap activitat", - "nocompetencies": "Cap competència", + "nocompetencies": "No s'han creat competències en aquest marc.", "nocrossreferencedcompetencies": "No hi ha competències amb referències a aquesta.", "noevidence": "Cap evidència", "noplanswerecreated": "No s'ha creat cap pla d'aprenentatge.", - "path": "Camí", + "path": "Ruta:", "planstatusactive": "Activa", "planstatuscomplete": "Completat", "planstatusdraft": "Esborrany", "planstatusinreview": "En revisió", "planstatuswaitingforreview": "S'està esperant la revisió", "proficient": "Superada", - "progress": "Progrés de l'estudiant", - "rating": "Valoració", + "progress": "Progrés", + "rating": "Qualificació", "reviewstatus": "Estat de la revisió", - "status": "Estat de la insígnia", - "template": "Plantilla", + "status": "Estat", + "template": "Plantilla de pla d'aprenentatge", "usercompetencystatus_idle": "Inactiu", "usercompetencystatus_inreview": "En revisió", "usercompetencystatus_waitingforreview": "Esperant a ser revisat", diff --git a/www/addons/competency/lang/cs.json b/www/addons/competency/lang/cs.json index c0650558e72..471bc29a73e 100644 --- a/www/addons/competency/lang/cs.json +++ b/www/addons/competency/lang/cs.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "Hodnocení kompetencí v tomto kurzu nemají vliv na studijní plány.", "coursecompetencyratingsarepushedtouserplans": "Hodnocení kompetencí v tomto kurzu jsou okamžitě aktualizovány v studijních plánech.", "crossreferencedcompetencies": "Průřezové kompetence", - "duedate": "Datum platnosti", + "duedate": "Termín odevzdání", "errornocompetenciesfound": "Nebyly nalezeny žádné kompetence", "evidence": "Evidence", "evidence_competencyrule": "Bylo splněno pravidlo kompetence.", @@ -22,22 +22,22 @@ "learningplans": "Studijní plány", "myplans": "Mé studijní plány", "noactivities": "Žádné činnosti", - "nocompetencies": "Žádné kompetence", + "nocompetencies": "V tomto rámci nebyly vytvořeny žádné kompetence.", "nocrossreferencedcompetencies": "K této kompetenci nebyly spojeny další průřezové kompetence.", "noevidence": "Bez záznamu", "noplanswerecreated": "Nebyly vytvořeny žádné studijní plány.", - "path": "Cesta", + "path": "Cesta:", "planstatusactive": "Aktivní", "planstatuscomplete": "Dokončeno", "planstatusdraft": "Návrh", "planstatusinreview": "V revizi", "planstatuswaitingforreview": "Čekání na revizi", "proficient": "Splněno", - "progress": "Pokrok studenta", + "progress": "Pokrok", "rating": "Hodnocení", "reviewstatus": "Stav revize", - "status": "Stav odznaku", - "template": "Šablona", + "status": "Stav", + "template": "Šablona studijního plánu", "usercompetencystatus_idle": "Nečinný", "usercompetencystatus_inreview": "V revizi", "usercompetencystatus_waitingforreview": "Čekání na revizi", diff --git a/www/addons/competency/lang/da.json b/www/addons/competency/lang/da.json index dbf44a2c519..f595f9ae98d 100644 --- a/www/addons/competency/lang/da.json +++ b/www/addons/competency/lang/da.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "Kompetencebedømmelser på dette kursus påvirker ikke læringsplaner.", "coursecompetencyratingsarepushedtouserplans": "Kompetencebedømmelser på dette kursus opdateres straks i læringsplaner.", "crossreferencedcompetencies": "Kryds-refererede kompetencer", - "duedate": "Forfaldsdato", + "duedate": "Afleveringsdato", "errornocompetenciesfound": "Ingen kompetencer fundet", "evidence": "Vidnesbyrd", "evidence_competencyrule": "Kompetencereglen blev opfyldt.", @@ -22,22 +22,22 @@ "learningplans": "Læringsplaner", "myplans": "Mine læringsplaner", "noactivities": "Ingen aktiviteter", - "nocompetencies": "Ingen kompetencer", + "nocompetencies": "Ingen kompetencer er oprettet i denne ramme.", "nocrossreferencedcompetencies": "Ingen andre kompetencer er krydsrefereret til denne kompetence.", "noevidence": "Ingen vidnesbyrd", "noplanswerecreated": "Der blev ikke oprettet nogen læringsplaner.", - "path": "Sti", + "path": "Sti:", "planstatusactive": "Aktiv", "planstatuscomplete": "Fuldført", "planstatusdraft": "Kladde", "planstatusinreview": "I gennemsyn", "planstatuswaitingforreview": "Venter på gennemsyn", "proficient": "Færdighedsniveau", - "progress": "Studerendes fremskridt", + "progress": "Progression", "rating": "Bedømmelse", "reviewstatus": "Status på gennemsyn", - "status": "Badgestatus", - "template": "Skabelon", + "status": "Status", + "template": "Læringsplanskabelon", "usercompetencystatus_idle": "Tom", "usercompetencystatus_inreview": "I gennemsyn", "usercompetencystatus_waitingforreview": "Afventer gennemsyn", diff --git a/www/addons/competency/lang/de-du.json b/www/addons/competency/lang/de-du.json index 5f38edfbdad..eeb5102e8ee 100644 --- a/www/addons/competency/lang/de-du.json +++ b/www/addons/competency/lang/de-du.json @@ -6,9 +6,9 @@ "coursecompetencyratingsarenotpushedtouserplans": "Kompetenzbewertungen in diesem Kurs beeinflussen keine Lernpläne.", "coursecompetencyratingsarepushedtouserplans": "Kompetenzbewertungen in diesem Kurs werden sofort in den Lernplänen aktualisiert.", "crossreferencedcompetencies": "Querverwiesene Kompetenzen", - "duedate": "Termin", + "duedate": "Fälligkeitsdatum", "errornocompetenciesfound": "Keine Kompetenzen gefunden", - "evidence": "Evidenz", + "evidence": "Beleg", "evidence_competencyrule": "Die Kompetenzregel wurde erfüllt.", "evidence_coursecompleted": "Der Kurs '{{$a}}' wurde abgeschlossen.", "evidence_coursemodulecompleted": "Die Aktivität '{{$a}}' wurde abgeschlossen.", @@ -22,22 +22,22 @@ "learningplans": "Lernpläne", "myplans": "Meine Lernpläne", "noactivities": "Keine Aktivitäten", - "nocompetencies": "Keine Kompetenzen", + "nocompetencies": "Für diesen Kompetenzrahmen wurden keine Kompetenzen angelegt.", "nocrossreferencedcompetencies": "Keine anderen Kompetenzen wurden zu dieser Kompetenz referiert.", "noevidence": "Keine Belege", "noplanswerecreated": "Bisher sind keine Lernpläne angelegt.", - "path": "Pfad", + "path": "Pfad:", "planstatusactive": "Aktiv", "planstatuscomplete": "Vollständig", "planstatusdraft": "Entwurf", "planstatusinreview": "Überprüfung läuft", "planstatuswaitingforreview": "Überprüfung abwarten", "proficient": "Erfahren", - "progress": "Bearbeitungsstand", - "rating": "Bewertung", + "progress": "Fortschritt", + "rating": "Wertung", "reviewstatus": "Überprüfungsstatus", - "status": "Existierende Einschreibungen erlauben", - "template": "Vorlage", + "status": "Status", + "template": "Lernplanvorlage", "usercompetencystatus_idle": "Abwarten", "usercompetencystatus_inreview": "Überprüfung läuft", "usercompetencystatus_waitingforreview": "Überprüfung abwarten", diff --git a/www/addons/competency/lang/de.json b/www/addons/competency/lang/de.json index 5f38edfbdad..eeb5102e8ee 100644 --- a/www/addons/competency/lang/de.json +++ b/www/addons/competency/lang/de.json @@ -6,9 +6,9 @@ "coursecompetencyratingsarenotpushedtouserplans": "Kompetenzbewertungen in diesem Kurs beeinflussen keine Lernpläne.", "coursecompetencyratingsarepushedtouserplans": "Kompetenzbewertungen in diesem Kurs werden sofort in den Lernplänen aktualisiert.", "crossreferencedcompetencies": "Querverwiesene Kompetenzen", - "duedate": "Termin", + "duedate": "Fälligkeitsdatum", "errornocompetenciesfound": "Keine Kompetenzen gefunden", - "evidence": "Evidenz", + "evidence": "Beleg", "evidence_competencyrule": "Die Kompetenzregel wurde erfüllt.", "evidence_coursecompleted": "Der Kurs '{{$a}}' wurde abgeschlossen.", "evidence_coursemodulecompleted": "Die Aktivität '{{$a}}' wurde abgeschlossen.", @@ -22,22 +22,22 @@ "learningplans": "Lernpläne", "myplans": "Meine Lernpläne", "noactivities": "Keine Aktivitäten", - "nocompetencies": "Keine Kompetenzen", + "nocompetencies": "Für diesen Kompetenzrahmen wurden keine Kompetenzen angelegt.", "nocrossreferencedcompetencies": "Keine anderen Kompetenzen wurden zu dieser Kompetenz referiert.", "noevidence": "Keine Belege", "noplanswerecreated": "Bisher sind keine Lernpläne angelegt.", - "path": "Pfad", + "path": "Pfad:", "planstatusactive": "Aktiv", "planstatuscomplete": "Vollständig", "planstatusdraft": "Entwurf", "planstatusinreview": "Überprüfung läuft", "planstatuswaitingforreview": "Überprüfung abwarten", "proficient": "Erfahren", - "progress": "Bearbeitungsstand", - "rating": "Bewertung", + "progress": "Fortschritt", + "rating": "Wertung", "reviewstatus": "Überprüfungsstatus", - "status": "Existierende Einschreibungen erlauben", - "template": "Vorlage", + "status": "Status", + "template": "Lernplanvorlage", "usercompetencystatus_idle": "Abwarten", "usercompetencystatus_inreview": "Überprüfung läuft", "usercompetencystatus_waitingforreview": "Überprüfung abwarten", diff --git a/www/addons/competency/lang/el.json b/www/addons/competency/lang/el.json index dcecd903866..ccc76e104c4 100644 --- a/www/addons/competency/lang/el.json +++ b/www/addons/competency/lang/el.json @@ -1,10 +1,10 @@ { "activities": "Δραστηριότητες", - "duedate": "Ημερομηνία εκπνοής", + "duedate": "Καταληκτική ημερομηνία", "errornocompetenciesfound": "Δεν βρέθηκαν ικανότητες", "nocompetencies": "Δεν βρέθηκαν ικανότητες", "path": "Διαδρομή", "progress": "Πρόοδος μαθητών", - "status": "Κατάσταση", + "status": "Επιτρέπεται η πρόσβαση στους επισκέπτες", "template": "Πρότυπο" } \ No newline at end of file diff --git a/www/addons/competency/lang/es-mx.json b/www/addons/competency/lang/es-mx.json index 60eac50c020..e3cf26a9682 100644 --- a/www/addons/competency/lang/es-mx.json +++ b/www/addons/competency/lang/es-mx.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "Las valoraciones de competencia en este curso no afectan a los planes de aprendizaje.", "coursecompetencyratingsarepushedtouserplans": "Las valoraciones de competencia en este curso son actualizadas inmediatamente dentro de planes de aprendizaje.", "crossreferencedcompetencies": "Competencias con referencias-cruzadas", - "duedate": "Vencimiento", + "duedate": "Fecha de entrega", "errornocompetenciesfound": "No se encontraron competencias", "evidence": "Evidencia", "evidence_competencyrule": "Se cumplió la regla de la competencia.", @@ -22,22 +22,22 @@ "learningplans": "Planes de aprendizaje", "myplans": "Mis planes de aprendizaje", "noactivities": "Sin actividades", - "nocompetencies": "Sin competencias", + "nocompetencies": "No se han creado competencias en esta estructura.", "nocrossreferencedcompetencies": "No se han referenciado cruzadamente otras competencias con esta competencia.", "noevidence": "Sin evidencia", "noplanswerecreated": "No se crearon planes de aprendizaje.", - "path": "Ruta", + "path": "Ruta:", "planstatusactive": "Activa/o", "planstatuscomplete": "Completo", "planstatusdraft": "Borrador", "planstatusinreview": "En revisión", "planstatuswaitingforreview": "Esperando para revisión", "proficient": "Dominio/pericia", - "progress": "Progreso del estudiante", - "rating": "Valuación (rating)", + "progress": "Progreso", + "rating": "Valoración", "reviewstatus": "Revisar estatus", - "status": "Estatus de insignias", - "template": "Plantilla", + "status": "Estatus", + "template": "Plantilla de plan de aprendizaje", "usercompetencystatus_idle": "desocupado", "usercompetencystatus_inreview": "En revisión", "usercompetencystatus_waitingforreview": "Esperando para revisión", diff --git a/www/addons/competency/lang/es.json b/www/addons/competency/lang/es.json index 1637cb26f73..53b3162fac7 100644 --- a/www/addons/competency/lang/es.json +++ b/www/addons/competency/lang/es.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "Las calificaciones de competencias de este curso no afectan los planes de aprendizaje.", "coursecompetencyratingsarepushedtouserplans": "Las calificaciones de competencias en este curso actualizan de inmediato los planes de aprendizaje.", "crossreferencedcompetencies": "Competencias referenciadas", - "duedate": "Vencimiento", + "duedate": "Fecha de entrega", "errornocompetenciesfound": "No se encontraron competencias", "evidence": "Evidencia", "evidence_coursecompleted": "El curso '{{$a}}' ha sido completado.", @@ -15,7 +15,7 @@ "learningplans": "Planes de aprendizaje", "myplans": "Mis planes de aprendizaje", "noactivities": "Sin actividades", - "nocompetencies": "Sin competencias", + "nocompetencies": "No se han creado competencias para este marco.", "nocrossreferencedcompetencies": "No se han referenciado otras competencias a esta competencia.", "noevidence": "Sin evidencias", "path": "Ruta", @@ -25,10 +25,10 @@ "planstatusinreview": "En revisión", "planstatuswaitingforreview": "Esperando revisión", "proficient": "Superada", - "progress": "Progreso del estudiante", - "rating": "Clasificación", + "progress": "Avance", + "rating": "Calificación", "reviewstatus": "Estado de la revisión", - "status": "Estado de la insignia", + "status": "Estado", "template": "Plantilla", "usercompetencystatus_idle": "No activo", "usercompetencystatus_inreview": "En revision", diff --git a/www/addons/competency/lang/eu.json b/www/addons/competency/lang/eu.json index b6747be9f5e..eef931d7f30 100644 --- a/www/addons/competency/lang/eu.json +++ b/www/addons/competency/lang/eu.json @@ -22,22 +22,22 @@ "learningplans": "Ikasketa-planak", "myplans": "Nire ikasketa-planak", "noactivities": "Ez dago jarduerarik", - "nocompetencies": "Gaitasunik ez", + "nocompetencies": "Ezin izan gaitasunik sortu marko honetan.", "nocrossreferencedcompetencies": "Ez dago gaitasun honekiko erreferentzia gurutzatua duen beste gaitasunik.", "noevidence": "Ez dago ebidentziarik", "noplanswerecreated": "Ez da ikasketa-planik sortu.", - "path": "Bidea", + "path": "Bidea:", "planstatusactive": "Aktiboa", "planstatuscomplete": "Osatu", "planstatusdraft": "Zirriborroa", "planstatusinreview": "Berrikusten", "planstatuswaitingforreview": "Berrikusketaren zain", "proficient": "Gai", - "progress": "Ikaslearen aurrerapena", + "progress": "Aurrerapena", "rating": "Puntuazioa", "reviewstatus": "Berrikusi egora", - "status": "Dominen egoera", - "template": "Txantiloia", + "status": "Egoera", + "template": "Ikasketa-planerako txantiloia", "usercompetencystatus_idle": "Ez dago aktiboa", "usercompetencystatus_inreview": "Berrikusten", "usercompetencystatus_waitingforreview": "Berrikusketaren zain", diff --git a/www/addons/competency/lang/fa.json b/www/addons/competency/lang/fa.json index 1c88a1c56fa..1ae77642077 100644 --- a/www/addons/competency/lang/fa.json +++ b/www/addons/competency/lang/fa.json @@ -5,7 +5,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "امتیازهای شایستگی‌ها در این درس تاثیری در برنامه‌های یادگیری ندارند.", "coursecompetencyratingsarepushedtouserplans": "امتیازهای شایستگی‌ها در این درس بلافاصله در برنامه‌های یادگیری به‌روز می‌شوند.", "crossreferencedcompetencies": "شایستگی‌های دارای ارجاع متقابل", - "duedate": "مهلت", + "duedate": "مهلت تحویل", "errornocompetenciesfound": "هیچ شایستگی‌ای پیدا نشد", "evidence": "مدرک", "evidence_competencyrule": "شرط شایستگی برقرار شد.", @@ -23,18 +23,18 @@ "nocrossreferencedcompetencies": "هیچ شایستگی دیگری به این شایستگی به‌طور متقابل ارجاع داده نشده است.", "noevidence": "بدون مدرک", "noplanswerecreated": "هیچ برنامهٔ یادگیری‌ای ساخته نشده است.", - "path": "مسیر", + "path": "مسیر:", "planstatusactive": "فعال", "planstatuscomplete": "کامل", "planstatusdraft": "پیش‌نویس", "planstatusinreview": "درحال بازبینی", "planstatuswaitingforreview": "در انتظار بازبینی", "proficient": "کسب مهارت", - "progress": "پیشروی شاگردان", + "progress": "پیشروی", "rating": "امتیاز", "reviewstatus": "بازبینی وضعیت", - "status": "وضعیت مدال", - "template": "الگو", + "status": "وضعیت", + "template": "الگوی برنامه یادگیری", "usercompetencystatus_idle": "بی کار", "usercompetencystatus_inreview": "درحال بازبینی", "usercompetencystatus_waitingforreview": "در انتظار بازبینی", diff --git a/www/addons/competency/lang/fi.json b/www/addons/competency/lang/fi.json index 9285357c6b8..c98434dbbf8 100644 --- a/www/addons/competency/lang/fi.json +++ b/www/addons/competency/lang/fi.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "Tämän kurssin pätevyyksien arvioinnit eivät vaikuta opintosuunnitelmiin.", "coursecompetencyratingsarepushedtouserplans": "Tämän kurssin pätevyyksien arvioinnit päivitetään heti opintosuunnitelmiin.", "crossreferencedcompetencies": "Ristiviitatut pätevyydet", - "duedate": "Palautettava viimeistään", + "duedate": "Määräpäivä", "errornocompetenciesfound": "Pätevyyksiä ei löytynyt", "evidence": "Todiste", "evidence_competencyrule": "Osaamissääntökriteerit täytetty.", @@ -33,10 +33,10 @@ "planstatusinreview": "Arvioitavana", "planstatuswaitingforreview": "Odottaa arviointia", "proficient": "Pätevä", - "progress": "Opiskelijan edistyminen", - "rating": "Arvio", - "status": "Tilanne", - "template": "Mallipohja", + "progress": "Eteneminen", + "rating": "Arviointi", + "status": "Osaamismerkin status", + "template": "Opintosuunnitelman viitekehys", "usercompetencystatus_idle": "Turha", "usercompetencystatus_inreview": "Arvioitavana", "usercompetencystatus_waitingforreview": "Odottaa arviointia", diff --git a/www/addons/competency/lang/fr.json b/www/addons/competency/lang/fr.json index faf178110f1..7e23c4763ea 100644 --- a/www/addons/competency/lang/fr.json +++ b/www/addons/competency/lang/fr.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "Les évaluations de compétences de ce cours n'ont pas d'influence sur les plans de formation.", "coursecompetencyratingsarepushedtouserplans": "Les évaluations de compétences de ce cours sont immédiatement reportées dans les plans de formation.", "crossreferencedcompetencies": "Compétences transversales", - "duedate": "Date de remise", + "duedate": "Délai d'achèvement", "errornocompetenciesfound": "Aucune compétence trouvée", "evidence": "Preuve", "evidence_competencyrule": "La règle pour la compétence a été atteinte.", @@ -22,22 +22,22 @@ "learningplans": "Plans de formation", "myplans": "Mes plans de formation", "noactivities": "Aucune activité", - "nocompetencies": "Aucune compétence", + "nocompetencies": "Aucune compétence n'a été créée dans ce référentiel.", "nocrossreferencedcompetencies": "Aucune autre compétence n'est transversale pour cette compétence.", "noevidence": "Aucune preuve d'acquis", "noplanswerecreated": "Aucun plan de formation n'a été créé.", - "path": "Chemin", + "path": "Chemin :", "planstatusactive": "Actif", "planstatuscomplete": "Achevé", "planstatusdraft": "Brouillon", "planstatusinreview": "En cours de validation", "planstatuswaitingforreview": "En attente de validation", "proficient": "Compétence acquise", - "progress": "Suivi des activités des participants", + "progress": "Progrès", "rating": "Évaluation", "reviewstatus": "Statut de validation", - "status": "Statut du badge", - "template": "Modèle", + "status": "Statut", + "template": "Modèle de plan de formation", "usercompetencystatus_idle": "En suspens", "usercompetencystatus_inreview": "En cours de validation", "usercompetencystatus_waitingforreview": "En attente de validation", diff --git a/www/addons/competency/lang/he.json b/www/addons/competency/lang/he.json index 0a5a97fffc1..355d32bf05d 100644 --- a/www/addons/competency/lang/he.json +++ b/www/addons/competency/lang/he.json @@ -6,8 +6,8 @@ "coursecompetencyratingsarenotpushedtouserplans": "השלמת מיומנויות בקורס זה לא מתעדכנות בתוכניות־הלימוד", "coursecompetencyratingsarepushedtouserplans": "מצב רכישת מיומנות כתוצאה מהשלמת פעילות בקורס, מתעדכן באופן מידי בתוכניות־הלימוד.", "crossreferencedcompetencies": "מקושר למיומנויות", - "duedate": "עד לתאריך", - "evidence": "סימוכין", + "duedate": "תאריך סופי", + "evidence": "ראיה לבקיאות", "evidence_competencyrule": "תנאי המיומנות נענה", "evidence_coursecompleted": "הקורס '{{$a}}' הושלם.", "evidence_coursemodulecompleted": "הפעילות '{{$a}}' הושלמה.", @@ -32,11 +32,11 @@ "planstatusinreview": "בסקירה", "planstatuswaitingforreview": "מחכה לסקירה", "proficient": "בקיאות", - "progress": "מעקב התקדמות למידה", - "rating": "דירוג", + "progress": "התקדמות", + "rating": "דרוג", "reviewstatus": "סקירת מצב", - "status": "סטטוס ההישג", - "template": "תבנית", + "status": "מצב", + "template": "תבנית תוכנית־לימוד", "usercompetencystatus_idle": "לא־פעיל", "usercompetencystatus_inreview": "בסקירה", "usercompetencystatus_waitingforreview": "מחכה לסקירה", diff --git a/www/addons/competency/lang/hr.json b/www/addons/competency/lang/hr.json index 31249563426..8c40a3b58d8 100644 --- a/www/addons/competency/lang/hr.json +++ b/www/addons/competency/lang/hr.json @@ -1,16 +1,16 @@ { "activities": "Aktivnosti", "competencies": "Kompetencije", - "duedate": "Rok", + "duedate": "Rok predaje", "evidence": "Dokaz", "evidence_coursecompleted": "Kolegij '{{$a}}' je dovršen.", "evidence_coursemodulecompleted": "Aktivnost '{{$a}}' je dovršena.", - "path": "Putanja (PATH)", + "path": "Putanja", "planstatusactive": "Aktivno", "planstatuscomplete": "Dovršeno", "planstatusdraft": "Nacrt", "progress": "Napredak studenta", "rating": "Ocjena", - "status": "Stanje značke", + "status": "Status", "template": "Predložak" } \ No newline at end of file diff --git a/www/addons/competency/lang/hu.json b/www/addons/competency/lang/hu.json index cfc5a516e20..6af9155320b 100644 --- a/www/addons/competency/lang/hu.json +++ b/www/addons/competency/lang/hu.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "A kurzus készségbesorolásai nem érintik a tanulási terveket.", "coursecompetencyratingsarepushedtouserplans": "A kurzus készségbesorolásai azonnal frissülnek a tanulási tervekben.", "crossreferencedcompetencies": "Kereszthivatkozott készségek", - "duedate": "Határidő", + "duedate": "Esedékesség", "evidence": "Bizonyíték", "evidence_competencyrule": "A készséghez tartozó szabály teljesítve.", "evidence_coursecompleted": "'{{$a}}' kurzus teljesítve.", @@ -25,18 +25,18 @@ "nocrossreferencedcompetencies": "A készséghez kereszthivatkozással nem kapcsolódik más készség.", "noevidence": "Nincs bizonyíték", "noplanswerecreated": "Nem jött létre tanulási terv.", - "path": "Útvonal", + "path": "Útvonal:", "planstatusactive": "Aktív", "planstatuscomplete": "Kész", "planstatusdraft": "Vázlat", "planstatusinreview": "Ellenőrzés alatt", "planstatuswaitingforreview": "Ellenőrzésre vár", "proficient": "Sikeres", - "progress": "A tanuló előmenetele", - "rating": "Értékelés", + "progress": "Előmenetel", + "rating": "Besorolás", "reviewstatus": "Ellenőrzés állapota", - "status": "A kitűző állapota", - "template": "Sablon", + "status": "Állapot", + "template": "Tanulási tervsablon", "usercompetencystatus_idle": "Inaktív", "usercompetencystatus_inreview": "Ellenőrzés alatt", "usercompetencystatus_waitingforreview": "Ellenőrzésre vár", diff --git a/www/addons/competency/lang/it.json b/www/addons/competency/lang/it.json index 8093550d734..b48ee9ec14d 100644 --- a/www/addons/competency/lang/it.json +++ b/www/addons/competency/lang/it.json @@ -6,9 +6,9 @@ "coursecompetencyratingsarenotpushedtouserplans": "Le valutazioni delle competenze nel corso non si riflettono nei piani di formazione.", "coursecompetencyratingsarepushedtouserplans": "Le valutazione delle competenze nel corso si riflettono immediatamente nei piani di formazione.", "crossreferencedcompetencies": "Competenze con riferimento incrociato", - "duedate": "Data di termine", + "duedate": "Termine consegne", "errornocompetenciesfound": "Non sono state trovate competenze", - "evidence": "Verifica", + "evidence": "Attestazione", "evidence_competencyrule": "La regola della competenza è stata soddisfatta.", "evidence_coursecompleted": "Il corso '{{$a}}' è stato completato.", "evidence_coursemodulecompleted": "L'attività '{{$a}}' è stata completato.", @@ -22,22 +22,22 @@ "learningplans": "Piani di formazione", "myplans": "I miei piani di formazione", "noactivities": "Nessuna attività.", - "nocompetencies": "Non sono presenti competenze", + "nocompetencies": "Questo quadro non ha competenze", "nocrossreferencedcompetencies": "Non ci sono competenze con riferimenti incrociati a questa competenza", "noevidence": "Non sono presenti attestazioni.", "noplanswerecreated": "Non sono stati creati piani di formazione", - "path": "Percorso", + "path": "Percorso:", "planstatusactive": "Attivo", "planstatuscomplete": "Raggiunta", "planstatusdraft": "Bozza", "planstatusinreview": "In revisione", "planstatuswaitingforreview": "In attesa di revisione", "proficient": "Esperto", - "progress": "Situazione dello studente", + "progress": "Avanzamento", "rating": "Valutazione", "reviewstatus": "Stato della revisione", - "status": "Stato badge", - "template": "Modello", + "status": "Stato", + "template": "Modello di piano di formazione", "usercompetencystatus_idle": "Non attiva", "usercompetencystatus_inreview": "In revisione", "usercompetencystatus_waitingforreview": "In attesa di revisione", diff --git a/www/addons/competency/lang/ja.json b/www/addons/competency/lang/ja.json index 8899adb5523..d4109719e36 100644 --- a/www/addons/competency/lang/ja.json +++ b/www/addons/competency/lang/ja.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "このコース内でのコンピテンシー評定は学習プランに影響しません。", "coursecompetencyratingsarepushedtouserplans": "このコース内でのコンピテンシー評定は学習プラン内ですぐに更新されます。", "crossreferencedcompetencies": "クロスリファレンスコンピテンシー", - "duedate": "終了日時", + "duedate": "期限", "errornocompetenciesfound": "コンピテンシーが見つかりません", "evidence": "エビデンス", "evidence_competencyrule": "コンピテンシールールが合致しません。", @@ -22,22 +22,22 @@ "learningplans": "学習プラン", "myplans": "マイ学習プラン", "noactivities": "活動なし", - "nocompetencies": "コンピテンシーなし", + "nocompetencies": "このフレームワークにコンピテンシーは作成されていません。", "nocrossreferencedcompetencies": "このコンピテンシーに相互参照されている他のコンピテンシーはありません。", "noevidence": "エビデンスなし", "noplanswerecreated": "学習プランは作成されませんでした。", - "path": "パス", + "path": "パス:", "planstatusactive": "アクティブ", "planstatuscomplete": "完了", "planstatusdraft": "下書き", "planstatusinreview": "レビュー中", "planstatuswaitingforreview": "レビュー待ち", "proficient": "熟達", - "progress": "学生の進捗", - "rating": "評価", + "progress": "進捗", + "rating": "評定", "reviewstatus": "レビューステータス", - "status": "バッジステータス", - "template": "テンプレート", + "status": "ステータス", + "template": "学習プランテンプレート", "usercompetencystatus_idle": "待機", "usercompetencystatus_inreview": "レビュー中", "usercompetencystatus_waitingforreview": "レビュー待ち", diff --git a/www/addons/competency/lang/ko.json b/www/addons/competency/lang/ko.json new file mode 100644 index 00000000000..a8c01eef788 --- /dev/null +++ b/www/addons/competency/lang/ko.json @@ -0,0 +1,10 @@ +{ + "activities": "학습활동", + "duedate": "마감 일시", + "evidence": "증거", + "path": "경로", + "progress": "학생의 진도", + "rating": "등급", + "status": "상태", + "template": "질문지" +} \ No newline at end of file diff --git a/www/addons/competency/lang/lt.json b/www/addons/competency/lang/lt.json index 1f868fecae0..2fac9c0ec8e 100644 --- a/www/addons/competency/lang/lt.json +++ b/www/addons/competency/lang/lt.json @@ -1,10 +1,10 @@ { - "activities": "Veiklos", + "activities": "Veikla", "competencies": "Kompetencijos", "coursecompetencies": "Kurso kompetencijos", "coursecompetencyratingsarenotpushedtouserplans": "Kompetencijų reitingai šiame kurse neturi įtakos mokymosi planams.", "crossreferencedcompetencies": "Kryžminės kompetencijos", - "duedate": "Terminas", + "duedate": "Data pristatymui", "errornocompetenciesfound": "Kompetencijų nerasta", "evidence": "Įrodymas", "evidence_coursecompleted": "Kursas '{{$a}}' buvo užbaigtas.", @@ -15,7 +15,7 @@ "learningplans": "Mokymosi planai", "myplans": "Mano mokymosi planai", "noactivities": "Nėra veiklų", - "nocompetencies": "Nėra kompetencijų", + "nocompetencies": "Šioje sistemoje nebuvo sukurta kompetencijų.", "nocrossreferencedcompetencies": "Jokios kitos kompetencijos nebuvo susietos kryžmine nuoroda su šia kompetencija.", "noevidence": "Nėra įrodymų", "noplanswerecreated": "Nebuvo sukurta mokymosi planų.", @@ -26,11 +26,11 @@ "planstatusinreview": "Peržiūrima", "planstatuswaitingforreview": "Laukiama peržiūros", "proficient": "Įgūdis", - "progress": "Progresas", - "rating": "Vertinimas", + "progress": "Besimokančiojo pažanga", + "rating": "Reitingas", "reviewstatus": "Peržiūros būsena", - "status": "Pasiekimo būsena", - "template": "Šablonas", + "status": "Būsena", + "template": "Mokymosi plano šablonas", "usercompetencystatus_idle": "Nenaudojamas", "usercompetencystatus_inreview": "Peržiūrima", "usercompetencystatus_waitingforreview": "Laukiama peržiūros", diff --git a/www/addons/competency/lang/mr.json b/www/addons/competency/lang/mr.json index 96dacfe50a6..a31b331a86a 100644 --- a/www/addons/competency/lang/mr.json +++ b/www/addons/competency/lang/mr.json @@ -1,6 +1,6 @@ { - "activities": "सर्व एक्टिव्हीटी", + "activities": "क्रिया", "errornocompetenciesfound": "कोणतीही कौशल्यं आढळली नाहीत", "nocompetencies": "कोणतीही क्षमता नाहीत", - "status": "दर्जा" + "status": "स्थिती" } \ No newline at end of file diff --git a/www/addons/competency/lang/nl.json b/www/addons/competency/lang/nl.json index c9bb96098a4..755c1596562 100644 --- a/www/addons/competency/lang/nl.json +++ b/www/addons/competency/lang/nl.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "Competentiebeoordelingen in deze cursus hebben geen invloed op studieplannnen.", "coursecompetencyratingsarepushedtouserplans": "Competentiebeoordelingen in deze cursus worden onmiddellijk aangepast in studieplannen.", "crossreferencedcompetencies": "Competenties met kruisverwijzingen", - "duedate": "Klaar tegen", + "duedate": "Uiterste inleverdatum", "errornocompetenciesfound": "Geen competenties gevonden", "evidence": "Bewijs", "evidence_competencyrule": "De competentieregel werd behaald.", @@ -22,22 +22,22 @@ "learningplans": "Studieplannen", "myplans": "Mijn studieplannen", "noactivities": "Geen activiteiten", - "nocompetencies": "Geen competenties", + "nocompetencies": "Er zijn nog geen competenties gemaakt in dit framework", "nocrossreferencedcompetencies": "Er zijn geen andere competenties met een kruisverwijzing naar deze competentie.", "noevidence": "Geen bewijs", "noplanswerecreated": "Er zijn nog geen studieplannen gemaakt", - "path": "Pad", + "path": "Pad:", "planstatusactive": "Actief", "planstatuscomplete": "Volledig", "planstatusdraft": "Klad", "planstatusinreview": "Wordt beoordeeld", "planstatuswaitingforreview": "Wacht op beoordeling", "proficient": "Geslaagd", - "progress": "Vordering leerling", + "progress": "Vordering", "rating": "Beoordeling", "reviewstatus": "Beoordelingsstatus", - "status": "Badge status", - "template": "Sjabloon", + "status": "Status", + "template": "Studieplansjabloon", "usercompetencystatus_idle": "Niet aan het werk", "usercompetencystatus_inreview": "Wordt beoordeeld", "usercompetencystatus_waitingforreview": "Wacht op beoordeling", diff --git a/www/addons/competency/lang/no.json b/www/addons/competency/lang/no.json index 6dde147ac64..e75d67cb1dd 100644 --- a/www/addons/competency/lang/no.json +++ b/www/addons/competency/lang/no.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "Læringsmålvurderinger i dette kurset har ingen innvirkning på opplæringsplaner.", "coursecompetencyratingsarepushedtouserplans": "Læringsmålvurderinger i dette kurset vil automatisk oppdatere opplæringsplaner.", "crossreferencedcompetencies": "Kryssrefererte læringsmål", - "duedate": "Gyldig til", + "duedate": "Innleveringsfrist", "errornocompetenciesfound": "Ingen kompetansemål funnet", "evidence": "Bevis", "evidence_competencyrule": "Læringsmålregelen ble møtt", @@ -26,18 +26,18 @@ "nocrossreferencedcompetencies": "Ingen andre læringsmål har en kryssreferanse til dette læringsmålet.", "noevidence": "Ingen bevis", "noplanswerecreated": "Ingen opplæringsplaner ble opprettet", - "path": "Sti", + "path": "Sti:", "planstatusactive": "Aktiv", "planstatuscomplete": "Fullført", "planstatusdraft": "Utkast", "planstatusinreview": "Under vurdering", "planstatuswaitingforreview": "Venter på vurdering", "proficient": "Dyktighet", - "progress": "Studentens fremdrift", + "progress": "Fremdrift", "rating": "Vurdering", "reviewstatus": "Vurderingsstatus", - "status": "Status for utmerkelse", - "template": "Mal", + "status": "Status", + "template": "Opplæringsplanmal", "usercompetencystatus_idle": "Uvirksom", "usercompetencystatus_inreview": "Under vurdering", "usercompetencystatus_waitingforreview": "Venterpå vurdering", diff --git a/www/addons/competency/lang/pl.json b/www/addons/competency/lang/pl.json index 66acf3cba51..9dcc2e6d8b9 100644 --- a/www/addons/competency/lang/pl.json +++ b/www/addons/competency/lang/pl.json @@ -2,7 +2,7 @@ "activities": "Aktywności", "competencies": "Kompetencje", "coursecompetencies": "Kompetencje kursu", - "duedate": "Termin oddania", + "duedate": "Termin", "evidence": "Dowód", "evidence_coursecompleted": "Kurs '{{$a}}' został ukończony.", "evidence_coursemodulecompleted": "Aktywność '{{$a}}' została ukończona.", @@ -15,17 +15,17 @@ "nocompetencies": "Nie utworzono żadnych kompetencji w tych ramach kwalifikacji.", "noevidence": "Brak dowodów", "noplanswerecreated": "Nie utworzono planów uczenia się.", - "path": "Ścieżka", + "path": "Ścieżka:", "planstatusactive": "Aktywne", "planstatuscomplete": "Ukończone", "planstatusdraft": "Szkic", "planstatusinreview": "W trakcie przeglądu", "planstatuswaitingforreview": "Oczekuje na przegląd", - "progress": "Postępy studenta w nauce", + "progress": "Postęp", "rating": "Ocena", "reviewstatus": "Status przeglądu", - "status": "Status odznaki", - "template": "Szablon", + "status": "Status", + "template": "Szablon planu uczenia się.", "usercompetencystatus_idle": "Bezczynny", "usercompetencystatus_inreview": "W przeglądzie", "usercompetencystatus_waitingforreview": "Oczekuje na przegląd", diff --git a/www/addons/competency/lang/pt-br.json b/www/addons/competency/lang/pt-br.json index 5262449b51f..232ddc151ec 100644 --- a/www/addons/competency/lang/pt-br.json +++ b/www/addons/competency/lang/pt-br.json @@ -6,7 +6,7 @@ "coursecompetencyratingsarenotpushedtouserplans": "Avaliações de competência neste curso não afetam os planos de aprendizagem.", "coursecompetencyratingsarepushedtouserplans": "Avaliações de competência neste curso são atualizadas imediatamente nos planos de aprendizagem.", "crossreferencedcompetencies": "Competências referenciadas", - "duedate": "Data de encerramento", + "duedate": "Data de entrega", "errornocompetenciesfound": "Nenhuma competência encontrada", "evidence": "Evidência", "evidence_competencyrule": "A regra da competência foi cumprida.", @@ -22,22 +22,22 @@ "learningplans": "Planos de aprendizagem", "myplans": "Meus planos de aprendizagem", "noactivities": "Sem atividades", - "nocompetencies": "Nenhuma competência", + "nocompetencies": "Nenhuma competência foi criada para esta estrutura.", "nocrossreferencedcompetencies": "Nenhuma outra competência foi referenciada a esta competência.", "noevidence": "Nenhuma evidência", "noplanswerecreated": "Nenhum plano de aprendizagem foi criado.", - "path": "Caminho", + "path": "Caminho:", "planstatusactive": "Ativo", "planstatuscomplete": "Concluído", "planstatusdraft": "Rascunho", "planstatusinreview": "Em revisão", "planstatuswaitingforreview": "Aguardando revisão", "proficient": "Proficiente", - "progress": "Progresso do estudante", + "progress": "Progresso", "rating": "Avaliação", "reviewstatus": "Estado da revisão", - "status": "Status do emblema", - "template": "Modelo", + "status": "Status", + "template": "Modelo de plano de aprendizagem", "usercompetencystatus_idle": "inativo", "usercompetencystatus_inreview": "Em revisão", "usercompetencystatus_waitingforreview": "Esperando por revisão", diff --git a/www/addons/competency/lang/pt.json b/www/addons/competency/lang/pt.json index 646bf84a31d..ef18f29e3fe 100644 --- a/www/addons/competency/lang/pt.json +++ b/www/addons/competency/lang/pt.json @@ -6,9 +6,9 @@ "coursecompetencyratingsarenotpushedtouserplans": "As avaliações das competências nesta disciplina não afetam os planos de aprendizagem.", "coursecompetencyratingsarepushedtouserplans": "As avaliações das competências nesta disciplina são automaticamente atualizadas nos planos de aprendizagem.", "crossreferencedcompetencies": "Competências referenciadas", - "duedate": "Data de fim", + "duedate": "Data limite para submeter trabalhos", "errornocompetenciesfound": "Competências não encontradas", - "evidence": "Evidência", + "evidence": "Comprovativo", "evidence_competencyrule": "A regra da competência foi cumprida.", "evidence_coursecompleted": "A disciplina '{{$a}}' está concluída.", "evidence_coursemodulecompleted": "A atividade '{{$a}}' está concluída.", @@ -22,22 +22,22 @@ "learningplans": "Planos de aprendizagem", "myplans": "Os meus planos de aprendizagem", "noactivities": "Nenhuma atividade associada", - "nocompetencies": "Sem competências", + "nocompetencies": "Ainda não foram criadas competências neste quadro.", "nocrossreferencedcompetencies": "Nenhuma competência foi referenciada a esta competência.", "noevidence": "Não foi adicionado nenhum comprovativo", "noplanswerecreated": "Nenhum plano de aprendizagem foi criado.", - "path": "Caminho", + "path": "Localização:", "planstatusactive": "Ativo", "planstatuscomplete": "Concluído", "planstatusdraft": "Rascunho", "planstatusinreview": "Em revisão", "planstatuswaitingforreview": "À espera de revisão", "proficient": "Proficiente", - "progress": "Progresso do aluno", + "progress": "Progresso", "rating": "Avaliação", "reviewstatus": "Estado da revisão", - "status": "Estado da Medalha", - "template": "Modelo", + "status": "Estado", + "template": "Modelo de plano de aprendizagem", "usercompetencystatus_idle": "Parado", "usercompetencystatus_inreview": "Em revisão", "usercompetencystatus_waitingforreview": "À espera de revisão", diff --git a/www/addons/competency/lang/ro.json b/www/addons/competency/lang/ro.json index f01d18ce60b..1c1c3bc4a24 100644 --- a/www/addons/competency/lang/ro.json +++ b/www/addons/competency/lang/ro.json @@ -1,5 +1,5 @@ { - "activities": "Activități", + "activities": "Activităţi", "competencies": "Competențe", "duedate": "Termen de predare", "evidence": "Evidență", @@ -17,7 +17,7 @@ "planstatuswaitingforreview": "Se așteaptă recenzia", "progress": "Progres student", "rating": "Rating", - "status": "Status ecuson", + "status": "Status", "template": "Șablon", "usercompetencystatus_idle": "Pauză", "usercompetencystatus_inreview": "În revizuire", diff --git a/www/addons/competency/lang/ru.json b/www/addons/competency/lang/ru.json index 71dc14e3c01..bfadb904de6 100644 --- a/www/addons/competency/lang/ru.json +++ b/www/addons/competency/lang/ru.json @@ -1,14 +1,14 @@ { - "activities": "Элементы", + "activities": "Элементы курса", "competencies": "Компетенции", "competenciesmostoftennotproficientincourse": "Компетенции, которые чаще всего оказываются не освоенными в этом курсе", "coursecompetencies": "Компетенции курса", "coursecompetencyratingsarenotpushedtouserplans": "Рейтинги компетенций из этого курса не влияют на учебные планы.", "coursecompetencyratingsarepushedtouserplans": "Рейтинги компетенций из этого курса сразу же обновляются в учебных планах.", "crossreferencedcompetencies": "Перекрестные компетенции", - "duedate": "Срок выполнения", + "duedate": "Последний срок сдачи", "errornocompetenciesfound": "Компетенций не найдено", - "evidence": "Подтверждение", + "evidence": "Доказательство", "evidence_competencyrule": "Выполнены требования правила компетенции.", "evidence_coursecompleted": "Курс «{{$a}}» завершен.", "evidence_coursemodulecompleted": "Элемент «{{$a}}» завершен.", @@ -22,22 +22,22 @@ "learningplans": "Учебные планы", "myplans": "Мои учебные планы", "noactivities": "Нет элементов", - "nocompetencies": "Нет компетенций", + "nocompetencies": "Нет компетенций, созданных в этом фреймворке.", "nocrossreferencedcompetencies": "Нет других компетенций, перекрестно ссылающихся на эту компетенцию.", "noevidence": "Нет доказательств", "noplanswerecreated": "Учебные планы не были созданы.", - "path": "Путь", + "path": "Путь:", "planstatusactive": "Активно", "planstatuscomplete": "Выполнено", "planstatusdraft": "Черновик", "planstatusinreview": "Проверяется", "planstatuswaitingforreview": "Ожидание отзыва", "proficient": "Освоено", - "progress": "Достижения студента", + "progress": "В процессе", "rating": "Рейтинг", "reviewstatus": "Статус пересмотра", - "status": "Статус значка", - "template": "Шаблон", + "status": "Статус", + "template": "Шаблон учебного плана", "usercompetencystatus_idle": "Не используется", "usercompetencystatus_inreview": "В процессе пересмотра", "usercompetencystatus_waitingforreview": "Ожидает пересмотра", diff --git a/www/addons/competency/lang/sv.json b/www/addons/competency/lang/sv.json index d95c8cd4a8b..bd4f1f8b730 100644 --- a/www/addons/competency/lang/sv.json +++ b/www/addons/competency/lang/sv.json @@ -6,8 +6,8 @@ "coursecompetencyratingsarenotpushedtouserplans": "Bedömning av kompetenser i denna kurs kommer inte att påverka studieplaner.", "coursecompetencyratingsarepushedtouserplans": "Bedömning av kompetenser i denna kurs uppdateras omedelbart i studieplanerna.", "crossreferencedcompetencies": "Korsrefererade kompetenser.", - "duedate": "Sista inskickningsdatum", - "evidence": "Bevis", + "duedate": "Stoppdatum/tid", + "evidence": "Verifiering", "evidence_competencyrule": "Regeln för kompetensen uppfylldes.", "evidence_coursecompleted": "Kursen '{{$a}}' genomfördes.", "evidence_coursemodulecompleted": "Aktiviteten '{{$a}}' genomfördes.", @@ -25,18 +25,18 @@ "nocrossreferencedcompetencies": "Inga andra kompetenser har korsrefererats till denna kompetens.", "noevidence": "Inga verifieringar", "noplanswerecreated": "Inga studieplaner var skapade.", - "path": "Sökväg", + "path": "Sökväg:", "planstatusactive": "Aktiv", "planstatuscomplete": "Komplett", "planstatusdraft": "Utkast", "planstatusinreview": "Granskning pågår", "planstatuswaitingforreview": "Väntar på granskning", "proficient": "Kunnig", - "progress": "Kursdeltagares progression", - "rating": "Betygssättning/omdömen", + "progress": "Utveckling", + "rating": "Bedömning", "reviewstatus": "Granska status", - "status": "Status för märke", - "template": "Mall", + "status": "Status", + "template": "Mall för studieplan", "usercompetencystatus_idle": "Overksam", "usercompetencystatus_inreview": "Bedömning pågår", "usercompetencystatus_waitingforreview": "Väntar på bedömning", diff --git a/www/addons/competency/lang/tr.json b/www/addons/competency/lang/tr.json index ed9f9e9852c..d54aeeb73d5 100644 --- a/www/addons/competency/lang/tr.json +++ b/www/addons/competency/lang/tr.json @@ -6,8 +6,8 @@ "coursecompetencyratingsarenotpushedtouserplans": "Bu dersin yetkinlik dereceleri öğrenme planlarını etkilemez.", "coursecompetencyratingsarepushedtouserplans": "Bu dersin yetkinlik dereceleri öğrenme planlarında anında güncellenir.", "crossreferencedcompetencies": "Çapraz referanslı yetkinlikler", - "duedate": "Bitiş tarihi", - "evidence": "Kanıt", + "duedate": "Son teslim tarihi", + "evidence": "Öğrenme kanıtı", "evidence_competencyrule": "Yetkinlik kuralı karşılandı.", "evidence_coursecompleted": "'{{$a}}' dersi tamamlandı.", "evidence_coursemodulecompleted": "'{{$a}}' etkinliği tamamlandı.", @@ -25,18 +25,18 @@ "nocrossreferencedcompetencies": "Bu yetkinliğe çapraz referanslı başka yetkinlik bulunmamaktadır.", "noevidence": "Öğrenme kanıtı yok", "noplanswerecreated": "Hiçbir öğrenme planı oluşturulmadı.", - "path": "Yol", + "path": "Yol:", "planstatusactive": "Aktif", "planstatuscomplete": "Tamamla", "planstatusdraft": "Taslak", "planstatusinreview": "İncelemede", "planstatuswaitingforreview": "İnceleme bekleniyor", "proficient": "Yeterli", - "progress": "Öğrenci ilerlemesi", + "progress": "İlerleme", "rating": "Derecelendirme", "reviewstatus": "İnceleme durumu", - "status": "Nişan Durumu", - "template": "Şablon", + "status": "Durum", + "template": "Öğrenme planı şablonu", "usercompetencystatus_idle": "Kullanılmayan", "usercompetencystatus_inreview": "İncelemede", "usercompetencystatus_waitingforreview": "İnceleme bekleniyor", diff --git a/www/addons/competency/lang/uk.json b/www/addons/competency/lang/uk.json index 19c2e6323e5..8ba19bd44c3 100644 --- a/www/addons/competency/lang/uk.json +++ b/www/addons/competency/lang/uk.json @@ -1,14 +1,14 @@ { - "activities": "Діяльності", + "activities": "Види діяльності", "competencies": "Компетентності", "competenciesmostoftennotproficientincourse": "Компетентності, які найчастіше не досягаються у цьому курсі", "coursecompetencies": "Компетентності курсу", "coursecompetencyratingsarenotpushedtouserplans": "Оцінювання компетентностей цього курсу не впливають на навчальні плани", "coursecompetencyratingsarepushedtouserplans": "Оцінювання компетентностей цього курсу будуть зразу передані в навчальні плани.", "crossreferencedcompetencies": "Пов'язані компетентності", - "duedate": "Кінцевий термін", + "duedate": "Кінцевий термін здачі", "errornocompetenciesfound": "Не знайдено компетенції", - "evidence": "Докази", + "evidence": "Підтвердження", "evidence_competencyrule": "Правило для компетентності досягнуте", "evidence_coursecompleted": "Курс «{{$a}}» завершено.", "evidence_coursemodulecompleted": "Діяльність «{{$a}}» завершена.", @@ -22,22 +22,22 @@ "learningplans": "Навчальний план", "myplans": "Мої навчальні плани", "noactivities": "Жодної діяльності", - "nocompetencies": "Немає компетенції", + "nocompetencies": "Жодної компетентності не створено у цьому репозиторії", "nocrossreferencedcompetencies": "Жодна інша компетентність не пов'язана з даною", "noevidence": "Жодного підтвердження", "noplanswerecreated": "Жодного навчального плану не було створено", - "path": "Шлях", + "path": "Шлях:", "planstatusactive": "Активний", "planstatuscomplete": "Завершений", "planstatusdraft": "Чернетка", "planstatusinreview": "В процесі підтвердження", "planstatuswaitingforreview": "В очікуванні підтвердження", "proficient": "Набута компетентність", - "progress": "Прогрес студента", - "rating": "Оцінка", + "progress": "Прогрес", + "rating": "Оцінювання", "reviewstatus": "Статус підтвердження", - "status": "Статус відзнаки", - "template": "Шаблон", + "status": "Статус", + "template": "Шаблон навчального плану", "usercompetencystatus_idle": "В очікуванні", "usercompetencystatus_inreview": "В процесі підтвердження", "usercompetencystatus_waitingforreview": "В очікування підтвердження", diff --git a/www/addons/coursecompletion/lang/ar.json b/www/addons/coursecompletion/lang/ar.json index 6e611657e6b..9069a17e684 100644 --- a/www/addons/coursecompletion/lang/ar.json +++ b/www/addons/coursecompletion/lang/ar.json @@ -1,5 +1,5 @@ { - "complete": "تم/كامل", + "complete": "كامل", "completecourse": "مقرر مكتمل", "completed": "تم", "completiondate": "تاريخ إكمال المقرر", @@ -13,9 +13,9 @@ "manualselfcompletion": "إكمال يدوي ذاتي", "notyetstarted": "لم يبدأ بعد", "pending": "معلق", - "required": "مطلوب", + "required": "مفروض", "requiredcriteria": "المعايير المطلوبة", "requirement": "المتطلبات", - "status": "الحالة", + "status": "الوضع", "viewcoursereport": "عرض تقرير المقرر" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/bg.json b/www/addons/coursecompletion/lang/bg.json index 321cd10500f..4493022054d 100644 --- a/www/addons/coursecompletion/lang/bg.json +++ b/www/addons/coursecompletion/lang/bg.json @@ -1,14 +1,14 @@ { - "complete": "Отговорен", - "completed": "Завършена", - "coursecompletion": "Напредване в курса", - "criteria": "Критерий", + "complete": "Завършен", + "completed": "Завършено", + "coursecompletion": "Завършване на курса", + "criteria": "Критерии", "criteriagroup": "Група критерии", "criteriarequiredall": "Всички критерии по-долу са задължителни", "criteriarequiredany": "Някои критерии по-долу са задължителни", - "inprogress": "Не е приключен", + "inprogress": "В прогрес", "manualselfcompletion": "Ръчно самоотбелязване на завършването", - "required": "Задължителен", - "status": "Състояние на значка", + "required": "Задължително", + "status": "Състояние", "viewcoursereport": "Вижте отчет за курса" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/ca.json b/www/addons/coursecompletion/lang/ca.json index c8c2a11d5e0..7958e6ceaea 100644 --- a/www/addons/coursecompletion/lang/ca.json +++ b/www/addons/coursecompletion/lang/ca.json @@ -1,21 +1,21 @@ { - "complete": "Complet", + "complete": "Completa", "completecourse": "Curs complet", "completed": "Completat", "completiondate": "Data de compleció", "couldnotloadreport": "No es pot carregar l'informe de compleció del curs, torneu a intentar-ho més tard.", - "coursecompletion": "Compleció del curs", + "coursecompletion": "Compleció de curs", "criteria": "Criteris", "criteriagroup": "Grup de criteris", - "criteriarequiredall": "Calen tots els criteris del dessota", - "criteriarequiredany": "Cal qualsevol dels criteris del dessota", - "inprogress": "En curs", + "criteriarequiredall": "Cal que es compleixin tots els criteris que es mostren a continuació", + "criteriarequiredany": "Cal que es compleixi algun dels criteris que es mostren a continuació", + "inprogress": "En progrés", "manualselfcompletion": "Auto-compleció manual", "notyetstarted": "No s'ha començat encara", - "pending": "Pendents", - "required": "Necessari", + "pending": "Pendent", + "required": "Requerit", "requiredcriteria": "Criteri requerit", "requirement": "Requisit", - "status": "Estat", + "status": "Estat de la insígnia", "viewcoursereport": "Visualitza l'informe del curs" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/cs.json b/www/addons/coursecompletion/lang/cs.json index d4c27830900..e437ad93b5b 100644 --- a/www/addons/coursecompletion/lang/cs.json +++ b/www/addons/coursecompletion/lang/cs.json @@ -1,21 +1,21 @@ { - "complete": "Absolvováno", + "complete": "Splněno", "completecourse": "Absolvovaný kurz", - "completed": "Splněno", + "completed": "Hotovo", "completiondate": "Datum ukončení", "couldnotloadreport": "Nelze načíst zprávu o absolvování kurzu. Zkuste to prosím později.", - "coursecompletion": "Absolvování kurzu", - "criteria": "Kritéria", + "coursecompletion": "Studenti musí absolvovat tento kurz", + "criteria": "Podmínky", "criteriagroup": "Skupina podmínek", - "criteriarequiredall": "Jsou požadovány všechny podmínky", - "criteriarequiredany": "Je požadována libovolná podmínka", - "inprogress": "Probíhá", - "manualselfcompletion": "Ručně nastavené absolvování kurzu samotným studentem", + "criteriarequiredall": "Všechny podmínky musí být splněny", + "criteriarequiredany": "Jakákoli z podmínek musí být splněna", + "inprogress": "Probíhající", + "manualselfcompletion": "Označení absolvování kurzu samotným studentem", "notyetstarted": "Zatím nezačalo", - "pending": "Čeká", - "required": "Požadováno", - "requiredcriteria": "Požadovaná kriteria", + "pending": "Probíhající", + "required": "Vyžadováno", + "requiredcriteria": "Vyžadované podmínky", "requirement": "Požadavek", - "status": "Status", - "viewcoursereport": "Zobrazit sestavu kurzu" + "status": "Stav", + "viewcoursereport": "Zobrazit přehled kurzu" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/da.json b/www/addons/coursecompletion/lang/da.json index 9d2cdeb93a0..9f617cc8b75 100644 --- a/www/addons/coursecompletion/lang/da.json +++ b/www/addons/coursecompletion/lang/da.json @@ -1,21 +1,21 @@ { - "complete": "Fuldfør", + "complete": "Færdiggør", "completecourse": "Fuldfør kursus", - "completed": "Fuldført", + "completed": "Gennemført", "completiondate": "Afslutningsdato", "couldnotloadreport": "Kunne ikke indlæse rapporten vedrørende kursusfuldførelse, prøv igen senere.", - "coursecompletion": "Kursusfuldførelse", - "criteria": "Kriterier", - "criteriagroup": "Gruppe af kriterier", - "criteriarequiredall": "Alle nedenstående kriterier er påkrævet", - "criteriarequiredany": "Hvilken som helst af nedenstående kriterier er påkrævet", - "inprogress": "I gang", - "manualselfcompletion": "Manuel markering af færdiggørelse", - "notyetstarted": "Endnu ikke startet", - "pending": "Afventer", - "required": "Krævet", - "requiredcriteria": "Krævet kriterie", + "coursecompletion": "Kursusgennemførelse", + "criteria": "Kriterie", + "criteriagroup": "Kriteriegruppe", + "criteriarequiredall": "Alle kriterier herunder er påkrævet", + "criteriarequiredany": "Et af kriterierne herunder er påkrævet", + "inprogress": "Igangværende", + "manualselfcompletion": "Manuel selvregistrering af gennemførelse", + "notyetstarted": "Ikke begyndt endnu", + "pending": "Behandles", + "required": "Påkrævet", + "requiredcriteria": "Påkrævede kriterier", "requirement": "Krav", - "status": "Status", - "viewcoursereport": "Se kursusrapport" + "status": "Badgestatus", + "viewcoursereport": "Vis kursusrapport" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/de-du.json b/www/addons/coursecompletion/lang/de-du.json index 7b599a12882..aea57098d00 100644 --- a/www/addons/coursecompletion/lang/de-du.json +++ b/www/addons/coursecompletion/lang/de-du.json @@ -1,21 +1,21 @@ { - "complete": "Abschließen", + "complete": "Fertig", "completecourse": "Kurs abschließen", "completed": "Abgeschlossen", "completiondate": "Abschlussdatum", "couldnotloadreport": "Fehler beim Laden des Abschlussberichts. Versuche es später noch einmal.", - "coursecompletion": "Kursabschluss", + "coursecompletion": "Teilnehmer/innen müssen diesen Kurs abschließen.", "criteria": "Kriterien", "criteriagroup": "Kriteriengruppe", - "criteriarequiredall": "Alle nachfolgenden Kriterien sind notwendig.", - "criteriarequiredany": "Ein nachfolgendes Kriterium ist notwendig.", - "inprogress": "In Arbeit", - "manualselfcompletion": "Manueller Selbstabschluss", - "notyetstarted": "Nicht begonnen", - "pending": "Nicht erledigt", - "required": "Notwendig", - "requiredcriteria": "Notwendige Kriterien", + "criteriarequiredall": "Alle nachfolgenden Kriterien sind notwendig", + "criteriarequiredany": "Eine der nachfolgenden Kriterien ist notwendig", + "inprogress": "In Bearbeitung", + "manualselfcompletion": "Manueller eigener Abschluss", + "notyetstarted": "Noch nicht begonnen", + "pending": "Unerledigt", + "required": "Erforderlich", + "requiredcriteria": "Notwendiges Kriterium", "requirement": "Anforderung", - "status": "Status", - "viewcoursereport": "Kursbericht anzeigen" + "status": "Existierende Einschreibungen erlauben", + "viewcoursereport": "Kursbericht ansehen" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/de.json b/www/addons/coursecompletion/lang/de.json index 5634fde0958..b81cddc473a 100644 --- a/www/addons/coursecompletion/lang/de.json +++ b/www/addons/coursecompletion/lang/de.json @@ -1,21 +1,21 @@ { - "complete": "Abschließen", + "complete": "Fertig", "completecourse": "Kurs abschließen", "completed": "Abgeschlossen", "completiondate": "Abschlussdatum", "couldnotloadreport": "Fehler beim Laden des Abschlussberichts. Versuchen Sie es später noch einmal.", - "coursecompletion": "Kursabschluss", + "coursecompletion": "Teilnehmer/innen müssen diesen Kurs abschließen.", "criteria": "Kriterien", "criteriagroup": "Kriteriengruppe", - "criteriarequiredall": "Alle nachfolgenden Kriterien sind notwendig.", - "criteriarequiredany": "Ein nachfolgendes Kriterium ist notwendig.", - "inprogress": "In Arbeit", - "manualselfcompletion": "Manueller Selbstabschluss", - "notyetstarted": "Nicht begonnen", - "pending": "Nicht erledigt", - "required": "Notwendig", - "requiredcriteria": "Notwendige Kriterien", + "criteriarequiredall": "Alle nachfolgenden Kriterien sind notwendig", + "criteriarequiredany": "Eine der nachfolgenden Kriterien ist notwendig", + "inprogress": "In Bearbeitung", + "manualselfcompletion": "Manueller eigener Abschluss", + "notyetstarted": "Noch nicht begonnen", + "pending": "Unerledigt", + "required": "Erforderlich", + "requiredcriteria": "Notwendiges Kriterium", "requirement": "Anforderung", - "status": "Status", - "viewcoursereport": "Kursbericht anzeigen" + "status": "Existierende Einschreibungen erlauben", + "viewcoursereport": "Kursbericht ansehen" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/el.json b/www/addons/coursecompletion/lang/el.json index a6fb10fd47b..6c49a5c34c7 100644 --- a/www/addons/coursecompletion/lang/el.json +++ b/www/addons/coursecompletion/lang/el.json @@ -1,21 +1,21 @@ { "complete": "Ολοκλήρωση", "completecourse": "Ολοκλήρωση μαθήματος", - "completed": "Ολοκληρωμένο", + "completed": "ολοκληρώθηκε", "completiondate": "Ημερομηνία ολοκλήρωσης", "couldnotloadreport": "Δεν ήταν δυνατή η φόρτωση της αναφοράς ολοκλήρωσης του μαθήματος, δοκιμάστε ξανά αργότερα.", "coursecompletion": "Ολοκλήρωση μαθήματος", - "criteria": "Κριτήρια", + "criteria": "Kριτήρια", "criteriagroup": "Ομάδα κριτηρίων", - "criteriarequiredall": "Όλα τα παρακάτω κριτήρια είναι υποχρεωτικά", - "criteriarequiredany": "Οποιοδήποτε από τα παρακάτω κριτήρια είναι υποχρεωτικά", + "criteriarequiredall": "Όλα τα παρακάτω κριτήρια είναι απαραίτητα", + "criteriarequiredany": "Τα παρακάτω κριτήρια είναι απαραίτητα", "inprogress": "Σε εξέλιξη", - "manualselfcompletion": "Μη αυτόματη ολοκλήρωση", + "manualselfcompletion": "Χειροκίνητη αυτό-ολοκλήρωση", "notyetstarted": "Δεν έχει ξεκινήσει ακόμα", - "pending": "Εκκρεμής", + "pending": "Σε εκκρεμότητα", "required": "Απαιτείται", "requiredcriteria": "Απαιτούμενα κριτήρια", "requirement": "Απαίτηση", - "status": "Κατάσταση", - "viewcoursereport": "Δείτε την αναφορά μαθήματος" + "status": "Επιτρέπεται η πρόσβαση στους επισκέπτες", + "viewcoursereport": "Προβολή αναφορά μαθήματος" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/es-mx.json b/www/addons/coursecompletion/lang/es-mx.json index 54e6ab3bf8f..68f9e01d8db 100644 --- a/www/addons/coursecompletion/lang/es-mx.json +++ b/www/addons/coursecompletion/lang/es-mx.json @@ -1,21 +1,21 @@ { - "complete": "Completo", + "complete": "Completado", "completecourse": "Curso completo", - "completed": "Completado", + "completed": "Finalizado", "completiondate": "Fecha de terminación", "couldnotloadreport": "No pudo cargarse el reporte de finalización del curso. Por favor inténtelo más tarde.", - "coursecompletion": "Finalización del curso", - "criteria": "Criterio", - "criteriagroup": "Grupo de criterio", - "criteriarequiredall": "Todos los criterios debajo son necesarios.", - "criteriarequiredany": "Cualquiera de los criterios debajo es necesario.", - "inprogress": "en progreso", - "manualselfcompletion": "Auto finalización manual", - "notyetstarted": "Todavía no iniciado", + "coursecompletion": "Finalización de curso", + "criteria": "Criterios", + "criteriagroup": "Grupo de criterios", + "criteriarequiredall": "Son necesarios todos los criterios que aparecen más abajo", + "criteriarequiredany": "Es necesario cualquiera de los criterios que aparecen más abajo", + "inprogress": "En curso", + "manualselfcompletion": "Auto-finalizar manualmente", + "notyetstarted": "Aún no ha comenzado", "pending": "Pendiente", - "required": "Requerido", - "requiredcriteria": "Criterio requerido", + "required": "Obligatorio", + "requiredcriteria": "Criterios necesarios", "requirement": "Requisito", - "status": "Estatus", + "status": "Estatus de insignias", "viewcoursereport": "Ver reporte del curso" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/es.json b/www/addons/coursecompletion/lang/es.json index 89ef5e6ecd0..a061fa0356e 100644 --- a/www/addons/coursecompletion/lang/es.json +++ b/www/addons/coursecompletion/lang/es.json @@ -1,21 +1,21 @@ { - "complete": "Completado", + "complete": "Finalizado", "completecourse": "Curso completado", - "completed": "Finalizado", + "completed": "completada", "completiondate": "Fecha de finalización", "couldnotloadreport": "No se puede cargar el informe de finalización del curso, por favor inténtalo de nuevo más tarde.", - "coursecompletion": "Finalización del curso", + "coursecompletion": "Los usuarios deben finalizar este curso.", "criteria": "Criterios", "criteriagroup": "Grupo de criterios", "criteriarequiredall": "Son necesarios todos los criterios que aparecen más abajo", "criteriarequiredany": "Es necesario cualquiera de los criterios que aparecen más abajo", - "inprogress": "En curso", + "inprogress": "En progreso", "manualselfcompletion": "Autocompletar manualmente", "notyetstarted": "Aún no comenzado", "pending": "Pendiente", "required": "Obligatorio", "requiredcriteria": "Criterios necesarios", "requirement": "Requisito", - "status": "Estado", + "status": "Estado de la insignia", "viewcoursereport": "Ver informe del curso" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/eu.json b/www/addons/coursecompletion/lang/eu.json index 95215742424..cb9f0e5356c 100644 --- a/www/addons/coursecompletion/lang/eu.json +++ b/www/addons/coursecompletion/lang/eu.json @@ -1,21 +1,21 @@ { - "complete": "Osoa", + "complete": "Osatu", "completecourse": "Ikastaroa osatu", - "completed": "Osatuta", + "completed": "Osatua", "completiondate": "Osaketa-data", "couldnotloadreport": "Ezin izan da ikastaro-osaketaren txostena kargatu. Mesedez saiatu beranduago.", - "coursecompletion": "Ikastaro-osaketa", + "coursecompletion": "Erabiltzaileek ikastaro hau osatu behar dute", "criteria": "Irizpidea", "criteriagroup": "Irizpide-multzoa", - "criteriarequiredall": "Beheko irizpide guztiak dira beharrezko.", - "criteriarequiredany": "Beheko hainbat irizpide dira beharrezko.", - "inprogress": "Ari da", + "criteriarequiredall": "Beheko irizpide guztiak dira beharrezko", + "criteriarequiredany": "Beheko hainbat irizpide dira beharrezko", + "inprogress": "Martxan", "manualselfcompletion": "Norberak eskuz osatu", "notyetstarted": "Ez da hasi", - "pending": "Egin gabe", - "required": "Beharrezkoa", + "pending": "Zain", + "required": "Ezinbestekoa", "requiredcriteria": "Irizpidea behar da", "requirement": "Eskakizuna", - "status": "Egoera", + "status": "Dominen egoera", "viewcoursereport": "Ikastaroaren txostena ikusi" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/fa.json b/www/addons/coursecompletion/lang/fa.json index 293365bb431..451cd0c4224 100644 --- a/www/addons/coursecompletion/lang/fa.json +++ b/www/addons/coursecompletion/lang/fa.json @@ -1,17 +1,17 @@ { "complete": "کامل", - "completed": "کامل شده", - "coursecompletion": "کاربر باید این درس را تکمیل کند.", - "criteria": "معیار", + "completed": "تکمیل‌شده", + "coursecompletion": "تکمیل درس", + "criteria": "ضابطه", "criteriagroup": "گروه ضوابط", "criteriarequiredall": "تمام ضوابط زیر باید برآورده شوند", "criteriarequiredany": "حداقل یکی از ضوابط زیر برآورده شود", "inprogress": "در جریان", "manualselfcompletion": "علامت زدن به عنوان کامل توسط خود افراد", "notyetstarted": "هنوز شروع نشده است", - "pending": "معلق", - "required": "الزامی بودن", + "pending": "در حال بررسی", + "required": "لازم است", "requiredcriteria": "ضوابط مورد نیاز", - "status": "وضعیت", - "viewcoursereport": "مشاهدهٔ گزارش درس" + "status": "وضعیت مدال", + "viewcoursereport": "مشاهده گزارش درس" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/fi.json b/www/addons/coursecompletion/lang/fi.json index c435f6988ce..f06c6b664eb 100644 --- a/www/addons/coursecompletion/lang/fi.json +++ b/www/addons/coursecompletion/lang/fi.json @@ -1,20 +1,20 @@ { - "complete": "Valmis", - "completed": "Suoritettu", + "complete": "Suoritettu loppuun", + "completed": "valmis", "completiondate": "Suorituspäivämäärä", "couldnotloadreport": "Kurssin suoritusraporttia ei pystytty lataamaan. Ole hyvä ja yritä myöhemmin uudelleen.", - "coursecompletion": "Kurssin suoritus", - "criteria": "Kriteerit", + "coursecompletion": "Kurssin lopetus", + "criteria": "Kriteeri", "criteriagroup": "Kriteeriryhmä", - "criteriarequiredall": "Kaikki alla mainitut kriteerit vaaditaan.", + "criteriarequiredall": "Kaikki alla olevat kriteerit vaaditaan", "criteriarequiredany": "Jokin alla olevista kriteereistä vaaditaan", - "inprogress": "Meneillään", + "inprogress": "Kesken", "manualselfcompletion": "Opiskelijan itse hyväksymät suoritukset", - "notyetstarted": "Ei vielä alkanut", - "pending": "Odottaa", - "required": "Vaadittu", + "notyetstarted": "Ei vielä aloitettu", + "pending": "Vireillä", + "required": "Pakollinen", "requiredcriteria": "Vaaditut kriteerit", "requirement": "Vaatimus", - "status": "Status", - "viewcoursereport": "Näytä kurssiraportti" + "status": "Tilanne", + "viewcoursereport": "Näytä kurssin raportti" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/fr.json b/www/addons/coursecompletion/lang/fr.json index b8dc9bc84e4..e0290d8a8bb 100644 --- a/www/addons/coursecompletion/lang/fr.json +++ b/www/addons/coursecompletion/lang/fr.json @@ -1,21 +1,21 @@ { - "complete": "Terminer", + "complete": "Complet", "completecourse": "Terminer le cours", "completed": "Terminé", "completiondate": "Date d'achèvement", "couldnotloadreport": "Impossible de charger le rapport d'achèvement de cours. Veuillez essayer plus tard.", - "coursecompletion": "Achèvement du cours", + "coursecompletion": "Achèvement de cours", "criteria": "Critères", "criteriagroup": "Groupe de critères", - "criteriarequiredall": "Tous les critères ci-dessous sont requis.", - "criteriarequiredany": "Un des critères ci-dessous est requis.", + "criteriarequiredall": "Tous les critères ci-dessous sont requis", + "criteriarequiredany": "Un des critères ci-dessous est requis", "inprogress": "En cours", "manualselfcompletion": "Auto-achèvement manuel", "notyetstarted": "Pas encore commencé", - "pending": "En attente", + "pending": "En suspens", "required": "Requis", "requiredcriteria": "Critères requis", "requirement": "Condition", - "status": "Statut", - "viewcoursereport": "Afficher le rapport du cours" + "status": "Statut du badge", + "viewcoursereport": "Consulter le rapport du cours" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/he.json b/www/addons/coursecompletion/lang/he.json index dca12273f76..021aaa2b398 100644 --- a/www/addons/coursecompletion/lang/he.json +++ b/www/addons/coursecompletion/lang/he.json @@ -1,20 +1,20 @@ { - "complete": "השלמה", + "complete": "הושלם", "completecourse": "השלמת קורס", "completed": "הושלם", "completiondate": "תאריך השלמה", - "coursecompletion": "השלמת קורס", - "criteria": "מדד־הערכה", - "criteriagroup": "קבוצת מדדיי־הערכה", - "criteriarequiredall": "כל מדדיי־הערכה להלן נדרשים", - "criteriarequiredany": "אחד ממדדיי־הערכה להלן נדרש", - "inprogress": "בתהליך", - "manualselfcompletion": "הזנת השלמה עצמית", - "notyetstarted": "עדיין לא החל", - "pending": "בהמתנה", - "required": "נדרש", - "requiredcriteria": "מדד־הערכה נדרש", + "coursecompletion": "השלמת הקורס", + "criteria": "תנאי", + "criteriagroup": "קבוצת תנאים", + "criteriarequiredall": "כל התנאים המצויינים מטה נדרשים", + "criteriarequiredany": "לפחות אחד מהתנאים המצויינים מטה נדרשים", + "inprogress": "בלמידה", + "manualselfcompletion": "השלמה עצמאית ידנית", + "notyetstarted": "עדיין לא התחיל", + "pending": "בתהליך למידה", + "required": "דרוש", + "requiredcriteria": "תנאי נדרש", "requirement": "דרישה", - "status": "מצב", + "status": "סטטוס ההישג", "viewcoursereport": "צפיה בדוח הקורס" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/hr.json b/www/addons/coursecompletion/lang/hr.json index 3fd3786a050..18d1070125f 100644 --- a/www/addons/coursecompletion/lang/hr.json +++ b/www/addons/coursecompletion/lang/hr.json @@ -1,8 +1,8 @@ { - "complete": "Dovršeno", - "completed": "završeno", + "complete": "Potpuno", + "completed": "Završeno", "completiondate": "Datum dovršetka", - "coursecompletion": "Polaznici moraju završiti ovaj e-kolegij.", + "coursecompletion": "Dovršenost e-kolegija", "criteria": "Kriterij", "criteriagroup": "Grupa kriterija", "criteriarequiredall": "Potrebno je zadovoljenje svih doljnjih kriterija", @@ -11,9 +11,9 @@ "manualselfcompletion": "Ručni dovršetak", "notyetstarted": "Nije još započelo", "pending": "Na čekanju", - "required": "Obvezno", - "requiredcriteria": "Obvezni kriterij", + "required": "Obvezatno", + "requiredcriteria": "Obvezatni kriterij", "requirement": "Uvjet", - "status": "Stanje", + "status": "Status", "viewcoursereport": "Prikaz izvješća e-kolegija" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/hu.json b/www/addons/coursecompletion/lang/hu.json index 9d3a82b1862..634b44da7fa 100644 --- a/www/addons/coursecompletion/lang/hu.json +++ b/www/addons/coursecompletion/lang/hu.json @@ -1,17 +1,17 @@ { - "complete": "Kész", - "completed": "Kész", - "coursecompletion": "A tanulóknak teljesíteni kell ezt a kurzust", - "criteria": "Feltételek", + "complete": "Teljes", + "completed": "Teljesítve", + "coursecompletion": "Kurzus teljesítése", + "criteria": "Követelmények", "criteriagroup": "Követelménycsoport", "criteriarequiredall": "Az összes alábbi követelmény teljesítendő", "criteriarequiredany": "Bármely alábbi követelmény teljesítendő", - "inprogress": "Folyamatban", + "inprogress": "Folyamatban lévő", "manualselfcompletion": "Saját teljesítés kézzel", "notyetstarted": "Még nem kezdődött el", "pending": "Függőben", "required": "Kitöltendő", "requiredcriteria": "Előírt követelmények", - "status": "A kitűző állapota", + "status": "Állapot", "viewcoursereport": "Kurzusjelentés megtekintése" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/it.json b/www/addons/coursecompletion/lang/it.json index 6521061e031..85d2a1d7320 100644 --- a/www/addons/coursecompletion/lang/it.json +++ b/www/addons/coursecompletion/lang/it.json @@ -1,21 +1,21 @@ { - "complete": "Completato", + "complete": "Completo", "completecourse": "Corso completato", - "completed": "Completato", + "completed": "Completata", "completiondate": "Data di completamento", "couldnotloadreport": "Non è stato possibile caricare il report di completamento del corso, per favore riporva.", - "coursecompletion": "Completamento del corso", + "coursecompletion": "Completamento corso", "criteria": "Criteri", "criteriagroup": "Gruppo di criteri", "criteriarequiredall": "E' richiesto il soddisfacimento di tutti i criteri elencati", "criteriarequiredany": "E' richiesto il soddisfacimento di almeno uno dei criteri elencati", - "inprogress": "In svolgimento", + "inprogress": "In corso", "manualselfcompletion": "Conferma personale di completamento", - "notyetstarted": "Non iniziato", + "notyetstarted": "Non ancora iniziato", "pending": "In attesa", - "required": "Da soddisfare", + "required": "Obbligatorio", "requiredcriteria": "Criteri da soddisfare", "requirement": "Requisito", - "status": "Stato", - "viewcoursereport": "Visualizza report del corso" + "status": "Stato badge", + "viewcoursereport": "Visualizza il report del corso" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/ja.json b/www/addons/coursecompletion/lang/ja.json index 344ea673aea..df8a2b8634d 100644 --- a/www/addons/coursecompletion/lang/ja.json +++ b/www/addons/coursecompletion/lang/ja.json @@ -1,21 +1,21 @@ { - "complete": "完了", + "complete": "詳細", "completecourse": "コース完了", - "completed": "完了しました", + "completed": "完了", "completiondate": "完了した日", "couldnotloadreport": "コース完了の読み込みができませんでした。後でもう一度試してください。", - "coursecompletion": "コース完了", + "coursecompletion": "ユーザはこのコースを完了する必要があります。", "criteria": "クライテリア", "criteriagroup": "クライテリアグループ", - "criteriarequiredall": "以下すべてのクライテリアが必要", - "criteriarequiredany": "以下のクライテリアいずれかが必要", + "criteriarequiredall": "下記のクライテリアすべてが必須である", + "criteriarequiredany": "下記いくつかのクライテリアが必須である", "inprogress": "進行中", - "manualselfcompletion": "手動自己完了", - "notyetstarted": "まだ開始されていない", - "pending": "保留中", - "required": "必要な", - "requiredcriteria": "必要なクライテリア", + "manualselfcompletion": "手動による自己完了", + "notyetstarted": "未開始", + "pending": "保留", + "required": "必須", + "requiredcriteria": "必須クライテリア", "requirement": "要求", - "status": "状態", - "viewcoursereport": "コースレポートを見る" + "status": "ステータス", + "viewcoursereport": "コースレポートを表示する" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/ko.json b/www/addons/coursecompletion/lang/ko.json index fd340f5dbad..eae7220c2e5 100644 --- a/www/addons/coursecompletion/lang/ko.json +++ b/www/addons/coursecompletion/lang/ko.json @@ -1,21 +1,21 @@ { - "complete": "완전한", + "complete": "완료", "completecourse": "강좌 완료", - "completed": "완료 됨", + "completed": "완료됨", "completiondate": "완료일", "couldnotloadreport": "강좌 완료 보고서를 로드 할 수 없습니다. 나중에 다시 시도 해주십시오.", - "coursecompletion": "강좌 완료", + "coursecompletion": "강좌이수완료", "criteria": "기준", - "criteriagroup": "기준 그룹", - "criteriarequiredall": "아래 모든 기준이 필요합니다.", - "criteriarequiredany": "아래 기준을 충족해야 합니다.", + "criteriagroup": "기준 모둠", + "criteriarequiredall": "아래의 모든 기준이 필요합니다.", + "criteriarequiredany": "아래의 어떤 기준도 필요합니다,", "inprogress": "진행 중", - "manualselfcompletion": "수동 완료", - "notyetstarted": "시작 전", - "pending": "연기", - "required": "필수", - "requiredcriteria": "요구 기준", + "manualselfcompletion": "강좌이수 수동확인", + "notyetstarted": "아직 시작 안했습니다.", + "pending": "유예", + "required": "필수사항", + "requiredcriteria": "필수 기준", "requirement": "요구사항", - "status": "상태", + "status": "뱃지 상태", "viewcoursereport": "강좌 보고서 보기" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/lt.json b/www/addons/coursecompletion/lang/lt.json index c6813474cf2..e26747a5ead 100644 --- a/www/addons/coursecompletion/lang/lt.json +++ b/www/addons/coursecompletion/lang/lt.json @@ -1,21 +1,21 @@ { - "complete": "Visas", + "complete": "Užbaigti", "completecourse": "Visa kursų medžiaga", - "completed": "Užbaigta", + "completed": "Baigtas", "completiondate": "Užbaigimo data", "couldnotloadreport": "Nepavyko įkelti kursų baigimo ataskaitos, prašome pabandyti vėliau.", - "coursecompletion": "Kursų užbaigimas", + "coursecompletion": "Kurso baigimas", "criteria": "Kriterijai", "criteriagroup": "Kriterijų grupė", - "criteriarequiredall": "Visi žemiau esantys kriterijai yra privalomi", - "criteriarequiredany": "Kiekvienas kriterijus, esantis žemiau, yra privalomas", - "inprogress": "Nebaigta", - "manualselfcompletion": "Savarankiško mokymosi vadovas", - "notyetstarted": "Nepradėta", + "criteriarequiredall": "Visi žemiau pateikti kriterijai yra būtini", + "criteriarequiredany": "Bet kuris žemiau pateiktas kriterijus yra būtinas", + "inprogress": "Atliekama", + "manualselfcompletion": "Savas užbaigimas neautomatiniu būdu", + "notyetstarted": "Dar nepradėta", "pending": "Laukiama", - "required": "Privaloma", - "requiredcriteria": "Privalomi kriterijai", + "required": "Būtina", + "requiredcriteria": "Būtini kriterijai", "requirement": "Būtina sąlyga", - "status": "Būsena", + "status": "Pasiekimo būsena", "viewcoursereport": "Peržiūrėti kursų ataskaitą" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/mr.json b/www/addons/coursecompletion/lang/mr.json index 7670c17cb41..0e017765392 100644 --- a/www/addons/coursecompletion/lang/mr.json +++ b/www/addons/coursecompletion/lang/mr.json @@ -1,7 +1,7 @@ { "complete": "पूर्ण", "completecourse": "पूर्ण अभ्यासक्रम", - "completed": "पूर्ण केले", + "completed": "पुर्ण झाली.", "completiondate": "Completion date", "couldnotloadreport": "अभ्यासक्रम पूर्ण केल्याचे अहवाल लोड करणे शक्य नाही, कृपया नंतर पुन्हा प्रयत्न करा.", "coursecompletion": "अभ्यासक्रम पूर्ण", @@ -13,9 +13,9 @@ "manualselfcompletion": "स्वयं पूर्ण", "notyetstarted": "स्वतःच्या हाताने पूर्ण", "pending": "प्रलंबित", - "required": "आवश्यक", + "required": "गरजेचे आहे.", "requiredcriteria": "आवश्यक निकष", "requirement": "आवश्यकता", - "status": "स्थिती", + "status": "दर्जा", "viewcoursereport": "अभ्यासक्रम अहवाल पहा" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/nl.json b/www/addons/coursecompletion/lang/nl.json index 03ce6e04e4c..e8fdb985c1f 100644 --- a/www/addons/coursecompletion/lang/nl.json +++ b/www/addons/coursecompletion/lang/nl.json @@ -1,21 +1,21 @@ { - "complete": "Voltooi", + "complete": "Voltooid", "completecourse": "Voltooi cursus", - "completed": "Voltooid", + "completed": "Volledig", "completiondate": "Voltooiingsdatum", "couldnotloadreport": "Kon het voltooiingsrapport van de cursus niet laden. Probeer later opnieuw.", - "coursecompletion": "Cursus voltooiing", + "coursecompletion": "Cursus voltooien", "criteria": "Criteria", "criteriagroup": "Criteria groep", - "criteriarequiredall": "Alle onderstaande criteria zijn vereist.", - "criteriarequiredany": "Alle onderstaande criteria zijn vereist.", - "inprogress": "Bezig", - "manualselfcompletion": "Handmatige zelf-voltooiing", - "notyetstarted": "Nog niet gestart", - "pending": "Nog bezig", - "required": "Vereist", + "criteriarequiredall": "Alle onderstaande criteria zijn vereist", + "criteriarequiredany": "Al onderstaande criteria zijn vereist", + "inprogress": "Actief", + "manualselfcompletion": "Manueel voltooien", + "notyetstarted": "Nog niet begonnen", + "pending": "Bezig", + "required": "Verplicht", "requiredcriteria": "Vereiste criteria", "requirement": "Vereiste", - "status": "Status", + "status": "Badge status", "viewcoursereport": "Bekijk cursusrapport" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/no.json b/www/addons/coursecompletion/lang/no.json index 540ebd9960b..a7d05911dbc 100644 --- a/www/addons/coursecompletion/lang/no.json +++ b/www/addons/coursecompletion/lang/no.json @@ -4,18 +4,18 @@ "completed": "Fullført", "completiondate": "Fullført dato", "couldnotloadreport": "Kunne ikke laste kursets avslutningsrapport. Prøv igjen senere.", - "coursecompletion": "Brukerne må fullføre dette kurset.", + "coursecompletion": "Kursfullføring", "criteria": "Kriterie", "criteriagroup": "Kriteriegruppe", "criteriarequiredall": "Alle kriteriene under er obligatoriske", "criteriarequiredany": "Ethvert kriterium under er obligatorisk", - "inprogress": "Aktive", + "inprogress": "Pågår", "manualselfcompletion": "Manuell egenregistrering av fullføring", "notyetstarted": "Ikke startet ennå", - "pending": "På vent", - "required": "Obligatorisk", + "pending": "Behandles", + "required": "Påkrevd", "requiredcriteria": "Påkrevde kriterier", "requirement": "Krav", - "status": "Status", + "status": "Status for utmerkelse", "viewcoursereport": "Vis kursrapport" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/pl.json b/www/addons/coursecompletion/lang/pl.json index 2786b633a72..a2dd43de393 100644 --- a/www/addons/coursecompletion/lang/pl.json +++ b/www/addons/coursecompletion/lang/pl.json @@ -1,17 +1,17 @@ { - "complete": "Ukończone", - "completed": "zakończony", - "coursecompletion": "Użytkownicy muszą ukończyć ten kurs.", + "complete": "Zakończone", + "completed": "Ukończony", + "coursecompletion": "Ukończenie kursu", "criteria": "Kryteria", "criteriagroup": "Grupa kryteriów", "criteriarequiredall": "Wszystkie poniższe kryteria są wymagane", "criteriarequiredany": "Wszystkie poniższe kryteria są wymagane", - "inprogress": "W toku", + "inprogress": "Aktualne", "manualselfcompletion": "Samodzielne oznaczenie ukończenia", "notyetstarted": "Jeszcze nie rozpoczęto", - "pending": "Oczekujące", + "pending": "Oczekujący", "required": "Wymagane", "requiredcriteria": "Wymagane kryteria", - "status": "Status odznaki", + "status": "Status", "viewcoursereport": "Zobacz raport kursu" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/pt-br.json b/www/addons/coursecompletion/lang/pt-br.json index da82565edc9..6ffa2866e22 100644 --- a/www/addons/coursecompletion/lang/pt-br.json +++ b/www/addons/coursecompletion/lang/pt-br.json @@ -1,21 +1,21 @@ { - "complete": "Concluído", + "complete": "Completo", "completecourse": "Curso concluído", - "completed": "Completado", + "completed": "Concluído", "completiondate": "Data de conclusão", "couldnotloadreport": "Não foi possível carregar o relatório de conclusão do curso, por favor tente novamente mais tarde.", - "coursecompletion": "Conclusão do curso", + "coursecompletion": "Andamento do curso", "criteria": "Critérios", "criteriagroup": "Grupo de critérios", "criteriarequiredall": "Todos os critérios abaixo são necessários", - "criteriarequiredany": "Quaisquer critérios abaixo são necessários", - "inprogress": "Em progresso", - "manualselfcompletion": "Auto conclusão manual", - "notyetstarted": "Ainda não começou", - "pending": "Pendente", - "required": "Necessário", - "requiredcriteria": "Critério necessário", + "criteriarequiredany": "Qualquer um dos critérios abaixo são necessários", + "inprogress": "Em andamento", + "manualselfcompletion": "Conclusão manual por si mesmo", + "notyetstarted": "Não iniciado ainda", + "pending": "Pendentes", + "required": "Necessários", + "requiredcriteria": "Critérios exigidos", "requirement": "Exigência", - "status": "Condição", - "viewcoursereport": "Ver relatório de curso" + "status": "Status", + "viewcoursereport": "Ver relatório do curso" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/pt.json b/www/addons/coursecompletion/lang/pt.json index 436b7c09b82..47b608d6051 100644 --- a/www/addons/coursecompletion/lang/pt.json +++ b/www/addons/coursecompletion/lang/pt.json @@ -1,21 +1,21 @@ { - "complete": "Concluído", + "complete": "Completo", "completecourse": "Disciplina concluída", - "completed": "Concluído", + "completed": "Completou", "completiondate": "Data de conclusão", "couldnotloadreport": "Não foi possível carregar o relatório de conclusão da disciplina. Por favor, tente mais tarde.", - "coursecompletion": "Conclusão da disciplina", + "coursecompletion": "Os utilizadores têm de concluir esta disciplina", "criteria": "Critérios", "criteriagroup": "Grupo de critérios", - "criteriarequiredall": "É exigido o cumprimento de todos os critérios abaixo.", - "criteriarequiredany": "É exigido o cumprimento de qualquer um dos critérios abaixo.", + "criteriarequiredall": "Todos os critérios abaixo são exigidos", + "criteriarequiredany": "Qualquer dos critérios abaixo é necessário", "inprogress": "Em progresso", "manualselfcompletion": "Conclusão manual pelo próprio", - "notyetstarted": "Não iniciou", + "notyetstarted": "Ainda não iniciou", "pending": "Pendente", - "required": "Exigido", - "requiredcriteria": "Critério exigido", + "required": "Obrigatório", + "requiredcriteria": "Critério obrigatório", "requirement": "Requisito", - "status": "Estado", + "status": "Estado da Medalha", "viewcoursereport": "Ver relatório da disciplina" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/ro.json b/www/addons/coursecompletion/lang/ro.json index 46b9f21bb93..7a195f67c33 100644 --- a/www/addons/coursecompletion/lang/ro.json +++ b/www/addons/coursecompletion/lang/ro.json @@ -1,21 +1,21 @@ { - "complete": "Complet", + "complete": "Finalizează", "completecourse": "Curs complet", - "completed": "Complet", + "completed": "Finalizare", "completiondate": "Data limita până la completarea acțiunii", "couldnotloadreport": "Raportul cu privire la situația completării cursului nu se poate încărca, încercați mai târziu.", - "coursecompletion": "Completarea cursului", + "coursecompletion": "Absolvire curs", "criteria": "Criterii", - "criteriagroup": "Criterii pentru grup", - "criteriarequiredall": "Indeplinirea următoarelor criterii este obligatorie", - "criteriarequiredany": "Oricare din urmatoarele criterii sunt obligatorii", - "inprogress": "În progres", - "manualselfcompletion": "Autocompletare", - "notyetstarted": "Înca nu a început", - "pending": "În asteptare", - "required": "Obligatoriu", - "requiredcriteria": "Criterii obligatorii", + "criteriagroup": "Grup criterii", + "criteriarequiredall": "Toate criteriile de mai jos sunt necesare", + "criteriarequiredany": "Oricare dintre criteriile de mai jos sunt necesare", + "inprogress": "În curs", + "manualselfcompletion": "Auto-finalizare manuală", + "notyetstarted": "Nu a fost încă început", + "pending": "În așteptare", + "required": "Necesar", + "requiredcriteria": "Criteriu necesar", "requirement": "Cerințe", - "status": "Situație", - "viewcoursereport": "Vizualizați raportul despre curs" + "status": "Status", + "viewcoursereport": "Vezi raportul cursului" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/ru.json b/www/addons/coursecompletion/lang/ru.json index b61ca6ef733..8465626557f 100644 --- a/www/addons/coursecompletion/lang/ru.json +++ b/www/addons/coursecompletion/lang/ru.json @@ -1,21 +1,21 @@ { - "complete": "Завершить", + "complete": "Завершено", "completecourse": "Завершить курс", - "completed": "Завершен", + "completed": "Выполнено", "completiondate": "Дата завершения", "couldnotloadreport": "Невозможно загрузить отчёт о завершении курса. Пожалуйста, попробуйте ещё раз позже.", - "coursecompletion": "Завершение курса", - "criteria": "Критерии", - "criteriagroup": "Критерии группы", - "criteriarequiredall": "Все приведенные ниже критерии являются обязательными.", - "criteriarequiredany": "Некоторые из нижеуказанных критериев обязательны.", - "inprogress": "В прогрессе", - "manualselfcompletion": "Ручное самостоятельное завершение", - "notyetstarted": "Еще не начался", - "pending": "На рассмотрении", - "required": "Необходимый", + "coursecompletion": "Окончание курса", + "criteria": "Критерий", + "criteriagroup": "Группа критериев", + "criteriarequiredall": "Требуются соответствие всем указанным ниже критериям", + "criteriarequiredany": "Требуется соответствие любому из указанных ниже критериев", + "inprogress": "В процессе", + "manualselfcompletion": "Пользователь может сам поставить отметку о выполнении", + "notyetstarted": "Еще не началось", + "pending": "Ожидается", + "required": "Необходимо заполнить", "requiredcriteria": "Необходимые критерии", "requirement": "Требование", - "status": "Статус", - "viewcoursereport": "Посмотреть отчет курса" + "status": "Статус значка", + "viewcoursereport": "Просмотреть отчет по курсу" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/sv.json b/www/addons/coursecompletion/lang/sv.json index 1a9665c3d8e..df193278ade 100644 --- a/www/addons/coursecompletion/lang/sv.json +++ b/www/addons/coursecompletion/lang/sv.json @@ -1,21 +1,21 @@ { "complete": "Komplett", "completecourse": "", - "completed": "Fullföljt", + "completed": "Slutfört", "completiondate": "Datum för fullföljande", "couldnotloadreport": "Det gick inte att läsa in rapporten för fullföljande av kursen, vänligen försök igen senare .", - "coursecompletion": "Fullföljande av kurs", - "criteria": "Villkor", - "criteriagroup": "Villkor grupp", - "criteriarequiredall": "Alla villkor nedan måste vara uppfyllda", - "criteriarequiredany": "Något villkor nedan måste vara uppfylld", - "inprogress": "Pågående", - "manualselfcompletion": "Manuell fullföljande av deltagare", - "notyetstarted": "Ännu inte börjat", + "coursecompletion": "Fullgörande av kurs", + "criteria": "Kriterier", + "criteriagroup": "Kriterier för grupp", + "criteriarequiredall": "Alla kriterier är obligatoriska", + "criteriarequiredany": "Alla kriterier nedan är obligatoriska", + "inprogress": "Pågår", + "manualselfcompletion": "Studenten markerar själv som fullföljd", + "notyetstarted": "Har ännu inte påbörjats", "pending": "Avvaktar", "required": "Obligatorisk", - "requiredcriteria": "Obligatorisk villkor", + "requiredcriteria": "Obligatoriskt kriterium", "requirement": "Krav", - "status": "Status", + "status": "Status för märke", "viewcoursereport": "Visa kursrapport" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/tr.json b/www/addons/coursecompletion/lang/tr.json index 4454bb3368d..89efac25b4d 100644 --- a/www/addons/coursecompletion/lang/tr.json +++ b/www/addons/coursecompletion/lang/tr.json @@ -1,17 +1,17 @@ { - "complete": "Tamamlandı", - "completed": "Tamamlandı", - "coursecompletion": "Kurs tamamlama", - "criteria": "Kriter", + "complete": "Tamamlanmış", + "completed": "Bitirmeli", + "coursecompletion": "Ders tamamlama", + "criteria": "Ölçüt", "criteriagroup": "Ölçüt Grubu", "criteriarequiredall": "Aşağıdaki ölçütlerin tümü gereklidir", "criteriarequiredany": "Aşağıdaki herhangi bir kriter gereklidir", - "inprogress": "Devam etmekte", + "inprogress": "Devam ediyor", "manualselfcompletion": "Kendi kendine elle tamamlama", "notyetstarted": "Henüz başlamadı", "pending": "Bekliyor", "required": "Gerekli", "requiredcriteria": "Gerekli Ölçüt", - "status": "Nişan Durumu", + "status": "Durum", "viewcoursereport": "Kurs raporunu görüntüle" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/uk.json b/www/addons/coursecompletion/lang/uk.json index 790fda5169e..8078ba36f3d 100644 --- a/www/addons/coursecompletion/lang/uk.json +++ b/www/addons/coursecompletion/lang/uk.json @@ -1,21 +1,21 @@ { - "complete": "Завершити", + "complete": "Завершено", "completecourse": "Завершити курсу", - "completed": "Завершено", + "completed": "Виконано", "completiondate": "Дата завершення", "couldnotloadreport": "Не вдалося завантажити звіт про закінчення курсу, будь ласка, спробуйте ще раз пізніше.", - "coursecompletion": "Завершення курсу", - "criteria": "Критерія", + "coursecompletion": "Курс закінчено", + "criteria": "Критерій", "criteriagroup": "Група критеріїв", - "criteriarequiredall": "Всі критерії нижче обов'язкові", - "criteriarequiredany": "Будь-яка критерія нижче обов'язкова", - "inprogress": "В процесі...", - "manualselfcompletion": "Самостійне завершення", - "notyetstarted": "Не розпочато", - "pending": "В очікуванні", - "required": "Необхідно", - "requiredcriteria": "Необхідна критерія", + "criteriarequiredall": "Потрібна відповідність всім вказаним критеріям", + "criteriarequiredany": "Потрібна відповідність будь-якому критерію", + "inprogress": "В процесі", + "manualselfcompletion": "Самореєстрація завершення", + "notyetstarted": "Ще не почато", + "pending": "Очікується", + "required": "Необхідні", + "requiredcriteria": "Необхідний критерій", "requirement": "Вимога", - "status": "Статус", + "status": "Статус відзнаки", "viewcoursereport": "Переглянути звіт курсу" } \ No newline at end of file diff --git a/www/addons/files/lang/ca.json b/www/addons/files/lang/ca.json index 035be4b1f33..90887bf7b3f 100644 --- a/www/addons/files/lang/ca.json +++ b/www/addons/files/lang/ca.json @@ -2,12 +2,12 @@ "admindisableddownload": "Teniu en compte que l'administrador de Moodle ha desactivat la descàrrega d'arxius; podeu visualitzar els arxius, però no descarregar-los.", "clicktoupload": "Feu clic al botó del dessota per pujar arxius a l'àrea del vostres fitxers.", "couldnotloadfiles": "La llista d'arxius no s'ha pogut carregar.", - "emptyfilelist": "No hi ha fitxers per mostrar.", + "emptyfilelist": "No hi ha fitxers per mostrar", "erroruploadnotworking": "No es poden pujar fitxers al vostre lloc ara mateix.", "files": "Fitxers", "myprivatefilesdesc": "Els arxius que teniu disponibles a la vostra àrea privada en aquest lloc Moodle.", "privatefiles": "Fitxers privats", "sitefiles": "Fitxers del lloc", "sitefilesdesc": "Els altres arxius que es troben disponibles en aquest lloc Moodle.", - "uploadfiles": "Puja fitxers" + "uploadfiles": "Envia fitxers de retroacció" } \ No newline at end of file diff --git a/www/addons/files/lang/cs.json b/www/addons/files/lang/cs.json index 3e5d2932354..788a5df8a6e 100644 --- a/www/addons/files/lang/cs.json +++ b/www/addons/files/lang/cs.json @@ -2,12 +2,12 @@ "admindisableddownload": "Upozorňujeme, že správce Moodle zakázal stahování souborů. Soubory si můžete prohlížet, ale ne stáhnout.", "clicktoupload": "Kliknutím na tlačítko níže nahrát soubory do vašich osobních souborů.", "couldnotloadfiles": "Seznam souborů, které nelze načíst .", - "emptyfilelist": "Žádný soubor k zobrazení.", + "emptyfilelist": "Žádný soubor k zobrazení", "erroruploadnotworking": "Bohužel v současné době není možné nahrávat na stránky vašeho Moodle.", "files": "Soubory", "myprivatefilesdesc": "Soubory, které jsou dostupné pouze pro vás.", "privatefiles": "Osobní soubory", "sitefiles": "Soubory stránek", "sitefilesdesc": "Další soubory, které jsou dostupné na těchto stránkách.", - "uploadfiles": "Nahrát soubory" + "uploadfiles": "Poslat zpětnovazební soubory" } \ No newline at end of file diff --git a/www/addons/files/lang/da.json b/www/addons/files/lang/da.json index 1453d08f9f7..5f9d7d54b3b 100644 --- a/www/addons/files/lang/da.json +++ b/www/addons/files/lang/da.json @@ -2,12 +2,12 @@ "admindisableddownload": "Bemærk venligst at din Moodleadministrator har deaktiveret download af filer. Du kan se filerne men ikke downloade dem.", "clicktoupload": "Klik på knappen nedenfor for at uploade filer til dine private filer.", "couldnotloadfiles": "Fillisten kunne ikke hentes", - "emptyfilelist": "Der er ingen filer at vise.", + "emptyfilelist": "Der er ingen filer at vise", "erroruploadnotworking": "Desværre er det p.t. ikke muligt at uploade filer til dit site.", "files": "Filer", "myprivatefilesdesc": "Filerne som er tilgængelige i dit private område på dette Moodlewebsted.", "privatefiles": "Private filer", "sitefiles": "Site filer", "sitefilesdesc": "De andre filer som er tilgængelige for dig på denne Moodlewebside.", - "uploadfiles": "Upload filer" + "uploadfiles": "Send feedbackfiler" } \ No newline at end of file diff --git a/www/addons/files/lang/de-du.json b/www/addons/files/lang/de-du.json index de918e9ff50..4cc87c25207 100644 --- a/www/addons/files/lang/de-du.json +++ b/www/addons/files/lang/de-du.json @@ -2,12 +2,12 @@ "admindisableddownload": "Das Herunterladen von Dateien ist deaktiviert. Du kannst nur die Dateiliste sehen und nichts herunterladen.", "clicktoupload": "Tippe auf die Taste, um Dateien in den Bereich 'Meine Dateien' hochzuladen.", "couldnotloadfiles": "Die Liste der Dateien konnte nicht geladen werden.", - "emptyfilelist": "Keine Dateien", + "emptyfilelist": "Es liegen keine Dateien vor", "erroruploadnotworking": "Im Moment können keine Dateien zur Website hochgeladen werden.", "files": "Dateien", "myprivatefilesdesc": "Dateien, Auf die ausschließlich du zugreifen kannst.", "privatefiles": "Meine Dateien", "sitefiles": "Dateien der Website", "sitefilesdesc": "Weitere Dateien, die für dich auf dieser Website zugänglich sind.", - "uploadfiles": "Dateien hochladen" + "uploadfiles": "Feedbackdateien senden" } \ No newline at end of file diff --git a/www/addons/files/lang/de.json b/www/addons/files/lang/de.json index 1f6e9fa90ee..91305f44eff 100644 --- a/www/addons/files/lang/de.json +++ b/www/addons/files/lang/de.json @@ -2,12 +2,12 @@ "admindisableddownload": "Das Herunterladen von Dateien ist deaktiviert. Sie können nur die Dateiliste sehen und nichts herunterladen.", "clicktoupload": "Tippen Sie auf die Taste, um Dateien in den Bereich 'Meine Dateien' hochzuladen.", "couldnotloadfiles": "Die Liste der Dateien konnte nicht geladen werden.", - "emptyfilelist": "Keine Dateien", + "emptyfilelist": "Es liegen keine Dateien vor", "erroruploadnotworking": "Im Moment können keine Dateien zur Website hochgeladen werden.", "files": "Dateien", "myprivatefilesdesc": "Dateien, auf die ausschließlich Sie zugreifen können.", "privatefiles": "Meine Dateien", "sitefiles": "Dateien der Website", "sitefilesdesc": "Weitere Dateien, die für Sie auf dieser Website zugänglich sind.", - "uploadfiles": "Dateien hochladen" + "uploadfiles": "Feedbackdateien senden" } \ No newline at end of file diff --git a/www/addons/files/lang/el.json b/www/addons/files/lang/el.json index 8f435d24e4f..105bb0c0877 100644 --- a/www/addons/files/lang/el.json +++ b/www/addons/files/lang/el.json @@ -9,5 +9,5 @@ "privatefiles": "Προσωπικά αρχεία", "sitefiles": "Αρχεία του ιστοχώρου", "sitefilesdesc": "Άλλα αρχεία που είναι στη διάθεσή σας σε αυτό το site Moodle.", - "uploadfiles": "Μεταφορτώστε αρχεία" + "uploadfiles": "Αποστολή αρχείου ανατροφοδότησης" } \ No newline at end of file diff --git a/www/addons/files/lang/es-mx.json b/www/addons/files/lang/es-mx.json index 37175c738cf..6a0a7e462c9 100644 --- a/www/addons/files/lang/es-mx.json +++ b/www/addons/files/lang/es-mx.json @@ -2,12 +2,12 @@ "admindisableddownload": "El administrador del sitio ha deshabilitado las descargas de archivos; Usted puede ver los archivos pero no puede descargarlos.", "clicktoupload": "Haga click en el botón inferior para subir archivos a sus archivos privados.", "couldnotloadfiles": "La lista de archivos no pudo cargarse.", - "emptyfilelist": "No hay archivos para mostrar.", + "emptyfilelist": "No hay archivos que mostrar", "erroruploadnotworking": "Desafortunadamente ahorita no es posible subir archivos a su sitio.", "files": "Archivos", "myprivatefilesdesc": "Archivos a los que solamente Usted puede acceder.", "privatefiles": "Archivos privados", "sitefiles": "Archivos del sitio", "sitefilesdesc": "Otros archivos que están disponibles para Usted en este sitio.", - "uploadfiles": "Subir archivos" + "uploadfiles": "Mandar archivos de retroalimentación" } \ No newline at end of file diff --git a/www/addons/files/lang/es.json b/www/addons/files/lang/es.json index cca19793086..19e67205370 100644 --- a/www/addons/files/lang/es.json +++ b/www/addons/files/lang/es.json @@ -4,10 +4,10 @@ "couldnotloadfiles": "La lista de archivos no ha podido cargarse.", "emptyfilelist": "No hay archivos que mostrar", "erroruploadnotworking": "Desafortunadamente en estos momentos no es posible subir archivos al sitio.", - "files": "Ficheros", + "files": "Archivos", "myprivatefilesdesc": "Los archivos que están disponibles en su área privada en este sitio Moodle.", "privatefiles": "Ficheros privados", "sitefiles": "Archivos del sitio", "sitefilesdesc": "Los otros archivos que están disponibles para Usted en este sitio Moodle.", - "uploadfiles": "Subir archivos" + "uploadfiles": "Mandar archivos de retroalimentación" } \ No newline at end of file diff --git a/www/addons/files/lang/eu.json b/www/addons/files/lang/eu.json index 71db9771a7d..bc46081cef9 100644 --- a/www/addons/files/lang/eu.json +++ b/www/addons/files/lang/eu.json @@ -2,12 +2,12 @@ "admindisableddownload": "Zure Moodle kudeatzaileak fitxategien jaitsiera ezgaitu du. Fitxategiak araka ditzakezu baina ezin dituzu jaitsi.", "clicktoupload": "Klik egin beheko botoian fitxategiak zure gune pribatura igotzeko.", "couldnotloadfiles": "Ezin izan da fitxategien zerrenda kargatu.", - "emptyfilelist": "Ez dago fitxategirik erakusteko.", + "emptyfilelist": "Ez dago erakusteko fitxategirik", "erroruploadnotworking": "Zoritxarrez une honetan ezin dira fitxategiak zure gunera igo.", "files": "Fitxategiak", "myprivatefilesdesc": "Soilik zuk eskura ditzakezun fitxategiak.", "privatefiles": "Fitxategi pribatuak", "sitefiles": "Guneko fitxategiak", "sitefilesdesc": "Gune honetan eskuragarri dauden beste fitxategiak.", - "uploadfiles": "Igo fitxategiak" + "uploadfiles": "bidali feedback-fitxategiak" } \ No newline at end of file diff --git a/www/addons/files/lang/fi.json b/www/addons/files/lang/fi.json index 7514c3992a3..14c205854fd 100644 --- a/www/addons/files/lang/fi.json +++ b/www/addons/files/lang/fi.json @@ -2,11 +2,11 @@ "admindisableddownload": "Sivuston pääkäyttäjä on estänyt tiedostojen lataamisen. Voit ainoastaan selata tiedostoja, mutta et voi ladata niitä.", "clicktoupload": "Paina alapuolella olevaa painiketta ladataksesi tiedoston omiin yksityisiin tiedostoihisi.", "couldnotloadfiles": "Tiedostolistaa ei pystytty lataamaan.", - "emptyfilelist": "Ei näytettäviä tiedostoja.", + "emptyfilelist": "Ei näytettäviä tiedostoja", "erroruploadnotworking": "Valitettavasti tiedostojen lataaminen järjestelmään ei tällä hetkellä onnistu.", "files": "Tiedostot", "myprivatefilesdesc": "Tiedostot, jotka ovat vain sinulle käytettävissä.", "privatefiles": "Yksityiset tiedostot", "sitefiles": "Sivuston tiedostot", - "uploadfiles": "Lähetä tiedostot" + "uploadfiles": "Lähetä palautetiedostot" } \ No newline at end of file diff --git a/www/addons/files/lang/fr.json b/www/addons/files/lang/fr.json index 672c0abfa2c..d37cbd25a3c 100644 --- a/www/addons/files/lang/fr.json +++ b/www/addons/files/lang/fr.json @@ -2,12 +2,12 @@ "admindisableddownload": "L'administrateur de votre Moodle a désactivé le téléchargement des fichiers. Vous pouvez les consulter, mais pas les télécharger.", "clicktoupload": "Cliquer sur le bouton ci-dessous pour déposer les fichiers dans vos fichiers personnels.", "couldnotloadfiles": "La liste des fichiers n'a pas pu être chargée.", - "emptyfilelist": "Aucun fichier à afficher.", + "emptyfilelist": "Il n'y a pas de fichier à afficher", "erroruploadnotworking": "Il n'est actuellement pas possible de déposer des fichiers sur votre site.", "files": "Fichiers", "myprivatefilesdesc": "Fichiers auxquels vous seul avez accès.", "privatefiles": "Fichiers personnels", "sitefiles": "Fichiers du site", "sitefilesdesc": "Autres fichiers auxquels vous avez accès sur cette plateforme.", - "uploadfiles": "Déposer des fichiers" + "uploadfiles": "Envoyer des fichiers de feedback" } \ No newline at end of file diff --git a/www/addons/files/lang/he.json b/www/addons/files/lang/he.json index 0ed31567503..6f612548ac8 100644 --- a/www/addons/files/lang/he.json +++ b/www/addons/files/lang/he.json @@ -2,7 +2,7 @@ "admindisableddownload": "יש לשים לב כי מנהל/ת אתר המוודל שלך, ביטל/ה את אפשרות להורדת הקבצים. באפשרותך לעיין בקבצים אך לא להורידם.", "clicktoupload": "להעלאת הקבצים לקבצים הפרטיים שלך, יש להקליק על הכפתור למטה.", "couldnotloadfiles": "לא ניתן לטעון את רשימת הקבצים.", - "emptyfilelist": "אין קבצים להצגה.", + "emptyfilelist": "אין קבצים להציג", "files": "קבצים", "myprivatefilesdesc": "הקבצים הזמינים לך באזור הפרטי באתר מוודל זה.", "privatefiles": "הקבצים שלי", diff --git a/www/addons/files/lang/hr.json b/www/addons/files/lang/hr.json index c92c9bd4e23..01ff2272a5e 100644 --- a/www/addons/files/lang/hr.json +++ b/www/addons/files/lang/hr.json @@ -1,5 +1,5 @@ { - "emptyfilelist": "Nema datoteka za prikaz.", + "emptyfilelist": "Nema datoteka za prikaz", "files": "Datoteke", "privatefiles": "Osobne datoteke korisnika", "sitefiles": "Site files", diff --git a/www/addons/files/lang/it.json b/www/addons/files/lang/it.json index 3f198893008..d9b1f96d205 100644 --- a/www/addons/files/lang/it.json +++ b/www/addons/files/lang/it.json @@ -2,12 +2,12 @@ "admindisableddownload": "L'amministratore del sito Moodle ha disabilitato il download dei file. Puoi navigare tra i file ma non potrai scaricarli.", "clicktoupload": "Fai click sul pulsante sotto per caricare i file nei File personali", "couldnotloadfiles": "Non è stato possibile caricare l'elenco dei file.", - "emptyfilelist": "Non ci sono file da visualizzare.", + "emptyfilelist": "Non ci sono file da visualizzare", "erroruploadnotworking": "Al momento non è possibile caricare file sul sito.", "files": "File", "myprivatefilesdesc": "I file memorizzati nell'omonima area di Moodle", "privatefiles": "File personali", "sitefiles": "File del sito", "sitefilesdesc": "Altri file del sito Moodle ai quali puoi accedere.", - "uploadfiles": "Carica file" + "uploadfiles": "Invia file di commento" } \ No newline at end of file diff --git a/www/addons/files/lang/ja.json b/www/addons/files/lang/ja.json index de63504d659..648ed7d331a 100644 --- a/www/addons/files/lang/ja.json +++ b/www/addons/files/lang/ja.json @@ -2,12 +2,12 @@ "admindisableddownload": "あなたのMoodle管理者に、ファイルのダウンロードを無効にするよう知らせてください。そうすれば、ファイルをデバイスにダウンロードせず閲覧のみにすることができます。", "clicktoupload": "ファイルをあなたのプライベートファイル領域にアップロードするには、下のボタンをクリックしてください。", "couldnotloadfiles": "以下のファイルが読み込みできませんでした。", - "emptyfilelist": "表示するファイルがありません。", + "emptyfilelist": "表示するファイルはありません。", "erroruploadnotworking": "残念ながら、現在、あなたのサイトにファイルをアップロードすることはできません。", "files": "ファイル", "myprivatefilesdesc": "ファイルはMoodleサイト上のあなたのプライベート領域にあります。", "privatefiles": "プライベートファイル", "sitefiles": "サイトファイル", "sitefilesdesc": "本Moodleサイトであなたが利用できる他のファイル", - "uploadfiles": "アップロードファイル" + "uploadfiles": "フィードバックファイルを送信する" } \ No newline at end of file diff --git a/www/addons/files/lang/ko.json b/www/addons/files/lang/ko.json index a2caab5142d..1f4710a9c66 100644 --- a/www/addons/files/lang/ko.json +++ b/www/addons/files/lang/ko.json @@ -1,8 +1,10 @@ { "admindisableddownload": "사이트 관리자가 파일 다운로드를 비활성화 했습니다. 파일을 탐색 할 수는 있지만 다운로드 할 수는 없습니다.", "clicktoupload": "아래 버튼을 클릭하여 개인 파일에 파일을 업로드하십시오.", - "emptyfilelist": "표시 할 파일이 없습니다.", + "emptyfilelist": "보여줄 파일이 없습니다.", + "files": "파일", "myprivatefilesdesc": "나만 접근할 수 있는 파일", + "sitefiles": "파일 창고", "sitefilesdesc": "이 사이트에서 당신에게 제공되는 기타 파일들", - "uploadfiles": "파일 업로드" + "uploadfiles": "피드백 파일 보내기" } \ No newline at end of file diff --git a/www/addons/files/lang/lt.json b/www/addons/files/lang/lt.json index 82157441c00..1e5b2c5b2f2 100644 --- a/www/addons/files/lang/lt.json +++ b/www/addons/files/lang/lt.json @@ -2,12 +2,12 @@ "admindisableddownload": "Primename, kad Moodle administratorius panaikino galimybę parsisiųsti failus, failų atsisiųsti negalima, galite tik naršyti.", "clicktoupload": "Paspauskite mygtuką, esantį žemiau, kad galėtumėte atsisiųsti failus į privatų aplanką.", "couldnotloadfiles": "Negalima užkrauti failų sąrašo.", - "emptyfilelist": "Nėra ką rodyti.", + "emptyfilelist": "Nėra rodytinų failų", "erroruploadnotworking": "Deja, failo į pasirinktą svetainę įkelti negalima.", "files": "Failai", "myprivatefilesdesc": "Jūsų privatūs failai Moodle svetainėje.", "privatefiles": "Asmeniniai failai", "sitefiles": "Svetainės failai", "sitefilesdesc": "Kiti failai Moodle svetainėje", - "uploadfiles": "Įkelti failus" + "uploadfiles": "Siųsti grįžtamojo ryšio failus" } \ No newline at end of file diff --git a/www/addons/files/lang/nl.json b/www/addons/files/lang/nl.json index 74f97522c0f..a6b05556b90 100644 --- a/www/addons/files/lang/nl.json +++ b/www/addons/files/lang/nl.json @@ -2,12 +2,12 @@ "admindisableddownload": "Je Moodle beheerder heeft het downloaden van bestanden uitgeschakeld. Je kunt door de bestandenlijst bladeren, maar ze niet downloaden.", "clicktoupload": "Klik op onderstaande knop om bestanden naar je privé-bestanden te uploaden.", "couldnotloadfiles": "De bestandenlijst kon niet geladen worden.", - "emptyfilelist": "Er zijn geen bestanden te tonen.", + "emptyfilelist": "Er zijn geen bestanden om te tonen", "erroruploadnotworking": "Jammer genoeg kun je op dit ogenblik geen bestanden uploaden naar de site.", "files": "Bestanden", "myprivatefilesdesc": "Bestanden die jij alleen kan zien.", "privatefiles": "Privébestanden", "sitefiles": "Sitebestanden", "sitefilesdesc": "Andere bestanden voor jou.", - "uploadfiles": "Bestanden uploaden" + "uploadfiles": "Stuur feedbackbestanden" } \ No newline at end of file diff --git a/www/addons/files/lang/pt-br.json b/www/addons/files/lang/pt-br.json index fa0429bebba..2c3c45d9555 100644 --- a/www/addons/files/lang/pt-br.json +++ b/www/addons/files/lang/pt-br.json @@ -2,12 +2,12 @@ "admindisableddownload": "Por favor note que o administrador do Moodle desativou downloads de arquivos, você pode navegar através dos arquivos, mas não baixá-los.", "clicktoupload": "Clique no botão abaixo para enviar para seus arquivos privados.", "couldnotloadfiles": "A lista de arquivos não pode ser carregada.", - "emptyfilelist": "Não há arquivos para mostrar.", + "emptyfilelist": "Não há arquivos para exibir", "erroruploadnotworking": "Infelizmente é impossível enviar arquivos para o seu site.", "files": "Arquivos", "myprivatefilesdesc": "Os arquivos que estão disponíveis em sua área de arquivos privados nesse site Moodle.", "privatefiles": "Arquivos privados", "sitefiles": "Arquivos do site", "sitefilesdesc": "Os outros arquivos que estão disponíveis a você neste site Moodle.", - "uploadfiles": "Enviar arquivos" + "uploadfiles": "Enviar arquivos de feedback" } \ No newline at end of file diff --git a/www/addons/files/lang/pt.json b/www/addons/files/lang/pt.json index a40324193dc..90ed68c005a 100644 --- a/www/addons/files/lang/pt.json +++ b/www/addons/files/lang/pt.json @@ -2,12 +2,12 @@ "admindisableddownload": "O administrador do Moodle desativou a opção de descarregar ficheiros. Poderá navegar nos ficheiros mas não conseguirá descarregá-los.", "clicktoupload": "Clique no botão abaixo para carregar ficheiros para os seus ficheiros privados.", "couldnotloadfiles": "Não foi possível carregar a lista de ficheiros", - "emptyfilelist": "Não há ficheiros", + "emptyfilelist": "Este repositório está vazio", "erroruploadnotworking": "Infelizmente não é possível carregar ficheiros para o seu site.", - "files": "Anexos", + "files": "Ficheiros", "myprivatefilesdesc": "Ficheiros privados.", "privatefiles": "Ficheiros privados", "sitefiles": "Ficheiros do site", "sitefilesdesc": "Os outros ficheiros que estão disponíveis para si neste site.", - "uploadfiles": "Carregar ficheiros" + "uploadfiles": "Enviar ficheiros de feedback" } \ No newline at end of file diff --git a/www/addons/files/lang/ro.json b/www/addons/files/lang/ro.json index cf90b06a4b8..269b6780a16 100644 --- a/www/addons/files/lang/ro.json +++ b/www/addons/files/lang/ro.json @@ -2,8 +2,8 @@ "admindisableddownload": "Atenție! Administratorul platformei a dezactivat descărcarea de fișiere; puteți accesa fișierele dar nu le puteți descărca.", "clicktoupload": "Apăsați butonul de mai jos pentru a încarcă fișierele în contul dumneavoastră.", "couldnotloadfiles": "Lista fișierelor nu a putut fi încărcată.", - "emptyfilelist": "Nu sunt fișiere disponibile.", - "files": "Fișiere", + "emptyfilelist": "Nu există fișiere", + "files": "Fişiere", "myprivatefilesdesc": "Fișierele disponibile din zona personală, pe care o dețineți pe acest site.", "privatefiles": "Fișiere private", "sitefiles": "Fişiere site", diff --git a/www/addons/files/lang/ru.json b/www/addons/files/lang/ru.json index 171e14ee461..f45d371d9ec 100644 --- a/www/addons/files/lang/ru.json +++ b/www/addons/files/lang/ru.json @@ -9,5 +9,5 @@ "privatefiles": "Личные файлы", "sitefiles": "Файлы сайта", "sitefilesdesc": "Другие файлы, которые доступны вам на этом сайте.", - "uploadfiles": "Загрузка файлов" + "uploadfiles": "Отправить файлы с отзывами" } \ No newline at end of file diff --git a/www/addons/files/lang/uk.json b/www/addons/files/lang/uk.json index 083a9f56194..4043adc3905 100644 --- a/www/addons/files/lang/uk.json +++ b/www/addons/files/lang/uk.json @@ -2,12 +2,12 @@ "admindisableddownload": "Зверніть увагу, що ваш адміністратор Moodle відключив завантаження файлів. Ви можете переглядати файли, але не завантажувати їх.", "clicktoupload": "Натисніть на кнопку нижче, щоб завантажити ваші особисті файли.", "couldnotloadfiles": "Список файлів не може бути завантажений.", - "emptyfilelist": "Немає файлів для показу.", + "emptyfilelist": "Немає файлів для показу", "erroruploadnotworking": "На жаль, в даний час не представляється можливим завантажувати файли на ваш сайт.", "files": "Файли", "myprivatefilesdesc": "Файли, які доступні у приватній області на цьому сайті Moodle.", "privatefiles": "Особисті файли", "sitefiles": "Файли сайту", "sitefilesdesc": "Інші файли, які доступні для вас на цьому сайті Moodle.", - "uploadfiles": "Завантажити файли" + "uploadfiles": "Надіслати файл-відгук(и)" } \ No newline at end of file diff --git a/www/addons/frontpage/lang/ko.json b/www/addons/frontpage/lang/ko.json new file mode 100644 index 00000000000..f3f58e1b591 --- /dev/null +++ b/www/addons/frontpage/lang/ko.json @@ -0,0 +1,4 @@ +{ + "sitehome": "사이트 홈", + "sitenews": "사이트 뉴스" +} \ No newline at end of file diff --git a/www/addons/grades/lang/bg.json b/www/addons/grades/lang/bg.json index 02c842d1272..49ff4539d55 100644 --- a/www/addons/grades/lang/bg.json +++ b/www/addons/grades/lang/bg.json @@ -1,3 +1,3 @@ { - "viewgrades": "Разглеждане на оценки" + "viewgrades": "Виждане на оценките" } \ No newline at end of file diff --git a/www/addons/grades/lang/el.json b/www/addons/grades/lang/el.json index 5517b193e17..c1625a02671 100644 --- a/www/addons/grades/lang/el.json +++ b/www/addons/grades/lang/el.json @@ -1,4 +1,4 @@ { "nogradesreturned": "Δεν επιστράφηκε κανένας βαθμός", - "viewgrades": "Προβολή Βαθμών" + "viewgrades": "Προβολή βαθμών" } \ No newline at end of file diff --git a/www/addons/grades/lang/fa.json b/www/addons/grades/lang/fa.json index fd0241c2bc7..6c9c03151dd 100644 --- a/www/addons/grades/lang/fa.json +++ b/www/addons/grades/lang/fa.json @@ -1,3 +1,3 @@ { - "viewgrades": "دیدن نمره‌ها" + "viewgrades": "مشاهدهٔ نمره‌ها" } \ No newline at end of file diff --git a/www/addons/grades/lang/fi.json b/www/addons/grades/lang/fi.json index 32bd42fbd4b..968e1cc41cb 100644 --- a/www/addons/grades/lang/fi.json +++ b/www/addons/grades/lang/fi.json @@ -1,4 +1,4 @@ { "nogradesreturned": "Ei tuotu arvosanoja", - "viewgrades": "Katsele arvosanoja" + "viewgrades": "Näytä arvosanat" } \ No newline at end of file diff --git a/www/addons/grades/lang/fr.json b/www/addons/grades/lang/fr.json index 1c1ce861d2d..37ee094566f 100644 --- a/www/addons/grades/lang/fr.json +++ b/www/addons/grades/lang/fr.json @@ -1,4 +1,4 @@ { "nogradesreturned": "Aucune note retournée", - "viewgrades": "Affichage des notes" + "viewgrades": "Afficher les notes" } \ No newline at end of file diff --git a/www/addons/grades/lang/he.json b/www/addons/grades/lang/he.json index f6450d5c884..63f5df64a1c 100644 --- a/www/addons/grades/lang/he.json +++ b/www/addons/grades/lang/he.json @@ -1,4 +1,4 @@ { "nogradesreturned": "לא הוחזרו ציונים", - "viewgrades": "תצוגת ציונים" + "viewgrades": "ראה ציונים" } \ No newline at end of file diff --git a/www/addons/grades/lang/hr.json b/www/addons/grades/lang/hr.json index a2f968add90..79b5ed3566e 100644 --- a/www/addons/grades/lang/hr.json +++ b/www/addons/grades/lang/hr.json @@ -1,4 +1,4 @@ { "nogradesreturned": "Nema ocjena", - "viewgrades": "Vidi ocjene" + "viewgrades": "Prikaži ocjene" } \ No newline at end of file diff --git a/www/addons/grades/lang/it.json b/www/addons/grades/lang/it.json index 883d830fb4f..194c13b5f5a 100644 --- a/www/addons/grades/lang/it.json +++ b/www/addons/grades/lang/it.json @@ -1,4 +1,4 @@ { "nogradesreturned": "Non è stata ottenuta alcuna valutazione", - "viewgrades": "Visualizza valutazioni" + "viewgrades": "Visualizza risultati" } \ No newline at end of file diff --git a/www/addons/grades/lang/ja.json b/www/addons/grades/lang/ja.json index 23abe78a3be..c49db645dae 100644 --- a/www/addons/grades/lang/ja.json +++ b/www/addons/grades/lang/ja.json @@ -1,4 +1,4 @@ { "nogradesreturned": "評点がありません。", - "viewgrades": "評定を表示する" + "viewgrades": "評点を表示する" } \ No newline at end of file diff --git a/www/addons/grades/lang/ko.json b/www/addons/grades/lang/ko.json new file mode 100644 index 00000000000..a56fd2f31d4 --- /dev/null +++ b/www/addons/grades/lang/ko.json @@ -0,0 +1,4 @@ +{ + "nogradesreturned": "돌아온 성적이 없습니다.", + "viewgrades": "성적 보기" +} \ No newline at end of file diff --git a/www/addons/grades/lang/mr.json b/www/addons/grades/lang/mr.json index 45cbc830053..44df9604fda 100644 --- a/www/addons/grades/lang/mr.json +++ b/www/addons/grades/lang/mr.json @@ -1,4 +1,4 @@ { "nogradesreturned": "श्रेणी परत दिलेल्या नाहीत", - "viewgrades": "श्रेण्या दाखवा." + "viewgrades": "श्रेणी बघा" } \ No newline at end of file diff --git a/www/addons/grades/lang/nl.json b/www/addons/grades/lang/nl.json index a11f8e821e2..1b33ee8446a 100644 --- a/www/addons/grades/lang/nl.json +++ b/www/addons/grades/lang/nl.json @@ -1,4 +1,4 @@ { "nogradesreturned": "Geen cijfers", - "viewgrades": "Bekijk cijfers" + "viewgrades": "Bekijk de cijfers" } \ No newline at end of file diff --git a/www/addons/grades/lang/pl.json b/www/addons/grades/lang/pl.json index 0f2f359336e..b2abf06357d 100644 --- a/www/addons/grades/lang/pl.json +++ b/www/addons/grades/lang/pl.json @@ -1,4 +1,4 @@ { "nogradesreturned": "Brak stopni", - "viewgrades": "Podgląd ocen" + "viewgrades": "Pokaż oceny" } \ No newline at end of file diff --git a/www/addons/grades/lang/ru.json b/www/addons/grades/lang/ru.json index 733ed0c23e6..fac7633651b 100644 --- a/www/addons/grades/lang/ru.json +++ b/www/addons/grades/lang/ru.json @@ -1,4 +1,4 @@ { "nogradesreturned": "Нет оценок", - "viewgrades": "Просмотр оценок" + "viewgrades": "Посмотреть оценки" } \ No newline at end of file diff --git a/www/addons/grades/lang/uk.json b/www/addons/grades/lang/uk.json index 32dd4de48eb..86c7bf00584 100644 --- a/www/addons/grades/lang/uk.json +++ b/www/addons/grades/lang/uk.json @@ -1,4 +1,4 @@ { "nogradesreturned": "Немає оцінок", - "viewgrades": "Перегляд оцінок" + "viewgrades": "Подивитися оцінки" } \ No newline at end of file diff --git a/www/addons/messages/lang/ar.json b/www/addons/messages/lang/ar.json index 09addb61436..a13101c396c 100644 --- a/www/addons/messages/lang/ar.json +++ b/www/addons/messages/lang/ar.json @@ -7,13 +7,14 @@ "errordeletemessage": "خطأ عند حذف الرسالة", "message": "رسالة", "messagenotsent": "لم يتم إرسال الرسالة، يرجي المحاولة لاحقا", + "messagepreferences": "مراجع الرسالة", "messages": "رسائل", "mustbeonlinetosendmessages": "لابد أن تكون متصل بالأنترنت لكي ترسل أي رسائل", "newmessage": "رسالة جديدة", - "nomessages": "لا يوجد رساله/رسائل جديدة", + "nomessages": "لا توجد رسائل بعد", "nousersfound": "لا يوجد مستخدمون", "removecontact": "ازل عنوان الاتصال", - "send": "إرسال", + "send": "إرسل", "sendmessage": "إرسل رسالة", "type_offline": "غير متصل", "type_online": "متصل", diff --git a/www/addons/messages/lang/bg.json b/www/addons/messages/lang/bg.json index 7da54c741aa..9a9879a959c 100644 --- a/www/addons/messages/lang/bg.json +++ b/www/addons/messages/lang/bg.json @@ -10,16 +10,16 @@ "errorwhileretrievingcontacts": "Грешка при изчитането на списъка с контакти от сървъра.", "errorwhileretrievingdiscussions": "Грешка при изчитането на дискусиите от сървъра.", "errorwhileretrievingmessages": "Грешка при изчитането на съобщенията от сървъра.", - "message": "Вашето мнение", + "message": "Текст на съобщението", "messagenotsent": "Съобщението не беше изпратено. Моля опитайте пак по-късно.", "messagepreferences": "Предпочитания за съобщенията", "messages": "Съобщения", "mustbeonlinetosendmessages": "Трябва да сте онлайн, за да изпращате съобщения.", "newmessage": "Ново съобщение", - "nomessages": "Още няма съобщения", + "nomessages": "Няма чакащи съобщения", "nousersfound": "Не са намерени потребители", "removecontact": "Премахване на контакт", - "send": "Изпращане", + "send": "изпращане", "sendmessage": "Изпращане на съобщение", "type_blocked": "Блокиран", "type_offline": "Офлайн", diff --git a/www/addons/messages/lang/ca.json b/www/addons/messages/lang/ca.json index 78d880054d7..15b88908666 100644 --- a/www/addons/messages/lang/ca.json +++ b/www/addons/messages/lang/ca.json @@ -13,18 +13,18 @@ "errorwhileretrievingdiscussions": "S'ha produït un error mentre es recuperaven els debats del servidor.", "errorwhileretrievingmessages": "S'ha produït un error descarregant els missatges.", "loadpreviousmessages": "Carrega els missatges anteriors", - "message": "Missatge", + "message": "Cos del missatge", "messagenotsent": "El missatge no s'ha enviat. Si us plau, intenteu-ho més tard", "messagepreferences": "Preferències dels missatges", "messages": "Missatges", "mustbeonlinetosendmessages": "Heu de tenir connexió a la xarxa per a enviar missatges", "newmessage": "Missatge nou", "newmessages": "Nous missatges", - "nomessages": "No hi ha missatges encara", + "nomessages": "No teniu missatges pendents", "nousersfound": "No s'han trobat usuaris", "removecontact": "Suprimeix contacte", "removecontactconfirm": "El contacte s'eliminarà de la vostra llista de contactes.", - "send": "Envia", + "send": "envia", "sendmessage": "Envia missatge", "type_blocked": "Bloquejat", "type_offline": "Fora de línia", diff --git a/www/addons/messages/lang/cs.json b/www/addons/messages/lang/cs.json index 2ad0ea0f761..9ba11c02c81 100644 --- a/www/addons/messages/lang/cs.json +++ b/www/addons/messages/lang/cs.json @@ -20,12 +20,12 @@ "mustbeonlinetosendmessages": "Pro odesílání zpráv musíte být online", "newmessage": "Nová zpráva", "newmessages": "Nové zprávy", - "nomessages": "Žádné zprávy", - "nousersfound": "Nebyl nalezen žádný uživatel", + "nomessages": "Zatím žádné zprávy", + "nousersfound": "Nenalezeni žádní uživatelé", "removecontact": "Odebrat kontakt", "removecontactconfirm": "Kontakt bude odstraněn ze seznamu kontaktů.", - "send": "Odeslat", - "sendmessage": "Poslat zprávu", + "send": "odeslat", + "sendmessage": "Odeslat zprávu", "type_blocked": "Blokováno", "type_offline": "Offline", "type_online": "Online", diff --git a/www/addons/messages/lang/da.json b/www/addons/messages/lang/da.json index b0f0da55d40..536c242575c 100644 --- a/www/addons/messages/lang/da.json +++ b/www/addons/messages/lang/da.json @@ -13,18 +13,18 @@ "errorwhileretrievingdiscussions": "Fejl ved hentning af diskussioner fra serveren", "errorwhileretrievingmessages": "Fejl ved hentning af beskeder fra serveren.", "loadpreviousmessages": "Indlæs forrige besked", - "message": "Meddelelse", + "message": "Beskedtekst", "messagenotsent": "Beskeden blev ikke sendt, prøv igen senere.", "messagepreferences": "Indstillinger for beskeder", "messages": "Beskeder", "mustbeonlinetosendmessages": "Du skal være online for at sende beskeder", "newmessage": "Ny besked", "newmessages": "Nye beskeder", - "nomessages": "Ingen beskeder", + "nomessages": "Ingen beskeder endnu", "nousersfound": "Ingen brugere fundet", "removecontact": "Fjern kontakt", "removecontactconfirm": "Kontakten vil blive fjernet fra listen", - "send": "Send", + "send": "send", "sendmessage": "Send besked", "type_blocked": "Blokeret", "type_offline": "Offline", diff --git a/www/addons/messages/lang/de-du.json b/www/addons/messages/lang/de-du.json index 8825d27f57d..613dd9a3c85 100644 --- a/www/addons/messages/lang/de-du.json +++ b/www/addons/messages/lang/de-du.json @@ -19,7 +19,7 @@ "newmessage": "Neue Mitteilung", "newmessages": "Neue Mitteilungen", "nomessages": "Keine Mitteilungen", - "nousersfound": "Keine Personen gefunden", + "nousersfound": "Keine Nutzer/innen gefunden", "removecontact": "Kontakt entfernen", "removecontactconfirm": "Der Kontakt wird aus deiner Kontaktliste gelöscht.", "send": "Senden", diff --git a/www/addons/messages/lang/de.json b/www/addons/messages/lang/de.json index b97803d226b..532a3b1d24e 100644 --- a/www/addons/messages/lang/de.json +++ b/www/addons/messages/lang/de.json @@ -21,7 +21,7 @@ "newmessage": "Neue Mitteilung", "newmessages": "Neue Mitteilungen", "nomessages": "Keine Mitteilungen", - "nousersfound": "Keine Personen gefunden", + "nousersfound": "Keine Nutzer/innen gefunden", "removecontact": "Kontakt entfernen", "removecontactconfirm": "Der Kontakt wird aus Ihrer Kontaktliste gelöscht.", "send": "Senden", diff --git a/www/addons/messages/lang/el.json b/www/addons/messages/lang/el.json index 15904d76268..792d124765c 100644 --- a/www/addons/messages/lang/el.json +++ b/www/addons/messages/lang/el.json @@ -11,15 +11,15 @@ "errorwhileretrievingdiscussions": "Σφάλμα κατά την ανάκτηση των συζητήσεων από το διακομιστή.", "errorwhileretrievingmessages": "Σφάλμα κατά την ανάκτηση των μηνυμάτων από το διακομιστή.", "loadpreviousmessages": "Φορτώστε τα προηγούμενα μηνύματα", - "message": "Μήνυμα", + "message": "Σώμα μηνύματος", "messagenotsent": "Το μήνυμα δεν στάλθηκε, δοκιμάστε ξανά αργότερα.", "messagepreferences": "Προτιμήσεις μηνύματος", "messages": "Μηνύματα", "mustbeonlinetosendmessages": "Πρέπει να είστε συνδεδεμένοι για να στείλετε μηνύματα", "newmessage": "Νέο μήνυμα", "newmessages": "Νέα μηνύματα", - "nomessages": "Δεν υπάρχουν μηνύματα σε αναμονή", - "nousersfound": "Δεν βρέθηκαν χρήστες", + "nomessages": "Δεν υπάρχουν ακόμα μηνύματα", + "nousersfound": "Δε βρέθηκαν χρήστες", "removecontact": "Αφαίρεσε την επαφή", "removecontactconfirm": "Η επαφή θα καταργηθεί από τη λίστα επαφών σας.", "send": "Αποστολή", diff --git a/www/addons/messages/lang/es-mx.json b/www/addons/messages/lang/es-mx.json index dae8cac09ea..db39dcf25d6 100644 --- a/www/addons/messages/lang/es-mx.json +++ b/www/addons/messages/lang/es-mx.json @@ -13,18 +13,18 @@ "errorwhileretrievingdiscussions": "Error al recuperar las discusiones del servidor.", "errorwhileretrievingmessages": "Error al recuperar mensajes del servidor.", "loadpreviousmessages": "Cargar mensajes anteriores", - "message": "Mensaje", + "message": "Cuerpo del mensaje", "messagenotsent": "El mensaje no fue enviado. Por favor inténtelo nuevamente después.", "messagepreferences": "Preferencias de Mensaje", "messages": "Mensajes", "mustbeonlinetosendmessages": "Usted debe de estar en-linea para enviar mensajes", "newmessage": "Nuevo mensaje", "newmessages": "Nuevos mensajes", - "nomessages": "Aún no hay mensajes", - "nousersfound": "No se encontraron usuarios", + "nomessages": "No hay mensajes", + "nousersfound": "No se encuentran usuarios", "removecontact": "Eliminar contacto", "removecontactconfirm": "El contacto será quitado de su lista de contactos.", - "send": "Enviar", + "send": "enviar", "sendmessage": "Enviar mensaje", "type_blocked": "Bloqueado", "type_offline": "Fuera-de-línea", diff --git a/www/addons/messages/lang/es.json b/www/addons/messages/lang/es.json index 9b3bd21fd02..b81086eabc9 100644 --- a/www/addons/messages/lang/es.json +++ b/www/addons/messages/lang/es.json @@ -13,18 +13,18 @@ "errorwhileretrievingdiscussions": "Error al recuperar las discusiones del servidor.", "errorwhileretrievingmessages": "Error al recuperar los mensajes del servidor.", "loadpreviousmessages": "Cargar mensajes anteriores", - "message": "Mensaje", + "message": "Cuerpo del mensaje", "messagenotsent": "El mensaje no fue enviado; por favor inténtelo nuevamente después.", "messagepreferences": "Preferencias de mensajes", "messages": "Mensajes", "mustbeonlinetosendmessages": "Debe conectarse para enviar mensajes", "newmessage": "Nuevo mensaje", "newmessages": "Nuevos mensajes", - "nomessages": "No hay mensajes en espera", + "nomessages": "Aún no hay mensajes", "nousersfound": "No se encuentran usuarios", "removecontact": "Eliminar contacto", "removecontactconfirm": "El contacto se eliminará de su lista de contactos.", - "send": "Enviar", + "send": "enviar", "sendmessage": "Enviar mensaje", "type_blocked": "Bloqueado", "type_offline": "Desconectado", diff --git a/www/addons/messages/lang/eu.json b/www/addons/messages/lang/eu.json index eb1585b25dc..63496514ff5 100644 --- a/www/addons/messages/lang/eu.json +++ b/www/addons/messages/lang/eu.json @@ -13,18 +13,18 @@ "errorwhileretrievingdiscussions": "Errore bat gertatu da elkarrizketak zerbitzaritik jasotzean.", "errorwhileretrievingmessages": "Errore bat gertatu da mezuak zerbitzaritik jasotzean.", "loadpreviousmessages": "Kargatu aurreko mezuak", - "message": "Mezua", + "message": "Mezuren gurputza", "messagenotsent": "Mezua ez da bidali. Mesedez, saiatu beranduago.", "messagepreferences": "Mezuen hobespenak", "messages": "Mezuak", "mustbeonlinetosendmessages": "On-line egon behar duzu mezuak bidali ahal izateko.", "newmessage": "Mezu berria", "newmessages": "Mezu beriak", - "nomessages": "Mezurik ez", + "nomessages": "Ez dago mezurik oraindik", "nousersfound": "Ez da erabiltzailerik aurkitu", "removecontact": "Ezabatu kontaktua", "removecontactconfirm": "Kontaktua zure kontaktuen zerrendatik ezabatuko da.", - "send": "Bidali", + "send": "bidali", "sendmessage": "Mezua bidali", "type_blocked": "Blokeatuta", "type_offline": "Lineaz kanpo", diff --git a/www/addons/messages/lang/fa.json b/www/addons/messages/lang/fa.json index f5155644c97..a6d80f69982 100644 --- a/www/addons/messages/lang/fa.json +++ b/www/addons/messages/lang/fa.json @@ -6,14 +6,14 @@ "contactname": "نام مخاطب", "contacts": "مخاطبین", "errorwhileretrievingdiscussions": "خطا در دریافت مباحثه‌ها از کارگزار.", - "message": "متن", + "message": "متن پیام", "messagepreferences": "ترجیحات پیام‌دهی", "messages": "پیام‌ها", "newmessage": "پیام جدید", - "nomessages": "هیچ پیغامی منتظر جواب نیست", + "nomessages": "هنوز پیامی گفته نشده است", "nousersfound": "کاربری پیدا نشد", "removecontact": "حذف کردن مخاطب", - "send": "ارسال", + "send": "فرستادن", "sendmessage": "ارسال پیام", "unblockcontact": "خارج کردن مخاطب از حالت مسدود" } \ No newline at end of file diff --git a/www/addons/messages/lang/fi.json b/www/addons/messages/lang/fi.json index 7556dd9a613..5deb9983470 100644 --- a/www/addons/messages/lang/fi.json +++ b/www/addons/messages/lang/fi.json @@ -11,18 +11,18 @@ "errorwhileretrievingdiscussions": "Virhe ladattaessa keskusteluja palvelimelta.", "errorwhileretrievingmessages": "Virhe ladattaessa viestejä palvelimelta.", "loadpreviousmessages": "Lataa aiemmat viestit.", - "message": "Viestin tekstiosa", + "message": "Viesti", "messagenotsent": "Viestiä ei lähetetty. Ole hyvä ja yritä uudelleen myöhemmin.", "messagepreferences": "Viestien asetukset", "messages": "Viestit", "mustbeonlinetosendmessages": "Sinun täytyy olla online-tilassa lähettääksesi viestin.", "newmessage": "Uusi viesti", "newmessages": "Uusia viestejä", - "nomessages": "Ei viestejä", + "nomessages": "Ei odottavia viestejä", "nousersfound": "Käyttäjiä ei löytynyt", "removecontact": "Poista kontakti", "removecontactconfirm": "Tämä yhteystieto poistetaan yhteystietolistaltasi.", - "send": "Lähetä", + "send": "lähetä", "sendmessage": "Lähetä viesti", "type_blocked": "Estetty", "type_search": "Hakutulokset", diff --git a/www/addons/messages/lang/fr.json b/www/addons/messages/lang/fr.json index ca5bb9a7a60..65d22afa733 100644 --- a/www/addons/messages/lang/fr.json +++ b/www/addons/messages/lang/fr.json @@ -13,19 +13,19 @@ "errorwhileretrievingdiscussions": "Erreur lors de la récupération de discussions depuis le serveur.", "errorwhileretrievingmessages": "Erreur lors de la récupération de messages depuis le serveur.", "loadpreviousmessages": "Charger les messages antérieurs", - "message": "Message", + "message": "Corps du message", "messagenotsent": "Ce message n'a pas été envoyé. Veuillez essayer plus tard.", "messagepreferences": "Préférences des messages", - "messages": "Messages personnels", + "messages": "Messages", "mustbeonlinetosendmessages": "Vous devez être en ligne pour envoyer des messages.", "newmessage": "Nouveau message", "newmessages": "Nouveaux messages", - "nomessages": "Aucun message", - "nousersfound": "Aucun utilisateur trouvé", + "nomessages": "Pas encore de messages", + "nousersfound": "Aucun utilisateur n'a été trouvé", "removecontact": "Supprimer ce contact", "removecontactconfirm": "Le contact sera retiré de votre liste.", "send": "Envoyer", - "sendmessage": "Envoyer message personnel", + "sendmessage": "Envoyer message", "type_blocked": "Bloqué", "type_offline": "Hors connexion", "type_online": "En ligne", diff --git a/www/addons/messages/lang/he.json b/www/addons/messages/lang/he.json index a04b1607db2..fb473cf8205 100644 --- a/www/addons/messages/lang/he.json +++ b/www/addons/messages/lang/he.json @@ -10,17 +10,17 @@ "errorwhileretrievingcontacts": "שגיאה בזמן טעינת אנשי קשר מהשרת.", "errorwhileretrievingdiscussions": "שגיאה בזמן טעינת הדיונים מהשרת.", "errorwhileretrievingmessages": "שגיאה בזמן טעינת המסרים מהשרת.", - "message": "הודעה", + "message": "גוף ההודעה", "messagenotsent": "מסר זה לא נשלח, אנא נסה שוב מאוחר יותר.", "messagepreferences": "העדפות מסרים", - "messages": "מסרים", + "messages": "הודעות", "mustbeonlinetosendmessages": "עליך להיות מחובר/ת בכדי לשלוח מסר.", "newmessage": "הודעה חדשה", - "nomessages": "אין מסרים ממתינים", - "nousersfound": "לא נמצאו משתמשים", + "nomessages": "אין הודעות עדיין", + "nousersfound": "לתשומת-לב", "removecontact": "הסרת איש הקשר", - "send": "לשלוח", - "sendmessage": "שליחת מסר", + "send": "שליחה", + "sendmessage": "שליחת הודעה", "type_blocked": "חסומים", "type_offline": "לא מחוברים", "type_online": "מחוברים", diff --git a/www/addons/messages/lang/hr.json b/www/addons/messages/lang/hr.json index cc5cb50a593..ef9b4ba2f05 100644 --- a/www/addons/messages/lang/hr.json +++ b/www/addons/messages/lang/hr.json @@ -4,16 +4,16 @@ "blocknoncontacts": "Blokiraj nepoznate korisnike", "contactlistempty": "Vaš adresar je prazan", "contacts": "Kontakti", - "message": "Poruka", + "message": "Tijelo poruke", "messagepreferences": "Postavke za poruke", "messages": "Poruke", "newmessage": "Nova poruka", "newmessages": "Nove poruke", - "nomessages": "Nema poruka na čekanju", + "nomessages": "Nema poruka (još)", "nousersfound": "Nema korisnika", "removecontact": "Ukloni kontakt", - "send": "pošalji", - "sendmessage": "Pošalji poruku", + "send": "Pošalji", + "sendmessage": "Slanje poruke", "type_offline": "Offline", "type_online": "Online", "type_strangers": "Ostali", diff --git a/www/addons/messages/lang/hu.json b/www/addons/messages/lang/hu.json index af6e18a3d8a..324fe26fe60 100644 --- a/www/addons/messages/lang/hu.json +++ b/www/addons/messages/lang/hu.json @@ -7,14 +7,14 @@ "contacts": "Kapcsolatok", "deletemessage": "Üzenet törlése", "deletemessageconfirmation": "Biztosan törli az üzenetet? Az csak a korábbi üzeneteiből törlődik, az azt küldő vagy fogadó fél továbbra is láthatja.", - "message": "Üzenet", + "message": "Üzenet törzsszövege", "messagepreferences": "Üzenet beállításai", "messages": "Üzenetek", "newmessage": "Új üzenet", - "nomessages": "Nincs üzenet.", + "nomessages": "Még nincs üzenet", "nousersfound": "Nincs felhasználó", "removecontact": "Kapcsolat törlése", - "send": "küldés", + "send": "Elküld", "sendmessage": "Üzenet küldése", "unblockcontact": "Kapcsolat zárolásának feloldása" } \ No newline at end of file diff --git a/www/addons/messages/lang/it.json b/www/addons/messages/lang/it.json index 9eeabbcf865..50754d818b9 100644 --- a/www/addons/messages/lang/it.json +++ b/www/addons/messages/lang/it.json @@ -11,16 +11,16 @@ "errorwhileretrievingcontacts": "Si è verificato un errore durante la ricezione dei contatti dal server.", "errorwhileretrievingdiscussions": "Si è verificato un errore durante la ricezione delle discussioni dal server.", "errorwhileretrievingmessages": "Si è verificato un errore durante la ricezione dei messaggi dal server.", - "message": "Messaggio", + "message": "Corpo del messaggio", "messagenotsent": "Il messaggio non è stato inviato, per favore riprova più tardi.", "messagepreferences": "Preferenze messaggi", "messages": "Messaggi", "mustbeonlinetosendmessages": "Per inviare messaggi devi essere online", "newmessage": "Nuovo messaggio", - "nomessages": "Nessun messaggio", - "nousersfound": "Non sono stati trovati utenti", + "nomessages": "Non ci sono ancora messaggi", + "nousersfound": "Non trovato alcun utente", "removecontact": "Cancella contatti", - "send": "Invia", + "send": "invia", "sendmessage": "Invia messaggio", "type_blocked": "Bloccato", "type_offline": "Offline", diff --git a/www/addons/messages/lang/ja.json b/www/addons/messages/lang/ja.json index f9e80f8810e..545fd8d51f4 100644 --- a/www/addons/messages/lang/ja.json +++ b/www/addons/messages/lang/ja.json @@ -13,15 +13,15 @@ "errorwhileretrievingdiscussions": "サーバからディスカッションを受信中にエラーが発生しました。", "errorwhileretrievingmessages": "サーバからメッセージを受信中にエラーが発生しました。", "loadpreviousmessages": "以前のメッセージを読み込み", - "message": "メッセージ", + "message": "メッセージ本文", "messagenotsent": "メッセージは送信されませんでした。後で再び試みてください。", "messagepreferences": "メッセージプリファレンス", "messages": "メッセージ", "mustbeonlinetosendmessages": "メッセージを送信するにはオンラインでなければなりません。", "newmessage": "新しいメッセージ", "newmessages": "新規メッセージ...", - "nomessages": "メッセージがありません。", - "nousersfound": "ユーザが見つかりません", + "nomessages": "メッセージはありません。", + "nousersfound": "ユーザは見つかりませんでした。", "removecontact": "コンタクトから削除する", "removecontactconfirm": "連絡先はあなたの連絡先リストから削除されます。", "send": "送信", diff --git a/www/addons/messages/lang/ko.json b/www/addons/messages/lang/ko.json index 076397815a1..0fe6608a085 100644 --- a/www/addons/messages/lang/ko.json +++ b/www/addons/messages/lang/ko.json @@ -1,21 +1,32 @@ { + "addcontact": "연락 추가", + "blockcontact": "연락 차단", "blockcontactconfirm": "이 연락처의 메시지는 더 이상 수신되지 않습니다.", + "blocknoncontacts": "연락처에 없는 사람들이 나에게 메세지 보내는 것 방지", "contactlistempty": "연락처가 비어 있습니다.", "contactname": "연락처 이름", + "contacts": "연락처", "errordeletemessage": "메시지를 지우는 중 오류 발생", "errorwhileretrievingcontacts": "서버에서 연락처를 검색하는 동안 오류 발생", "errorwhileretrievingdiscussions": "서버에서 토론을 가져 오는 중에 오류 발생", "errorwhileretrievingmessages": "서버에서 메시지를 검색하는 중 오류 발생", "loadpreviousmessages": "이전 메시지 로드", + "message": "메세지 내용", "messagenotsent": "메시지가 전송되지 않았습니다. 다시 시도해 주세요.", + "messages": "메시지", "mustbeonlinetosendmessages": "메시지를 전송하기 위해서는 온라인 상태여야 합니다.", "newmessages": "새로운 메시지", - "nousersfound": "사용자가 없습니다.", + "nomessages": "아직 메시지 없음", + "nousersfound": "사용자 없음", + "removecontact": "연락처 제거", "removecontactconfirm": "연락처가 연락처 목록에서 제거됩니다.", + "send": "전송", + "sendmessage": "메세지 보내기", "type_blocked": "차단된", "type_offline": "오프라인", "type_online": "온라인", "type_search": "검색 결과", "type_strangers": "기타", + "unblockcontact": "차단되지 않은 연락처", "warningmessagenotsent": "{{user}} 사용자에게 메시지를 보낼 수 없습니다. {{오류}}" } \ No newline at end of file diff --git a/www/addons/messages/lang/lt.json b/www/addons/messages/lang/lt.json index a1774aa336f..0f808f5de6c 100644 --- a/www/addons/messages/lang/lt.json +++ b/www/addons/messages/lang/lt.json @@ -9,16 +9,16 @@ "errorwhileretrievingcontacts": "Klaida nuskaitant kontaktus iš serverio.", "errorwhileretrievingdiscussions": "Klaida nuskaitant diskusijas iš serverio.", "errorwhileretrievingmessages": "Klaida nuskaitant pranešimus iš serverio.", - "message": "Žinutės tekstas", + "message": "Pranešimo tekstas", "messagenotsent": "Žinutė nebuvo išsiųsta, pabandykite vėliau.", "messagepreferences": "Žinučių nuostatos", "messages": "Žinutės", "mustbeonlinetosendmessages": "Norėdamas išsiųsti žinutę, turite prisijungti", "newmessage": "Nauja žinutė", - "nomessages": "Žinučių dar nėra", - "nousersfound": "Vartotojas nerastas", + "nomessages": "Nėra žinučių", + "nousersfound": "Nerasta naudotojų", "removecontact": "Pašalinti kontaktą", - "send": "Siųsti", + "send": "siųsti", "sendmessage": "Siųsti žinutę", "type_blocked": "Užblokuota", "type_offline": "Neprisjungęs", diff --git a/www/addons/messages/lang/mr.json b/www/addons/messages/lang/mr.json index c5d3a7e8e8e..4746a250790 100644 --- a/www/addons/messages/lang/mr.json +++ b/www/addons/messages/lang/mr.json @@ -16,11 +16,11 @@ "messages": "संदेश", "mustbeonlinetosendmessages": "आपल्याला संदेश पाठविण्यासाठी ऑनलाइन असणे आवश्यक आहे", "newmessages": "नवीन संदेश", - "nomessages": "आजुन पर्यत संदेश नाही", - "nousersfound": "कोणतेही वापरकर्ते आढळले नाहीत", + "nomessages": "प्रतीक्षा सुचीमध्ये संदेश नाहीत", + "nousersfound": "युजर सापडत नाहीत", "removecontact": "संपर्क काढुन टाका", "removecontactconfirm": "आपल्या संपर्क यादीतून संपर्क काढला जाईल.", - "sendmessage": "संदेश पाठवला", + "sendmessage": "संदेश पाठवा", "type_blocked": "अवरोधित केले", "type_offline": "ऑफलाइन", "type_online": "ऑनलाइन", diff --git a/www/addons/messages/lang/nl.json b/www/addons/messages/lang/nl.json index a177d53d7c7..a6059a8c50a 100644 --- a/www/addons/messages/lang/nl.json +++ b/www/addons/messages/lang/nl.json @@ -13,18 +13,18 @@ "errorwhileretrievingdiscussions": "Fout bij het ophalen van discussies van de server.", "errorwhileretrievingmessages": "Fout bij het ophalen van berichten van de server.", "loadpreviousmessages": "Laad vorige berichten", - "message": "Bericht", + "message": "Berichtinhoud", "messagenotsent": "Het bericht is niet verzonden. Probeer het later opnieuw.", "messagepreferences": "Berichten voorkeuren", "messages": "Berichten", "mustbeonlinetosendmessages": "Je moet online zijn om berichten te versturen", "newmessage": "Nieuw bericht", "newmessages": "Nieuwe berichten", - "nomessages": "Geen berichten", + "nomessages": "Nog geen berichten", "nousersfound": "Geen gebruikers gevonden", "removecontact": "Verwijder contactpersoon", "removecontactconfirm": "Contact zal verwijderd worden van je contactenlijst.", - "send": "stuur", + "send": "Stuur", "sendmessage": "Stuur bericht", "type_blocked": "Geblokkeerd", "type_offline": "Offline", diff --git a/www/addons/messages/lang/no.json b/www/addons/messages/lang/no.json index ca70174ad09..17dc96bf200 100644 --- a/www/addons/messages/lang/no.json +++ b/www/addons/messages/lang/no.json @@ -11,18 +11,18 @@ "errorwhileretrievingdiscussions": "Feil ved henting av diskusjoner fra server", "errorwhileretrievingmessages": "Feil ved henting av meldinger fra server", "loadpreviousmessages": "Last forrige meldinger", - "message": "Melding", + "message": "Meldingsteksten", "messagenotsent": "Meldingen ble ikke sendt. Prøv igjen senere", "messagepreferences": "Meldingspreferanser", - "messages": "Meldinger", + "messages": "Beskjeder", "mustbeonlinetosendmessages": "Du må være på nett for å sende meldinger", "newmessage": "Ny melding", "newmessages": "Nye meldinger", - "nomessages": "Ingen meldinger", + "nomessages": "Ingen beskjeder ennå", "nousersfound": "Ingen brukere funnet", "removecontact": "Fjern kontakt", "removecontactconfirm": "Kontakten vil bli fjernet fra kontaktlisten", - "send": "send", + "send": "Send", "sendmessage": "Send melding", "type_blocked": "Blokkert", "type_offline": "Offline", diff --git a/www/addons/messages/lang/pl.json b/www/addons/messages/lang/pl.json index 6cb4279d4f9..a0b20dc95eb 100644 --- a/www/addons/messages/lang/pl.json +++ b/www/addons/messages/lang/pl.json @@ -7,14 +7,14 @@ "contacts": "Kontakty", "deletemessage": "Usuń wiadomość", "deletemessageconfirmation": "Czy jesteś pewien, że chcesz usunąć tę wiadomość? Zostanie ona usunięta wyłącznie z twojej historii wiadomości, użytkownik który ją wysłał lub odebrał nadal będzie mógł ją wyświetlić.", - "message": "Wiadomość", + "message": "Treść wiadomości", "messagepreferences": "Preferencje wiadomości", "messages": "Wiadomości", "newmessage": "Nowa wiadomość", - "nomessages": "Brak oczekujących wiadomości", + "nomessages": "Brak wiadomości", "nousersfound": "Nie znaleziono użytkowników", "removecontact": "Usuń kontakt", - "send": "Wyślij", + "send": "wyślij", "sendmessage": "Wyślij wiadomość", "unblockcontact": "Odblokuj kontakt" } \ No newline at end of file diff --git a/www/addons/messages/lang/pt-br.json b/www/addons/messages/lang/pt-br.json index 54c1e1b6e2c..fdebbcdecb6 100644 --- a/www/addons/messages/lang/pt-br.json +++ b/www/addons/messages/lang/pt-br.json @@ -13,18 +13,18 @@ "errorwhileretrievingdiscussions": "Erro ao recuperar discussão do servidor.", "errorwhileretrievingmessages": "Erro ao recuperar as mensagens do servidor.", "loadpreviousmessages": "Carregar mensagens anteriores", - "message": "Mensagem", + "message": "Corpo da mensagem", "messagenotsent": "A mensagem não foi enviada. Por favor tente novamente mais tarde.", "messagepreferences": "Preferências de mensagens", "messages": "Mensagens", "mustbeonlinetosendmessages": "Você precisa estar conectado para enviar mensagens.", "newmessage": "Nova Mensagem", "newmessages": "Novas mensagens", - "nomessages": "Nenhuma mensagem ainda", + "nomessages": "Sem novas mensagens", "nousersfound": "Nenhum usuário encontrado", "removecontact": "Eliminar contato", "removecontactconfirm": "O contato será removido da sua lista de contatos.", - "send": "Enviar", + "send": "enviar", "sendmessage": "Enviar mensagem", "type_blocked": "Bloqueado", "type_offline": "Offline", diff --git a/www/addons/messages/lang/pt.json b/www/addons/messages/lang/pt.json index 0682eb8829e..71a8115021c 100644 --- a/www/addons/messages/lang/pt.json +++ b/www/addons/messages/lang/pt.json @@ -13,14 +13,14 @@ "errorwhileretrievingdiscussions": "Erro ao obter tópicos de discussão do servidor.", "errorwhileretrievingmessages": "Erro ao obter mensagens do servidor.", "loadpreviousmessages": "Carregar mensagens antigas", - "message": "Mensagem", + "message": "Corpo da mensagem", "messagenotsent": "A mensagem não foi enviada. Tente novamente mais tarde.", "messagepreferences": "Preferências das mensagens", "messages": "Mensagens", "mustbeonlinetosendmessages": "Precisa de estar online para enviar mensagens.", "newmessage": "Nova mensagem", "newmessages": "Novas mensagens", - "nomessages": "Ainda não há mensagens", + "nomessages": "Sem mensagens", "nousersfound": "Nenhum utilizador encontrado", "removecontact": "Remover contacto", "removecontactconfirm": "O contacto será removido da sua lista de contactos.", diff --git a/www/addons/messages/lang/ro.json b/www/addons/messages/lang/ro.json index df7314e6617..551e062e921 100644 --- a/www/addons/messages/lang/ro.json +++ b/www/addons/messages/lang/ro.json @@ -11,15 +11,15 @@ "errorwhileretrievingcontacts": "A apărut o eroare în găsirea contactelor pe server.", "errorwhileretrievingdiscussions": "A apărut o eroare în găsirea conversațiilor de pe server.", "errorwhileretrievingmessages": "A apărut o eroare în găsirea mesajelor de pe server.", - "message": "Mesaj", + "message": "Conținut mesaj", "messagenotsent": "Mesajul nu a fost expediat, vă rugăm să încercați mai târziu.", "messages": "Mesaje", "mustbeonlinetosendmessages": "Trebuie să fiți online pentru a putea trimite mesaje", "newmessage": "Mesaj nou", - "nomessages": "Nu a fost trimis încă niciun mesaj", - "nousersfound": "Nu au fost găsiți utilizatori", + "nomessages": "Nu există mesaje în aşteptare", + "nousersfound": "Nu s-au găsit utilizatori", "removecontact": "Şterge prieten din listă", - "send": "trimis", + "send": "Trimis", "sendmessage": "Trimite mesaj", "type_blocked": "Blocat", "type_offline": "Deconectat", diff --git a/www/addons/messages/lang/ru.json b/www/addons/messages/lang/ru.json index d388c79e127..5d4238cfd91 100644 --- a/www/addons/messages/lang/ru.json +++ b/www/addons/messages/lang/ru.json @@ -13,14 +13,14 @@ "errorwhileretrievingdiscussions": "Ошибка при получении обсуждений с сервера.", "errorwhileretrievingmessages": "Ошибка при получении сообщений с сервера.", "loadpreviousmessages": "Загрузить предыдущее сообщение", - "message": "Сообщение", + "message": "Текст сообщения", "messagenotsent": "Сообщение не было отправлено. Пожалуйста, повторите попытку позже.", "messagepreferences": "Настройки сообщений", "messages": "Сообщения", "mustbeonlinetosendmessages": "Вы должны быть подключены к сети, чтобы отправлять сообщения.", "newmessage": "Новое сообщение", "newmessages": "Новые сообщения", - "nomessages": "Нет новых сообщений", + "nomessages": "Нет ни одного сообщения", "nousersfound": "Пользователи не найдены", "removecontact": "Удалить собеседника из моего списка", "removecontactconfirm": "Контакт будет удалён из вашего списка контактов.", diff --git a/www/addons/messages/lang/sv.json b/www/addons/messages/lang/sv.json index 8be41cc42dc..46c8195fcc9 100644 --- a/www/addons/messages/lang/sv.json +++ b/www/addons/messages/lang/sv.json @@ -11,16 +11,16 @@ "errorwhileretrievingcontacts": "Fel vid hämtning av kontakter från servern.", "errorwhileretrievingdiscussions": "Fel vid hämtning av diskussionerna från servern.", "errorwhileretrievingmessages": "Fel vid hämtning meddelanden från servern.", - "message": "Meddelande", + "message": "Meddelandets brödtext", "messagenotsent": "Meddelandet skickades inte, försök igen senare.", "messagepreferences": "Välj inställningar för meddelanden", "messages": "Meddelanden", "mustbeonlinetosendmessages": "Du måste vara online för att skicka meddelanden", "newmessage": "Nytt meddelande", - "nomessages": "Inga avvaktande meddelanden", - "nousersfound": "Inga användare hittades", + "nomessages": "Inga meddelanden än", + "nousersfound": "Det gick inte att hitta några användare", "removecontact": "Ta bort kontakt", - "send": "Skicka", + "send": "skicka", "sendmessage": "Skicka meddelande", "type_blocked": "blockerad", "type_offline": "Offline", diff --git a/www/addons/messages/lang/tr.json b/www/addons/messages/lang/tr.json index 38d1a3b1e77..21ddb0e2f69 100644 --- a/www/addons/messages/lang/tr.json +++ b/www/addons/messages/lang/tr.json @@ -5,11 +5,11 @@ "contactlistempty": "Kişi listeniz şu anda boş", "contactname": "Adı", "contacts": "Kişiler", - "message": "Mesaj", + "message": "Mesaj gövdesi", "messagepreferences": "İleti tercihleri", "messages": "Mesajlar", "newmessage": "Yeni ileti", - "nomessages": "Henüz mesaj yok", + "nomessages": "Yeni ileti yok", "nousersfound": "Kullanıcı bulunamadı", "removecontact": "Kişiyi sil", "send": "Gönder", diff --git a/www/addons/messages/lang/uk.json b/www/addons/messages/lang/uk.json index fd7748c9b53..d562482c29d 100644 --- a/www/addons/messages/lang/uk.json +++ b/www/addons/messages/lang/uk.json @@ -11,17 +11,17 @@ "errorwhileretrievingdiscussions": "Помилка при отриманні обговорення з сервера.", "errorwhileretrievingmessages": "Помилка при отриманні повідомлень від сервера.", "loadpreviousmessages": "Завантаження попередніх повідомлень", - "message": "Повідомлення", + "message": "Текст повідомлення", "messagenotsent": "Повідомлення не було відправлено, будь ласка, спробуйте ще раз пізніше.", "messages": "Повідомлення", "mustbeonlinetosendmessages": "Ви повинні бути онлайн, щоб відправляти повідомлення", "newmessage": "Нове повідомлення...", "newmessages": "Нові повідомлення", - "nomessages": "Немає нових повідомлень", + "nomessages": "Ще немає повідомлень", "nousersfound": "Користувачів не знайдено", "removecontact": "Видалити контакт", "removecontactconfirm": "Контакт буде видалено зі списку контактів.", - "send": "надіслати", + "send": "Відіслати", "sendmessage": "Надіслати повідомлення", "type_blocked": "Заблоковано", "type_offline": "Офлайн", diff --git a/www/addons/mod/assign/feedback/comments/lang/ko.json b/www/addons/mod/assign/feedback/comments/lang/ko.json new file mode 100644 index 00000000000..4edf1fede9f --- /dev/null +++ b/www/addons/mod/assign/feedback/comments/lang/ko.json @@ -0,0 +1,3 @@ +{ + "pluginname": "피드백 코멘트" +} \ No newline at end of file diff --git a/www/addons/mod/assign/feedback/comments/lang/mr.json b/www/addons/mod/assign/feedback/comments/lang/mr.json index 86dcff053b0..c031183b2ca 100644 --- a/www/addons/mod/assign/feedback/comments/lang/mr.json +++ b/www/addons/mod/assign/feedback/comments/lang/mr.json @@ -1,3 +1,3 @@ { - "pluginname": "संभाषण" + "pluginname": "निवड" } \ No newline at end of file diff --git a/www/addons/mod/assign/feedback/editpdf/lang/ar.json b/www/addons/mod/assign/feedback/editpdf/lang/ar.json index 5e26c93b68a..a3611bbf005 100644 --- a/www/addons/mod/assign/feedback/editpdf/lang/ar.json +++ b/www/addons/mod/assign/feedback/editpdf/lang/ar.json @@ -1,3 +1,3 @@ { - "pluginname": "محادثة" + "pluginname": "الاختيار" } \ No newline at end of file diff --git a/www/addons/mod/assign/feedback/editpdf/lang/bg.json b/www/addons/mod/assign/feedback/editpdf/lang/bg.json index c81014ebe4d..8a241b288f2 100644 --- a/www/addons/mod/assign/feedback/editpdf/lang/bg.json +++ b/www/addons/mod/assign/feedback/editpdf/lang/bg.json @@ -1,3 +1,3 @@ { - "pluginname": "Чат" + "pluginname": "Избор" } \ No newline at end of file diff --git a/www/addons/mod/assign/feedback/editpdf/lang/ko.json b/www/addons/mod/assign/feedback/editpdf/lang/ko.json new file mode 100644 index 00000000000..a2dee549f10 --- /dev/null +++ b/www/addons/mod/assign/feedback/editpdf/lang/ko.json @@ -0,0 +1,3 @@ +{ + "pluginname": "PDF 주석추가" +} \ No newline at end of file diff --git a/www/addons/mod/assign/feedback/editpdf/lang/mr.json b/www/addons/mod/assign/feedback/editpdf/lang/mr.json index 86dcff053b0..c031183b2ca 100644 --- a/www/addons/mod/assign/feedback/editpdf/lang/mr.json +++ b/www/addons/mod/assign/feedback/editpdf/lang/mr.json @@ -1,3 +1,3 @@ { - "pluginname": "संभाषण" + "pluginname": "निवड" } \ No newline at end of file diff --git a/www/addons/mod/assign/feedback/file/lang/el.json b/www/addons/mod/assign/feedback/file/lang/el.json new file mode 100644 index 00000000000..f8f9520bf64 --- /dev/null +++ b/www/addons/mod/assign/feedback/file/lang/el.json @@ -0,0 +1,3 @@ +{ + "pluginname": "Όνομα πρόσθετης λειτουργίας χώρου αποθήκευσης" +} \ No newline at end of file diff --git a/www/addons/mod/assign/feedback/file/lang/ko.json b/www/addons/mod/assign/feedback/file/lang/ko.json new file mode 100644 index 00000000000..51bac8f4a74 --- /dev/null +++ b/www/addons/mod/assign/feedback/file/lang/ko.json @@ -0,0 +1,3 @@ +{ + "pluginname": "파일 피드백" +} \ No newline at end of file diff --git a/www/addons/mod/assign/feedback/file/lang/mr.json b/www/addons/mod/assign/feedback/file/lang/mr.json index 86dcff053b0..c031183b2ca 100644 --- a/www/addons/mod/assign/feedback/file/lang/mr.json +++ b/www/addons/mod/assign/feedback/file/lang/mr.json @@ -1,3 +1,3 @@ { - "pluginname": "संभाषण" + "pluginname": "निवड" } \ No newline at end of file diff --git a/www/addons/mod/assign/lang/ca.json b/www/addons/mod/assign/lang/ca.json index 065ff663e07..9d246a7ff12 100644 --- a/www/addons/mod/assign/lang/ca.json +++ b/www/addons/mod/assign/lang/ca.json @@ -32,7 +32,7 @@ "errorshowinginformation": "No es pot mostrar la informació de la tramesa", "extensionduedate": "Data de venciment de la pròrroga", "feedbacknotsupported": "Aquesta retroacció no està admesa per l'aplicació i podria no contenir tota la informació", - "grade": "Qualificació", + "grade": "Qualifica", "graded": "Qualificada", "gradedby": "Qualificat per", "gradedon": "Qualificat el", diff --git a/www/addons/mod/assign/lang/de-du.json b/www/addons/mod/assign/lang/de-du.json index 36039446e87..502d58ed085 100644 --- a/www/addons/mod/assign/lang/de-du.json +++ b/www/addons/mod/assign/lang/de-du.json @@ -32,7 +32,7 @@ "errorshowinginformation": "Die Abgabeinformationen können nicht angezeigt werden.", "extensionduedate": "Verlängerung des Fälligkeitsdatums", "feedbacknotsupported": "Dieses Feedback wird von der App nicht unterstützt, so dass Informationen fehlen könnten.", - "grade": "Relative Bewertung", + "grade": "Bewertung", "graded": "Bewertet", "gradedby": "Bewertet von", "gradedon": "Bewertet am", diff --git a/www/addons/mod/assign/lang/de.json b/www/addons/mod/assign/lang/de.json index 119b0d99009..82f9ed9a8ac 100644 --- a/www/addons/mod/assign/lang/de.json +++ b/www/addons/mod/assign/lang/de.json @@ -32,7 +32,7 @@ "errorshowinginformation": "Die Abgabeinformationen können nicht angezeigt werden.", "extensionduedate": "Verlängerung des Fälligkeitsdatums", "feedbacknotsupported": "Dieses Feedback wird von der App nicht unterstützt, so dass Informationen fehlen könnten.", - "grade": "Bewertung", + "grade": "Relative Bewertung", "graded": "Bewertet", "gradedby": "Bewertet von", "gradedon": "Bewertet am", diff --git a/www/addons/mod/assign/lang/eu.json b/www/addons/mod/assign/lang/eu.json index 9d5b0cfffce..ed6995a418e 100644 --- a/www/addons/mod/assign/lang/eu.json +++ b/www/addons/mod/assign/lang/eu.json @@ -32,7 +32,7 @@ "errorshowinginformation": "Ezin da bidalketaren informazioa erakutsi.", "extensionduedate": "Luzapenaren entregatze-data", "feedbacknotsupported": "Feedback hau ez da app-an onartzen eta baliteke informazio guztia jasota ez egotea.", - "grade": "Kalifikazioa", + "grade": "Nota", "graded": "Kalifikatua", "gradedby": "Nork kalifikatua", "gradedon": "Noiz kalifikatua", diff --git a/www/addons/mod/assign/lang/fi.json b/www/addons/mod/assign/lang/fi.json index 38b2a903909..4f368f5eb20 100644 --- a/www/addons/mod/assign/lang/fi.json +++ b/www/addons/mod/assign/lang/fi.json @@ -32,7 +32,7 @@ "errorshowinginformation": "Palautteen tietoja ei voida näyttää.", "extensionduedate": "Lisäajan päättymisaika", "feedbacknotsupported": "Palautetta ei tueta mobiilisovelluksessa, eikä se välttämättä sisällä kaikkia tietoja.", - "grade": "Arviointi", + "grade": "Arvosana", "graded": "Arvioitu", "gradedby": "Arvioija", "gradedon": "Arviointipäivä", diff --git a/www/addons/mod/assign/lang/he.json b/www/addons/mod/assign/lang/he.json index 05f4ea2748c..634624ece1e 100644 --- a/www/addons/mod/assign/lang/he.json +++ b/www/addons/mod/assign/lang/he.json @@ -25,7 +25,7 @@ "editingstatus": "מצב עריכה", "editsubmission": "עריכת ההגשה", "extensionduedate": "הארכת מועד הגשה", - "grade": "ציון", + "grade": "ציונים", "graded": "נבדק", "gradedby": "נבדק על-ידי", "gradedon": "הציון ניתן על", diff --git a/www/addons/mod/assign/lang/it.json b/www/addons/mod/assign/lang/it.json index bfcebef051d..efc338d796b 100644 --- a/www/addons/mod/assign/lang/it.json +++ b/www/addons/mod/assign/lang/it.json @@ -25,7 +25,7 @@ "editingstatus": "Possibilità di modifica", "editsubmission": "Modifica consegna", "extensionduedate": "Data scadenza proroga", - "grade": "Valutazione", + "grade": "Punteggio", "graded": "Valutata", "gradedby": "Valutatore", "gradedon": "Data di valutazione", diff --git a/www/addons/mod/assign/lang/ja.json b/www/addons/mod/assign/lang/ja.json index 4837351e4cc..7d36b430584 100644 --- a/www/addons/mod/assign/lang/ja.json +++ b/www/addons/mod/assign/lang/ja.json @@ -32,7 +32,7 @@ "errorshowinginformation": "提出物の情報を表示できません。", "extensionduedate": "延長提出期限", "feedbacknotsupported": "このフィードバックはアプリでは未サポートのため、すべての情報が含まれていない可能性があります", - "grade": "評定", + "grade": "評点", "graded": "評定済み", "gradedby": "評定者", "gradedon": "評定日時", diff --git a/www/addons/mod/assign/lang/ko.json b/www/addons/mod/assign/lang/ko.json index 1d25471b7a3..fa33c430357 100644 --- a/www/addons/mod/assign/lang/ko.json +++ b/www/addons/mod/assign/lang/ko.json @@ -1,4 +1,76 @@ { + "addattempt": "또 다른 시도 추가", + "addnewattempt": "새 시도 추가", + "addnewattemptfromprevious": "이전 제출에 기반한 새 시도 추가", + "addsubmission": "제출 추가", + "allowsubmissionsanddescriptionfromdatesummary": "과제 세부사항과 제출 양식이 {{$a}} 부터 사용가능합니다.", + "allowsubmissionsfromdate": "제출 시작일:", + "allowsubmissionsfromdatesummary": "이 과제는 {{$a}}부터 제출이 가능합니다.", + "applytoteam": "모둠 전체에 성적과 피드백 적용", + "assignmentisdue": "과제 제출 마감 시한", + "attemptnumber": "시도 수", + "attemptreopenmethod": "시도 재개", + "attemptreopenmethod_manual": "수동으로", + "attemptreopenmethod_untilpass": "통과할때까지 자동으로", + "attemptsettings": "시도 설정", + "confirmsubmission": "채점을 위해 과제를 제출 하시겠습니까? 제출하면 이상 변경할 수 없습니다.", + "currentattempt": "시도 {{$a}}입니다.", + "currentattemptof": "시도 {{$a.attemptnumber}} ({{$a.maxattempts}} 시도가 허용됩니다.)", + "currentgrade": "성적부에서 현재 성적", + "cutoffdate": "최종 마감일", + "defaultteam": "기본 모둠", + "duedate": "마감 일시", + "duedateno": "무기한", + "duedatereached": "이 과제 제출 마감일이 지났습니다.", + "editingstatus": "상태 편집", + "editsubmission": "제출물 편집", + "extensionduedate": "제출일 연장", + "grade": "성적", + "graded": "채점됨", + "gradedby": "채점자:", + "gradedon": "채점일:", "gradenotsynced": "성적이 동기화 안됨", - "userwithid": "ID가 {{id}} 인 사용자" + "gradeoutof": "{{$a}} 중 채점", + "gradingstatus": "채점 상태", + "groupsubmissionsettings": "모둠 제출 설정", + "hiddenuser": "참가자", + "latesubmissions": "늦은 제출", + "latesubmissionsaccepted": "연장 허가를 받은 학생들만 아직 과제를 제출할 수 있습니다", + "noattempt": "시도 없음", + "nomoresubmissionsaccepted": "더 이상 제출을 받지 않습니다", + "noonlinesubmissions": "이 과제는 온라인으로 제출하는 것을 요구하지 않습니다.", + "nosubmission": "이 과제에 대해 제출된 것이 없습니다.", + "notgraded": "채점되지 않음", + "numberofdraftsubmissions": "초안", + "numberofparticipants": "참가자", + "numberofsubmissionsneedgrading": "채점이 필요합니다.", + "numberofsubmittedassignments": "제출함", + "numberofteams": "모둠", + "numwords": "{{$a}} 단어", + "outof": "{{$a.total}}중 {{$a.current}}", + "overdue": "과제 제출 기한이 {{$a}} 지났습니다, ", + "savechanges": "변경사항 저장", + "submission": "제출", + "submissioneditable": "학생들은 이 제출을 편집할 수 있습니다.", + "submissionnoteditable": "학생들은 이 제출을 편집할 수 없습니다.", + "submissionslocked": "이 과제는 제출을 받지 않습니다.", + "submissionstatus": "제출 상태", + "submissionstatus_": "제출이 없습니다.", + "submissionstatus_draft": "초안(제출 되지 않았음)", + "submissionstatus_marked": "채점됨", + "submissionstatus_new": "새 제출", + "submissionstatus_reopened": "다시 오픈됨", + "submissionstatus_submitted": "채점을 위해 제출되었습니다.", + "submissionstatusheading": "제출 상태", + "submissionteam": "모둠", + "submitassignment": "과제 제출", + "submitassignment_help": "과제가 제출되면 더 이상 변경할 수 없습니다.", + "submittedearly": "과제가 {{$a}} 일찍 제출되었습니다.", + "submittedlate": "과제가 {{$a}} 늦게 제출되었습니다.", + "timemodified": "마지막 수정", + "timeremaining": "남은 시간", + "unlimitedattempts": "무제한", + "userswhoneedtosubmit": "제출이 필요한 사용자 : {{$a}}", + "userwithid": "ID가 {{id}} 인 사용자", + "viewsubmission": "제출 보기" } \ No newline at end of file diff --git a/www/addons/mod/assign/lang/nl.json b/www/addons/mod/assign/lang/nl.json index dba03773e6d..b1840d5eed5 100644 --- a/www/addons/mod/assign/lang/nl.json +++ b/www/addons/mod/assign/lang/nl.json @@ -32,7 +32,7 @@ "errorshowinginformation": "We kunnen de instuurinformatie niet tonen.", "extensionduedate": "Extra tijd einddatum", "feedbacknotsupported": "Deze feedback wordt niet ondersteund door de app en daarom is de informatie mogelijk onvolledig.", - "grade": "Beoordeling", + "grade": "Cijfer", "graded": "Beoordeeld", "gradedby": "Beoordeeld door", "gradedon": "Beoordeeld op", diff --git a/www/addons/mod/assign/lang/pt-br.json b/www/addons/mod/assign/lang/pt-br.json index 07d1455c830..96c28d0ce43 100644 --- a/www/addons/mod/assign/lang/pt-br.json +++ b/www/addons/mod/assign/lang/pt-br.json @@ -32,7 +32,7 @@ "errorshowinginformation": "Nós não podemos exibir as informações do envio", "extensionduedate": "Extensão do prazo de entrega", "feedbacknotsupported": "Esse feedback não é suportado pelo aplicativo e pode não conter todas as informações", - "grade": "Nota", + "grade": "Avaliação", "graded": "Avaliado", "gradedby": "Avaliado por", "gradedon": "Avaliado em", diff --git a/www/addons/mod/assign/lang/pt.json b/www/addons/mod/assign/lang/pt.json index dbfa949c2eb..a3e2d08c817 100644 --- a/www/addons/mod/assign/lang/pt.json +++ b/www/addons/mod/assign/lang/pt.json @@ -32,7 +32,7 @@ "errorshowinginformation": "Não é possível mostrar informações da submissão", "extensionduedate": "Prolongamento da data limite", "feedbacknotsupported": "Este feedback não é suportado pela aplicação e pode não conter toda a informação.", - "grade": "Nota", + "grade": "Avaliação", "graded": "Avaliado", "gradedby": "Avaliado por", "gradedon": "Avaliado em", diff --git a/www/addons/mod/assign/lang/ro.json b/www/addons/mod/assign/lang/ro.json index 9e5786fe879..00faa4cbbda 100644 --- a/www/addons/mod/assign/lang/ro.json +++ b/www/addons/mod/assign/lang/ro.json @@ -20,7 +20,7 @@ "editingstatus": "Se editează statusul", "editsubmission": "Editare temă trimisă", "extensionduedate": "Termen de predare extins", - "grade": "Notă", + "grade": "Notează", "graded": "Notat", "gradedby": "Notat de", "gradedon": "Notat în data de", diff --git a/www/addons/mod/assign/lang/ru.json b/www/addons/mod/assign/lang/ru.json index 7aef06be2c1..16cdb882d4a 100644 --- a/www/addons/mod/assign/lang/ru.json +++ b/www/addons/mod/assign/lang/ru.json @@ -78,7 +78,7 @@ "submissionstatus_marked": "Оценено", "submissionstatus_new": "Ответ не представлен", "submissionstatus_reopened": "Возобновлено", - "submissionstatus_submitted": "Ответы для оценки", + "submissionstatus_submitted": "Отправлено для оценивания", "submissionstatusheading": "Состояние ответа", "submissionteam": "Группы", "submitassignment": "Отправить на проверку", diff --git a/www/addons/mod/assign/lang/sv.json b/www/addons/mod/assign/lang/sv.json index a7fecd382cc..674db970084 100644 --- a/www/addons/mod/assign/lang/sv.json +++ b/www/addons/mod/assign/lang/sv.json @@ -25,7 +25,7 @@ "editingstatus": "Redigerar status", "editsubmission": "Redigera min inskickade uppgiftslösning", "extensionduedate": "Förlängning av stoppdatum", - "grade": "Betyg", + "grade": "Betyg/omdöme", "graded": "Betygssatt", "gradedby": "Betygssatt av", "gradedon": "Betygssatt den", diff --git a/www/addons/mod/assign/lang/tr.json b/www/addons/mod/assign/lang/tr.json index d56c55e9e46..72b0e0a2002 100644 --- a/www/addons/mod/assign/lang/tr.json +++ b/www/addons/mod/assign/lang/tr.json @@ -25,7 +25,7 @@ "editingstatus": "Durumu düzenleme", "editsubmission": "Gönderimi düzenle", "extensionduedate": "Ek sürenin bitiş tarihi", - "grade": "Başarı notu", + "grade": "Not", "graded": "Notlandırıldı", "gradedon": "Not verildi", "gradeoutof": "{{$a}} Dışarıdan notu", diff --git a/www/addons/mod/assign/submission/comments/lang/ar.json b/www/addons/mod/assign/submission/comments/lang/ar.json index a3611bbf005..5e26c93b68a 100644 --- a/www/addons/mod/assign/submission/comments/lang/ar.json +++ b/www/addons/mod/assign/submission/comments/lang/ar.json @@ -1,3 +1,3 @@ { - "pluginname": "الاختيار" + "pluginname": "محادثة" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/comments/lang/ko.json b/www/addons/mod/assign/submission/comments/lang/ko.json new file mode 100644 index 00000000000..3e3ba79cf8b --- /dev/null +++ b/www/addons/mod/assign/submission/comments/lang/ko.json @@ -0,0 +1,3 @@ +{ + "pluginname": "제출 코멘트" +} \ No newline at end of file diff --git a/www/addons/mod/assign/submission/comments/lang/mr.json b/www/addons/mod/assign/submission/comments/lang/mr.json index c031183b2ca..86dcff053b0 100644 --- a/www/addons/mod/assign/submission/comments/lang/mr.json +++ b/www/addons/mod/assign/submission/comments/lang/mr.json @@ -1,3 +1,3 @@ { - "pluginname": "निवड" + "pluginname": "संभाषण" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/file/lang/ko.json b/www/addons/mod/assign/submission/file/lang/ko.json new file mode 100644 index 00000000000..b6efe121018 --- /dev/null +++ b/www/addons/mod/assign/submission/file/lang/ko.json @@ -0,0 +1,3 @@ +{ + "pluginname": "파일 제출" +} \ No newline at end of file diff --git a/www/addons/mod/assign/submission/file/lang/mr.json b/www/addons/mod/assign/submission/file/lang/mr.json index c031183b2ca..86dcff053b0 100644 --- a/www/addons/mod/assign/submission/file/lang/mr.json +++ b/www/addons/mod/assign/submission/file/lang/mr.json @@ -1,3 +1,3 @@ { - "pluginname": "निवड" + "pluginname": "संभाषण" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/ar.json b/www/addons/mod/assign/submission/onlinetext/lang/ar.json index a3611bbf005..5e26c93b68a 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/ar.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/ar.json @@ -1,3 +1,3 @@ { - "pluginname": "الاختيار" + "pluginname": "محادثة" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/bg.json b/www/addons/mod/assign/submission/onlinetext/lang/bg.json index 8a241b288f2..c81014ebe4d 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/bg.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/bg.json @@ -1,3 +1,3 @@ { - "pluginname": "Избор" + "pluginname": "Чат" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/ca.json b/www/addons/mod/assign/submission/onlinetext/lang/ca.json index a98012914f7..73899244b88 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/ca.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/ca.json @@ -1,3 +1,3 @@ { - "pluginname": "Xat" + "pluginname": "Nom del connector de repositori" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/cs.json b/www/addons/mod/assign/submission/onlinetext/lang/cs.json index 2995e389d85..338d52fb9c4 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/cs.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/cs.json @@ -1,3 +1,3 @@ { - "pluginname": "Název repozitáře" + "pluginname": "Chat" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/da.json b/www/addons/mod/assign/submission/onlinetext/lang/da.json index 338d52fb9c4..06823ea17f5 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/da.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/da.json @@ -1,3 +1,3 @@ { - "pluginname": "Chat" + "pluginname": "Navn på filarkiv-plugin" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/de-du.json b/www/addons/mod/assign/submission/onlinetext/lang/de-du.json index 338d52fb9c4..b681ebe0f7a 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/de-du.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/de-du.json @@ -1,3 +1,3 @@ { - "pluginname": "Chat" + "pluginname": "Name des Plugins" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/de.json b/www/addons/mod/assign/submission/onlinetext/lang/de.json index 338d52fb9c4..b681ebe0f7a 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/de.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/de.json @@ -1,3 +1,3 @@ { - "pluginname": "Chat" + "pluginname": "Name des Plugins" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/el.json b/www/addons/mod/assign/submission/onlinetext/lang/el.json index 87e1e04556a..f8f9520bf64 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/el.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/el.json @@ -1,3 +1,3 @@ { - "pluginname": "Συζήτηση" + "pluginname": "Όνομα πρόσθετης λειτουργίας χώρου αποθήκευσης" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/es-mx.json b/www/addons/mod/assign/submission/onlinetext/lang/es-mx.json index 338d52fb9c4..6652f4e394a 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/es-mx.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/es-mx.json @@ -1,3 +1,3 @@ { - "pluginname": "Chat" + "pluginname": "Nombre del plugin del repositorio" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/es.json b/www/addons/mod/assign/submission/onlinetext/lang/es.json index 338d52fb9c4..7ce7d44b842 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/es.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/es.json @@ -1,3 +1,3 @@ { - "pluginname": "Chat" + "pluginname": "Nombre de la extensión de repositorio" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/eu.json b/www/addons/mod/assign/submission/onlinetext/lang/eu.json index e772d494972..e1bda956c2d 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/eu.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/eu.json @@ -1,3 +1,3 @@ { - "pluginname": "Txat-gela" + "pluginname": "Biltegi-pluginaren izena" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/fa.json b/www/addons/mod/assign/submission/onlinetext/lang/fa.json index 8ff375bf645..bae6ca29c40 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/fa.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/fa.json @@ -1,3 +1,3 @@ { - "pluginname": "اتاق گفتگو" + "pluginname": "نام پلاگین انباره" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/fi.json b/www/addons/mod/assign/submission/onlinetext/lang/fi.json index 338d52fb9c4..f9abee8d060 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/fi.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/fi.json @@ -1,3 +1,3 @@ { - "pluginname": "Chat" + "pluginname": "Tiedostopankkipluginin nimi" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/fr.json b/www/addons/mod/assign/submission/onlinetext/lang/fr.json index 338d52fb9c4..45d3658b7f6 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/fr.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/fr.json @@ -1,3 +1,3 @@ { - "pluginname": "Chat" + "pluginname": "Nom du plugin de dépôt" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/he.json b/www/addons/mod/assign/submission/onlinetext/lang/he.json index b1ff77fc732..02f0f6ed5a6 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/he.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/he.json @@ -1,3 +1,3 @@ { - "pluginname": "רב־שיח" + "pluginname": "שם תוסף המאגר" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/hr.json b/www/addons/mod/assign/submission/onlinetext/lang/hr.json index 338d52fb9c4..3df5b84be3a 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/hr.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/hr.json @@ -1,3 +1,3 @@ { - "pluginname": "Chat" + "pluginname": "Naziv dodatka (plugina) repozitorija" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/hu.json b/www/addons/mod/assign/submission/onlinetext/lang/hu.json index 87e42e0206d..54cc715e92a 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/hu.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/hu.json @@ -1,3 +1,3 @@ { - "pluginname": "Csevegés" + "pluginname": "Az adattár-segédprogram neve" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/it.json b/www/addons/mod/assign/submission/onlinetext/lang/it.json index 338d52fb9c4..c09cb258748 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/it.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/it.json @@ -1,3 +1,3 @@ { - "pluginname": "Chat" + "pluginname": "Nome plugin repository" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/ja.json b/www/addons/mod/assign/submission/onlinetext/lang/ja.json index 529d483a81e..4f4b4618438 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/ja.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/ja.json @@ -1,3 +1,3 @@ { - "pluginname": "チャット" + "pluginname": "リポジトリプラグイン名" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/ko.json b/www/addons/mod/assign/submission/onlinetext/lang/ko.json new file mode 100644 index 00000000000..3b87d4c7c8a --- /dev/null +++ b/www/addons/mod/assign/submission/onlinetext/lang/ko.json @@ -0,0 +1,3 @@ +{ + "pluginname": "저장소 플러그인 명칭" +} \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/lt.json b/www/addons/mod/assign/submission/onlinetext/lang/lt.json index 486b4397544..6ff00c34d0d 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/lt.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/lt.json @@ -1,3 +1,3 @@ { - "pluginname": "Pokalbis" + "pluginname": "Saugyklos priedo pavadinimas" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/mr.json b/www/addons/mod/assign/submission/onlinetext/lang/mr.json index c031183b2ca..86dcff053b0 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/mr.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/mr.json @@ -1,3 +1,3 @@ { - "pluginname": "निवड" + "pluginname": "संभाषण" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/nl.json b/www/addons/mod/assign/submission/onlinetext/lang/nl.json index 338d52fb9c4..0262a2b68c0 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/nl.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/nl.json @@ -1,3 +1,3 @@ { - "pluginname": "Chat" + "pluginname": "Opslagruimte plugin naam" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/no.json b/www/addons/mod/assign/submission/onlinetext/lang/no.json index 908a97f0645..0727c1aaacb 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/no.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/no.json @@ -1,3 +1,3 @@ { - "pluginname": "Nettprat" + "pluginname": "Filområdets modulnavn" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/pl.json b/www/addons/mod/assign/submission/onlinetext/lang/pl.json index 4550b31ee8f..81509b39f7e 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/pl.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/pl.json @@ -1,3 +1,3 @@ { - "pluginname": "Czat" + "pluginname": "Nazwa wtyczki repozytorium" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/pt-br.json b/www/addons/mod/assign/submission/onlinetext/lang/pt-br.json index 338d52fb9c4..a70b13d605f 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/pt-br.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/pt-br.json @@ -1,3 +1,3 @@ { - "pluginname": "Chat" + "pluginname": "Nome do plugin de repositório" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/pt.json b/www/addons/mod/assign/submission/onlinetext/lang/pt.json index 338d52fb9c4..5bba250e0cb 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/pt.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/pt.json @@ -1,3 +1,3 @@ { - "pluginname": "Chat" + "pluginname": "Nome do módulo de repositório" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/ro.json b/www/addons/mod/assign/submission/onlinetext/lang/ro.json index 338d52fb9c4..fae6b72235f 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/ro.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/ro.json @@ -1,3 +1,3 @@ { - "pluginname": "Chat" + "pluginname": "Numele plugin-ului depozitului" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/ru.json b/www/addons/mod/assign/submission/onlinetext/lang/ru.json index c81014ebe4d..dd5953f97f7 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/ru.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/ru.json @@ -1,3 +1,3 @@ { - "pluginname": "Чат" + "pluginname": "Имя плагина хранилища" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/sv.json b/www/addons/mod/assign/submission/onlinetext/lang/sv.json index 3f7f5b4be1d..317785c3a3e 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/sv.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/sv.json @@ -1,3 +1,3 @@ { - "pluginname": "Direktsamtal" + "pluginname": "Namn på plugin-program för arkiv" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/tr.json b/www/addons/mod/assign/submission/onlinetext/lang/tr.json index 4b1333b93f9..ed500d53d5e 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/tr.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/tr.json @@ -1,3 +1,3 @@ { - "pluginname": "Sohbet" + "pluginname": "Depo eklenti adı" } \ No newline at end of file diff --git a/www/addons/mod/assign/submission/onlinetext/lang/uk.json b/www/addons/mod/assign/submission/onlinetext/lang/uk.json index c81014ebe4d..204fec78cec 100644 --- a/www/addons/mod/assign/submission/onlinetext/lang/uk.json +++ b/www/addons/mod/assign/submission/onlinetext/lang/uk.json @@ -1,3 +1,3 @@ { - "pluginname": "Чат" + "pluginname": "Назва модуля сховища" } \ No newline at end of file diff --git a/www/addons/mod/chat/lang/ko.json b/www/addons/mod/chat/lang/ko.json new file mode 100644 index 00000000000..18b5595fd84 --- /dev/null +++ b/www/addons/mod/chat/lang/ko.json @@ -0,0 +1,13 @@ +{ + "beep": "호출", + "currentusers": "현재 참여자", + "enterchat": "대화에 참여하려면 여기를 클릭!", + "entermessage": "메세지를 입력하세요.", + "messagebeepsyou": "{{$a}}가 나를 호출했음!", + "messageenter": "{{$a}} 대화방에 들어옴", + "messageexit": "{{$a}} 대화방을 나감", + "nomessages": "아직 메시지 없음", + "send": "전송", + "sessionstart": "대화방 세션이 {{$a}} 에 시작할 것입니다.", + "talk": "말하기" +} \ No newline at end of file diff --git a/www/addons/mod/choice/lang/ko.json b/www/addons/mod/choice/lang/ko.json new file mode 100644 index 00000000000..8d65db06411 --- /dev/null +++ b/www/addons/mod/choice/lang/ko.json @@ -0,0 +1,15 @@ +{ + "choiceoptions": "설문 요건", + "expired": "죄송합니다. 이 활동은 {{$a}} 에 종료되어서 더 이상 사용할 수 없습니다.", + "full": "(마감됨)", + "noresultsviewable": "지금은 결과를 볼 수 없습니다.", + "notopenyet": "죄송합니다만, {{$a}} 까지는 이용할 수 없습니다.", + "numberofuser": "사용자", + "numberofuserinpercentage": "백분율로 환산한 사용자 수", + "removemychoice": "기존 응답 취소", + "responses": "응답", + "responsesresultgraphheader": "그래프 표시", + "savemychoice": "응답내용 저장", + "userchoosethisoption": "사용자가 이 옵션을 선택했습니다.", + "yourselection": "당신의 선택" +} \ No newline at end of file diff --git a/www/addons/mod/data/lang/ko.json b/www/addons/mod/data/lang/ko.json new file mode 100644 index 00000000000..4ef6ce31734 --- /dev/null +++ b/www/addons/mod/data/lang/ko.json @@ -0,0 +1,35 @@ +{ + "addentries": "내용 추가", + "advancedsearch": "고급 검색", + "alttext": "상응 문구", + "approve": "승인", + "approved": "승인됨", + "ascending": "오름차순", + "authorfirstname": "저자의 이름", + "authorlastname": "저자의 성", + "confirmdeleterecord": "이 게시물을 삭제하려고 하는 것이 확실합니까?", + "descending": "내림차순", + "disapprove": "승인 취소", + "emptyaddform": "어떤 항목도 기입하지 않았습니다!", + "entrieslefttoadd": "이 활동을 완료하려면 {{$a.entriesleft}} 개 이상의 항목을 입력해야만 합니다.", + "entrieslefttoaddtoview": "다른 참여자의 내용을 보기 전에 {{$a.entrieslefttoview}} 항목을 더 추가해야만 합니다.", + "expired": "죄송합니다만, 이 활동은 {{$a}}에 종료되었으므로 더 이상 이용할 수 없습니다.", + "fields": "항목들", + "menuchoose": "선택...", + "more": "더 이상", + "nomatch": "해당되는 게시물이 없음!", + "norecords": "데이터베이스에 입력된 내용 없음", + "notapproved": "아직 입력을 받을 수 없음", + "notopenyet": "죄송합니다만 이 활동은 {{$a}} 가 될 때까지 이용할 수 없습니다.", + "numrecords": "{{$a}} 게시물", + "other": "기타", + "recordapproved": "게시물이 허용됨", + "recorddeleted": "게시물이 삭제됨", + "resetsettings": "필터 초기화", + "search": "검색", + "selectedrequired": "모든 선택사항 필요", + "single": "한개 보기", + "timeadded": "추가된 시간", + "timemodified": "변경된 시간", + "usedate": "검색에 포함합니다." +} \ No newline at end of file diff --git a/www/addons/mod/data/lang/mr.json b/www/addons/mod/data/lang/mr.json index 7631e649e26..bf1ef456a0e 100644 --- a/www/addons/mod/data/lang/mr.json +++ b/www/addons/mod/data/lang/mr.json @@ -12,7 +12,7 @@ "emptyaddform": "तुम्हाला एकही क्षेत्र भरावयाची गरज नाही", "errorapproving": "प्रविष्टी मंजूर किंवा अमान्य करण्यामध्ये त्रुटी", "errordeleting": "नोंद हटविताना त्रुटी.", - "expired": "क्षमा करा,ही कार्यक्षमता बंद आहे", + "expired": "संपलेला", "fields": "क्षेत्रे", "menuchoose": "निवडा", "more": "आधिक", diff --git a/www/addons/mod/data/lang/ru.json b/www/addons/mod/data/lang/ru.json index ae2be624fbc..71495e2f4af 100644 --- a/www/addons/mod/data/lang/ru.json +++ b/www/addons/mod/data/lang/ru.json @@ -10,29 +10,29 @@ "confirmdeleterecord": "Вы уверены, что хотите удалить эту запись?", "descending": "По убыванию", "disapprove": "Отменить одобрение", - "emptyaddform": "Вы не заполнили ни одного поля", - "entrieslefttoadd": "Чтобы просматривать записи других участников Вы должны добавить еще записи - ({{$a.entriesleft}})", - "entrieslefttoaddtoview": "Вы должны еще добавить записи ({{$a.entrieslefttoview}}), прежде чем сможете просматривать записи других участников.", + "emptyaddform": "Вы не заполнили ни одного поля!", + "entrieslefttoadd": "Вы должны добавить ещё записи ({{$a.entriesleft}}), чтобы этот активный элемент считался завершённым", + "entrieslefttoaddtoview": "Вы должны добавить ещё {{$a.entriesleft}} запись(и, ей), чтобы иметь возможность видеть записи других участников", "errorapproving": "Ошибка подтверждения или неподтверждения записи.", "errordeleting": "Ошибка удаления записи.", "errormustsupplyvalue": "Вы должны здесь указать значение.", - "expired": "К сожалению, эта база данных закрыта {{$a}} и больше не доступна", + "expired": "К сожалению, этот элемент закрыт {{$a}} и более не доступен", "fields": "Поля", "latlongboth": "Необходимо задать и широту, и долготу.", "menuchoose": "Выбрать...", "more": "Просмотр записи", "nomatch": "Соответствующих записей не найдено!", "norecords": "Нет записей в базе данных", - "notapproved": "Запись пока не одобрена.", - "notopenyet": "Извините, этот элемент курса не доступен до {{$a}}", - "numrecords": "{{$a}} записей", + "notapproved": "Запись еще не утверждена.", + "notopenyet": "К сожалению, эта база данных не доступна до {{$a}}", + "numrecords": "записей: {{$a}}", "other": "Другое", "recordapproved": "Запись одобрена", "recorddeleted": "Запись удалена", "recorddisapproved": "Снято одобрение записи", "resetsettings": "Сбросить фильтры", "search": "Поиск", - "selectedrequired": "Требуются все выбранные", + "selectedrequired": "Все выбранные требуются", "single": "Просмотр по одной записи", "timeadded": "Время добавления", "timemodified": "Время изменения", diff --git a/www/addons/mod/feedback/lang/ko.json b/www/addons/mod/feedback/lang/ko.json new file mode 100644 index 00000000000..f1a250030d6 --- /dev/null +++ b/www/addons/mod/feedback/lang/ko.json @@ -0,0 +1,32 @@ +{ + "analysis": "분석", + "anonymous": "익명", + "anonymous_entries": "익명 응답", + "average": "평균", + "complete_the_form": "질문에 답하세요", + "completed_feedbacks": "제출된 답", + "continue_the_form": "양식 계속", + "feedback_is_not_open": "피드백이 아직 시작되지 않았음", + "feedbackclose": "응답 허용", + "feedbackopen": "답안 입력 시작 시간", + "mapcourses": "피드백을 강좌에 연결", + "mode": "모드", + "next_page": "다음 페이지", + "non_anonymous": "기명, 응답내용 공개", + "non_anonymous_entries": "익명 기록 없음", + "non_respondents_students": "응답한 학생 없음", + "not_selected": "선택되지 않았음", + "not_started": "개시하지 않음", + "overview": "요약", + "page_after_submit": "완료 메세지", + "preview": "미리보기", + "previous_page": "이전 페이지", + "questions": "질문들", + "response_nr": "응답 수", + "responses": "응답들", + "save_entries": "응답 제출", + "show_entries": "응답 보기", + "show_nonrespondents": "응답 안한 사람 보기", + "started": "시작되었음", + "this_feedback_is_already_submitted": "당신은 이미 이 활동을 완료하였습니다." +} \ No newline at end of file diff --git a/www/addons/mod/feedback/lang/mr.json b/www/addons/mod/feedback/lang/mr.json index be9b0f6470e..5272f981379 100644 --- a/www/addons/mod/feedback/lang/mr.json +++ b/www/addons/mod/feedback/lang/mr.json @@ -2,10 +2,10 @@ "average": "सरासर", "captchaofflinewarning": "कॅप्चासह अभिप्राय ऑफलाइन पूर्ण केले जाऊ शकत नाही, किंवा कॉन्फिगर केले जात नाही किंवा सर्व्हर बंद असल्यास.", "feedback_submitted_offline": "हे अभिप्राय नंतर सबमिट करण्यासाठी जतन केले गेले आहे.", - "mode": "पद्धती", + "mode": "पातळी", "overview": "आढावा", - "preview": "पुर्वावलोकन", + "preview": "आढावा", "questions": "प्रश्न", - "responses": "प्रतिक्रीया", + "responses": "प्रतीसाद", "started": "सुरू केल्याची वेळ" } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/ca.json b/www/addons/mod/folder/lang/ca.json index b2f87d440ac..2208f493a4b 100644 --- a/www/addons/mod/folder/lang/ca.json +++ b/www/addons/mod/folder/lang/ca.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "No hi ha fitxers per mostrar.", + "emptyfilelist": "No hi ha fitxers per mostrar", "errorwhilegettingfolder": "S'ha produït un error en recuperar les dades de la carpeta." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/cs.json b/www/addons/mod/folder/lang/cs.json index 66b256adf4c..04e2822f6a0 100644 --- a/www/addons/mod/folder/lang/cs.json +++ b/www/addons/mod/folder/lang/cs.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Žádný soubor k zobrazení.", + "emptyfilelist": "Žádný soubor k zobrazení", "errorwhilegettingfolder": "Chyba při načítání dat složky." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/da.json b/www/addons/mod/folder/lang/da.json index 2337bed4841..c53b3a994ed 100644 --- a/www/addons/mod/folder/lang/da.json +++ b/www/addons/mod/folder/lang/da.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Der er ingen filer at vise.", + "emptyfilelist": "Der er ingen filer at vise", "errorwhilegettingfolder": "Fejl ved hentning af mappedata." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/de-du.json b/www/addons/mod/folder/lang/de-du.json index 022d05baeea..00b4ea2a954 100644 --- a/www/addons/mod/folder/lang/de-du.json +++ b/www/addons/mod/folder/lang/de-du.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Keine Dateien", + "emptyfilelist": "Es liegen keine Dateien vor", "errorwhilegettingfolder": "Fehler beim Laden der Verzeichnisdaten" } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/de.json b/www/addons/mod/folder/lang/de.json index 022d05baeea..00b4ea2a954 100644 --- a/www/addons/mod/folder/lang/de.json +++ b/www/addons/mod/folder/lang/de.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Keine Dateien", + "emptyfilelist": "Es liegen keine Dateien vor", "errorwhilegettingfolder": "Fehler beim Laden der Verzeichnisdaten" } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/es-mx.json b/www/addons/mod/folder/lang/es-mx.json index 5b9563d5c0d..e2f470725df 100644 --- a/www/addons/mod/folder/lang/es-mx.json +++ b/www/addons/mod/folder/lang/es-mx.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "No hay archivos para mostrar.", + "emptyfilelist": "No hay archivos que mostrar", "errorwhilegettingfolder": "Error al obtener datos de carpeta." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/eu.json b/www/addons/mod/folder/lang/eu.json index 27a3ccc6636..07dae0aef65 100644 --- a/www/addons/mod/folder/lang/eu.json +++ b/www/addons/mod/folder/lang/eu.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Ez dago fitxategirik erakusteko.", + "emptyfilelist": "Ez dago erakusteko fitxategirik", "errorwhilegettingfolder": "Errorea karpetaren datuak eskuratzean." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/fi.json b/www/addons/mod/folder/lang/fi.json index b0be3e20482..a6933585df3 100644 --- a/www/addons/mod/folder/lang/fi.json +++ b/www/addons/mod/folder/lang/fi.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Ei näytettäviä tiedostoja.", + "emptyfilelist": "Ei näytettäviä tiedostoja", "errorwhilegettingfolder": "Virhe haettaessa kansion tietoja." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/fr.json b/www/addons/mod/folder/lang/fr.json index 86d36f87890..e16e5c1aeb4 100644 --- a/www/addons/mod/folder/lang/fr.json +++ b/www/addons/mod/folder/lang/fr.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Aucun fichier à afficher.", + "emptyfilelist": "Il n'y a pas de fichier à afficher", "errorwhilegettingfolder": "Erreur lors de l'obtention des données du dossier." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/he.json b/www/addons/mod/folder/lang/he.json index 55811600621..1c2ec27977b 100644 --- a/www/addons/mod/folder/lang/he.json +++ b/www/addons/mod/folder/lang/he.json @@ -1,3 +1,3 @@ { - "emptyfilelist": "אין קבצים להציג." + "emptyfilelist": "אין קבצים להציג" } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/hr.json b/www/addons/mod/folder/lang/hr.json index f4105d74aed..fed014c818c 100644 --- a/www/addons/mod/folder/lang/hr.json +++ b/www/addons/mod/folder/lang/hr.json @@ -1,3 +1,3 @@ { - "emptyfilelist": "Nema datoteka za prikaz." + "emptyfilelist": "Nema datoteka za prikaz" } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/it.json b/www/addons/mod/folder/lang/it.json index 93e13593395..b828249f904 100644 --- a/www/addons/mod/folder/lang/it.json +++ b/www/addons/mod/folder/lang/it.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Non ci sono file da visualizzare.", + "emptyfilelist": "Non ci sono file da visualizzare", "errorwhilegettingfolder": "Si è verificato un errore durante la ricezione dei dati della cartella." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/ja.json b/www/addons/mod/folder/lang/ja.json index 61980e500fc..8634d70f046 100644 --- a/www/addons/mod/folder/lang/ja.json +++ b/www/addons/mod/folder/lang/ja.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "表示するファイルがありません。", + "emptyfilelist": "表示するファイルはありません。", "errorwhilegettingfolder": "フォルダのデータを取得中にエラーが発生しました。" } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/ko.json b/www/addons/mod/folder/lang/ko.json new file mode 100644 index 00000000000..74cfe00538f --- /dev/null +++ b/www/addons/mod/folder/lang/ko.json @@ -0,0 +1,3 @@ +{ + "emptyfilelist": "보여줄 파일이 없습니다." +} \ No newline at end of file diff --git a/www/addons/mod/folder/lang/lt.json b/www/addons/mod/folder/lang/lt.json index e174a7c5a50..a80a862764e 100644 --- a/www/addons/mod/folder/lang/lt.json +++ b/www/addons/mod/folder/lang/lt.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Nėra ką rodyti.", + "emptyfilelist": "Nėra rodytinų failų", "errorwhilegettingfolder": "Klaida gaunant duomenis iš aplanko." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/nl.json b/www/addons/mod/folder/lang/nl.json index 92b48519e9d..7b544820480 100644 --- a/www/addons/mod/folder/lang/nl.json +++ b/www/addons/mod/folder/lang/nl.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Geen bestanden.", + "emptyfilelist": "Er zijn geen bestanden om te tonen", "errorwhilegettingfolder": "Fout bij het ophalen van de mapgegevens" } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/pt-br.json b/www/addons/mod/folder/lang/pt-br.json index 1588790327d..4e9c9589aa3 100644 --- a/www/addons/mod/folder/lang/pt-br.json +++ b/www/addons/mod/folder/lang/pt-br.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Não há arquivos para mostrar", + "emptyfilelist": "Não há arquivos para exibir", "errorwhilegettingfolder": "Erro ao obter dados da pasta." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/pt.json b/www/addons/mod/folder/lang/pt.json index d197c86f233..74865d321a4 100644 --- a/www/addons/mod/folder/lang/pt.json +++ b/www/addons/mod/folder/lang/pt.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Não há ficheiros para mostrar.", + "emptyfilelist": "Este repositório está vazio", "errorwhilegettingfolder": "Erro ao obter os dados da pasta." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/ro.json b/www/addons/mod/folder/lang/ro.json index a66c107ebcd..0277b91b35f 100644 --- a/www/addons/mod/folder/lang/ro.json +++ b/www/addons/mod/folder/lang/ro.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Nu sunt fișiere disponibile pentru vizualizare.", + "emptyfilelist": "Nu există fișiere", "errorwhilegettingfolder": "A apărut o eroare la obținerea dosarului cu datele cerute." } \ No newline at end of file diff --git a/www/addons/mod/forum/lang/cs.json b/www/addons/mod/forum/lang/cs.json index 747f351e91a..e4936763ab5 100644 --- a/www/addons/mod/forum/lang/cs.json +++ b/www/addons/mod/forum/lang/cs.json @@ -16,7 +16,7 @@ "errorgetforum": "Chyba při načítání dat fóra.", "errorgetgroups": "Chyba při načítání nastavení skupiny.", "forumnodiscussionsyet": "V tomto diskusním fóru nejsou žádná témata", - "group": "Skupina", + "group": "Skupinové", "message": "Zpráva", "modeflatnewestfirst": "Zobrazit odpovědi za sebou (nejnovější nahoře)", "modeflatoldestfirst": "Zobrazit odpovědi za sebou (nejstarší nahoře)", diff --git a/www/addons/mod/forum/lang/ko.json b/www/addons/mod/forum/lang/ko.json new file mode 100644 index 00000000000..d40cf0657a9 --- /dev/null +++ b/www/addons/mod/forum/lang/ko.json @@ -0,0 +1,24 @@ +{ + "addanewdiscussion": "새 토론 주제 추가", + "addanewquestion": "새 질문 추가", + "addanewtopic": "새로운 주제 추가", + "cannotadddiscussion": "포럼에 의견을 제시하려면 모둠의 구성원이어야 합니다.", + "cannotadddiscussionall": "공동의 토론 주제 추가 권한이 없습니다.", + "cannotcreatediscussion": "새 토론을 생성할 수 없음", + "couldnotadd": "알 수 없는 오류로 인해 게시할 수 없음", + "discussion": "제목", + "edit": "수정", + "erroremptymessage": "게시 메세지는 비어 있을 수 없습니다.", + "erroremptysubject": "제목이 없으면 안됩니다.", + "group": "모둠", + "message": "메세지", + "modeflatnewestfirst": "새 답글부터 내용 보기", + "modeflatoldestfirst": "옛 답글부터 내용 보기", + "modenested": "주제 중심으로 답글 보기", + "posttoforum": "포럼에 올리기", + "re": "회신:", + "reply": "답글", + "subject": "제목", + "unread": "읽지 않음", + "unreadpostsnumber": "{{$a}} 개의 읽지 않은 글" +} \ No newline at end of file diff --git a/www/addons/mod/forum/lang/mr.json b/www/addons/mod/forum/lang/mr.json index b132fded133..49da89040a1 100644 --- a/www/addons/mod/forum/lang/mr.json +++ b/www/addons/mod/forum/lang/mr.json @@ -1,10 +1,10 @@ { "discussion": "चर्चा", - "edit": "बदल", + "edit": "तपासा", "errorgetforum": "फोरम डेटा मिळवताना त्रुटी", "errorgetgroups": "गट सेटिंग्ज प्राप्त करताना त्रुटी.", "forumnodiscussionsyet": "या फोरममध्ये अद्याप चर्चा झालेले कोणतेही मुद्दे नाहीत", - "group": "गट", + "group": "ग्रुप्", "message": "संदेश", "numdiscussions": "{{Numdiscussions}} चर्चा", "numreplies": "{{Numreplies}} प्रत्युत्तरे", diff --git a/www/addons/mod/glossary/lang/ar.json b/www/addons/mod/glossary/lang/ar.json index b52d6059283..e92d720edeb 100644 --- a/www/addons/mod/glossary/lang/ar.json +++ b/www/addons/mod/glossary/lang/ar.json @@ -1,10 +1,10 @@ { - "attachment": "ملف مرفق", + "attachment": "مرفقات", "browsemode": "النمط العرضي", "byauthor": "التجميع طبقا للمؤلف", "bynewestfirst": "الأحدث أولا", "byrecentlyupdated": "تم تحديثه مؤخرا", "bysearch": "بحث", - "casesensitive": "مطابقة حالة الأحرف", - "categories": "التصنيفات" + "casesensitive": "استخدم التعابير المعتادة", + "categories": "تصنيفات المقررات الدراسية" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/bg.json b/www/addons/mod/glossary/lang/bg.json index d75a61e979b..884bf94339b 100644 --- a/www/addons/mod/glossary/lang/bg.json +++ b/www/addons/mod/glossary/lang/bg.json @@ -1,6 +1,6 @@ { - "attachment": "Прикрепване на значката към съобщението.", + "attachment": "Прикачен файл", "browsemode": "Режим на преглеждане", - "casesensitive": "Чувствителност главни/малки букви", - "categories": "Категории" + "casesensitive": "Използване на регулярни изрази", + "categories": "Категории курсове" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/ca.json b/www/addons/mod/glossary/lang/ca.json index f5a0cfc5ded..c9d1567bd0f 100644 --- a/www/addons/mod/glossary/lang/ca.json +++ b/www/addons/mod/glossary/lang/ca.json @@ -1,6 +1,6 @@ { - "attachment": "Adjunta la insígnia al missatge", - "browsemode": "Navegueu per les entrades", + "attachment": "Adjunt", + "browsemode": "Mode exploració", "byalphabet": "Alfabèticament", "byauthor": "Agrupat per autor", "bycategory": "Agrupa per categoria", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Actualitzat recentment", "bysearch": "Cerca", "cannoteditentry": "No es pot editar l'entrada", - "casesensitive": "Distingeix majúscules", - "categories": "Categories", + "casesensitive": "Utilitzeu expressions regulars", + "categories": "Categories de cursos", "entriestobesynced": "Entrades per sincronitzar", "entrypendingapproval": "Aquesta entrada està pendent d'aprovació.", "errorloadingentries": "S'ha produït un error en carregar les entrades.", diff --git a/www/addons/mod/glossary/lang/cs.json b/www/addons/mod/glossary/lang/cs.json index fc6fae7025a..9e5e587ccb7 100644 --- a/www/addons/mod/glossary/lang/cs.json +++ b/www/addons/mod/glossary/lang/cs.json @@ -1,6 +1,6 @@ { - "attachment": "Příloha", - "browsemode": "Prohlížení příspěvků", + "attachment": "Připojit odznak do zprávy", + "browsemode": "Režim náhledu", "byalphabet": "Abecedně", "byauthor": "Skupina podle autora", "bycategory": "Skupina podle kategorie", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Posledně aktualizované", "bysearch": "Hledat", "cannoteditentry": "Záznam nelze upravit", - "casesensitive": "Rozlišovat malá/VELKÁ", - "categories": "Kategorie", + "casesensitive": "Používat regulární výrazy", + "categories": "Kategorie kurzů", "entriestobesynced": "Příspěvky, které mají být synchronizovány", "entrypendingapproval": "Tato položka čeká na schválení", "errorloadingentries": "Při načítání položek došlo k chybě.", diff --git a/www/addons/mod/glossary/lang/da.json b/www/addons/mod/glossary/lang/da.json index 70199518368..fc1bee6b778 100644 --- a/www/addons/mod/glossary/lang/da.json +++ b/www/addons/mod/glossary/lang/da.json @@ -1,6 +1,6 @@ { - "attachment": "Bilag", - "browsemode": "Skim indlæg", + "attachment": "Tilføj badge til besked", + "browsemode": "Forhåndsvisning", "byalphabet": "Alfabetisk", "byauthor": "Grupper efter forfatter", "bycategory": "Gruppér efter kategori", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Senest opdateret", "bysearch": "Søg", "cannoteditentry": "Kan ikke redigere opslaget", - "casesensitive": "Store og små bogstaver", - "categories": "Kategorier", + "casesensitive": "Brug regulære udtryk", + "categories": "Kursuskategorier", "entriestobesynced": "Opslag der skal synkroniseres", "entrypendingapproval": "Dette opslag afventer godkendelse", "errorloadingentries": "Der opstod en fejl under indlæsning af opslag", diff --git a/www/addons/mod/glossary/lang/de-du.json b/www/addons/mod/glossary/lang/de-du.json index b009e561922..f2ec366d585 100644 --- a/www/addons/mod/glossary/lang/de-du.json +++ b/www/addons/mod/glossary/lang/de-du.json @@ -1,6 +1,6 @@ { - "attachment": "Auszeichnung an Mitteilung anhängen", - "browsemode": "Einträge durchblättern", + "attachment": "Anhang", + "browsemode": "Vorschaumodus", "byalphabet": "Alphabetisch", "byauthor": "Nach Autor/in", "bycategory": "Nach Kategorie", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Kürzlich aktualisiert", "bysearch": "Suchen", "cannoteditentry": "Eintrag nicht bearbeitbar", - "casesensitive": "Groß-/Kleinschreibung", - "categories": "Kategorien", + "casesensitive": "Reguläre Ausdrücke verwenden", + "categories": "Kursbereiche", "entriestobesynced": "Einträge zum Synchronisieren", "entrypendingapproval": "Dieser Eintrag wartet auf eine Freigabe.", "errorloadingentries": "Fehler beim Laden von Einträgen", diff --git a/www/addons/mod/glossary/lang/de.json b/www/addons/mod/glossary/lang/de.json index f0050650a01..2f4457f75da 100644 --- a/www/addons/mod/glossary/lang/de.json +++ b/www/addons/mod/glossary/lang/de.json @@ -1,6 +1,6 @@ { - "attachment": "Anhang", - "browsemode": "Einträge durchblättern", + "attachment": "Auszeichnung an Mitteilung anhängen", + "browsemode": "Vorschaumodus", "byalphabet": "Alphabetisch", "byauthor": "Nach Autor/in", "bycategory": "Nach Kategorie", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Kürzlich aktualisiert", "bysearch": "Suchen", "cannoteditentry": "Eintrag nicht bearbeitbar", - "casesensitive": "Groß-/Kleinschreibung", - "categories": "Kategorien", + "casesensitive": "Reguläre Ausdrücke verwenden", + "categories": "Kursbereiche", "entriestobesynced": "Einträge zum Synchronisieren", "entrypendingapproval": "Dieser Eintrag wartet auf eine Freigabe.", "errorloadingentries": "Fehler beim Laden von Einträgen", diff --git a/www/addons/mod/glossary/lang/el.json b/www/addons/mod/glossary/lang/el.json index 016800c3b27..b4970c99016 100644 --- a/www/addons/mod/glossary/lang/el.json +++ b/www/addons/mod/glossary/lang/el.json @@ -1,6 +1,6 @@ { - "attachment": "Προσθήκη βραβείου στο μήνυμα", - "browsemode": "Περιήγηση στις καταχωρήσεις", + "attachment": "Συνημμένα", + "browsemode": "Φάση Προεπισκόπισης", "byalphabet": "Αλφαβητικά", "byauthor": "Ομαδοποίηση ανά συγγραφέα", "bycategory": "Ομαδοποίηση ανά κατηγορία", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Ανανεώθηκαν πρόσφατα", "bysearch": "Αναζήτηση", "cannoteditentry": "Δεν είναι δυνατή η επεξεργασία της καταχώρισης", - "casesensitive": "Διάκριση μικρών/κεφαλαίων", - "categories": "Κατηγορίες", + "casesensitive": "Χρήση κανονικών εκφράσεων", + "categories": "Κατηγορίες μαθημάτων", "entriestobesynced": "Entries που πρέπει να συγχρονιστούν", "entrypendingapproval": "Εκκρεμεί η έγκριση για αυτή την καταχώρηση.", "errorloadingentries": "Παρουσιάστηκε σφάλμα κατά τη φόρτωση των καταχωρήσεων.", diff --git a/www/addons/mod/glossary/lang/es-mx.json b/www/addons/mod/glossary/lang/es-mx.json index 8cb29128da9..e661f36d342 100644 --- a/www/addons/mod/glossary/lang/es-mx.json +++ b/www/addons/mod/glossary/lang/es-mx.json @@ -1,6 +1,6 @@ { - "attachment": "Anexar insignia al mensaje", - "browsemode": "Ver entradas", + "attachment": "Adjunto", + "browsemode": "Modo de presentación preliminar", "byalphabet": "Alfabéticamente", "byauthor": "Agrupar por autor", "bycategory": "Agrupar por categoría", @@ -8,7 +8,7 @@ "byrecentlyupdated": "Recientemente actualizado", "bysearch": "Buscar", "cannoteditentry": "No puede editarse entrada", - "casesensitive": "Diferencia entre MAYÚSCULAS y minúsculas", + "casesensitive": "Usar expresiones regulares", "categories": "Categorías", "entriestobesynced": "Entradas para ser sincronizadas", "entrypendingapproval": "Esta entrada está pendiente de aprobación.", diff --git a/www/addons/mod/glossary/lang/es.json b/www/addons/mod/glossary/lang/es.json index ba144c727bc..ed5f8c7d0de 100644 --- a/www/addons/mod/glossary/lang/es.json +++ b/www/addons/mod/glossary/lang/es.json @@ -1,6 +1,6 @@ { - "attachment": "Adjuntar insignia al mensaje", - "browsemode": "Navegar por las entradas", + "attachment": "Adjunto", + "browsemode": "Modo de presentación preliminar", "byalphabet": "Alfabéticamente", "byauthor": "Agrupado por autor", "bycategory": "Agrupar por categoría", @@ -8,7 +8,7 @@ "byrecentlyupdated": "Actualizado recientemente", "bysearch": "Busca", "cannoteditentry": "No se puede editar la entrada", - "casesensitive": "Diferencia entre mayúsculas y minúsculas", + "casesensitive": "Usar expresiones regulares", "categories": "Categorías", "entriestobesynced": "Entradas pendientes de ser sincronizadas", "entrypendingapproval": "Esta entrada está pendiente de aprobación.", diff --git a/www/addons/mod/glossary/lang/eu.json b/www/addons/mod/glossary/lang/eu.json index c66275feb26..ac9af1cd148 100644 --- a/www/addons/mod/glossary/lang/eu.json +++ b/www/addons/mod/glossary/lang/eu.json @@ -1,6 +1,6 @@ { - "attachment": "Eranskina", - "browsemode": "Aztertu sarrerak", + "attachment": "Erantsi domina mezuari", + "browsemode": "Aurrebista-modua", "byalphabet": "Alfabetikoki", "byauthor": "Taldekatu egilearen arabera", "bycategory": "Taldekatu kategoriaren arabera", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Duela gutxi eguneratuak", "bysearch": "Bilatu", "cannoteditentry": "Ezin da sarrera editatu", - "casesensitive": "Letra larriak eta xeheak bereiziz", - "categories": "Kategoriak", + "casesensitive": "Erabil adierazpen erregularrak", + "categories": "Ikastaro-kategoriak", "entriestobesynced": "Sinkronizatu beharreko sarrerak", "entrypendingapproval": "Sarrera hau onarpenaren zain dago.", "errorloadingentries": "Errore bat gertatu da sarrerak kargatzean.", diff --git a/www/addons/mod/glossary/lang/fa.json b/www/addons/mod/glossary/lang/fa.json index 8b6788b82aa..637de884db4 100644 --- a/www/addons/mod/glossary/lang/fa.json +++ b/www/addons/mod/glossary/lang/fa.json @@ -1,6 +1,6 @@ { - "attachment": "ضمیمه کردن مدال به پیام", + "attachment": "فایل پیوست", "browsemode": "حالت پیش‌نمایش", - "casesensitive": "حساس بودن به بزرگ و کوچکی حروف", - "categories": "دسته‌ها" + "casesensitive": "استفاده از عبارت‌های منظم", + "categories": "طبقه‌های درسی" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/fi.json b/www/addons/mod/glossary/lang/fi.json index c886639685b..1da7bc23e3c 100644 --- a/www/addons/mod/glossary/lang/fi.json +++ b/www/addons/mod/glossary/lang/fi.json @@ -1,6 +1,6 @@ { - "attachment": "Liite", - "browsemode": "Selaa merkintöjä", + "attachment": "Liitä viestiin osaamismerkki", + "browsemode": "Esikatselunäkymä", "byalphabet": "Aakkosjärjestyksessä", "byauthor": "Ryhmittele kirjoittajan mukaisesti", "bycategory": "Ryhmittele kategorian mukaan", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Äskettäin päivitetty", "bysearch": "Hae", "cannoteditentry": "Merkintää ei voi muokata", - "casesensitive": "Käytä säännöllisiä lausekkeita", - "categories": "Kurssikategoriat", + "casesensitive": "Kirjainkoon merkitys", + "categories": "Kategoriat", "entriestobesynced": "Synkronoitavat merkinnät", "entrypendingapproval": "Tämä merkintä odottaa hyväksyntää.", "errorloadingentries": "Merkintöjä ladattaessa tapahtui virhe.", diff --git a/www/addons/mod/glossary/lang/fr.json b/www/addons/mod/glossary/lang/fr.json index f72096c8b1b..4d12ffcee4d 100644 --- a/www/addons/mod/glossary/lang/fr.json +++ b/www/addons/mod/glossary/lang/fr.json @@ -1,6 +1,6 @@ { - "attachment": "Annexe", - "browsemode": "Parcourir les articles", + "attachment": "Joindre le badge à un courriel", + "browsemode": "Mode prévisualisation", "byalphabet": "Alphabétiquement", "byauthor": "Grouper par auteur", "bycategory": "Grouper par catégorie", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Modifiés récemment", "bysearch": "Rechercher", "cannoteditentry": "Impossible de modifier l'article", - "casesensitive": "Casse des caractères", - "categories": "Catégories", + "casesensitive": "Utiliser les expressions régulières", + "categories": "Catégories de cours", "entriestobesynced": "Articles à synchroniser", "entrypendingapproval": "Cet article est en attente d'approbation", "errorloadingentries": "Une erreur est survenue lors du chargement des articles.", diff --git a/www/addons/mod/glossary/lang/he.json b/www/addons/mod/glossary/lang/he.json index e4d971b4c35..abad848638c 100644 --- a/www/addons/mod/glossary/lang/he.json +++ b/www/addons/mod/glossary/lang/he.json @@ -1,6 +1,6 @@ { - "attachment": "קובץ מצורף", + "attachment": "צירוף ההישג להודעה", "browsemode": "מצב תצוגה מקדימה", - "casesensitive": "תלוי אותיות רישיות", - "categories": "קטגוריות חישוב ציונים" + "casesensitive": "השתמש בביטויים רגולריים", + "categories": "קטגוריות קורסים" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/hr.json b/www/addons/mod/glossary/lang/hr.json index 9b8c6b694c1..6edc2f08835 100644 --- a/www/addons/mod/glossary/lang/hr.json +++ b/www/addons/mod/glossary/lang/hr.json @@ -1,5 +1,5 @@ { - "attachment": "Dodaj značku u poruku", + "attachment": "Privitak", "browsemode": "Način pregleda", "byalphabet": "Abecedno", "byauthor": "Grupirano po autoru", @@ -7,6 +7,6 @@ "bynewestfirst": "Prvo najnoviji", "byrecentlyupdated": "Nedavno osvježeno", "bysearch": "Pretraživanje", - "casesensitive": "Postoji li razlika između malih i VELIKIH slova", - "categories": "Kategorije" + "casesensitive": "Koristi regularne izraze", + "categories": "Popis e-kolegija" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/hu.json b/www/addons/mod/glossary/lang/hu.json index c74a20c85ed..acb16b009bd 100644 --- a/www/addons/mod/glossary/lang/hu.json +++ b/www/addons/mod/glossary/lang/hu.json @@ -1,6 +1,6 @@ { - "attachment": "Kitűző hozzákapcsolása az üzenethez", + "attachment": "Csatolt állomány:", "browsemode": "Előzetes megtekintés üzemmódja", - "casesensitive": "Kis-/nagybetű különböző", - "categories": "Kategóriák" + "casesensitive": "Reguláris kifejezések használata", + "categories": "Kurzuskategóriák" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/it.json b/www/addons/mod/glossary/lang/it.json index aa1cfe7fe09..581b16835e1 100644 --- a/www/addons/mod/glossary/lang/it.json +++ b/www/addons/mod/glossary/lang/it.json @@ -1,10 +1,10 @@ { - "attachment": "Allegato", + "attachment": "Allega badge al messaggio", "browsemode": "Modalità anteprima", "byrecentlyupdated": "Aggiornati di recente", "bysearch": "Cerca", - "casesensitive": "Rilevanza maiuscolo/minuscolo", - "categories": "Categorie", + "casesensitive": "Utilizza regular expression", + "categories": "Categorie di corso", "entrypendingapproval": "Questa voce è in attesa di approvazione.", "errorloadingentries": "Si è verificato un errore durante il caricamento delle voci.", "errorloadingentry": "Si è verificato un errore durante il caricamento della voce.", diff --git a/www/addons/mod/glossary/lang/ja.json b/www/addons/mod/glossary/lang/ja.json index b68170abdd2..3d74c03237d 100644 --- a/www/addons/mod/glossary/lang/ja.json +++ b/www/addons/mod/glossary/lang/ja.json @@ -1,6 +1,6 @@ { - "attachment": "メッセージにバッジを添付する", - "browsemode": "エントリをブラウズ", + "attachment": "添付", + "browsemode": "プレビューモード", "byalphabet": "アルファベット順", "byauthor": "著者でグループ", "bycategory": "カテゴリでグループ", @@ -8,8 +8,8 @@ "byrecentlyupdated": "最近の更新", "bysearch": "検索", "cannoteditentry": "エントリの編集ができませんでした", - "casesensitive": "大文字小文字の区別", - "categories": "カテゴリ", + "casesensitive": "正規表現を使用する", + "categories": "コースカテゴリ", "entriestobesynced": "エントリの同期ができませんでした", "entrypendingapproval": "このエントリは承認待ちです。", "errorloadingentries": "エントリ読み込み中にエラーが発生しました。", diff --git a/www/addons/mod/glossary/lang/ko.json b/www/addons/mod/glossary/lang/ko.json new file mode 100644 index 00000000000..ddffc2e5dc5 --- /dev/null +++ b/www/addons/mod/glossary/lang/ko.json @@ -0,0 +1,6 @@ +{ + "attachment": "첨부", + "browsemode": "미리보기 모드", + "casesensitive": "정규 표현 사용", + "categories": "강좌 범주" +} \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/lt.json b/www/addons/mod/glossary/lang/lt.json index 016538035b9..bdc656dd518 100644 --- a/www/addons/mod/glossary/lang/lt.json +++ b/www/addons/mod/glossary/lang/lt.json @@ -1,13 +1,13 @@ { - "attachment": "Priedas", - "browsemode": "Peržiūrėti įrašus", + "attachment": "Prikabinti pasiekimą prie pranešimo", + "browsemode": "Peržiūros režimas", "byalphabet": "Abėcėlės tvarka", "byauthor": "Pagal autorių", "bynewestfirst": "Naujausi", "byrecentlyupdated": "Neseniai atnaujinti", "bysearch": "Paieška", - "casesensitive": "Didžiųjų ir mažųjų raidžių skyrimas", - "categories": "Kategorijos", + "casesensitive": "Naudoti reguliariąsias išraiškas", + "categories": "Kursų kategorijos", "entrypendingapproval": "Patvirtinti įrašą.", "errorloadingentries": "Klaida keliant įrašus.", "errorloadingentry": "Klaida įkeliant įrašą.", diff --git a/www/addons/mod/glossary/lang/mr.json b/www/addons/mod/glossary/lang/mr.json index 7ae2e09b6f4..c9eb093df04 100644 --- a/www/addons/mod/glossary/lang/mr.json +++ b/www/addons/mod/glossary/lang/mr.json @@ -1,5 +1,5 @@ { - "browsemode": "नोंदी ब्राउझ करा", + "browsemode": "आयोग पद्धती", "byalphabet": "वर्णानुक्रमाने", "byauthor": "लेखकानुसार गट", "bycategory": "श्रेणीनुसार गट", @@ -8,7 +8,7 @@ "bysearch": "शोधा", "cannoteditentry": "प्रविष्टी संपादित करू शकत नाही", "casesensitive": "नियमीत शब्दांचा वापर करा.", - "categories": "कोर्सचे गट", + "categories": "गट", "entriestobesynced": "सिंक केलेल्या प्रविष्ट्या", "entrypendingapproval": "ही प्रविष्टी मंजूरीसाठी प्रलंबित आहे.", "errorloadingentries": "नोंदी लोड करताना त्रुटी आली", diff --git a/www/addons/mod/glossary/lang/nl.json b/www/addons/mod/glossary/lang/nl.json index 5a53d5a1d7a..53c36a376e0 100644 --- a/www/addons/mod/glossary/lang/nl.json +++ b/www/addons/mod/glossary/lang/nl.json @@ -1,6 +1,6 @@ { - "attachment": "Bijlage", - "browsemode": "Blader door items", + "attachment": "Badge als bijlage bij bericht", + "browsemode": "Probeermodus", "byalphabet": "Alfabetisch", "byauthor": "Groepeer per auteur", "bycategory": "Groepeer per categorie", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Onlangs gewijzigd", "bysearch": "Zoek", "cannoteditentry": "Kan item niet bewerken", - "casesensitive": "Gevoeligheid voor hoofd/kleine letters", - "categories": "Categorieën", + "casesensitive": "Regular expressions gebruiken", + "categories": "Cursuscategorieën", "entriestobesynced": "Items niet gesynchroniseerd", "entrypendingapproval": "Dit item wacht op goedkeuring.", "errorloadingentries": "Fout bij het laden van de items.", diff --git a/www/addons/mod/glossary/lang/no.json b/www/addons/mod/glossary/lang/no.json index e039fc4693d..73f96f21519 100644 --- a/www/addons/mod/glossary/lang/no.json +++ b/www/addons/mod/glossary/lang/no.json @@ -1,5 +1,5 @@ { - "attachment": "Legg til utmerkelsen i meldingen", + "attachment": "Vedlegg", "browsemode": "Forhåndsvisningsmodus", "byalphabet": "Alfabetisk", "byauthor": "Gruppér etter forfatter", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Nylig oppdatert", "bysearch": "Søk", "cannoteditentry": "Kan ikke redigere oppføring", - "casesensitive": "Store/små bokstaver må stemme", - "categories": "Kategorier", + "casesensitive": "Skiller mellom store/små bokstaver", + "categories": "Kurskategorier", "entriestobesynced": "Oppføringer som skal synkroniseres", "entrypendingapproval": "Denne oppføringen venter på godkjenning", "errorloadingentries": "Feil ved lasting av oppføringer.", diff --git a/www/addons/mod/glossary/lang/pl.json b/www/addons/mod/glossary/lang/pl.json index dc3225deb6a..7effb708160 100644 --- a/www/addons/mod/glossary/lang/pl.json +++ b/www/addons/mod/glossary/lang/pl.json @@ -1,6 +1,6 @@ { - "attachment": "Załącznik", + "attachment": "Dołącz odznakę do wiadomości", "browsemode": "Tryb przeglądania", - "casesensitive": "Uwzględnianie wielkości liter", - "categories": "Kategorie" + "casesensitive": "Użyj wyrażeń regularnych", + "categories": "Kategorie kursów" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/pt-br.json b/www/addons/mod/glossary/lang/pt-br.json index 57059a9b327..32741499a8c 100644 --- a/www/addons/mod/glossary/lang/pt-br.json +++ b/www/addons/mod/glossary/lang/pt-br.json @@ -1,6 +1,6 @@ { - "attachment": "Anexo", - "browsemode": "Navegar nas entradas", + "attachment": "Anexar emblema à mensagem", + "browsemode": "Prévia", "byalphabet": "Alfabeticamente", "byauthor": "Agrupar por autor", "bycategory": "Agrupar por categoria", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Recentemente atualizados", "bysearch": "Pesquisa", "cannoteditentry": "Não é possível editar o item", - "casesensitive": "Considerar diferenças entre maiúsculas e minúsculas", - "categories": "Categorias", + "casesensitive": "Usar expressões regulares", + "categories": "Categorias de Cursos", "entriestobesynced": "Itens a serem sincronizados", "entrypendingapproval": "A entrada está pendente de aprovação.", "errorloadingentries": "Ocorreu um erro enquanto carregava entradas.", diff --git a/www/addons/mod/glossary/lang/pt.json b/www/addons/mod/glossary/lang/pt.json index c66eb5a045e..3aa08aa38fe 100644 --- a/www/addons/mod/glossary/lang/pt.json +++ b/www/addons/mod/glossary/lang/pt.json @@ -1,6 +1,6 @@ { - "attachment": "Anexar Medalha à mensagem", - "browsemode": "Ver entradas", + "attachment": "Anexo", + "browsemode": "Modo de pré-visualização", "byalphabet": "Alfabeticamente", "byauthor": "Agrupar por autor", "bycategory": "Agrupar por categoria", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Recentemente atualizados", "bysearch": "Pesquisar", "cannoteditentry": "Não é possível editar a entrada", - "casesensitive": "Respeitar maiúsculas/minúsculas", - "categories": "Categorias", + "casesensitive": "Usar regular expressions", + "categories": "Categorias de disciplinas", "entriestobesynced": "Entradas a ser sincronizadas", "entrypendingapproval": "Este termo aguarda aprovação.", "errorloadingentries": "Ocorreu um erro ao carregar os termos.", diff --git a/www/addons/mod/glossary/lang/ro.json b/www/addons/mod/glossary/lang/ro.json index f5b01e9fee4..f5e76676789 100644 --- a/www/addons/mod/glossary/lang/ro.json +++ b/www/addons/mod/glossary/lang/ro.json @@ -1,13 +1,13 @@ { - "attachment": "Adaugă o etichetă mesajului", - "browsemode": "Căutați în datele introduse", + "attachment": "Atașament", + "browsemode": "Mod Căutare", "byalphabet": "Alfabetic", "byauthor": "Grupare după autor", "bynewestfirst": "Cele mai noi sunt dispuse primele", "byrecentlyupdated": "Actualizări recente", "bysearch": "Căutare", - "casesensitive": "Senzitivitate caractere", - "categories": "Categorii", + "casesensitive": "Foloseşte Regular Expressions", + "categories": "Categorii de cursuri", "entrypendingapproval": "Această", "errorloadingentries": "A apărut o eroare la încărcarea intrărilor.", "errorloadingentry": "A apărut o eroare la încărcarea intrărilor.", diff --git a/www/addons/mod/glossary/lang/ru.json b/www/addons/mod/glossary/lang/ru.json index f66fec3c8fd..40a4b68d0cc 100644 --- a/www/addons/mod/glossary/lang/ru.json +++ b/www/addons/mod/glossary/lang/ru.json @@ -1,6 +1,6 @@ { - "attachment": "Прикрепить значок к сообщению", - "browsemode": "Смотреть записи", + "attachment": "Вложение:", + "browsemode": "Режим предпросмотра", "byalphabet": "Алфавитно", "byauthor": "Группировать по автору", "bycategory": "Группировать по категориям", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Недавно обновлённые", "bysearch": "Поиск", "cannoteditentry": "Невозможно редактировать запись", - "casesensitive": "Чувствительность ответа к регистру", - "categories": "Категории", + "casesensitive": "Использовать регулярные выражения", + "categories": "Категории курсов", "entriestobesynced": "Записи на синзронизацию", "entrypendingapproval": "Эта запись ожидает подтверждения.", "errorloadingentries": "При загрузке записей произошла ошибка.", diff --git a/www/addons/mod/glossary/lang/sv.json b/www/addons/mod/glossary/lang/sv.json index 7fb8c3d2643..0c0a203775f 100644 --- a/www/addons/mod/glossary/lang/sv.json +++ b/www/addons/mod/glossary/lang/sv.json @@ -1,13 +1,13 @@ { - "attachment": "Bilaga", - "browsemode": "Bläddrar bland poster", + "attachment": "Bifoga märke med meddelande", + "browsemode": "Läge för förhandsgranskning", "byalphabet": "Alfabetiskt", "byauthor": "Sortera efter författare", "bynewestfirst": "Nyaste först", "byrecentlyupdated": "Nyligen uppdaterade", "bysearch": "Sök", - "casesensitive": "Stor eller liten bokstav gör skillnad", - "categories": "Kategorier", + "casesensitive": "Använd standarduttryck", + "categories": "Kurskategorier", "entrypendingapproval": "Detta inlägg väntar på godkännande", "errorloadingentries": "Ett fel uppstod vid inläsning av inläggen", "errorloadingentry": "Ett fel uppstod vid inläsning av inlägget", diff --git a/www/addons/mod/glossary/lang/tr.json b/www/addons/mod/glossary/lang/tr.json index 6acccdba883..ed836454608 100644 --- a/www/addons/mod/glossary/lang/tr.json +++ b/www/addons/mod/glossary/lang/tr.json @@ -1,6 +1,6 @@ { - "attachment": "Dosya", + "attachment": "Rozete mesaj ekle", "browsemode": "Önizleme Modu", - "casesensitive": "Harf duyarlılığı", - "categories": "Kategoriler" + "casesensitive": "Düzenli İfadeleri Kullan", + "categories": "Ders Kategorileri" } \ No newline at end of file diff --git a/www/addons/mod/glossary/lang/uk.json b/www/addons/mod/glossary/lang/uk.json index fecbe90319d..d40f5a0e548 100644 --- a/www/addons/mod/glossary/lang/uk.json +++ b/www/addons/mod/glossary/lang/uk.json @@ -1,6 +1,6 @@ { - "attachment": "Прикріпити відзнаку до повідомлення", - "browsemode": "Перегляд записів", + "attachment": "Долучення", + "browsemode": "Режим перегляду", "byalphabet": "По алфавіту", "byauthor": "Групувати за автором", "bycategory": "Групувати за категорією", @@ -8,8 +8,8 @@ "byrecentlyupdated": "Нещодавно оновлені", "bysearch": "Пошук", "cannoteditentry": "Неможливо редагувати запис", - "casesensitive": "Чутливість відповіді до регістра", - "categories": "Категорії", + "casesensitive": "Використовувати регулярні вирази", + "categories": "Категорії курсів", "entriestobesynced": "Записи будуть синхронізовані", "entrypendingapproval": "Цей запис очікує схвалення.", "errorloadingentries": "Сталася помилка під час завантаження записів.", diff --git a/www/addons/mod/label/lang/fi.json b/www/addons/mod/label/lang/fi.json index 2e86e901328..1c440f1a0de 100644 --- a/www/addons/mod/label/lang/fi.json +++ b/www/addons/mod/label/lang/fi.json @@ -1,3 +1,3 @@ { - "label": "Nimi" + "label": "Ohjeteksti" } \ No newline at end of file diff --git a/www/addons/mod/label/lang/he.json b/www/addons/mod/label/lang/he.json index 7f0814d0381..232aff3b2bf 100644 --- a/www/addons/mod/label/lang/he.json +++ b/www/addons/mod/label/lang/he.json @@ -1,3 +1,3 @@ { - "label": "תווית" + "label": "תווית לשאלה מותנית (באנגלית)" } \ No newline at end of file diff --git a/www/addons/mod/label/lang/ko.json b/www/addons/mod/label/lang/ko.json new file mode 100644 index 00000000000..3393a3acb8d --- /dev/null +++ b/www/addons/mod/label/lang/ko.json @@ -0,0 +1,3 @@ +{ + "label": "표지" +} \ No newline at end of file diff --git a/www/addons/mod/label/lang/lt.json b/www/addons/mod/label/lang/lt.json index f9a1ca059d8..8aba433e8cd 100644 --- a/www/addons/mod/label/lang/lt.json +++ b/www/addons/mod/label/lang/lt.json @@ -1,3 +1,3 @@ { - "label": "Etiketė" + "label": "Žyma" } \ No newline at end of file diff --git a/www/addons/mod/label/lang/uk.json b/www/addons/mod/label/lang/uk.json index f1dd990cbfb..dc1348438f8 100644 --- a/www/addons/mod/label/lang/uk.json +++ b/www/addons/mod/label/lang/uk.json @@ -1,3 +1,3 @@ { - "label": "Лейба" + "label": "Напис" } \ No newline at end of file diff --git a/www/addons/mod/lesson/lang/ar.json b/www/addons/mod/lesson/lang/ar.json index 4f326bb530d..81cf9703356 100644 --- a/www/addons/mod/lesson/lang/ar.json +++ b/www/addons/mod/lesson/lang/ar.json @@ -37,7 +37,7 @@ "review": "مراجعة", "reviewlesson": "مراجعة الدرس", "reviewquestionback": "نعم، أرغب في المحاولة ثانياً", - "submit": "سلم/قدم", + "submit": "سلم", "thatsthecorrectanswer": "هذه إجابة صحيحة", "thatsthewronganswer": "هذه إجابة خاطئة", "timeremaining": "الزمن المتبقى", diff --git a/www/addons/mod/lesson/lang/ko.json b/www/addons/mod/lesson/lang/ko.json new file mode 100644 index 00000000000..76991ec579a --- /dev/null +++ b/www/addons/mod/lesson/lang/ko.json @@ -0,0 +1,76 @@ +{ + "answer": "답안", + "attempt": "{{$a}} 번째 시도", + "attemptsremaining": "{{$a}} 번의 시도 남음", + "averagescore": "평균 점수", + "averagetime": "평균 시간", + "branchtable": "콘텐츠", + "cannotfindattempt": "오류: 시도를 찾을 수 없음", + "cannotfinduser": "오류: 사용자를 찾을 수 없음", + "clusterjump": "질문묶음에서 보지 않은 질문", + "completed": "이수", + "congratulations": "학습의 끝입니다 - 축하합니다", + "continue": "계속", + "continuetonextpage": "다음 페이지로 가기", + "defaultessayresponse": "선생님이 당신의 에세이를 평가할 것입니다.", + "detailedstats": "자세한 통계", + "didnotanswerquestion": "이 질문에 답하지 않았음", + "displayofgrade": "성적 표시 (학생만)", + "displayscorewithessays": "자동으로 채점되는 질문에 대해 {{$a.tempmaxgrade}} 점 중 {{$a.score}} 점을 얻었습니다.
      당신의{{$a.essayquestions}} 에세이 질문(들)은 추후에 채점될 것이며 최종 점수에 추가될 것입니다.
      에세이 질문(들)을 제외한 점수는 현재 {{$a.grade}} 점 중에서 {{$a.score}} 점을 받았습니다.", + "displayscorewithoutessays": "당신의 점수는 {{$a.score}} 점 입니다.({{$a.grade}} 점 만점)", + "emptypassword": "암호는 공백일 수 없습니다.", + "enterpassword": "비밀번호를 입력하세요 :", + "eolstudentoutoftimenoanswers": "당신은 답변을 전혀 하지 않았습니다.\n이번 학습에서 0점을 얻게 되었습니다.", + "finish": "종료", + "firstwrong": "답이 틀렸기 때문에 점수를 얻을 수 없습니다. 그냥 재미로 계속 해보겠습니까?(맞아도 점수 추가는 없습니다.)", + "gotoendoflesson": "완전학습의 끝으로 가기", + "grade": "성적", + "highscore": "고득점", + "hightime": "최장 시간", + "leftduringtimed": "당신은 규정된 학습시간에 자리를 비웠습니다.
      \n학습을 다시 시작하려면 계속 버튼을 눌러주세요.", + "leftduringtimednoretake": "당신은 규정된 학습시간에 자리를 비웠기 때문에
      재학습을 하거나 계속할 수 없습니다.", + "lessonmenu": "완전 학습 메뉴", + "lessonstats": "완전학습 통계", + "linkedmedia": "연결된 매체", + "loginfail": "로그인에 실패했습니다, 다시 시도하세요.", + "lowscore": "낮은 점수", + "lowtime": "최단 시간", + "maximumnumberofattemptsreached": "최대 허용 시도횟수에 도달하였습니다. 다음 페이지로 갑니다.", + "modattemptsnoteacher": "검토과정은 학생에게만 해당됨", + "noanswer": "답을 하지 않았습니다. 되돌아 가서 답을 입력하세요.", + "nolessonattempts": "이 학습에 대해 아무런 시도도 없었음.", + "notcompleted": "완료하지 않았음", + "numberofcorrectanswers": "정답 수: {{$a}}", + "numberofpagesviewed": "응답한 질문의 수: {{$a}}", + "numberofpagesviewednotice": "응답한 질문수 : {{$a.nquestions}} (최소한 {{$a.minquestions}} 개 답해야 합니다.)", + "ongoingcustom": "당신은 {{$a.currenthigh}} (최고)점 중 {{$a.score}} 점입니다.", + "ongoingnormal": "당신은 {{$a.viewed}} 개의 질문 중 {{$a.correct}} 질문에 정확한 답을 했습니다.", + "or": "또는", + "overview": "개요", + "preview": "미리보기", + "progressbarteacherwarning2": "본 학습을 편집할 수 있으므로 진척상황막대는 볼 수 없음", + "progresscompleted": "완전 학습의 {{$a}}를 완료하였습니다.", + "question": "질문", + "rawgrade": "원 성적", + "reports": "보고서", + "response": "반응", + "review": "검토", + "reviewlesson": "학습 검토하기", + "reviewquestionback": "예, 다시하겠습니다.", + "reviewquestioncontinue": "아니오, 다음 질문으로 넘어가겠습니다.", + "secondpluswrong": "정확하지 않습니다. 다시 하시겠습니까?", + "submit": "제출", + "teacherjumpwarning": "이 완전학습에서 {{$a.cluster}}나 {{$a.unseen}} 으로의 이동 과정이 사용되고 있습니다. 다음 페이지 이동이 대신 사용될 수 있습니다. 이들 이동을 점검하기 위해서는 학생으로 로그인하십시요.", + "teacherongoingwarning": "현재 점수는 학생들에게만 보여집니다. 현재 점수를 확인하기 위해서는 학생으로 로그인하십시오.", + "teachertimerwarning": "타이머는 학생들을 위해서만 작동됩니다. 학생으로 로그인 하여 타이머를 점검하세요.", + "thatsthecorrectanswer": "올바른 답 입니다.", + "thatsthewronganswer": "잘못된 답 입니다.", + "timeremaining": "남은 시간", + "timetaken": "시간이 걸렸음", + "unseenpageinbranch": "콘텐츠 페이지 내 보지 않은 질문", + "welldone": "잘했어요!", + "youhaveseen": "당신은 이미 이 학습을 시도한 적이 있습니다.
      도중에 끝마쳤던 부분부터 시작하길 원합니까?", + "youranswer": "당신의 대답", + "yourcurrentgradeisoutof": "현재 성적은 {{$a.total}} 중 {{$a.grade}} 입니다.", + "youshouldview": "당신은 적어도 {{$a}} 에 답해야만 합니다." +} \ No newline at end of file diff --git a/www/addons/mod/quiz/lang/ko.json b/www/addons/mod/quiz/lang/ko.json new file mode 100644 index 00000000000..59715590e26 --- /dev/null +++ b/www/addons/mod/quiz/lang/ko.json @@ -0,0 +1,56 @@ +{ + "attemptfirst": "첫번째 시도", + "attemptlast": "마지막 시도", + "attemptnumber": "시도", + "attemptquiznow": "퀴즈 풀기 시작", + "attemptstate": "상태", + "comment": "덧글", + "completedon": "완료됨", + "confirmclose": "당신은 이 시도를 끝내려고 합니다. 일단 시도를 종료하면 더 이상 답을 고칠 수 없습니다.", + "continueattemptquiz": "지난번 시도 계속", + "continuepreview": "미리보기 계속", + "feedback": "피드백", + "finishattemptdots": "시도 종료", + "grade": "성적", + "gradeaverage": "평균 점수", + "gradehighest": "최고 점수", + "grademethod": "채점 방법", + "gradesofar": "{{$a.method}}: {{$a.mygrade}} / {{$a.quizgrade}}.", + "marks": "점수", + "mustbesubmittedby": "이 시도는 {{$a}}가 제출해야 합니다.", + "noquestions": "아직 퀴즈가 추가되지 않음", + "noreviewattempt": "이 시도를 검토하도록 허용되지 않았습니다.", + "notyetgraded": "아직 채점되지 않음", + "outof": "최대 {{$a.maxgrade}} 중 {{$a.grade}}", + "outofpercent": "최대 {{$a.maxgrade}} 중 {{$a.grade}} ({{$a.percent}}%)", + "outofshort": "{{$a.grade}}/{{$a.maxgrade}}", + "overallfeedback": "전반적인 피드백", + "overdue": "기한초과", + "preview": "미리보기", + "previewquiznow": "지금 퀴즈 미리보기", + "question": "질문", + "quizpassword": "퀴즈 암호", + "reattemptquiz": "퀴즈에 재도전", + "requirepasswordmessage": "이 퀴즈를 풀려면 비밀번호를 알아야 함", + "returnattempt": "시도로 돌아가기", + "review": "재검토하기", + "reviewofattempt": "{{$a}} 차 시도 검토", + "reviewofpreview": "미리보기 검토", + "showall": "한 페이지에 모든 질문 보기", + "showeachpage": "한 페이지를 한꺼번에 보이기", + "startattempt": "시도 시작", + "startedon": "시작", + "stateabandoned": "제출되지 않았습니다.", + "statefinished": "종료됨", + "statefinisheddetails": "{{$a}}를 제출함", + "stateinprogress": "진행중", + "stateoverdue": "기한 만료", + "stateoverduedetails": "{{$a}}가 제출해야 합니다.", + "status": "현황", + "submitallandfinish": "모두 제출하고 끝냄", + "summaryofattempt": "시도 개요", + "summaryofattempts": "이전 시도들에 대한 요약", + "timeleft": "남은 시간", + "timetaken": "걸린 시간", + "yourfinalgradeis": "이번 퀴즈의 최종 점수는 {{$a}} 입니다." +} \ No newline at end of file diff --git a/www/addons/mod/quiz/lang/mr.json b/www/addons/mod/quiz/lang/mr.json index ef0b62cfc80..ee316071ffd 100644 --- a/www/addons/mod/quiz/lang/mr.json +++ b/www/addons/mod/quiz/lang/mr.json @@ -41,7 +41,7 @@ "review": "रीव्ह्यु", "showall": "एका पानावरती सर्व प्रश्न दाखवा", "startedon": "यावेळी सुरू केले", - "status": "दर्जा", + "status": "स्थिती", "submitallandfinish": "सर्व भरा आणि शेवट करा", "summaryofattempts": "तुमच्या अगोदरच्या प्रयत्नांचा सारांश", "timeleft": "शिल्लक वेळ", diff --git a/www/addons/mod/scorm/lang/ko.json b/www/addons/mod/scorm/lang/ko.json new file mode 100644 index 00000000000..704d35d12f1 --- /dev/null +++ b/www/addons/mod/scorm/lang/ko.json @@ -0,0 +1,35 @@ +{ + "asset": "에셋", + "assetlaunched": "에셋 - 보았음", + "attempts": "시도들", + "averageattempt": "평균시도들", + "browse": "미리보기", + "browsed": "보았음", + "browsemode": "미리보기 모드", + "completed": "완료됨", + "contents": "목차", + "enter": "입력", + "exceededmaxattempts": "최대 시도 한계에 도달", + "failed": "실패함", + "firstattempt": "처음 시도", + "gradeaverage": "평균 성적", + "gradeforattempt": "시도 성적", + "gradehighest": "최고 성적", + "grademethod": "채점 방법", + "gradereported": "보고된 성적", + "gradescoes": "학습 객체", + "gradesum": "성적 합계", + "highestattempt": "최고 시도", + "incomplete": "미완성됨", + "lastattempt": "마지막 시도", + "mode": "모드", + "newattempt": "새로운 시도 시작하기", + "noattemptsallowed": "허용된 시도 수", + "noattemptsmade": "시도한 횟수", + "normal": "보통", + "notattempted": "시도하지 않았음", + "organizations": "조직들", + "passed": "통과됨", + "reviewmode": "재검토 모드", + "suspended": "보류됨" +} \ No newline at end of file diff --git a/www/addons/mod/survey/lang/ja.json b/www/addons/mod/survey/lang/ja.json index 35fbcedcc0d..6e207332222 100644 --- a/www/addons/mod/survey/lang/ja.json +++ b/www/addons/mod/survey/lang/ja.json @@ -4,6 +4,6 @@ "ifoundthat": "私は次のことを発見しました:", "ipreferthat": "私は次のことが好きです:", "responses": "回答", - "results": "結果", + "results": "受験結果", "surveycompletednograph": "あなたはこの調査を完了しました。" } \ No newline at end of file diff --git a/www/addons/mod/survey/lang/ko.json b/www/addons/mod/survey/lang/ko.json new file mode 100644 index 00000000000..def2a1b8754 --- /dev/null +++ b/www/addons/mod/survey/lang/ko.json @@ -0,0 +1,6 @@ +{ + "ifoundthat": "을 발견하다.", + "ipreferthat": "을 더 좋아하다.", + "responses": "응답", + "results": "결과" +} \ No newline at end of file diff --git a/www/addons/mod/survey/lang/mr.json b/www/addons/mod/survey/lang/mr.json index 8dc5f601e8e..a06784de07e 100644 --- a/www/addons/mod/survey/lang/mr.json +++ b/www/addons/mod/survey/lang/mr.json @@ -1,6 +1,6 @@ { "cannotsubmitsurvey": "क्षमस्व, आपले सर्वेक्षण सबमिट करताना समस्या आली कृपया पुन्हा प्रयत्न करा.", "errorgetsurvey": "सर्वेक्षण डेटा मिळवताना त्रुटी.", - "responses": "प्रतिक्रीया", - "results": "परिणाम" + "responses": "प्रतीसाद", + "results": "निकाल" } \ No newline at end of file diff --git a/www/addons/mod/survey/lang/pl.json b/www/addons/mod/survey/lang/pl.json index cc6f6480b61..3b9a9921b72 100644 --- a/www/addons/mod/survey/lang/pl.json +++ b/www/addons/mod/survey/lang/pl.json @@ -2,6 +2,6 @@ "ifoundthat": "Stwierdziłem, że", "ipreferthat": "Wolę to", "responses": "Odpowiedzi", - "results": "Wyniki", + "results": "Wynik", "surveycompletednograph": "Już wypełniłeś tą ankietę." } \ No newline at end of file diff --git a/www/addons/mod/survey/lang/tr.json b/www/addons/mod/survey/lang/tr.json index 471798df02c..f42edcb4d3f 100644 --- a/www/addons/mod/survey/lang/tr.json +++ b/www/addons/mod/survey/lang/tr.json @@ -2,6 +2,6 @@ "ifoundthat": "Gerçekte olan", "ipreferthat": "İstediğim", "responses": "Yanıtlar", - "results": "Sonuçlar", + "results": "Sonuç", "surveycompletednograph": "Bu anketi tamamladınız." } \ No newline at end of file diff --git a/www/addons/mod/wiki/lang/ar.json b/www/addons/mod/wiki/lang/ar.json index 794020d3f62..1bff5b0f91c 100644 --- a/www/addons/mod/wiki/lang/ar.json +++ b/www/addons/mod/wiki/lang/ar.json @@ -6,7 +6,7 @@ "newpagetitle": "عنواو صفحة جديد", "nocontent": "لا يوجد محتوى في هذه الصفحة", "notingroup": "لا ينتمي إلى مجموعة", - "page": "صفحة: {{$a}}", + "page": "صفحة", "pagename": "اسم الصفحة", "wrongversionlock": "قام مستخدم آخر بتحديث هذه الصفحة بينما كنت أنت تحررها، أصبحت تعديلاتك قديمة." } \ No newline at end of file diff --git a/www/addons/mod/wiki/lang/bg.json b/www/addons/mod/wiki/lang/bg.json index cfe93c0370e..dbe95df13e3 100644 --- a/www/addons/mod/wiki/lang/bg.json +++ b/www/addons/mod/wiki/lang/bg.json @@ -4,8 +4,8 @@ "editingpage": "Редактиране на страница \"{{$a}}\"", "map": "Карта", "newpagetitle": "Заглавие на новата страница", - "notingroup": "За съжаление Вие трябва да се част от група за да виждате този форум.", - "page": "Страница: {{$a}}", + "notingroup": "Извинете, но трябва да сте част от групата за да видите тази дейност.", + "page": "Страница", "pagename": "Име на страница", "wrongversionlock": "Друг потребител редактира тази страница докато Вие редактирахте и Вашата редакция вече е остаряла." } \ No newline at end of file diff --git a/www/addons/mod/wiki/lang/ca.json b/www/addons/mod/wiki/lang/ca.json index b827bb47066..fb0c7bfab1e 100644 --- a/www/addons/mod/wiki/lang/ca.json +++ b/www/addons/mod/wiki/lang/ca.json @@ -10,7 +10,7 @@ "newpagetitle": "Títol de la pàgina nova", "nocontent": "No hi ha contingut per a aquesta pàgina", "notingroup": "No en grup", - "page": "Pàgina", + "page": "Pàgina: {{$a}}", "pageexists": "Aquesta pàgina ja existeix.", "pagename": "Nom de la pàgina", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/cs.json b/www/addons/mod/wiki/lang/cs.json index 89723ca1da7..052676bb598 100644 --- a/www/addons/mod/wiki/lang/cs.json +++ b/www/addons/mod/wiki/lang/cs.json @@ -10,7 +10,7 @@ "newpagetitle": "Nový název stránky", "nocontent": "Pro tuto stránku není obsah", "notingroup": "Není ve skupině", - "page": "Stránka", + "page": "Stránka: {{$a}}", "pageexists": "Tato stránka již existuje.", "pagename": "Název stránky", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/da.json b/www/addons/mod/wiki/lang/da.json index 13ae0164119..b34c6a82735 100644 --- a/www/addons/mod/wiki/lang/da.json +++ b/www/addons/mod/wiki/lang/da.json @@ -8,7 +8,7 @@ "newpagetitle": "Ny sidetitel", "nocontent": "Der er intet indhold til denne side", "notingroup": "Ikke i gruppe", - "page": "Side", + "page": "Side: {{$a}}", "pageexists": "Denne side findes allerede.", "pagename": "Sidenavn", "subwiki": "Underwiki", diff --git a/www/addons/mod/wiki/lang/de-du.json b/www/addons/mod/wiki/lang/de-du.json index ea5f9686c52..ee60d8f46fe 100644 --- a/www/addons/mod/wiki/lang/de-du.json +++ b/www/addons/mod/wiki/lang/de-du.json @@ -10,7 +10,7 @@ "newpagetitle": "Titel für neue Seite\n", "nocontent": "Kein Inhalt auf dieser Seite", "notingroup": "Nicht in Gruppen", - "page": "Seite", + "page": "Seite: {{$a}}", "pageexists": "Diese Seite existiert bereits.", "pagename": "Seitenname", "subwiki": "Teilwiki", diff --git a/www/addons/mod/wiki/lang/de.json b/www/addons/mod/wiki/lang/de.json index ea5f9686c52..ee60d8f46fe 100644 --- a/www/addons/mod/wiki/lang/de.json +++ b/www/addons/mod/wiki/lang/de.json @@ -10,7 +10,7 @@ "newpagetitle": "Titel für neue Seite\n", "nocontent": "Kein Inhalt auf dieser Seite", "notingroup": "Nicht in Gruppen", - "page": "Seite", + "page": "Seite: {{$a}}", "pageexists": "Diese Seite existiert bereits.", "pagename": "Seitenname", "subwiki": "Teilwiki", diff --git a/www/addons/mod/wiki/lang/el.json b/www/addons/mod/wiki/lang/el.json index 7a3a3058446..3cfb1632678 100644 --- a/www/addons/mod/wiki/lang/el.json +++ b/www/addons/mod/wiki/lang/el.json @@ -2,8 +2,8 @@ "errorloadingpage": "Παρουσιάστηκε σφάλμα κατά τη φόρτωση της σελίδας.", "errornowikiavailable": "Αυτό το wiki δεν έχει ακόμα περιεχόμενο.", "gowikihome": "Go Wiki home", - "notingroup": "Συγγνώμη, αλλά πρέπει να είστε μέλος ομάδας για να δείτε αυτό την ομάδα συζητήσεων.", - "page": "Σελίδα", + "notingroup": "Συγνώμη, αλλά θα πρέπει να είστε μέλος μιας ομάδας για να δείτε αυτήν τη δραστηριότητα", + "page": "Σελίδα: {{$a}}", "subwiki": "Subwiki", "titleshouldnotbeempty": "Ο τίτλος δεν πρέπει να είναι κενός", "viewpage": "Δείτε τη σελίδα", diff --git a/www/addons/mod/wiki/lang/es-mx.json b/www/addons/mod/wiki/lang/es-mx.json index 0d1b65c7fad..127d2e6fbc6 100644 --- a/www/addons/mod/wiki/lang/es-mx.json +++ b/www/addons/mod/wiki/lang/es-mx.json @@ -10,7 +10,7 @@ "newpagetitle": "Título nuevo de la página", "nocontent": "No hay contenido para esta página", "notingroup": "No está en un grupo", - "page": "Página", + "page": "Página: {{$a}}", "pageexists": "Esta página ya existe.", "pagename": "Nombre de página", "subwiki": "Sub-wiki", diff --git a/www/addons/mod/wiki/lang/es.json b/www/addons/mod/wiki/lang/es.json index b31f110029b..3bbe24f3157 100644 --- a/www/addons/mod/wiki/lang/es.json +++ b/www/addons/mod/wiki/lang/es.json @@ -10,7 +10,7 @@ "newpagetitle": "Título nuevo de la página", "nocontent": "No hay contenido para esta página", "notingroup": "No está en un grupo", - "page": "Página", + "page": "Página: {{$a}}", "pageexists": "Esta página ya existe.", "pagename": "Nombre de la página", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/eu.json b/www/addons/mod/wiki/lang/eu.json index 4c61c8db39f..4d1083f3d18 100644 --- a/www/addons/mod/wiki/lang/eu.json +++ b/www/addons/mod/wiki/lang/eu.json @@ -10,7 +10,7 @@ "newpagetitle": "Orri berriaren izenburua", "nocontent": "Ez dago edukirik orri honetarako", "notingroup": "Ez dago taldean", - "page": "Orria", + "page": "Orria: {{$a}}", "pageexists": "Orri hau badago dagoeneko.", "pagename": "Orriaren izena", "subwiki": "Azpiwikia", diff --git a/www/addons/mod/wiki/lang/fa.json b/www/addons/mod/wiki/lang/fa.json index 645adbdab85..3ea0f81b588 100644 --- a/www/addons/mod/wiki/lang/fa.json +++ b/www/addons/mod/wiki/lang/fa.json @@ -5,7 +5,7 @@ "newpagetitle": "عنوان صفحهٔ جدید", "nocontent": "محتوایی برای این صفحه وجود ندارد", "notingroup": "بدون گروه", - "page": "صفحهٔ {{$a}}", + "page": "صفحه", "pageexists": "این صفحه در حال حاضر وجود دارد. در حال تغییر مسیر به صفحهٔ موجود.", "viewpage": "مشاهدهٔ صفحه", "wrongversionlock": "هنگامی که شما در حال ویرایش این صفحه بودید، کاربر دیگری آن را ویرایش کرد و محتوایش را تغییر داد." diff --git a/www/addons/mod/wiki/lang/fi.json b/www/addons/mod/wiki/lang/fi.json index 09ce0b8a9d9..e8e5a73fbc6 100644 --- a/www/addons/mod/wiki/lang/fi.json +++ b/www/addons/mod/wiki/lang/fi.json @@ -9,7 +9,7 @@ "newpagetitle": "Uusi sivun otsikko", "nocontent": "Tälle sivulle ei ole sisältöä", "notingroup": "Ei ryhmässä", - "page": "Sivu", + "page": "Sivu {{$a}}", "pageexists": "Tämä sivu on jo olemassa. Ohjataan olemassa olevalle sivulle.", "pagename": "Sivun nimi", "titleshouldnotbeempty": "Otsikko ei saa olla tyhjä", diff --git a/www/addons/mod/wiki/lang/fr.json b/www/addons/mod/wiki/lang/fr.json index 9f7e08207ea..70c048069dd 100644 --- a/www/addons/mod/wiki/lang/fr.json +++ b/www/addons/mod/wiki/lang/fr.json @@ -10,7 +10,7 @@ "newpagetitle": "Titre de la nouvelle page", "nocontent": "Cette page n'a pas de contenu", "notingroup": "Pas dans le groupe", - "page": "Page", + "page": "Page : {{$a}}", "pageexists": "Cette page existe déjà.", "pagename": "Nom de page", "subwiki": "Sous-wiki", diff --git a/www/addons/mod/wiki/lang/he.json b/www/addons/mod/wiki/lang/he.json index 6d94870a86a..46bd85d687c 100644 --- a/www/addons/mod/wiki/lang/he.json +++ b/www/addons/mod/wiki/lang/he.json @@ -7,7 +7,7 @@ "newpagetitle": "כותרת דף חדש", "nocontent": "אין תוכן לדף זה", "notingroup": "לא בקבוצה", - "page": "עמוד: {{$a}}", + "page": "עמוד", "pageexists": "הדף כבר קיים. הפנה אליו מחדש.", "pagename": "שם העמוד", "wrongversionlock": "משתמש אחר ערך את הדף הזה בזמן שאת/ה ערכת/ה. התוכן שלך לא ישמר." diff --git a/www/addons/mod/wiki/lang/hr.json b/www/addons/mod/wiki/lang/hr.json index afbca16955c..d2b1d37c968 100644 --- a/www/addons/mod/wiki/lang/hr.json +++ b/www/addons/mod/wiki/lang/hr.json @@ -7,7 +7,7 @@ "newpagetitle": "Naslov nove stranice", "nocontent": "Na ovoj stranici nema sadržaja", "notingroup": "Nije u grupi", - "page": "Stranica", + "page": "Stranica: {{$a}}", "pageexists": "Ova stranica već postoji. Preusmjeravam na postojeću.", "pagename": "Naziv stranice", "viewpage": "Prikaži stranicu", diff --git a/www/addons/mod/wiki/lang/hu.json b/www/addons/mod/wiki/lang/hu.json index 52eb1a43078..19b98951ec9 100644 --- a/www/addons/mod/wiki/lang/hu.json +++ b/www/addons/mod/wiki/lang/hu.json @@ -7,7 +7,7 @@ "newpagetitle": "Új oldalcím", "nocontent": "Az oldalhoz nincs tartalom", "notingroup": "Nem része a csoportnak", - "page": "Oldal: {{$a}}", + "page": "Oldal", "pageexists": "Az oldal már létezik. Átirányítás az oldalra.", "pagename": "Oldal neve", "wrongversionlock": "A szerkesztés közben egy másik felhasználó szerkesztette ezt az oldalt, így az Ön tartalma elavult." diff --git a/www/addons/mod/wiki/lang/it.json b/www/addons/mod/wiki/lang/it.json index 188539ca68d..5acbfeed47e 100644 --- a/www/addons/mod/wiki/lang/it.json +++ b/www/addons/mod/wiki/lang/it.json @@ -10,7 +10,7 @@ "newpagetitle": "Titolo nuova pagina", "nocontent": "Questa pagina non ha contenuti", "notingroup": "Non è in un gruppo", - "page": "Pagina: {{$a}}", + "page": "Pagina", "pageexists": "La pagina esiste già.", "pagename": "Nome pagina", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/ja.json b/www/addons/mod/wiki/lang/ja.json index 591ce09bb4c..40e0e0dcbc9 100644 --- a/www/addons/mod/wiki/lang/ja.json +++ b/www/addons/mod/wiki/lang/ja.json @@ -10,7 +10,7 @@ "newpagetitle": "新しいページタイトル", "nocontent": "このページにはコンテンツがありません。", "notingroup": "グループ外", - "page": "ページ", + "page": "ページ: {{$a}}", "pageexists": "このページはすでに存在します。", "pagename": "ページ名", "subwiki": "サブwiki", diff --git a/www/addons/mod/wiki/lang/ko.json b/www/addons/mod/wiki/lang/ko.json index e86b60768b3..17ef542ed3d 100644 --- a/www/addons/mod/wiki/lang/ko.json +++ b/www/addons/mod/wiki/lang/ko.json @@ -1,4 +1,16 @@ { + "cannoteditpage": "이 페이지를 편집 할 수 없습니다.", + "createpage": "페이지 만들기", + "editingpage": "페이지 '{{$a}}' 편집 중", + "map": "맵", + "newpagehdr": "세 페이지", + "newpagetitle": "새 페이지 제목", + "nocontent": "이 페이지에 내용이 없습니다.", + "notingroup": "모둠에 없음", + "page": "페이지", + "pageexists": "이 페이지는 이미 존재합니다. 그곳으로 넘어갑니다.", + "pagename": "페이지 이름", "viewpage": "페이지 보기", - "wikipage": "위키 페이지" + "wikipage": "위키 페이지", + "wrongversionlock": "당신이 편집하는 동안 다른 사용자가 이 페이지를 편집하였으며 당신이 편집한 내용은 쓸모없게 되었습니다." } \ No newline at end of file diff --git a/www/addons/mod/wiki/lang/lt.json b/www/addons/mod/wiki/lang/lt.json index 52f7834015f..7523e9211c2 100644 --- a/www/addons/mod/wiki/lang/lt.json +++ b/www/addons/mod/wiki/lang/lt.json @@ -10,7 +10,7 @@ "newpagetitle": "Naujo puslapio pavadinimas", "nocontent": "Nėra šio puslapio turinio", "notingroup": "Nėra grupėje", - "page": "Puslapis", + "page": "Puslapis: {{$a}}", "pageexists": "Šis puslapis jau yra.", "pagename": "Puslapio pavadinimas", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/mr.json b/www/addons/mod/wiki/lang/mr.json index f48bdf94a31..3ef41e524c0 100644 --- a/www/addons/mod/wiki/lang/mr.json +++ b/www/addons/mod/wiki/lang/mr.json @@ -3,7 +3,7 @@ "errornowikiavailable": "या विकीकडे अद्याप कोणतीही सामग्री नाही.", "gowikihome": "विकीच्या होमला जा", "notingroup": "माफ करा, ही क्रिया बघण्यासाठी तुम्ही या ग्रुपचा भाग असणे गरजेचे आहे", - "page": "पृष्ठ", + "page": "पान", "subwiki": "उपविकि", "titleshouldnotbeempty": "शीर्षक रिक्त असू नये", "viewpage": "पृष्ठ पहा", diff --git a/www/addons/mod/wiki/lang/nl.json b/www/addons/mod/wiki/lang/nl.json index 7b16235309e..2d0dc8ae9ae 100644 --- a/www/addons/mod/wiki/lang/nl.json +++ b/www/addons/mod/wiki/lang/nl.json @@ -10,7 +10,7 @@ "newpagetitle": "Nieuwe paginatitel", "nocontent": "Er is geen inhoud voor deze pagina", "notingroup": "Niet in groep", - "page": "Pagina", + "page": "Pagina: {{$a}}", "pageexists": "Deze pagina bestaat al.", "pagename": "Paginanaam", "subwiki": "Sub-wiki", diff --git a/www/addons/mod/wiki/lang/no.json b/www/addons/mod/wiki/lang/no.json index 6c06288f09d..f9a02e7fee3 100644 --- a/www/addons/mod/wiki/lang/no.json +++ b/www/addons/mod/wiki/lang/no.json @@ -7,7 +7,7 @@ "newpagetitle": "Ny sidetittel", "nocontent": "Denne siden har ikke innhold", "notingroup": "Ikke i gruppen", - "page": "Side: {{$a}}", + "page": "Side", "pageexists": "Denne siden eksisterer allerede.", "pagename": "Sidenavn", "titleshouldnotbeempty": "Tittel kan ikke være blank", diff --git a/www/addons/mod/wiki/lang/pl.json b/www/addons/mod/wiki/lang/pl.json index 391b0fbc350..8515710e26a 100644 --- a/www/addons/mod/wiki/lang/pl.json +++ b/www/addons/mod/wiki/lang/pl.json @@ -7,7 +7,7 @@ "newpagetitle": "Tytuł nowej strony", "nocontent": "Brak zawartości dla tej strony", "notingroup": "Nie w grupie", - "page": "Strona: {{$a}}", + "page": "Strona", "pageexists": "Ta strona już istnieje. Przekierowuje do niej.", "pagename": "Nazwa strony", "wrongversionlock": "Inny użytkownik edytował tę stronę w czasie, kiedy ty ją edytowałeś i twoja zawartość jest przestarzała." diff --git a/www/addons/mod/wiki/lang/pt-br.json b/www/addons/mod/wiki/lang/pt-br.json index 8a03287d5e2..a1b02148a74 100644 --- a/www/addons/mod/wiki/lang/pt-br.json +++ b/www/addons/mod/wiki/lang/pt-br.json @@ -10,7 +10,7 @@ "newpagetitle": "Novo título da página", "nocontent": "Não existe conteúdo para esta página", "notingroup": "Não existe no grupo", - "page": "Página", + "page": "Página: {{$a}}", "pageexists": "Esta página já existe.", "pagename": "Nome da página", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/pt.json b/www/addons/mod/wiki/lang/pt.json index 341d033b3e0..00cac3482a0 100644 --- a/www/addons/mod/wiki/lang/pt.json +++ b/www/addons/mod/wiki/lang/pt.json @@ -10,7 +10,7 @@ "newpagetitle": "Novo título da página", "nocontent": "Não há nenhum conteúdo nesta página", "notingroup": "Não está em nenhum grupo", - "page": "Página", + "page": "Página: {{$a}}", "pageexists": "Esta página já existe.", "pagename": "Nome da página", "subwiki": "Sub-Wiki", diff --git a/www/addons/mod/wiki/lang/ro.json b/www/addons/mod/wiki/lang/ro.json index 50456582533..b844ad1d652 100644 --- a/www/addons/mod/wiki/lang/ro.json +++ b/www/addons/mod/wiki/lang/ro.json @@ -6,7 +6,7 @@ "newpagetitle": "Un nou titlu de pagină", "nocontent": "Nu există conținut pentru această pagină", "notingroup": "Nu este în grup", - "page": "Pagina {{$a}}", + "page": "Pagină", "pageexists": "Această pagină există deja.", "pagename": "Nume pagină" } \ No newline at end of file diff --git a/www/addons/mod/wiki/lang/ru.json b/www/addons/mod/wiki/lang/ru.json index ea1576da242..49b2fbd4c6b 100644 --- a/www/addons/mod/wiki/lang/ru.json +++ b/www/addons/mod/wiki/lang/ru.json @@ -10,7 +10,7 @@ "newpagetitle": "Заголовок новой страницы", "nocontent": "Нет содержимого у этой страницы", "notingroup": "Не в группе", - "page": "Страница", + "page": "Страница: {{$a}}", "pageexists": "Такая страница уже существует.", "pagename": "Название страницы", "subwiki": "Под-wiki", diff --git a/www/addons/mod/wiki/lang/sv.json b/www/addons/mod/wiki/lang/sv.json index 43bd89b4601..f9ebf16c762 100644 --- a/www/addons/mod/wiki/lang/sv.json +++ b/www/addons/mod/wiki/lang/sv.json @@ -10,7 +10,7 @@ "newpagetitle": "Ny titel på sida", "nocontent": "Det finns inget innehåll för den här sidan", "notingroup": "Inte i grupp", - "page": "Sida: {{$a}}", + "page": "Sida", "pageexists": "Den här sidan finns redan, länkning dit pågår", "pagename": "Namn på sida", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/tr.json b/www/addons/mod/wiki/lang/tr.json index 8ddfdfd95b3..f1167632e26 100644 --- a/www/addons/mod/wiki/lang/tr.json +++ b/www/addons/mod/wiki/lang/tr.json @@ -7,7 +7,7 @@ "newpagetitle": "Yeni sayfa başlığı", "nocontent": "Bu sayfa için içerik yok", "notingroup": "Grupta değil", - "page": "Sayfa", + "page": "Sayfa: {{$a}}", "pageexists": "Bu sayfa zaten var.", "pagename": "Sayfa adı", "wrongversionlock": "Başka bir kullanıcı sizin düzenlemeniz sırasında bu sayfayı düzenledi ve içeriğiniz geçersiz." diff --git a/www/addons/mod/wiki/lang/uk.json b/www/addons/mod/wiki/lang/uk.json index cd89e56c9cc..7e2a88dd8db 100644 --- a/www/addons/mod/wiki/lang/uk.json +++ b/www/addons/mod/wiki/lang/uk.json @@ -10,7 +10,7 @@ "newpagetitle": "Заголовок нової сторінки", "nocontent": "Немає контенту для цієї сторінки", "notingroup": "Не в групі", - "page": "Сторінка", + "page": "Сторінка: {{$a}}", "pageexists": "Ця сторінка вже існує. Перенаправити до неї.", "pagename": "Назва сторінки", "subwiki": "Субвікі", diff --git a/www/addons/mod/workshop/assessment/accumulative/lang/ko.json b/www/addons/mod/workshop/assessment/accumulative/lang/ko.json new file mode 100644 index 00000000000..90966e86296 --- /dev/null +++ b/www/addons/mod/workshop/assessment/accumulative/lang/ko.json @@ -0,0 +1,4 @@ +{ + "dimensionnumber": "관점 {{$a}}", + "mustchoosegrade": "이 관점에 대한 성적을 선택해야 합니다." +} \ No newline at end of file diff --git a/www/addons/mod/workshop/assessment/comments/lang/ko.json b/www/addons/mod/workshop/assessment/comments/lang/ko.json new file mode 100644 index 00000000000..96d910a2c04 --- /dev/null +++ b/www/addons/mod/workshop/assessment/comments/lang/ko.json @@ -0,0 +1,3 @@ +{ + "dimensionnumber": "\t\n관점 {{$a}}" +} \ No newline at end of file diff --git a/www/addons/mod/workshop/assessment/numerrors/lang/ko.json b/www/addons/mod/workshop/assessment/numerrors/lang/ko.json new file mode 100644 index 00000000000..1aff50a2575 --- /dev/null +++ b/www/addons/mod/workshop/assessment/numerrors/lang/ko.json @@ -0,0 +1,3 @@ +{ + "dimensionnumber": "주장 {{$a}} " +} \ No newline at end of file diff --git a/www/addons/mod/workshop/assessment/rubric/lang/ko.json b/www/addons/mod/workshop/assessment/rubric/lang/ko.json new file mode 100644 index 00000000000..f318ff337c4 --- /dev/null +++ b/www/addons/mod/workshop/assessment/rubric/lang/ko.json @@ -0,0 +1,4 @@ +{ + "dimensionnumber": "기준 {{$a}}", + "mustchooseone": "이 항목중 하나를 골라야만 함" +} \ No newline at end of file diff --git a/www/addons/mod/workshop/lang/ko.json b/www/addons/mod/workshop/lang/ko.json index dbf83c4af76..07f51f479b8 100644 --- a/www/addons/mod/workshop/lang/ko.json +++ b/www/addons/mod/workshop/lang/ko.json @@ -1,6 +1,49 @@ { + "alreadygraded": "이미 채점되었습니다.", + "areainstructauthors": "제출 요령", + "areainstructreviewers": "평가 요령", + "assess": "평가", + "assessedsubmission": "평가된 제출물", + "assessmentform": "평가 양식", + "assessmentsettings": "평가 설정", "assessmentstrategynotsupported": "평가 전략 {{$ a}}이(가) 지원되지 않습니다.", + "assessmentweight": "평가 가중치", + "assignedassessments": "평가해야할 제출물", + "conclusion": "결론", + "createsubmission": "제출", + "editsubmission": "제출 수정", + "feedbackauthor": "저자에 대한 피드백", + "feedbackby": "{{$a}}에 의한 피드백", + "feedbackreviewer": "평가자에 대한 피드백", + "givengrades": "부여된 성적", + "gradecalculated": "제출물 성적", + "gradeinfo": "성적 : {{$a.max}} 중 {{$a.received}} ", + "gradeover": "제출 성적 덮어쓰기", + "gradesreport": "상호평가 성적 보고서", + "gradinggrade": "평가 성적", + "gradinggradecalculated": "계산완료된 자기평가 성적", + "gradinggradeof": "자기평가 성적 ({{$a}}) ", + "gradinggradeover": "평가 성적 덮어쓰기", + "nogradeyet": "아직 성적 없음", + "notassessed": "아직 평가하지 않음", + "notoverridden": "덮어쓰여지지 않음", + "noyoursubmission": "아직 제출한 과제가 없음", + "overallfeedback": "전반적인 피드백", + "publishedsubmissions": "공개된 제출물", + "publishsubmission": "제출물 공개", + "publishsubmission_help": "공개된 제출물은 상호평가가 종료되면 다른 사람들에게 제공됩니다.", + "reassess": "재평가", + "receivedgrades": "부여받은 성적", "selectphase": "단계 선택", + "submissionattachment": "첨부", + "submissioncontent": "제출 내역", + "submissiongrade": "제출 성적", + "submissiongradeof": "({{$a}} 의) 제출 성적", + "submissiontitle": "제목", "warningassessmentmodified": "사이트에서 제출이 수정되었습니다.", - "warningsubmissionmodified": "평가가 사이트에서 수정되었습니다." + "warningsubmissionmodified": "평가가 사이트에서 수정되었습니다.", + "weightinfo": "가중치: {{$a}}", + "yourassessment": "당신의 평가", + "yourgrades": "성적", + "yoursubmission": "내 제출물" } \ No newline at end of file diff --git a/www/addons/notes/lang/ca.json b/www/addons/notes/lang/ca.json index 1c044e61b29..9367384a78e 100644 --- a/www/addons/notes/lang/ca.json +++ b/www/addons/notes/lang/ca.json @@ -4,7 +4,7 @@ "eventnotecreated": "S'ha creat la nota", "nonotes": "Encara no hi ha notes d'aquest tipus", "note": "Anotació", - "notes": "Anotacions", + "notes": "El teu anàlisi privat i les teves notes", "personalnotes": "Anotacions personals", "publishstate": "Context", "sitenotes": "Anotacions del lloc", diff --git a/www/addons/notes/lang/cs.json b/www/addons/notes/lang/cs.json index 5c5cb003aa3..f5191687ac8 100644 --- a/www/addons/notes/lang/cs.json +++ b/www/addons/notes/lang/cs.json @@ -4,7 +4,7 @@ "eventnotecreated": "Poznámka vytvořena", "nonotes": "Doposud neexistují žádné poznámky tohoto typu.", "note": "Poznámka", - "notes": "Poznámky", + "notes": "Vaše soukromé postřehy a poznámky", "personalnotes": "Osobní poznámky", "publishstate": "Kontext", "sitenotes": "Poznámky stránek", diff --git a/www/addons/notes/lang/da.json b/www/addons/notes/lang/da.json index 3dadb18f0eb..cf35362b164 100644 --- a/www/addons/notes/lang/da.json +++ b/www/addons/notes/lang/da.json @@ -4,7 +4,7 @@ "eventnotecreated": "Note oprettet", "nonotes": "Der er endnu ingen noter af denne type", "note": "Note", - "notes": "Noter", + "notes": "Dine private kommentarer og noter", "personalnotes": "Personlige noter", "publishstate": "Sammenhæng", "sitenotes": "Webstedsnoter", diff --git a/www/addons/notes/lang/de-du.json b/www/addons/notes/lang/de-du.json index df0b44168e3..79119cf0125 100644 --- a/www/addons/notes/lang/de-du.json +++ b/www/addons/notes/lang/de-du.json @@ -4,7 +4,7 @@ "eventnotecreated": "Anmerkung angelegt", "nonotes": "Keine Anmerkungen", "note": "Anmerkung", - "notes": "Anmerkungen", + "notes": "Deine persönliche Analyse und Anmerkungen", "personalnotes": "Meine Anmerkungen", "publishstate": "Kontext", "sitenotes": "Anmerkungen zur Website", diff --git a/www/addons/notes/lang/de.json b/www/addons/notes/lang/de.json index df0b44168e3..af167048301 100644 --- a/www/addons/notes/lang/de.json +++ b/www/addons/notes/lang/de.json @@ -4,7 +4,7 @@ "eventnotecreated": "Anmerkung angelegt", "nonotes": "Keine Anmerkungen", "note": "Anmerkung", - "notes": "Anmerkungen", + "notes": "Ihre persönliche Analyse und Anmerkungen", "personalnotes": "Meine Anmerkungen", "publishstate": "Kontext", "sitenotes": "Anmerkungen zur Website", diff --git a/www/addons/notes/lang/el.json b/www/addons/notes/lang/el.json index e796b19cabe..9bc5d02d49e 100644 --- a/www/addons/notes/lang/el.json +++ b/www/addons/notes/lang/el.json @@ -4,7 +4,7 @@ "eventnotecreated": "Το σημείωμα δημιουργήθηκε", "nonotes": "Δεν υπάρχουν σημειώσεις αυτού του τύπου ακόμα", "note": "Σημείωση", - "notes": "Σημειώσεις", + "notes": "Οι προσωπικές σας αναλύσεις και σημειώσεις", "personalnotes": "Προσωπικές σημειώσεις", "publishstate": "Γενικό πλαίσιο", "sitenotes": "Σημειώσεις της ιστοσελίδας", diff --git a/www/addons/notes/lang/es-mx.json b/www/addons/notes/lang/es-mx.json index c2d61de19e4..1e1105d5f39 100644 --- a/www/addons/notes/lang/es-mx.json +++ b/www/addons/notes/lang/es-mx.json @@ -4,7 +4,7 @@ "eventnotecreated": "Nota creada", "nonotes": "Aun no hay notas de este tipo", "note": "Nota", - "notes": "Notas", + "notes": "Su análisis privado y sus notas", "personalnotes": "Notas personales", "publishstate": "Contexto", "sitenotes": "Notas del sitio", diff --git a/www/addons/notes/lang/eu.json b/www/addons/notes/lang/eu.json index f8935fec248..8656c9594fd 100644 --- a/www/addons/notes/lang/eu.json +++ b/www/addons/notes/lang/eu.json @@ -4,7 +4,7 @@ "eventnotecreated": "Oharra gehituta", "nonotes": "Oraindik ez dago mota honetako oharrik.", "note": "Oharra", - "notes": "Oharrak", + "notes": "Zure analisi pribatua eta oharrak", "personalnotes": "Ohar pertsonalak", "publishstate": "Testuingurua", "sitenotes": "Guneko oharrak", diff --git a/www/addons/notes/lang/fi.json b/www/addons/notes/lang/fi.json index 37c171d4080..96253411108 100644 --- a/www/addons/notes/lang/fi.json +++ b/www/addons/notes/lang/fi.json @@ -4,7 +4,7 @@ "eventnotecreated": "Muistiinpano luotu", "nonotes": "Muistiinpanoja ei vielä ole", "note": "Muistiinpano", - "notes": "Muistiinpanot", + "notes": "Oma henkilökohtainen analyysisi ja muistiinpanosi.", "personalnotes": "Henkilökohtaiset muistiinpanot", "publishstate": "Konteksti", "sitenotes": "Sivustotasoiset muistiinpanot", diff --git a/www/addons/notes/lang/fr.json b/www/addons/notes/lang/fr.json index d0607b110d6..37be152dc0a 100644 --- a/www/addons/notes/lang/fr.json +++ b/www/addons/notes/lang/fr.json @@ -4,7 +4,7 @@ "eventnotecreated": "Annotation créée", "nonotes": "Il n'y a pas encore d'annotation de ce type.", "note": "Annotation", - "notes": "Annotations", + "notes": "Votre analyse et vos remarques personnelles", "personalnotes": "Annotations personnelles", "publishstate": "Contexte", "sitenotes": "Annotations du site", diff --git a/www/addons/notes/lang/he.json b/www/addons/notes/lang/he.json index 416427b2dec..2e3c5dd9644 100644 --- a/www/addons/notes/lang/he.json +++ b/www/addons/notes/lang/he.json @@ -4,7 +4,7 @@ "eventnotecreated": "הערה נוצרה", "nonotes": "עדיין לא קיימות הערות מסוג זה", "note": "הערה", - "notes": "הערות", + "notes": "ההערות והניתוח הפרטיים שלך.", "personalnotes": "הערות אישיות", "publishstate": "תוכן", "sitenotes": "הערות אתר", diff --git a/www/addons/notes/lang/hr.json b/www/addons/notes/lang/hr.json index e8232895c1e..15cf99fe8bb 100644 --- a/www/addons/notes/lang/hr.json +++ b/www/addons/notes/lang/hr.json @@ -3,7 +3,7 @@ "coursenotes": "Bilješke e-kolegija", "eventnotecreated": "Bilješka stvorena", "note": "Bilješka", - "notes": "Bilješke", + "notes": "Vaša osobna analiza i bilješke", "personalnotes": "Osobne bilješke", "publishstate": "Kontekst", "sitenotes": "Bilješke na razini sustava" diff --git a/www/addons/notes/lang/it.json b/www/addons/notes/lang/it.json index 0e9b001f16c..90c300a1f85 100644 --- a/www/addons/notes/lang/it.json +++ b/www/addons/notes/lang/it.json @@ -4,7 +4,7 @@ "eventnotecreated": "Creata annotazione", "nonotes": "Non sono presenti annotazioni di questo tipo.", "note": "Annotazione", - "notes": "Annotazioni", + "notes": "Le tue note e analisi", "personalnotes": "Annotazioni personali", "publishstate": "Contesto", "sitenotes": "Annotazioni del sito", diff --git a/www/addons/notes/lang/ja.json b/www/addons/notes/lang/ja.json index 6b3304c8067..ae48a7ac252 100644 --- a/www/addons/notes/lang/ja.json +++ b/www/addons/notes/lang/ja.json @@ -4,7 +4,7 @@ "eventnotecreated": "作成したノート", "nonotes": "このタイプのノートはまだ存在しません", "note": "ノート", - "notes": "ノート", + "notes": "あなたの個人分析およびノート", "personalnotes": "パーソナルノート", "publishstate": "コンテキスト", "sitenotes": "サイトノート", diff --git a/www/addons/notes/lang/ko.json b/www/addons/notes/lang/ko.json index 2bd0347b323..9ff39e71f57 100644 --- a/www/addons/notes/lang/ko.json +++ b/www/addons/notes/lang/ko.json @@ -4,7 +4,7 @@ "eventnotecreated": "메모 작성", "nonotes": "이 유형의 메모가 아직 없습니다.", "note": "메모", - "notes": "메모들", + "notes": "당신의 개인적 분석과 기록", "personalnotes": "개인적인 메모", "publishstate": "문맥", "sitenotes": "사이트 메모", diff --git a/www/addons/notes/lang/lt.json b/www/addons/notes/lang/lt.json index ac321d27d1b..e9213ee0c0e 100644 --- a/www/addons/notes/lang/lt.json +++ b/www/addons/notes/lang/lt.json @@ -4,7 +4,7 @@ "eventnotecreated": "Užrašas sukurtas", "nonotes": "Nėra jokių šios temos užrašų", "note": "Užrašas", - "notes": "Užrašai", + "notes": "Pastabos", "personalnotes": "Asmeniniai užrašai", "publishstate": "Teksto ištrauka", "sitenotes": "Svetainės užrašai", diff --git a/www/addons/notes/lang/nl.json b/www/addons/notes/lang/nl.json index 49a0c0209c4..64e66285bed 100644 --- a/www/addons/notes/lang/nl.json +++ b/www/addons/notes/lang/nl.json @@ -4,7 +4,7 @@ "eventnotecreated": "Notitie gemaakt", "nonotes": "Er zijn nog geen notities van dit type.", "note": "Notitie", - "notes": "Notities", + "notes": "Je persoonlijke analyse en aantekeningen", "personalnotes": "Persoonlijke notities", "publishstate": "Context", "sitenotes": "Site notities", diff --git a/www/addons/notes/lang/pt-br.json b/www/addons/notes/lang/pt-br.json index ce6908d1d3e..5634bc70e89 100644 --- a/www/addons/notes/lang/pt-br.json +++ b/www/addons/notes/lang/pt-br.json @@ -4,7 +4,7 @@ "eventnotecreated": "Anotação criada", "nonotes": "Não há mais anotações desse típo", "note": "Anotação", - "notes": "Anotações", + "notes": "Suas análises e anotações pessoais", "personalnotes": "Anotações pessoais", "publishstate": "Contexto", "sitenotes": "Anotações do site", diff --git a/www/addons/notes/lang/pt.json b/www/addons/notes/lang/pt.json index d5d1db734fc..ace13083c07 100644 --- a/www/addons/notes/lang/pt.json +++ b/www/addons/notes/lang/pt.json @@ -4,7 +4,7 @@ "eventnotecreated": "Anotação criada", "nonotes": "Ainda não existem anotações deste tipo.", "note": "Anotação", - "notes": "Anotações", + "notes": "Análise privada e anotações", "personalnotes": "Anotações pessoais", "publishstate": "Contexto", "sitenotes": "Anotações do site", diff --git a/www/addons/notes/lang/ro.json b/www/addons/notes/lang/ro.json index 605a02f2299..1115becc8d5 100644 --- a/www/addons/notes/lang/ro.json +++ b/www/addons/notes/lang/ro.json @@ -4,7 +4,7 @@ "eventnotecreated": "A fost creată o notă", "nonotes": "Momentan nu există note de acest tip", "note": "Notă", - "notes": "Note", + "notes": "Analiza şi notele tale particulare", "personalnotes": "Note personale", "publishstate": "Context", "sitenotes": "Note de site", diff --git a/www/addons/notes/lang/ru.json b/www/addons/notes/lang/ru.json index fecbe087e5e..b102aa954df 100644 --- a/www/addons/notes/lang/ru.json +++ b/www/addons/notes/lang/ru.json @@ -4,7 +4,7 @@ "eventnotecreated": "Заметка создана", "nonotes": "Нет заметок такого типа.", "note": "Заметка", - "notes": "Заметки", + "notes": "Ваши анализы и заметки", "personalnotes": "Личные заметки", "publishstate": "Контекст", "sitenotes": "Заметки сайта", diff --git a/www/addons/notes/lang/sv.json b/www/addons/notes/lang/sv.json index 8fcd87edc6d..75049c59549 100644 --- a/www/addons/notes/lang/sv.json +++ b/www/addons/notes/lang/sv.json @@ -4,7 +4,7 @@ "eventnotecreated": "Anteckning skapade", "nonotes": "Det finns inga anteckningar av denna typ ännu", "note": "Anteckning", - "notes": "Anteckningar", + "notes": "Din privata analys och anteckningar", "personalnotes": "Personliga anteckningar", "publishstate": "Sammanhang", "sitenotes": "Webbplats anteckningar", diff --git a/www/addons/notes/lang/uk.json b/www/addons/notes/lang/uk.json index 8c815080c16..9c2ba1ac6bb 100644 --- a/www/addons/notes/lang/uk.json +++ b/www/addons/notes/lang/uk.json @@ -4,7 +4,7 @@ "eventnotecreated": "Записка створена", "nonotes": "Наразі немає записок такого типу", "note": "Записка", - "notes": "Записки", + "notes": "Ваш особистий аналіз і нотатки", "personalnotes": "Персональні записки", "publishstate": "Контекст", "sitenotes": "Записки сайту", diff --git a/www/addons/notifications/lang/ar.json b/www/addons/notifications/lang/ar.json index cab5daac101..ecae02aab45 100644 --- a/www/addons/notifications/lang/ar.json +++ b/www/addons/notifications/lang/ar.json @@ -1,5 +1,6 @@ { "errorgetnotifications": "خطأ في الحصول على الإشعارات", - "notifications": "إشعارات", + "notificationpreferences": "تفضيلات الاشعار", + "notifications": "الإشعارات", "therearentnotificationsyet": "لا توجد إشعارات" } \ No newline at end of file diff --git a/www/addons/notifications/lang/bg.json b/www/addons/notifications/lang/bg.json index b1946ed6a9c..2ae379fd046 100644 --- a/www/addons/notifications/lang/bg.json +++ b/www/addons/notifications/lang/bg.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "Грешка при получаването на уведомленията", "notificationpreferences": "Предпочитания за уведомленията", - "notifications": "Уведомления", + "notifications": "Уведомление", "therearentnotificationsyet": "Няма уведомления." } \ No newline at end of file diff --git a/www/addons/notifications/lang/ca.json b/www/addons/notifications/lang/ca.json index 324cd60ecdb..077c0e53ffd 100644 --- a/www/addons/notifications/lang/ca.json +++ b/www/addons/notifications/lang/ca.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "S'ha produït un error carregant les notificacions", - "notificationpreferences": "Preferències de notificació", + "notificationpreferences": "Preferències de les notificacions", "notifications": "Notificacions", "playsound": "Reprodueix el so", "therearentnotificationsyet": "No hi ha notificacions" diff --git a/www/addons/notifications/lang/cs.json b/www/addons/notifications/lang/cs.json index 8547a6a16cd..ba7b1fb6a5a 100644 --- a/www/addons/notifications/lang/cs.json +++ b/www/addons/notifications/lang/cs.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Chyba při načítání oznámení.", "notificationpreferences": "Nastavení oznámení", - "notifications": "Oznámení", + "notifications": "Informace", "playsound": "Přehrát zvuk", "therearentnotificationsyet": "Nejsou žádná sdělení." } \ No newline at end of file diff --git a/www/addons/notifications/lang/da.json b/www/addons/notifications/lang/da.json index f84f447ca88..5ae802c2f06 100644 --- a/www/addons/notifications/lang/da.json +++ b/www/addons/notifications/lang/da.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Fejl ved hentning af underretninger", "notificationpreferences": "Indstillinger for underretninger", - "notifications": "Underretninger", + "notifications": "Beskeder", "playsound": "Afspil lyd", "therearentnotificationsyet": "Der er ingen underretninger" } \ No newline at end of file diff --git a/www/addons/notifications/lang/de-du.json b/www/addons/notifications/lang/de-du.json index e42f1a5213d..a070e1035d2 100644 --- a/www/addons/notifications/lang/de-du.json +++ b/www/addons/notifications/lang/de-du.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Fehler beim Empfangen der Systemmitteilungen", "notificationpreferences": "Systemmitteilungen", - "notifications": "Systemmitteilungen", + "notifications": "Mitteilungen", "playsound": "Signalton abspielen", "therearentnotificationsyet": "Keine Systemmitteilungen" } \ No newline at end of file diff --git a/www/addons/notifications/lang/de.json b/www/addons/notifications/lang/de.json index e42f1a5213d..a070e1035d2 100644 --- a/www/addons/notifications/lang/de.json +++ b/www/addons/notifications/lang/de.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Fehler beim Empfangen der Systemmitteilungen", "notificationpreferences": "Systemmitteilungen", - "notifications": "Systemmitteilungen", + "notifications": "Mitteilungen", "playsound": "Signalton abspielen", "therearentnotificationsyet": "Keine Systemmitteilungen" } \ No newline at end of file diff --git a/www/addons/notifications/lang/es-mx.json b/www/addons/notifications/lang/es-mx.json index 85eb3c1d70b..cf56484fa4c 100644 --- a/www/addons/notifications/lang/es-mx.json +++ b/www/addons/notifications/lang/es-mx.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Error al obtener notificaciones.", "notificationpreferences": "Preferencias de notificación", - "notifications": "Notificaciones", + "notifications": "Avisos", "playsound": "Reproducir sonido", "therearentnotificationsyet": "No hay notificaciones." } \ No newline at end of file diff --git a/www/addons/notifications/lang/es.json b/www/addons/notifications/lang/es.json index db11ade05af..1049b40c7a5 100644 --- a/www/addons/notifications/lang/es.json +++ b/www/addons/notifications/lang/es.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Error al obtener notificaciones", - "notificationpreferences": "Preferencias de notificaciones", - "notifications": "Notificaciones", + "notificationpreferences": "Preferencias de notificación", + "notifications": "Avisos", "playsound": "Reproducir sonido", "therearentnotificationsyet": "No hay notificaciones" } \ No newline at end of file diff --git a/www/addons/notifications/lang/eu.json b/www/addons/notifications/lang/eu.json index f5e19694a17..2ca27faebbf 100644 --- a/www/addons/notifications/lang/eu.json +++ b/www/addons/notifications/lang/eu.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "Errore bat gertatu da jakinarazpenak jasotzean.", - "notificationpreferences": "Jakinarazpen hobespenak", + "notificationpreferences": "Jakinarazpenen hobespenak", "notifications": "Jakinarazpenak", "playsound": "Erreproduzitu soinua", "therearentnotificationsyet": "Ez dago jakinarazpenik." diff --git a/www/addons/notifications/lang/fa.json b/www/addons/notifications/lang/fa.json index dcfecb86fba..f641bf74805 100644 --- a/www/addons/notifications/lang/fa.json +++ b/www/addons/notifications/lang/fa.json @@ -1,5 +1,5 @@ { "notificationpreferences": "ترجیحات اطلاعیه‌ها", - "notifications": "هشدارها", + "notifications": "تذکرات", "therearentnotificationsyet": "هیچ هشداری وجود ندارد" } \ No newline at end of file diff --git a/www/addons/notifications/lang/fi.json b/www/addons/notifications/lang/fi.json index e9d2839b7a0..be70ad071de 100644 --- a/www/addons/notifications/lang/fi.json +++ b/www/addons/notifications/lang/fi.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "Virhe ladattaessa ilmoituksia", - "notificationpreferences": "Ilmoitusasetukset", + "notificationpreferences": "Ilmoituksien asetukset", "notifications": "Ilmoitukset", "playsound": "Soita äänimerkki", "therearentnotificationsyet": "Ei uusia ilmoituksia." diff --git a/www/addons/notifications/lang/he.json b/www/addons/notifications/lang/he.json index 1c1591b94ed..39e5a6ed7a5 100644 --- a/www/addons/notifications/lang/he.json +++ b/www/addons/notifications/lang/he.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "שגיאה בטעינת התראות", "notificationpreferences": "העדפות הודעות", - "notifications": "התראות", + "notifications": "עדכונים והודעות", "therearentnotificationsyet": "אין התראות" } \ No newline at end of file diff --git a/www/addons/notifications/lang/hr.json b/www/addons/notifications/lang/hr.json index f130577e1d1..758f784bc9a 100644 --- a/www/addons/notifications/lang/hr.json +++ b/www/addons/notifications/lang/hr.json @@ -1,5 +1,5 @@ { - "notificationpreferences": "Postavke obavijesti", + "notificationpreferences": "Postavke za obavijesti", "notifications": "Obavijesti", "therearentnotificationsyet": "Nema obavijesti" } \ No newline at end of file diff --git a/www/addons/notifications/lang/ja.json b/www/addons/notifications/lang/ja.json index 22daa00358e..8c6ea812ddf 100644 --- a/www/addons/notifications/lang/ja.json +++ b/www/addons/notifications/lang/ja.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "通知の取得中にエラーが発生しました。", - "notificationpreferences": "通知の設定", + "notificationpreferences": "通知プリファレンス", "notifications": "通知", "playsound": "音を出力", "therearentnotificationsyet": "通知はありません" diff --git a/www/addons/notifications/lang/ko.json b/www/addons/notifications/lang/ko.json index d82816c3ee9..fff1b29305a 100644 --- a/www/addons/notifications/lang/ko.json +++ b/www/addons/notifications/lang/ko.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "알림을 가져 오는 중 오류가 발생했습니다.", "notificationpreferences": "알림 환경 설정", - "notifications": "알림", + "notifications": "시스템공지", "playsound": "소리 재생", "therearentnotificationsyet": "알림이 없습니다." } \ No newline at end of file diff --git a/www/addons/notifications/lang/lt.json b/www/addons/notifications/lang/lt.json index 965ea666726..9487770171a 100644 --- a/www/addons/notifications/lang/lt.json +++ b/www/addons/notifications/lang/lt.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "Klaida gaunant pranešimus", - "notificationpreferences": "Pranešimų nustatymai", + "notificationpreferences": "Pranešimų nuostatos", "notifications": "Pranešimai", "therearentnotificationsyet": "Nėra jokių pranešimų" } \ No newline at end of file diff --git a/www/addons/notifications/lang/mr.json b/www/addons/notifications/lang/mr.json index 526fbb0693e..136e773e767 100644 --- a/www/addons/notifications/lang/mr.json +++ b/www/addons/notifications/lang/mr.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "सूचना मिळवताना त्रुटी", "notificationpreferences": "सूचना प्राधान्यक्रम", - "notifications": "सूचना", + "notifications": "अधिसुचना", "playsound": "ध्वनी प्ले करा", "therearentnotificationsyet": "कोणत्याही सूचना नाहीत" } \ No newline at end of file diff --git a/www/addons/notifications/lang/nl.json b/www/addons/notifications/lang/nl.json index 794a0a899d5..fee989fa89d 100644 --- a/www/addons/notifications/lang/nl.json +++ b/www/addons/notifications/lang/nl.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "Fout bij het ophalen van meldingen.", - "notificationpreferences": "Notificatievoorkeuren", + "notificationpreferences": "Meldingen voorkeuren", "notifications": "Meldingen", "playsound": "Speel geluid", "therearentnotificationsyet": "Er zijn geen meldingen." diff --git a/www/addons/notifications/lang/no.json b/www/addons/notifications/lang/no.json index fd4fc2eb2f5..262aefcfee4 100644 --- a/www/addons/notifications/lang/no.json +++ b/www/addons/notifications/lang/no.json @@ -1,5 +1,5 @@ { "notificationpreferences": "Varslingspreferanser", - "notifications": "Meldinger", + "notifications": "Varslinger", "playsound": "Spill lyd" } \ No newline at end of file diff --git a/www/addons/notifications/lang/pt-br.json b/www/addons/notifications/lang/pt-br.json index 6ca19fa1c59..3e54bd1c301 100644 --- a/www/addons/notifications/lang/pt-br.json +++ b/www/addons/notifications/lang/pt-br.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Erro ao receber notificações", - "notificationpreferences": "Preferência de notificações", - "notifications": "Notificação", + "notificationpreferences": "Preferências de notificação", + "notifications": "Avisos", "playsound": "Reproduzir som", "therearentnotificationsyet": "Não há notificações" } \ No newline at end of file diff --git a/www/addons/notifications/lang/ru.json b/www/addons/notifications/lang/ru.json index 588b3e7aa5e..a64d944f1dd 100644 --- a/www/addons/notifications/lang/ru.json +++ b/www/addons/notifications/lang/ru.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "Ошибка получения уведомлений.", - "notificationpreferences": "Предпочтения по уведомлениям", + "notificationpreferences": "Настройка уведомлений", "notifications": "Уведомления", "playsound": "Проигрывать звук", "therearentnotificationsyet": "Уведомлений нет." diff --git a/www/addons/notifications/lang/sv.json b/www/addons/notifications/lang/sv.json index 8029962c563..ce4f0ccc515 100644 --- a/www/addons/notifications/lang/sv.json +++ b/www/addons/notifications/lang/sv.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "Fel att få meddelanden", "notificationpreferences": "Välj inställningar för notiser", - "notifications": "Meddelanden", + "notifications": "Administration", "therearentnotificationsyet": "Det finns inga meddelanden" } \ No newline at end of file diff --git a/www/addons/notifications/lang/uk.json b/www/addons/notifications/lang/uk.json index c3d124173af..791d1338ac3 100644 --- a/www/addons/notifications/lang/uk.json +++ b/www/addons/notifications/lang/uk.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Помилка отримання сповіщень", "notificationpreferences": "Налаштування сповіщень", - "notifications": "Сповіщення", + "notifications": "Повідомлення", "playsound": "Грати звук", "therearentnotificationsyet": "Немає сповіщень" } \ No newline at end of file diff --git a/www/addons/participants/lang/ar.json b/www/addons/participants/lang/ar.json index 6ba30232626..91db007489d 100644 --- a/www/addons/participants/lang/ar.json +++ b/www/addons/participants/lang/ar.json @@ -1,4 +1,4 @@ { "noparticipants": "لم يتم العثور على مشاركين في هذا المقرر الدراسي", - "participants": "مشاركون" + "participants": "المشتركون" } \ No newline at end of file diff --git a/www/addons/participants/lang/ca.json b/www/addons/participants/lang/ca.json index 3c6638a3af7..8fd771b0c76 100644 --- a/www/addons/participants/lang/ca.json +++ b/www/addons/participants/lang/ca.json @@ -1,4 +1,4 @@ { - "noparticipants": "No s'han trobat participants per aquest curs", + "noparticipants": "No s'ha trobat cap participant en aquest curs", "participants": "Participants" } \ No newline at end of file diff --git a/www/addons/participants/lang/cs.json b/www/addons/participants/lang/cs.json index 3863f8d90c8..311ee521366 100644 --- a/www/addons/participants/lang/cs.json +++ b/www/addons/participants/lang/cs.json @@ -1,4 +1,4 @@ { - "noparticipants": "Pro tento kurz nenalezeni účastníci.", - "participants": "Účastníci" + "noparticipants": "Pro tento kurz nenalezen žádný účastník", + "participants": "Přispěvatelé" } \ No newline at end of file diff --git a/www/addons/participants/lang/da.json b/www/addons/participants/lang/da.json index 69f209799f8..28829f714a6 100644 --- a/www/addons/participants/lang/da.json +++ b/www/addons/participants/lang/da.json @@ -1,4 +1,4 @@ { - "noparticipants": "Ingen deltagere fundet på dette kursus", + "noparticipants": "Ingen deltagere fundet.", "participants": "Deltagere" } \ No newline at end of file diff --git a/www/addons/participants/lang/de-du.json b/www/addons/participants/lang/de-du.json index 0ccb03a8295..087591cfe5d 100644 --- a/www/addons/participants/lang/de-du.json +++ b/www/addons/participants/lang/de-du.json @@ -1,4 +1,4 @@ { - "noparticipants": "Keine Teilnehmer/innen für diesen Kurs gefunden", - "participants": "Personen" + "noparticipants": "Keine Teilnehmer gefunden", + "participants": "Teilnehmer/innen" } \ No newline at end of file diff --git a/www/addons/participants/lang/de.json b/www/addons/participants/lang/de.json index 0ccb03a8295..087591cfe5d 100644 --- a/www/addons/participants/lang/de.json +++ b/www/addons/participants/lang/de.json @@ -1,4 +1,4 @@ { - "noparticipants": "Keine Teilnehmer/innen für diesen Kurs gefunden", - "participants": "Personen" + "noparticipants": "Keine Teilnehmer gefunden", + "participants": "Teilnehmer/innen" } \ No newline at end of file diff --git a/www/addons/participants/lang/el.json b/www/addons/participants/lang/el.json index 846f209c0b0..e1a786afbb1 100644 --- a/www/addons/participants/lang/el.json +++ b/www/addons/participants/lang/el.json @@ -1,4 +1,4 @@ { - "noparticipants": "Δεν βρέθηκαν συμμετέχοντες σε αυτό το μάθημα", + "noparticipants": "Δε βρέθηκαν συμμετέχονες γι' αυτό το μάθημα", "participants": "Συμμετέχοντες" } \ No newline at end of file diff --git a/www/addons/participants/lang/es-mx.json b/www/addons/participants/lang/es-mx.json index c97de680297..62113ad2ef9 100644 --- a/www/addons/participants/lang/es-mx.json +++ b/www/addons/participants/lang/es-mx.json @@ -1,4 +1,4 @@ { - "noparticipants": "No se encontraron participantes para este curso.", + "noparticipants": "No se encontraron participantes en este curso", "participants": "Participantes" } \ No newline at end of file diff --git a/www/addons/participants/lang/es.json b/www/addons/participants/lang/es.json index c64b8bf86b4..62113ad2ef9 100644 --- a/www/addons/participants/lang/es.json +++ b/www/addons/participants/lang/es.json @@ -1,4 +1,4 @@ { - "noparticipants": "No se han encontrado participantes en este curso", + "noparticipants": "No se encontraron participantes en este curso", "participants": "Participantes" } \ No newline at end of file diff --git a/www/addons/participants/lang/eu.json b/www/addons/participants/lang/eu.json index 1cf88ad4123..0a84454d0c0 100644 --- a/www/addons/participants/lang/eu.json +++ b/www/addons/participants/lang/eu.json @@ -1,4 +1,4 @@ { - "noparticipants": "Ez da parte-hartzailerik aurkitu ikastaro honetan.", + "noparticipants": "Ez da partaiderik aurkitu ikastaro honetarako", "participants": "Partaideak" } \ No newline at end of file diff --git a/www/addons/participants/lang/fa.json b/www/addons/participants/lang/fa.json index 34112f687d7..90d51eaa038 100644 --- a/www/addons/participants/lang/fa.json +++ b/www/addons/participants/lang/fa.json @@ -1,4 +1,4 @@ { - "noparticipants": "این درس شرکت‌کننده‌ای ندارد", + "noparticipants": "هیچ شرکت‌کننده‌ای پیدا نشد.", "participants": "شرکت کنندگان" } \ No newline at end of file diff --git a/www/addons/participants/lang/fi.json b/www/addons/participants/lang/fi.json index 9f8abb88a2f..fcc700ef564 100644 --- a/www/addons/participants/lang/fi.json +++ b/www/addons/participants/lang/fi.json @@ -1,4 +1,4 @@ { - "noparticipants": "Tällä kurssilla ei ole yhtään osallistujaa.", + "noparticipants": "Tälle kurssille ei löytynyt osallistujia", "participants": "Osallistujat" } \ No newline at end of file diff --git a/www/addons/participants/lang/fr.json b/www/addons/participants/lang/fr.json index 9aed5a94bbe..fc97610a609 100644 --- a/www/addons/participants/lang/fr.json +++ b/www/addons/participants/lang/fr.json @@ -1,4 +1,4 @@ { - "noparticipants": "Aucun participant trouvé dans ce cours.", + "noparticipants": "Aucun participant trouvé dans ce cours", "participants": "Participants" } \ No newline at end of file diff --git a/www/addons/participants/lang/he.json b/www/addons/participants/lang/he.json index 669a9a80dfd..5c487a42ed3 100644 --- a/www/addons/participants/lang/he.json +++ b/www/addons/participants/lang/he.json @@ -1,4 +1,4 @@ { - "noparticipants": "לא נמצאו משתתפים עבור קורס זה", + "noparticipants": "טרם צורפו משתתפים.", "participants": "משתתפים" } \ No newline at end of file diff --git a/www/addons/participants/lang/hu.json b/www/addons/participants/lang/hu.json index 929c510a598..f1cb5cf7cf6 100644 --- a/www/addons/participants/lang/hu.json +++ b/www/addons/participants/lang/hu.json @@ -1,4 +1,4 @@ { - "noparticipants": "A kurzushoz nincsenek résztvevők!", + "noparticipants": "Nincs résztvevő.", "participants": "Résztvevők" } \ No newline at end of file diff --git a/www/addons/participants/lang/it.json b/www/addons/participants/lang/it.json index 0d16202be57..21d39dce004 100644 --- a/www/addons/participants/lang/it.json +++ b/www/addons/participants/lang/it.json @@ -1,4 +1,4 @@ { - "noparticipants": "In questo corso non sono stati trovati partecipanti", - "participants": "Partecipanti" + "noparticipants": "Non sono stati trovati partecipanti.", + "participants": "Sono autorizzati ad inserire record" } \ No newline at end of file diff --git a/www/addons/participants/lang/ja.json b/www/addons/participants/lang/ja.json index 3656df9f659..8fbbcbb3976 100644 --- a/www/addons/participants/lang/ja.json +++ b/www/addons/participants/lang/ja.json @@ -1,4 +1,4 @@ { - "noparticipants": "このコースには参加者がいません。", + "noparticipants": "このコースには参加者が登録されていません。", "participants": "参加者" } \ No newline at end of file diff --git a/www/addons/participants/lang/ko.json b/www/addons/participants/lang/ko.json index 9992a5c90ee..6aa0ce46110 100644 --- a/www/addons/participants/lang/ko.json +++ b/www/addons/participants/lang/ko.json @@ -1,4 +1,4 @@ { - "noparticipants": "이 강좌에 참가자가 없습니다.", - "participants": "참가자" + "noparticipants": "강좌에 참여자가 아무도 없음", + "participants": "참여자" } \ No newline at end of file diff --git a/www/addons/participants/lang/lt.json b/www/addons/participants/lang/lt.json index b675a2848f1..714a8ffda94 100644 --- a/www/addons/participants/lang/lt.json +++ b/www/addons/participants/lang/lt.json @@ -1,4 +1,4 @@ { - "noparticipants": "Dalyvaujančių šiuose kursuose nėra", + "noparticipants": "Nerasta šių kursų dalyvių", "participants": "Dalyviai" } \ No newline at end of file diff --git a/www/addons/participants/lang/mr.json b/www/addons/participants/lang/mr.json index 45861def92b..8c1fb119b04 100644 --- a/www/addons/participants/lang/mr.json +++ b/www/addons/participants/lang/mr.json @@ -1,4 +1,4 @@ { "noparticipants": "या अभ्यासक्रमासाठी कोणतेही सहभागी आढळले नाहीत", - "participants": "सहभागी" + "participants": "सदस्य" } \ No newline at end of file diff --git a/www/addons/participants/lang/nl.json b/www/addons/participants/lang/nl.json index 7feedf9e5e3..33b07998414 100644 --- a/www/addons/participants/lang/nl.json +++ b/www/addons/participants/lang/nl.json @@ -1,4 +1,4 @@ { - "noparticipants": "Geen deelnemers gevonden in deze cursus.", + "noparticipants": "Geen gebruikers gevonden in deze cursus", "participants": "Deelnemers" } \ No newline at end of file diff --git a/www/addons/participants/lang/no.json b/www/addons/participants/lang/no.json index e85b4a74ccf..c84e85ca07c 100644 --- a/www/addons/participants/lang/no.json +++ b/www/addons/participants/lang/no.json @@ -1,4 +1,4 @@ { - "noparticipants": "Fant ingen deltakere for dette kurset", - "participants": "Deltagere" + "noparticipants": "Fant ingen deltakere", + "participants": "Deltakere" } \ No newline at end of file diff --git a/www/addons/participants/lang/pl.json b/www/addons/participants/lang/pl.json index 5025bf740ec..adceacdf5a7 100644 --- a/www/addons/participants/lang/pl.json +++ b/www/addons/participants/lang/pl.json @@ -1,4 +1,4 @@ { - "noparticipants": "Nie znaleziono uczestników w tym kursie", + "noparticipants": "Nie znaleziono uczestników.", "participants": "Uczestnicy" } \ No newline at end of file diff --git a/www/addons/participants/lang/pt-br.json b/www/addons/participants/lang/pt-br.json index 792fea1d8fd..e54b7e5dc2c 100644 --- a/www/addons/participants/lang/pt-br.json +++ b/www/addons/participants/lang/pt-br.json @@ -1,4 +1,4 @@ { - "noparticipants": "Nenhum dos participantes encontrados para este curso", + "noparticipants": "Nenhum participante encontrado para este curso", "participants": "Participantes" } \ No newline at end of file diff --git a/www/addons/participants/lang/pt.json b/www/addons/participants/lang/pt.json index e6a458d7e2f..5fa07c6b1a2 100644 --- a/www/addons/participants/lang/pt.json +++ b/www/addons/participants/lang/pt.json @@ -1,4 +1,4 @@ { - "noparticipants": "Nenhum participante foi encontrado nesta disciplina.", - "participants": "Participantes" + "noparticipants": "Não foram encontrados participantes para esta disciplina", + "participants": "Utilizadores" } \ No newline at end of file diff --git a/www/addons/participants/lang/ro.json b/www/addons/participants/lang/ro.json index 57abb945354..0c2fa9e2bad 100644 --- a/www/addons/participants/lang/ro.json +++ b/www/addons/participants/lang/ro.json @@ -1,4 +1,4 @@ { - "noparticipants": "Nu au fost găsiți participanți la acest curs.", - "participants": "Participanți" + "noparticipants": "Nu există participanți la acest curs", + "participants": "Participanţi" } \ No newline at end of file diff --git a/www/addons/participants/lang/ru.json b/www/addons/participants/lang/ru.json index 1472e7c65c9..590333bcb2f 100644 --- a/www/addons/participants/lang/ru.json +++ b/www/addons/participants/lang/ru.json @@ -1,4 +1,4 @@ { - "noparticipants": "Не найдено участников для данного курса.", + "noparticipants": "Не найдены участники для этого курса.", "participants": "Участники" } \ No newline at end of file diff --git a/www/addons/participants/lang/sv.json b/www/addons/participants/lang/sv.json index ab7780c8f28..27833cf5412 100644 --- a/www/addons/participants/lang/sv.json +++ b/www/addons/participants/lang/sv.json @@ -1,4 +1,4 @@ { - "noparticipants": "Inga deltagare hittades för kursen", + "noparticipants": "Inga deltagare hittades för denna kurs", "participants": "Deltagare" } \ No newline at end of file diff --git a/www/addons/participants/lang/tr.json b/www/addons/participants/lang/tr.json index 05e3c834e4a..9532bf04f39 100644 --- a/www/addons/participants/lang/tr.json +++ b/www/addons/participants/lang/tr.json @@ -1,4 +1,4 @@ { - "noparticipants": "Bu derste hiç katılımcı bulunamadı", + "noparticipants": "Bu ders için hiç katılımcı bulunamadı", "participants": "Katılımcılar" } \ No newline at end of file diff --git a/www/addons/participants/lang/uk.json b/www/addons/participants/lang/uk.json index 2a8bcb3747e..9a3ebc4a3b3 100644 --- a/www/addons/participants/lang/uk.json +++ b/www/addons/participants/lang/uk.json @@ -1,4 +1,4 @@ { - "noparticipants": "Учасників не знайдено за цим курсом", + "noparticipants": "Не знайдені учасники для цього курсу", "participants": "Учасники" } \ No newline at end of file diff --git a/www/core/components/course/lang/es-mx.json b/www/core/components/course/lang/es-mx.json index 5da64f55743..885dd178e53 100644 --- a/www/core/components/course/lang/es-mx.json +++ b/www/core/components/course/lang/es-mx.json @@ -8,7 +8,7 @@ "confirmdownload": "Usted está a punto de descargar {{size}}. ¿Está Usted seguro de querer continuar?", "confirmdownloadunknownsize": "No pudimos calcular el tamaño de la descarga. ¿Está Usted seguro de querer continuar?", "confirmpartialdownloadsize": "Usted está a punto de descargar al menos {{size}}. ¿Está Usted seguro de querer continuar?", - "contents": "Contenidos", + "contents": "Contenido", "couldnotloadsectioncontent": "No pudo cargarse el contenido de la sección. Por favor inténtelo nuevamente después.", "couldnotloadsections": "No pudieron cargarse las secciones. Por favor inténtelo nuevamente después.", "errordownloadingsection": "Error al descargar sección", diff --git a/www/core/components/course/lang/es.json b/www/core/components/course/lang/es.json index e2b507e20ce..a6cf19ff44b 100644 --- a/www/core/components/course/lang/es.json +++ b/www/core/components/course/lang/es.json @@ -8,7 +8,7 @@ "confirmdownload": "Está a punto de descargar {{size}}. ¿Está seguro de que desea continuar?", "confirmdownloadunknownsize": "No se puede calcular el tamaño de la descarga. ¿Está seguro que quiere descargarlo?", "confirmpartialdownloadsize": "Está a punto de descargar al menos {{size}}. ¿Está seguro de querer continuar?", - "contents": "Contenidos", + "contents": "Contenido", "couldnotloadsectioncontent": "No se ha podido cargar el contenido de la sección, por favor inténtelo más tarde.", "couldnotloadsections": "No se ha podido cargar las secciones, por favor inténtelo más tarde.", "errordownloadingsection": "Error durante la descarga de la sección.", diff --git a/www/core/components/course/lang/fa.json b/www/core/components/course/lang/fa.json index bd8c03a6797..6ee0829b8e0 100644 --- a/www/core/components/course/lang/fa.json +++ b/www/core/components/course/lang/fa.json @@ -4,7 +4,7 @@ "confirmdownload": "شما در آستانهٔ دریافت {{size}} هستید. آیا مطمئنید که می‌خواهید ادامه دهید؟", "confirmdownloadunknownsize": "ما نتوانستیم حجم دریافت را محاسبه کنیم. آیا مطمئنید که می‌خواهید ادامه دهید؟", "confirmpartialdownloadsize": "شما در آستانهٔ دریافت حداقل {{size}} هستید. آیا مطمئنید که می‌خواهید ادامه دهید؟", - "contents": "محتواها", + "contents": "محتویات", "couldnotloadsectioncontent": "محتوای قسمت نتوانست بارگیری شود. لطفا بعدا دوباره تلاش کنید.", "couldnotloadsections": "قسمت‌ها نتوانستند بارگیری شوند. لطفا بعدا دوباره تلاش کنید.", "hiddenfromstudents": "پنهان از شاگردان", diff --git a/www/core/components/course/lang/ko.json b/www/core/components/course/lang/ko.json new file mode 100644 index 00000000000..a84df62f333 --- /dev/null +++ b/www/core/components/course/lang/ko.json @@ -0,0 +1,5 @@ +{ + "contents": "목차", + "hiddenfromstudents": "학생에게 비공개", + "overriddennotice": "이 활동에 대한 최종 성적처리가 수동으로 조정되었습니다." +} \ No newline at end of file diff --git a/www/core/components/course/lang/lt.json b/www/core/components/course/lang/lt.json index 61c97b13eaa..08df4163944 100644 --- a/www/core/components/course/lang/lt.json +++ b/www/core/components/course/lang/lt.json @@ -7,7 +7,7 @@ "confirmdownload": "Norite atsisiųsti {{size}}. Ar norite tęsti?", "confirmdownloadunknownsize": "Negalima apskaičiuoti failo, kurį norite atsisiųsti, dydžio. Ar tikrai norite atsisiųsti?", "confirmpartialdownloadsize": "Norite atsisiųsti mažiausiai {{size}}. Ar tikrai norite tęsti?", - "contents": "Turiniai", + "contents": "Turinys", "couldnotloadsectioncontent": "Negalima užkrauti pasirinkto turinio, prašome pamėginti vėliau.", "couldnotloadsections": "Negalima užkrauti pasirinkto turinio, prašome pamėginti vėliau.", "errordownloadingsection": "Klaida atsisiunčiant.", diff --git a/www/core/components/course/lang/mr.json b/www/core/components/course/lang/mr.json index 16a2acef4af..30998715470 100644 --- a/www/core/components/course/lang/mr.json +++ b/www/core/components/course/lang/mr.json @@ -8,7 +8,7 @@ "confirmdownload": "आपण {{size}} डाउनलोड करणार आहात आपल्याला खात्री आहे की आपण सुरू ठेवू इच्छिता?", "confirmdownloadunknownsize": "आम्ही डाउनलोडचे आकार गणना करण्यात अक्षम आहोत. आपण डाउनलोड करू इच्छिता याची आपल्याला खात्री आहे?", "confirmpartialdownloadsize": "आपण कमीत कमी {{size}} डाउनलोड करणार आहात आपल्याला खात्री आहे की आपण सुरू ठेवू इच्छिता?", - "contents": "सामग्री", + "contents": "घटक", "couldnotloadsectioncontent": "विभाग सामग्री लोड करणे शक्य नाही, कृपया नंतर पुन्हा प्रयत्न करा.", "couldnotloadsections": "विभाग लोड करणे शक्य झाले नाही, कृपया नंतर पुन्हा प्रयत्न करा.", "errordownloadingsection": "विभाग डाउनलोड करताना त्रुटी.", diff --git a/www/core/components/course/lang/pt-br.json b/www/core/components/course/lang/pt-br.json index a63bdf96fe3..9f67cd64f5c 100644 --- a/www/core/components/course/lang/pt-br.json +++ b/www/core/components/course/lang/pt-br.json @@ -8,7 +8,7 @@ "confirmdownload": "Você está prestes a baixar {{size}}. Você tem certeza que quer continuar?", "confirmdownloadunknownsize": "Não fomos capazes de calcular o tamanho do download. Tem certeza de que deseja fazer o download?", "confirmpartialdownloadsize": "Você está prestes a baixar pelo menos {{size}}. Você tem certeza que quer continuar?", - "contents": "Conteúdos", + "contents": "Conteúdo", "couldnotloadsectioncontent": "Não foi possível carregar o conteúdo da seção, por favor tente mais tarde.", "couldnotloadsections": "Não foi possível carregar a seção, por favor tente mais tarde.", "errordownloadingsection": "Erro ao baixar seção.", diff --git a/www/core/components/course/lang/ro.json b/www/core/components/course/lang/ro.json index 8b96d538dc0..c6e5f0a6c72 100644 --- a/www/core/components/course/lang/ro.json +++ b/www/core/components/course/lang/ro.json @@ -2,7 +2,7 @@ "allsections": "Toate secțiunile", "confirmdownload": "Porniți o descărcare de {{size}}. Sunteți sigur ca doriți să continuați?", "confirmdownloadunknownsize": "Nu putem calcula dimensiunea fișierului pe care doriți să îl descărcați. Sunteți sigur că doriți să descărcați?", - "contents": "Conținut", + "contents": "Conţinut", "couldnotloadsectioncontent": "Nu se poate încărca conținutul acestei secțiuni, încercați mai târziu.", "couldnotloadsections": "Nu se pot încărca secțiunile, încercați mai târziu.", "errordownloadingsection": "A apărut o eroare la descărcarea secțiunii.", diff --git a/www/core/components/course/lang/tr.json b/www/core/components/course/lang/tr.json index c26d6a3d866..10a1542b3da 100644 --- a/www/core/components/course/lang/tr.json +++ b/www/core/components/course/lang/tr.json @@ -1,6 +1,6 @@ { "allsections": "Tüm Bölümler", - "contents": "İçerik(ler)", + "contents": "İçerik", "hiddenfromstudents": "Öğrencilerden gizli", "overriddennotice": "Bu etkinlikteki final notunuz, elle ayarlandı." } \ No newline at end of file diff --git a/www/core/components/course/lang/uk.json b/www/core/components/course/lang/uk.json index 53f0055b2f4..334d8336ce3 100644 --- a/www/core/components/course/lang/uk.json +++ b/www/core/components/course/lang/uk.json @@ -8,7 +8,7 @@ "confirmdownload": "Ви збираєтеся завантажити {{size}}. Ви впевнені, що хочете продовжити?", "confirmdownloadunknownsize": "Ми не змогли розрахувати розмір файлу. Ви впевнені, що ви хочете завантажити?", "confirmpartialdownloadsize": "Ви збираєтеся завантажити принаймні {{size}}. Ви впевнені, що хочете продовжити?", - "contents": "Контент", + "contents": "Зміст", "couldnotloadsectioncontent": "Не вдалося завантажити вміст розділу, будь ласка, спробуйте ще раз пізніше.", "couldnotloadsections": "Не вдалося завантажити розділи, будь ласка, спробуйте ще раз пізніше.", "errordownloadingsection": "Помилка в завантаженні.", diff --git a/www/core/components/courses/lang/ar.json b/www/core/components/courses/lang/ar.json index 9decedc053a..82cbdc293a6 100644 --- a/www/core/components/courses/lang/ar.json +++ b/www/core/components/courses/lang/ar.json @@ -1,19 +1,19 @@ { "allowguests": "يسمح للمستخدمين الضيوف بالدخول إلى هذا المقرر الدراسي", "availablecourses": "المقررات الدراسية المتاحة", - "categories": "التصنيفات", - "courses": "تصنيف المقررات الدراسية", + "categories": "تصنيفات المقررات الدراسية", + "courses": "المقررات الدراسية", "enrolme": "سجلني", "frontpage": "الصفحة الرئيسية", "mycourses": "مقرراتي الدراسية", - "nocourses": "لا يوجد مقررات", + "nocourses": "لا يوجد معلومات لمقرر دراسي ليتم اظهرها", "nocoursesyet": "لا توجد مقررات دراسية لهذه الفئة", - "nosearchresults": "لا يوجد نتائج", + "nosearchresults": "لا توجد نتائج لهذا البحث", "notenroled": "أنت لست مسجلاً كطالب في هذا المقرر", - "password": "كلمة مرور", + "password": "كلمة المرور", "paymentrequired": "هذا المقرر الدراسي غير مجانين لذا يجب دفع القيمة للدخول.", "paypalaccepted": "تم قبول التبرع المدفوع", "search": "بحث", - "searchcourses": "البحث في المقررات الدراسية", + "searchcourses": "بحث مقررات دراسية", "sendpaymentbutton": "ارسل القيمة المدفوعة عن طريق التبرع" } \ No newline at end of file diff --git a/www/core/components/courses/lang/bg.json b/www/core/components/courses/lang/bg.json index 3f27424ca1e..e05228fa388 100644 --- a/www/core/components/courses/lang/bg.json +++ b/www/core/components/courses/lang/bg.json @@ -1,17 +1,17 @@ { "allowguests": "В този курс могат да влизат гости", "availablecourses": "Налични курсове", - "categories": "Категории", + "categories": "Категории курсове", "courses": "Курсове", "enrolme": "Запишете ме", "errorloadcourses": "Грешка при зареждането на курсовете.", "frontpage": "Заглавна страница", "mycourses": "Моите курсове", - "nocourses": "Няма курсове", + "nocourses": "Няма информация за курса, която да бъде показана.", "nocoursesyet": "Няма курсове в тази категория", - "nosearchresults": "Няма резултати", + "nosearchresults": "Няма открити резултати за Вашето търсене", "notenroled": "Вие не сте записани в този курс", - "password": "Парола", + "password": "Ключ за записване", "search": "Търсене", "searchcourses": "Търсене на курсове" } \ No newline at end of file diff --git a/www/core/components/courses/lang/ca.json b/www/core/components/courses/lang/ca.json index 2f845c9fc61..6cc07396fb1 100644 --- a/www/core/components/courses/lang/ca.json +++ b/www/core/components/courses/lang/ca.json @@ -2,7 +2,7 @@ "allowguests": "Aquest curs permet entrar als usuaris visitants", "availablecourses": "Cursos disponibles", "cannotretrievemorecategories": "No es poden recuperar categories més enllà del nivell {{$a}}.", - "categories": "Categories", + "categories": "Categories de cursos", "confirmselfenrol": "Segur que voleu autoinscriure-us en aquest curs?", "courses": "Cursos", "enrolme": "Inscriu-me", @@ -13,15 +13,15 @@ "filtermycourses": "Filtrar els meus cursos", "frontpage": "Pàgina principal", "mycourses": "Els meus cursos", - "nocourses": "No hi ha informació del curs per mostrar.", + "nocourses": "No hi ha informació de cursos per mostrar.", "nocoursesyet": "No hi ha cursos en aquesta categoria", - "nosearchresults": "Cap resultat", + "nosearchresults": "La cerca no ha obtingut resultats", "notenroled": "No us heu inscrit en aquest curs", "notenrollable": "No podeu autoinscriure-us en aquest curs.", - "password": "Clau d'inscripció", + "password": "Contrasenya", "paymentrequired": "Aquest curs requereix pagament.", "paypalaccepted": "S'accepten pagaments via PayPal", - "search": "Cerca", + "search": "Cerca...", "searchcourses": "Cerca cursos", "searchcoursesadvice": "Podeu fer servir el botó de cercar cursos per accedir als cursos com a convidat o autoinscriure-us en cursos que ho permetin.", "selfenrolment": "Autoinscripció", diff --git a/www/core/components/courses/lang/cs.json b/www/core/components/courses/lang/cs.json index f1f8b518512..4f1701f9748 100644 --- a/www/core/components/courses/lang/cs.json +++ b/www/core/components/courses/lang/cs.json @@ -2,10 +2,10 @@ "allowguests": "Tento kurz je otevřen i pro hosty", "availablecourses": "Dostupné kurzy", "cannotretrievemorecategories": "Kategorie hlubší než úroveň {{$a}} nelze načíst.", - "categories": "Kategorie", + "categories": "Kategorie kurzů", "confirmselfenrol": "Jste si jisti, že chcete zapsat se do tohoto kurzu?", "courses": "Kurzy", - "enrolme": "Zapsat se", + "enrolme": "Zapsat se do kurzu", "errorloadcategories": "Při načítání kategorií došlo k chybě.", "errorloadcourses": "Při načítání kurzů došlo k chybě.", "errorsearching": "Při vyhledávání došlo k chybě.", @@ -13,15 +13,15 @@ "filtermycourses": "Filtrovat mé kurzy", "frontpage": "Titulní stránka", "mycourses": "Moje kurzy", - "nocourses": "O kurzu nejsou žádné informace.", + "nocourses": "Žádné dostupné informace o kurzech", "nocoursesyet": "Žádný kurz v této kategorii", - "nosearchresults": "Žádné výsledky", + "nosearchresults": "Vaše vyhledávání nepřineslo žádný výsledek", "notenroled": "Nejste zapsáni v tomto kurzu", "notenrollable": "Do tohoto kurzu se nemůžete sami zapsat.", - "password": "Klíč zápisu", + "password": "Heslo", "paymentrequired": "Tento kurz je placený", "paypalaccepted": "Platby přes PayPal přijímány", - "search": "Vyhledat", + "search": "Hledat", "searchcourses": "Vyhledat kurzy", "searchcoursesadvice": "Můžete použít tlačítko Vyhledat kurzy, pracovat jako host nebo se zapsat do kurzů, které to umožňují.", "selfenrolment": "Zápis sebe sama", diff --git a/www/core/components/courses/lang/da.json b/www/core/components/courses/lang/da.json index cdb92b5ef53..3f2069aaf2c 100644 --- a/www/core/components/courses/lang/da.json +++ b/www/core/components/courses/lang/da.json @@ -1,7 +1,7 @@ { "allowguests": "Dette kursus tillader gæster", "availablecourses": "Tilgængelige kurser", - "categories": "Kategorier", + "categories": "Kursuskategorier", "confirmselfenrol": "Er du sikker på at du ønsker at tilmelde dig dette kursus?", "courses": "Kurser", "enrolme": "Tilmeld mig", @@ -11,16 +11,16 @@ "filtermycourses": "Filtrer mit kursus", "frontpage": "Forside", "mycourses": "Mine kurser", - "nocourses": "Der er ingen kursusoplysninger at vise.", + "nocourses": "Du er ikke tilmeldt nogen kurser.", "nocoursesyet": "Der er ingen kurser i denne kategori", - "nosearchresults": "Ingen resultater", + "nosearchresults": "Der var ingen beskeder der opfyldte søgekriteriet", "notenroled": "Du er ikke tilmeldt dette kursus", "notenrollable": "Du kan ikke selv tilmelde dig dette kursus.", - "password": "Tilmeldingsnøgle", + "password": "Adgangskode", "paymentrequired": "Dette kursus kræver betaling for tilmelding.", "paypalaccepted": "PayPal-betalinger er velkomne", - "search": "Søg", - "searchcourses": "Søg kurser", + "search": "Søg...", + "searchcourses": "Søg efter kurser", "searchcoursesadvice": "Du kan bruge knappen kursussøgning for at få adgang som gæst eller tilmelde dig kurser der tillader det.", "selfenrolment": "Selvtilmelding", "sendpaymentbutton": "Send betaling via PayPal", diff --git a/www/core/components/courses/lang/de-du.json b/www/core/components/courses/lang/de-du.json index 21af16fba84..6635a76eeac 100644 --- a/www/core/components/courses/lang/de-du.json +++ b/www/core/components/courses/lang/de-du.json @@ -2,10 +2,10 @@ "allowguests": "Dieser Kurs erlaubt einen Gastzugang.", "availablecourses": "Kursliste", "cannotretrievemorecategories": "Kursbereiche tiefer als Level {{$a}} können nicht abgerufen werden.", - "categories": "Kategorien", + "categories": "Kursbereiche", "confirmselfenrol": "Möchtest du dich selbst in diesen Kurs einschreiben?", "courses": "Kurse", - "enrolme": "Selbst einschreiben", + "enrolme": "Einschreiben", "errorloadcategories": "Fehler beim Laden von Kursbereichen", "errorloadcourses": "Fehler beim Laden von Kursen", "errorsearching": "Fehler beim Suchen", @@ -13,15 +13,15 @@ "filtermycourses": "Meine Kurse filtern", "frontpage": "Startseite", "mycourses": "Meine Kurse", - "nocourses": "Keine Kursinformation", + "nocourses": "Keine Kursinformationen", "nocoursesyet": "Keine Kurse in diesem Kursbereich", - "nosearchresults": "Keine Suchergebnisse", + "nosearchresults": "Keine Ergebnisse", "notenroled": "Sie sind nicht in diesen Kurs eingeschrieben", "notenrollable": "Du kannst dich nicht selbst in diesen Kurs einschreiben.", - "password": "Einschreibeschlüssel", + "password": "Kennwort", "paymentrequired": "Dieser Kurs ist gebührenpflichtig. Bitte bezahle die Teilnahmegebühr, um im Kurs eingeschrieben zu werden.", "paypalaccepted": "PayPal-Zahlungen möglich", - "search": "Suche", + "search": "Suchen", "searchcourses": "Kurse suchen", "searchcoursesadvice": "Du kannst Kurse suchen, um als Gast teilzunehmen oder dich selbst einzuschreiben, falls dies erlaubt ist.", "selfenrolment": "Selbsteinschreibung", diff --git a/www/core/components/courses/lang/de.json b/www/core/components/courses/lang/de.json index 76e1ac7a804..70449cc790e 100644 --- a/www/core/components/courses/lang/de.json +++ b/www/core/components/courses/lang/de.json @@ -2,10 +2,10 @@ "allowguests": "Dieser Kurs erlaubt einen Gastzugang.", "availablecourses": "Kursliste", "cannotretrievemorecategories": "Kursbereiche tiefer als Level {{$a}} können nicht abgerufen werden.", - "categories": "Kategorien", + "categories": "Kursbereiche", "confirmselfenrol": "Möchten Sie sich selbst in diesen Kurs einschreiben?", "courses": "Kurse", - "enrolme": "Selbst einschreiben", + "enrolme": "Einschreiben", "errorloadcategories": "Fehler beim Laden von Kursbereichen", "errorloadcourses": "Fehler beim Laden von Kursen", "errorsearching": "Fehler beim Suchen", @@ -13,15 +13,15 @@ "filtermycourses": "Meine Kurse filtern", "frontpage": "Startseite", "mycourses": "Meine Kurse", - "nocourses": "Keine Kursinformation", + "nocourses": "Keine Kursinformationen", "nocoursesyet": "Keine Kurse in diesem Kursbereich", - "nosearchresults": "Keine Ergebnisse", + "nosearchresults": "Keine Suchergebnisse", "notenroled": "Sie sind nicht in diesen Kurs eingeschrieben", "notenrollable": "Sie können sich nicht selbst in diesen Kurs einschreiben.", - "password": "Einschreibeschlüssel", + "password": "Kennwort", "paymentrequired": "Dieser Kurs ist entgeltpflichtig. Bitte bezahlen Sie das Teilnahmeentgelt, um in den Kurs eingeschrieben zu werden.", "paypalaccepted": "PayPal-Zahlungen möglich", - "search": "Suche", + "search": "Suchen", "searchcourses": "Kurse suchen", "searchcoursesadvice": "Sie können Kurse suchen, um als Gast teilzunehmen oder sich selbst einzuschreiben, falls dies erlaubt ist.", "selfenrolment": "Selbsteinschreibung", diff --git a/www/core/components/courses/lang/el.json b/www/core/components/courses/lang/el.json index 0242eae0850..9b9181e2536 100644 --- a/www/core/components/courses/lang/el.json +++ b/www/core/components/courses/lang/el.json @@ -2,7 +2,7 @@ "allowguests": "Σε αυτό το μάθημα επιτρέπονται και οι επισκέπτες", "availablecourses": "Διαθέσιμα Μαθήματα", "cannotretrievemorecategories": "Δεν είναι δυνατή η ανάκτηση κατηγοριών μετά από το επίπεδο {{$a}}.", - "categories": "Κατηγορίες", + "categories": "Κατηγορίες μαθημάτων", "confirmselfenrol": "Είστε σίγουροι ότι θέλετε να εγγραφείτε σε αυτό το μάθημα;", "courses": "Μαθήματα", "enrolme": "Εγγραφή", @@ -13,15 +13,15 @@ "filtermycourses": "Φιλτράρισμα των μαθημάτων μου", "frontpage": "Αρχική σελίδα", "mycourses": "Τα μαθήματά μου", - "nocourses": "Δεν υπάρχουν πληροφορίες για αυτό το μάθημα.", + "nocourses": "Δεν υπάρχει πληροφορία του μαθήματος για προβολή.", "nocoursesyet": "Δεν υπάρχουν μαθήματα σε αυτήν την κατηγορία", "nosearchresults": "Δε βρέθηκαν αποτελέσματα για την αναζήτησή σας", "notenroled": "Δεν είσαι εγγεγραμμένος σε αυτό το μάθημα", "notenrollable": "Δεν μπορείτε να αυτο-εγγραφείτε σε αυτό το μάθημα.", - "password": "Κλειδί εγγραφής", + "password": "Κωδικός πρόσβασης", "paymentrequired": "Αυτό το μάθημα απαιτεί πληρωμή για την είσοδο.", "paypalaccepted": "Αποδεκτές οι πληρωμές μέσω PayPal", - "search": "Έρευνα", + "search": "Αναζήτηση", "searchcourses": "Αναζήτηση μαθημάτων", "searchcoursesadvice": "Μπορείτε να χρησιμοποιήσετε το κουμπί Αναζήτηση μαθημάτων για πρόσβαση ως επισκέπτης ή για να αυτο-εγγραφείτε σε μαθήματα που το επιτρέπουν.", "selfenrolment": "Αυτο-εγγραφή", diff --git a/www/core/components/courses/lang/es-mx.json b/www/core/components/courses/lang/es-mx.json index 3061c6a73e1..af8fe435fd1 100644 --- a/www/core/components/courses/lang/es-mx.json +++ b/www/core/components/courses/lang/es-mx.json @@ -13,15 +13,15 @@ "filtermycourses": "<<\n
    • املأ نموذج حساب جديد.
    • \n
    • على الفور تصلك رسالة على عنوانك البريدي.
    • \n
    • قم بقراءة البريد واضغط على الرابطة الموجودة به.
    • \n
    • سيتم تأكيد اشتراكك ويسمح لك بالدخول.
    • \n
    • والآن قم باختيار المقرر الدراسي الذي ترغب المشاركة فيه.
    • \n
    • من الآن فصاعدا يمكنك الدخول عن طريق إدخال اسم المستخدم وكلمة المرور (في النموذج المقابل بهذه الصفحة) ، وتستطيع الاتصال الكامل المقرر الدراسي ، وتصل إلى أي مقرر دراسي تريد التسجيل به.
    • \n
    • إذا طلب منك ''مفتاح التسجيل'' - استخدم المفتاح الذي أعطاه لك المدرس. هذا سيجعلك ''تشارك'' في المقرر الدراسي.
    • \n
    • لا حظ أن كل مقرر دراسي قد يكون له أيضا \"مفتاح تسجيل\" ستحتاج إليه لاحقا.
    • \n ", diff --git a/www/core/components/login/lang/ca.json b/www/core/components/login/lang/ca.json index 9e0a05987f0..40dd3040a18 100644 --- a/www/core/components/login/lang/ca.json +++ b/www/core/components/login/lang/ca.json @@ -29,7 +29,7 @@ "invalidmoodleversion": "La versió de Moodle no és vàlida. Cal com a mínim la versió 2.4.", "invalidsite": "L'URL del lloc no és vàlid.", "invalidtime": "L'hora no és vàlida", - "invalidurl": "L'URL que heu introduït no és vàlid", + "invalidurl": "L'URL no és vàlid", "invalidvaluemax": "El valor màxim és {{$a}}", "invalidvaluemin": "El valor mínim és {{$a}}", "localmobileunexpectedresponse": "Les característiques addicionals de Moodle Mobile han tornat una resposta inesperada, us heu d'autenticar fent servir el servei estàndard de Mobile.", diff --git a/www/core/components/login/lang/cs.json b/www/core/components/login/lang/cs.json index bc065edc491..ad3c7fe1dbf 100644 --- a/www/core/components/login/lang/cs.json +++ b/www/core/components/login/lang/cs.json @@ -1,17 +1,17 @@ { "auth_email": "Registrace na základě e-mailu", "authenticating": "Autentizace", - "cancel": "Zrušit", + "cancel": "Přerušit", "checksiteversion": "Zkontrolujte, zda web používá Moodle 2.4 nebo novější.", "confirmdeletesite": "Jste si jisti, že chcete smazat web {{sitename}}?", - "connect": "Připojit!", + "connect": "Spojit", "connecttomoodle": "Připojit k Moodle", "contactyouradministrator": "Pro další pomoc se obraťte na správce webu.", "contactyouradministratorissue": "Požádejte správce, prosím, aby zkontroloval následující problém: {{$a}}", "createaccount": "Vytvořit můj nový účet", "createuserandpass": "Vytvořit nové uživatelské jméno a heslo pro přihlášení", "credentialsdescription": "Pro přihlášení uveďte své uživatelské jméno a heslo.", - "emailconfirmsent": "

      E-mail by měl být zaslán na Vaši adresu na {{$a}}

      Obsahuje jednoduché instrukce pro dokončení registrace.

      Pokud budou potíže pokračovat, obraťte se na správce webu.

      ", + "emailconfirmsent": "

      Na vaši adresu {{$a}} byl odeslán e-mail s jednoduchými pokyny k dokončení vaší registrace.

      Narazíte-li na nějaké obtíže, spojte se se správcem těchto stránek.

      ", "emailnotmatch": "E-maily se neshodují", "enterthewordsabove": "Vložte výše uvedená slova", "erroraccesscontrolalloworigin": "Cross-Origin volání - váš pokus o provedení byl odmítnut. Zkontrolujte prosím https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -20,7 +20,7 @@ "firsttime": "Jste tady poprvé?", "forgotten": "Zapomněli jste své uživatelské jméno či heslo?", "getanothercaptcha": "Získat jiné CAPTCHA", - "help": "Pomoc", + "help": "Nápověda", "helpmelogin": "

      Existuje mnoho tisíc webů Moodle po celém světě. Tato aplikace může připojit pouze ke stránkám Moodle, které povolily, mobilní přístup k aplikaci.

      Pokud se nemůžete k Moodle připojit, pak je třeba kontaktovat správce web Moodle, kam se chcete připojit a požádat, aby přečetl http://docs.moodle.org/en/Mobile_app

      Chcete-li otestovat aplikaci na Moodle demo webu jako učitel nebo student na pole Adresa stránky a klikněte na tlačítko Připojit .

      ", "instructions": "Pokyny", "invalidaccount": "Zkontrolujte si prosím své přihlašovací údaje nebo se obraťte na správce webu, aby zkontroloval nastavení.", @@ -29,12 +29,12 @@ "invalidmoodleversion": "Neplatná verze Moodle. Minimální potřebná verze je 2.4.", "invalidsite": "Adresa URL stránky je chybná", "invalidtime": "Neplatný čas", - "invalidurl": "Použité URL není platné", + "invalidurl": "Neplatná URL", "invalidvaluemax": "Maximální hodnota je {{$a}}", "invalidvaluemin": "Minimální hodnota je {{$a}}", "localmobileunexpectedresponse": "Kontrola rozšířených vlastností Moodle Mobile vrátil neočekávanou odezvu. Budete ověřen pomocí standardních služeb mobilu .", "loggedoutssodescription": "Musíte se znovu autentizovat. Musíte se přihlásit na stránky v okně prohlížeče.", - "login": "Přihlásit se", + "login": "Přihlášení", "loginbutton": "Přihlásit se", "logininsiterequired": "Váš Moodlu vás nutí k přihlášení pomocí prohlížeče. Nová instance prohlížeče otevře přesměrování na vaše stránky Moodle.", "loginsteps": "K plnému přístupu na tyto stránky, musíte nejprve vytvořit účet.", diff --git a/www/core/components/login/lang/da.json b/www/core/components/login/lang/da.json index b492cd08437..10b8609ab00 100644 --- a/www/core/components/login/lang/da.json +++ b/www/core/components/login/lang/da.json @@ -3,7 +3,7 @@ "authenticating": "Godkender", "cancel": "Annuller", "confirmdeletesite": "Er du sikker på at du ønsker at slette websiden {{sitename}}?", - "connect": "Tilslut!", + "connect": "Forbind", "connecttomoodle": "Tilslut til Moodle", "contactyouradministrator": "Kontakt administrator for yderligere hjælp", "contactyouradministratorissue": "Bed administrator om at tjekke følgende: {{$a}}", @@ -28,7 +28,7 @@ "invalidmoodleversion": "Ugyldig Moodle version. Der kræves minimum 2.4.", "invalidsite": "Denne webadresse er ugyldig.", "invalidtime": "Ugyldigt klokkeslæt", - "invalidurl": "Den URL, du har skrevet, er ikke korrekt", + "invalidurl": "Ugyldig URL", "invalidvaluemax": "Højeste værdi er {{$a}}", "invalidvaluemin": "Mindste værdi er {{$a}}", "localmobileunexpectedresponse": "Du har fået en uventet reaktion fra Moodle Mobile Additional Features, så du vil blive godkendt ved hjælp af standard Mobile service.", diff --git a/www/core/components/login/lang/de-du.json b/www/core/components/login/lang/de-du.json index ffd48a582f7..c32d0aabcb2 100644 --- a/www/core/components/login/lang/de-du.json +++ b/www/core/components/login/lang/de-du.json @@ -11,7 +11,7 @@ "createaccount": "Mein neues Konto anlegen", "createuserandpass": "Wähle deinen Anmeldenamen und dein Kennwort", "credentialsdescription": "Gib den Anmeldenamen und das Kennwort ein. ", - "emailconfirmsent": "

      In Kürze wird eine E-Mail an {{$a}} gesendet.

      Du findest eine einfache Anleitung, wie du die Registrierung abschließt. Bei Schwierigkeiten frage den Administrator der Website.

      ", + "emailconfirmsent": "

      Um sicherzugehen, dass sich niemand unberechtigt über die von dir angegebene E-Mail anmeldet, wird eine automatische Benachrichtigung an diese Adresse {{$a}} gesendet. Je nach Netzlast trifft sie sofort oder auch etwas später bei dir ein.

      \n

      Die Benachrichtigung enthält eine Anleitung, wie du deine Registrierung bestätigst.\nDanach bist du auf dieser Moodle-Seite registriert und kannst sofort loslegen.

      \n

      Bei Problemen wende dich bitte an die Administrator/innen der Website.

      ", "emailnotmatch": "Die E-Mail-Adressen stimmen nicht überein.", "enterthewordsabove": "Geben Sie die gezeigten Wörter ein", "erroraccesscontrolalloworigin": "Der Cross-Origin Aufruf wurde zurückgewiesen. Weitere Informationen: https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Falsche Version. Mindestens Moodle 2.4 ist notwendig.", "invalidsite": "Die URL der Website ist ungültig.", "invalidtime": "Ungültige Zeitangabe", - "invalidurl": "Die eingegebene URL ist nicht gültig.", + "invalidurl": "Ungültige URL", "invalidvaluemax": "Der Maximalwert ist {{$a}}.", "invalidvaluemin": "Der Minimalwert ist {{$a}}.", "localmobileunexpectedresponse": "Die Verbindung zum Plugin 'Moodle Mobile - Zusatzfeatures' ist fehlgeschlagen. Du wirst über den standardmäßigen mobilen Webservice authentifiziert.", diff --git a/www/core/components/login/lang/de.json b/www/core/components/login/lang/de.json index c99925fd5e7..c44934f9c61 100644 --- a/www/core/components/login/lang/de.json +++ b/www/core/components/login/lang/de.json @@ -11,7 +11,7 @@ "createaccount": "Mein neues Konto anlegen", "createuserandpass": "Wählen Sie Ihre Anmeldedaten.", "credentialsdescription": "Geben Sie den Anmeldenamen und das Kennwort ein. ", - "emailconfirmsent": "

      In Kürze wird eine E-Mail an {{$a}} gesendet.

      Sie finden eine einfache Anleitung, wie Sie die Registrierung abschließen. Bei Schwierigkeiten wenden Sie sich an den Administrator der Website.

      ", + "emailconfirmsent": "

      Um sicherzugehen, dass sich niemand unberechtigt über die von Ihnen angegebene E-Mail anmeldet, wird eine automatische Benachrichtigung an diese Adresse {{$a}} gesendet. Je nach Netzlast trifft sie sofort oder auch etwas später bei Ihnen ein.

      \n

      Die Benachrichtigung enthält eine Anleitung, wie Sie Ihre Registrierung bestätigen.\nDanach sind Sie auf dieser Moodle-Seite registriert und können sofort loslegen.

      \n

      Bei Problemen wenden Sie sich bitte an die Administrator/innen der Website.

      ", "emailnotmatch": "Die E-Mail-Adressen stimmen nicht überein.", "enterthewordsabove": "Geben Sie die gezeigten Wörter ein", "erroraccesscontrolalloworigin": "Der Cross-Origin Aufruf wurde zurückgewiesen. Weitere Informationen: https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Falsche Version. Mindestens Moodle 2.4 ist notwendig.", "invalidsite": "Die URL der Website ist ungültig.", "invalidtime": "Ungültige Zeitangabe", - "invalidurl": "Die eingegebene URL ist nicht gültig.", + "invalidurl": "Ungültige URL", "invalidvaluemax": "Der Maximalwert ist {{$a}}.", "invalidvaluemin": "Der Minimalwert ist {{$a}}.", "localmobileunexpectedresponse": "Die Verbindung zum Plugin 'Moodle Mobile - Zusatzfeatures' ist fehlgeschlagen. Sie werden über den standardmäßigen mobilen Webservice authentifiziert.", diff --git a/www/core/components/login/lang/el.json b/www/core/components/login/lang/el.json index c03277ff428..028fc407dd6 100644 --- a/www/core/components/login/lang/el.json +++ b/www/core/components/login/lang/el.json @@ -1,7 +1,7 @@ { "auth_email": "Email-based αυτο-εγγραφή", "authenticating": "Έλεγχος ταυτότητας", - "cancel": "Ακύρωση", + "cancel": "Άκυρο", "checksiteversion": "Ελέγξτε ποια έκδοση Moodle χρησιμοποιεί το site, Moodle 2.4 ή μετέπειτα έκδοση.", "confirmdeletesite": "Είστε σίγουροι ότι θέλετε να διαγράψετε το site {{sitename}};", "connect": "Σύνδεση!", @@ -11,7 +11,7 @@ "createaccount": "Δημιουργία του λογαριασμού μου", "createuserandpass": "Δημιουργία ενός νέου ονόματος χρήστη και κωδικού πρόσβασης για είσοδο στον δικτυακό τόπο", "credentialsdescription": "Δώστε το όνομα χρήστη και τον κωδικό πρόσβασής σας για να συνδεθείτε.", - "emailconfirmsent": "

      Ένα email έχει σταλεί στη διεύθυνση σας {{$a}}

      Περιέχει εύκολες οδηγίες για να ολοκληρώσετε την εγγραφή σας.

      Εάν συνεχίσετε να έχετε δυσκολίες επικοινωνήστε με το διαχειριστή του site.

      ", + "emailconfirmsent": "

      Ένα μήνυμα ηλεκτρονικού ταχυδρομείου θα πρέπει να έχει σταλεί στη διεύθυνσή σας, {{$a}}

      \n

      Περιέχει απλές οδηγίες για την ολοκλήρωση της εγγραφής σας.

      \n

      Αν συνεχίζετε να αντιμετωπίζετε δυσκολίες, επικοινωνήστε με το διαχειριστή του δικτυακού τόπου.

      ", "emailnotmatch": "Οι διευθύνσεις email δεν ταιριάζουν", "enterthewordsabove": "Enter the words above", "erroraccesscontrolalloworigin": "Η κλήση πολλαπλών προελεύσεων (Cross-Origin call) που προσπαθείτε να εκτελέσετε έχει απορριφθεί. Παρακαλώ ελέγξτε https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Μη έγκυρη έκδοση Moodle. Η ελάχιστη απαιτούμενη έκδοση είναι η 2.4.", "invalidsite": "Η διεύθυνση ιστότοπου δεν είναι έγκυρη.", "invalidtime": "Μη έγκυρη ώρα", - "invalidurl": "Μη έγκυρο URL", + "invalidurl": "Το URL που εισαγάγατε δεν είναι έγκυρο", "invalidvaluemax": "Η μεγαλύτερη τιμή είναι {{$a}}", "invalidvaluemin": "Η μικρότερη τιμή είναι {{$a}}", "localmobileunexpectedresponse": "Ο έλεγχος επιπρόσθετων λειτουργιών τη εφαρμοργής για κινητά Moodle επέστρεψε μια απροσδόκητη απόκριση, θα πιστοποιηθείτε χρησιμοποιώντας την τυπική υπηρεσία κινητής τηλεφωνίας.", diff --git a/www/core/components/login/lang/es-mx.json b/www/core/components/login/lang/es-mx.json index 13bebdfeb62..34e4a31530b 100644 --- a/www/core/components/login/lang/es-mx.json +++ b/www/core/components/login/lang/es-mx.json @@ -4,14 +4,14 @@ "cancel": "Cancelar", "checksiteversion": "Revisar que su sitio usa Moodle 2.4 o más reciente.", "confirmdeletesite": "¿Está Usted seguro de querer eliminar el sitio {{sitename}}?", - "connect": "¡Conectar!", + "connect": "Conectar", "connecttomoodle": "Conectar a Moodle", "contactyouradministrator": "Contacte a su administrador del sitio para más ayuda.", "contactyouradministratorissue": "Por favor, pídale al administrador que revise el siguiente problema: {{$a}}", "createaccount": "Crear mi cuenta nueva", "createuserandpass": "Elegir su nombre_de_usuario y contraseña", "credentialsdescription": "Por favor proporcione su nombre_de_usuario y contraseña para ingresar.", - "emailconfirmsent": "

      Debería de haberse enviado un Email a su dirección en {{$a}}

      El Email contiene instrucciones sencillas para completar su registro.

      Si continúa teniendo dificultades, contacte al administrador del sitio.

      ", + "emailconfirmsent": "

      Hemos enviado un correo electrónico a {{$a}}

      \n

      En él encontrará instrucciones sencillas para concluir el proceso.

      \n

      Si tuviera alguna dificultad, contacte con el Administrador del Sistema.

      ", "emailnotmatch": "No coinciden los Emails", "enterthewordsabove": "Escriba las palabras de arriba", "erroraccesscontrolalloworigin": "La llamada de Orígen Cruzado (''Cross-Origin'') que Usted está tratando de realizar ha sido rechazada. Por favor revise https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Versión de Moodle inválida. La versión mínima requerida es 2.4", "invalidsite": "La URL del sitio es inválida.", "invalidtime": "Hora inválida", - "invalidurl": "La URL introducida no es válida", + "invalidurl": "URL no válida", "invalidvaluemax": "El valor máximo es {{$a}}", "invalidvaluemin": "El valor mínimo es {{$a}}", "localmobileunexpectedresponse": "La revisión de las características Adicionales de Moodle Mobile regresó una respuesta inesperada; Usted será autenticado usando el servicio Mobile estándar.", diff --git a/www/core/components/login/lang/es.json b/www/core/components/login/lang/es.json index 422b7d9817a..6b564f957bc 100644 --- a/www/core/components/login/lang/es.json +++ b/www/core/components/login/lang/es.json @@ -11,7 +11,7 @@ "createaccount": "Crear cuenta", "createuserandpass": "Crear un nuevo usuario y contraseña para acceder al sistema", "credentialsdescription": "Introduzca su nombre se usuario y contraseña para entrar", - "emailconfirmsent": "

      Se ha enviado un email a su dirección {{$a}}

      Contiene instrucciones para completar el proceso de registro.

      Si continúa teniendo algún problema, contacte con el administrador de su sitio.

      ", + "emailconfirmsent": "

      Hemos enviado un correo electrónico a {{$a}}

      \n

      En él encontrará instrucciones sencillas para concluir el proceso.

      \n

      Si tuviera alguna dificultad, contacte con el Administrador del Sistema.

      ", "emailnotmatch": "Las direcciones de correo no coinciden.", "enterthewordsabove": "Escriba las palabras de arriba", "erroraccesscontrolalloworigin": "La llamada Cross-Origin que está intentando ha sido rechazada. Por favor visite https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Versión de Moodle inválida. La versión mínima requerida es:", "invalidsite": "La URL del sitio es inválida.", "invalidtime": "Hora incorrecta", - "invalidurl": "La URL introducida no es válida", + "invalidurl": "URL no válida", "invalidvaluemax": "El valor máximo es {{$a}}", "invalidvaluemin": "El valor mínimo es {{$a}}", "localmobileunexpectedresponse": "Las características adicionales de Moodle Mobile han devuelto una respuesta inesperada, debe autenticarse utilizando el servicio estándar de Mobile.", diff --git a/www/core/components/login/lang/eu.json b/www/core/components/login/lang/eu.json index 090197c45d9..10a7cb007ac 100644 --- a/www/core/components/login/lang/eu.json +++ b/www/core/components/login/lang/eu.json @@ -4,14 +4,14 @@ "cancel": "Utzi", "checksiteversion": "Egiaztatu zure Moodle guneak 2.4 bertsioa edo aurreragokoa erabiltzen duela.", "confirmdeletesite": "Ziur zaude {{sitename}} gunea ezabatu nahi duzula?", - "connect": "Konektatu!", + "connect": "Konektatu", "connecttomoodle": "Moodle-ra konektatu", "contactyouradministrator": "Zure guneko kudeatzailearekin harremanetan jarri laguntza gehiagorako.", "contactyouradministratorissue": "Mesedez, eskatu zure guneko kudeatzaileari hurrengo arazoa ikuskatu dezala: {{$a}}", "createaccount": "Nire kontu berria sortu", "createuserandpass": "Aukeratu zure erabiltzaile-izena eta pasahitza", "credentialsdescription": "Mesedez saioa hasteko zure sartu erabiltzaile eta pasahitza.", - "emailconfirmsent": "

      Zure {{$a}} helbidera mezu bat bidali da.

      Zure erregistroa amaitzeko argibide erraz batzuk ditu.

      Arazorik baduzu, jarri harremanetan kudeatzailearekin.

      ", + "emailconfirmsent": "

      E-posta mezu bat bidali dugu zure hurrengo helbide honetara: {{$a}}

      \n

      Izena ematen amaitzeko argibide erraz batzuk ditu.

      \n

      Arazorik baduzu, jarri harremanetan kudeatzailearekin.

      ", "emailnotmatch": "E-posta helbideak ez datoz bat", "enterthewordsabove": "Idatzi goiko hitzak", "erroraccesscontrolalloworigin": "Saiatzen ari zaren cross-origin deia ez da onartu. Ikusi mesedez https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Moodle bertsio baliogabea. Gutxieneko bertsioa 2.4 da.", "invalidsite": "Guneko URLa ez da zuzena", "invalidtime": "Ordu baliogabea", - "invalidurl": "Sartu duzun URL-a ez da onargarria", + "invalidurl": "URL baliogabea", "invalidvaluemax": "Gehieneko balioa {{$a}} da.", "invalidvaluemin": "Gutxieneko balioa {{$a}} da.", "localmobileunexpectedresponse": "Moodle Mobile-ko Funtzio Aurreratuen kontrolak ezusteko erantzuna eman du. Mobile zerbitzu estandarra erabilita autentifikatuko zaitugu.", diff --git a/www/core/components/login/lang/fa.json b/www/core/components/login/lang/fa.json index ad9891f10f8..9de23dba0b8 100644 --- a/www/core/components/login/lang/fa.json +++ b/www/core/components/login/lang/fa.json @@ -18,7 +18,7 @@ "invalidemail": "آدرس پست الکترونیک نامعتبر", "invalidmoodleversion": "این نسخه از برنامه سایت قابلیت اتصال به موبایل ندارد", "invalidsite": "نشانی سایت معتبر نیست", - "invalidurl": "آدرسی که وارد کرده‌اید معتبر نیست", + "invalidurl": "آدرس نامعتبر", "login": "ورود به سایت", "logininsiterequired": "لازم است به سایت از طریق مرورگر متصل گردید", "loginsteps": "برای داشتن دسترسی کامل به این سایت، پیش از هر چیز باید یک حساب کاربری بسازید.", diff --git a/www/core/components/login/lang/fi.json b/www/core/components/login/lang/fi.json index a80a1bcb6b5..9ae7ce0a07e 100644 --- a/www/core/components/login/lang/fi.json +++ b/www/core/components/login/lang/fi.json @@ -4,14 +4,14 @@ "cancel": "Peruuta", "checksiteversion": "Tarkista, että Moodlen versio on 2.4 tai uudempi.", "confirmdeletesite": "Oletko varma, että haluat poistaa sivuston {{sitename}}?", - "connect": "Yhdistä!", + "connect": "Yhdistä", "connecttomoodle": "Yhdistä Moodleen", "contactyouradministrator": "Ota yhteyttä järjestelmän pääkäyttäjään saadaksesi lisää apua.", "contactyouradministratorissue": "Ole hyvä ja pyydä järjestelmän pääkäyttäjää tarkistamaan seuraava ongelma: {{$a}}", "createaccount": "Luo uusi käyttäjätunnus.", "createuserandpass": "Valitse käyttäjätunnus ja salasana", "credentialsdescription": "Ole hyvä ja kirjoita käyttäjänimesi ja salasanasi, jotta voit kirjautua sisään.", - "emailconfirmsent": "

      Sähköpostiviesti lähettiin osoitteeseen {{$a}}

      Se sisältää ohjeet rekisteröinnin loppuunviemisestä.

      Jos et onnistu rekisteröitymään ohjeista huolimatta, ole hyvä ja ota yhteyttä järjestelmän pääkäyttäjään.

      ", + "emailconfirmsent": "

      Vahvistusviesti on lähetetty osoitteeseesi {{$a}}

      \n

      Se sisältää ohjeet, kuinka voit vahvistaa käyttäjätunnuksesi.

      \n

      Jos vahvistuksessa on ongelmia, ota yhteyttä ylläpitäjään.

      ", "emailnotmatch": "Sähköpostiosoitteet eivät täsmää", "enterthewordsabove": "Kirjoita ylläolevat sanat", "errordeletesite": "Sivustoa poistettaessa tapahtui virhe. Ole hyvä ja yritä uudelleen.", @@ -27,7 +27,7 @@ "invalidmoodleversion": "Virheellinen Moodlen versio. Sovellus vaatii vähintään version 2.4.", "invalidsite": "Sivuston verkko-osoite URL on virheellinen.", "invalidtime": "Virheellinen aika", - "invalidurl": "Virheellinen web-osoite", + "invalidurl": "Antamasi verkko-osoite ei ole toimiva", "invalidvaluemax": "Maksimiarvo on {{$a}}", "invalidvaluemin": "Minimiarvo on {{$a}}", "localmobileunexpectedresponse": "Moodle Mobilen lisäasetuksien tarkistus palautti odottomattoman vasteen. Sinut autentikoidaan käyttäen normaalia mobiilipalvelua.", diff --git a/www/core/components/login/lang/fr.json b/www/core/components/login/lang/fr.json index 6419624a736..8f759319e33 100644 --- a/www/core/components/login/lang/fr.json +++ b/www/core/components/login/lang/fr.json @@ -4,14 +4,14 @@ "cancel": "Annuler", "checksiteversion": "Veuillez vérifier que votre site utilise Moodle 2.4 ou une version ultérieure.", "confirmdeletesite": "Voulez-vous vraiment supprimer la plateforme {{sitename}} ?", - "connect": "Connecter !", + "connect": "Connecter", "connecttomoodle": "Connexion à Moodle", "contactyouradministrator": "Veuillez contacter l'administrateur de la plateforme pour plus d'aide.", "contactyouradministratorissue": "Veuillez demander à l'administrateur de la plateforme de vérifier l'élément suivant : {{$a}}", "createaccount": "Créer mon compte", "createuserandpass": "Créer un compte", "credentialsdescription": "Veuillez fournir votre nom d'utilisateur et votre mot de passe pour vous connecter.", - "emailconfirmsent": "

      Un message vous a été envoyé par courriel à l'adresse {{$a}}

      Il contient des instructions vous permettant de terminer votre enregistrement.

      En cas de difficulté, veuillez contacter l'administrateur de la plateforme.

      ", + "emailconfirmsent": "

      Un message vous a été envoyé à l'adresse de courriel {{$a}}.

      Il contient les instructions pour terminer votre enregistrement.

      Si vous rencontrez des difficultés, veuillez contacter l'administrateur du site.

      ", "emailnotmatch": "Les adresses de courriel ne correspondent pas", "enterthewordsabove": "Tapez les mots ci-dessus", "erroraccesscontrolalloworigin": "La tentative d'appel « Cross-Origin » que vous avez effectuée a été rejetée. Veuillez consulter https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Version de Moodle non valide. La version minimale requise est 2.4.", "invalidsite": "Cette URL n'est pas valide.", "invalidtime": "Temps non valide", - "invalidurl": "L'URL que vous venez de saisir n'est pas valide", + "invalidurl": "URL non valide", "invalidvaluemax": "La valeur maximale est {{$a}}", "invalidvaluemin": "La valeur minimale est {{$a}}", "localmobileunexpectedresponse": "La vérification des fonctionnalités additionnelles de Moodle Mobile a envoyé une réponse inattendue. Vous allez être connecté au moyen du service mobile standard.", diff --git a/www/core/components/login/lang/he.json b/www/core/components/login/lang/he.json index 9ddd1bf7983..c257c39d575 100644 --- a/www/core/components/login/lang/he.json +++ b/www/core/components/login/lang/he.json @@ -2,7 +2,7 @@ "authenticating": "מאמת נתונים", "cancel": "ביטול", "confirmdeletesite": "האם את/ה בטוח/ה שברצונך למחוק את האתר {{sitename}}?", - "connect": "התחברות!", + "connect": "חיבור", "connecttomoodle": "התחברות למוודל", "createaccount": "יצירת חשבון חדש", "createuserandpass": "הזנת שם־משתמש וסיסמה", @@ -21,7 +21,7 @@ "invalidemail": "כתובת דואר אלקטרוני לא תקפה", "invalidmoodleversion": "גרסת מוודל לא תקינה. נדרשת גרסה 2.4 ומעלה.", "invalidsite": "כתובת האתר אינה תקינה.", - "invalidurl": "כתובת ה-URL (אינטרנט) שהזנת כרגע לא תקפה.", + "invalidurl": "URL לא חוקי", "login": "התחברות", "loginbutton": "כניסה!", "logininsiterequired": "עליך להתחבר לאתר בחלון דפדפן.", diff --git a/www/core/components/login/lang/hr.json b/www/core/components/login/lang/hr.json index 777c7ae8c52..2b1287d9a5b 100644 --- a/www/core/components/login/lang/hr.json +++ b/www/core/components/login/lang/hr.json @@ -1,6 +1,6 @@ { "cancel": "Odustani", - "connect": "Prijavi se!", + "connect": "Poveži", "connecttomoodle": "Prijavi se na Moodle", "createaccount": "Stvori moj novi korisnički račun", "createuserandpass": "Stvori novo korisničko ime i lozinku s kojom se mogu prijaviti sustavu", @@ -14,7 +14,7 @@ "invaliddate": "Neispravan datum", "invalidemail": "Nevažeća adresa e-pošte", "invalidtime": "Neispravno vrijeme", - "invalidurl": "URL koji ste unijeli nije valjan", + "invalidurl": "Neispravan URL", "login": "Prijava", "loginbutton": "Prijava", "loginsteps": "Kako biste imali puni pristup e-kolegijima na ovom sustavu, morate stvoriti novi korisnički račun.\nSvaki od pojedinih e-kolegija može također imati i od vas tražiti \"lozinku e-kolegija\", koju trebate dobiti od svog nastavnika i koja se unosi samo prilikom prvog prijavljivanja na e-kolegij. Slijedite ove upute:\n
        \n
      1. Ispunite online obrazac Novi korisnički račun unosom osobnih podataka.
      2. \n
      3. Po predaji online obrasca trebala bi vam doći poruka e-pošte na adresu koju ste naveli.
      4. \n
      5. Pažljivo pročitajte poruku e-pošte i kliknite na poveznicu koja se nalazi u njoj.
      6. \n
      7. Vaš korisnički račun će time biti potvrđen i vi ćete se moći prijaviti sustavu.
      8. \n
      9. Potom biste trebali odabrati e-kolegij u radu kojeg želite ili trebate sudjelovati.
      10. \n
      11. Ako vas sustav zatraži \"lozinku e-kolegija\" - upotrijebite onu koju vam je dao vaš nastavnik na navedenom e-kolegiju.
      12. \n
      13. Nakon unosa ispravne \"lozinke e-kolegija\" možete pristupiti e-kolegiju (odnosno, od tog trenutka ste upisani na isti). Ubuduće vam za pristup e-kolegiju treba samo vaše korisničko ime i lozinka.
      14. \n
      ", diff --git a/www/core/components/login/lang/hu.json b/www/core/components/login/lang/hu.json index 666fc71db84..fba0ddc411b 100644 --- a/www/core/components/login/lang/hu.json +++ b/www/core/components/login/lang/hu.json @@ -1,6 +1,6 @@ { "authenticating": "Hitelesítés", - "cancel": "Mégse", + "cancel": "Törlés", "connect": "Kapcsolódás", "createaccount": "Új felhasználói azonosítóm létrehozása", "createuserandpass": "Új felhasználónév és jelszó megadása", @@ -16,7 +16,7 @@ "invalidemail": "Érvénytelen e-mail cím", "invalidmoodleversion": "Érvénytelen Moodle-verzió. A minimális verziószám a 2.4.", "invalidsite": "A portál-URL nem érvényes.", - "invalidurl": "A megadott URL nem érvényes", + "invalidurl": "Érvénytelen URL", "login": "Belépés", "logininsiterequired": "A portálra böngészőablakban kell bejelentkeznie.", "loginsteps": "Ahhoz, hogy teljesen hozzáférjen a portálhoz, először új fiókot kell létrehoznia.", diff --git a/www/core/components/login/lang/it.json b/www/core/components/login/lang/it.json index a60874c28ef..da61d08405c 100644 --- a/www/core/components/login/lang/it.json +++ b/www/core/components/login/lang/it.json @@ -2,7 +2,7 @@ "authenticating": "Autenticazione in corso", "cancel": "Annulla", "confirmdeletesite": "Sei sicuro di eliminare il sito {{sitename}}?", - "connect": "Collegati!", + "connect": "Connetti", "connecttomoodle": "Collegati a Moodle", "createaccount": "Crea il mio nuovo account", "createuserandpass": "Scegli username e password", @@ -22,7 +22,7 @@ "invalidemail": "Indirizzo email non valido", "invalidmoodleversion": "Versione di Moodle non valida. La versione minima richiesta:", "invalidsite": "L'URL del sito non è valida", - "invalidurl": "L'URL inserito non è valido", + "invalidurl": "L'URL non è valido", "localmobileunexpectedresponse": "Il controllo delle Moodle Mobile Additional Feature ha restituito una risposta inattesa, sarai autenticato tramite i servizi Mobile standard.", "login": "Login", "loginbutton": "Login!", diff --git a/www/core/components/login/lang/ja.json b/www/core/components/login/lang/ja.json index 8278a4b9157..442a38289fa 100644 --- a/www/core/components/login/lang/ja.json +++ b/www/core/components/login/lang/ja.json @@ -16,7 +16,7 @@ "invalidemail": "無効なメールアドレスです。", "invalidmoodleversion": "Moodleのバージョンが古すぎます。少なくともこれより新しいMoodleである必要があります:", "invalidsite": "サイトURLが正しくありません。", - "invalidurl": "あなたが入力したURLは正しくありません。", + "invalidurl": "無効なURLです。", "login": "ログイン", "loginbutton": "ログイン", "logininsiterequired": "ブラウザウインドウからサイトにログインする必要があります。", diff --git a/www/core/components/login/lang/ko.json b/www/core/components/login/lang/ko.json new file mode 100644 index 00000000000..55602ea0072 --- /dev/null +++ b/www/core/components/login/lang/ko.json @@ -0,0 +1,35 @@ +{ + "cancel": "취소", + "connect": "연결", + "createaccount": "새 계정 만들기", + "createuserandpass": "아이디와 비밀번호 생성", + "emailconfirmsent": "

      당신의 이메일 주소인 {{$a}}로 메일이 갔습니다.

      \n

      등록을 마치기 위한 간단한 안내문이 포함되어 있습니다.

      ", + "enterthewordsabove": "위의 단어를 입력하시오", + "firsttime": "이곳에 처음 오셨나요?", + "forgotten": "사용자 아이디나 비밀번호를 잊으셨습니까?", + "getanothercaptcha": "다른 CAPTCHA 얻기", + "help": "도움", + "instructions": "안내문", + "invalidemail": "쓸 수 없는 이메일 주소", + "invalidurl": "잘못된 웹주소", + "login": "로그인", + "loginsteps": "이 사이트를 자유롭게 접근하기 위해서는, 계정을 생성해 주십시요.", + "missingemail": "빠짐: 이메일 주소", + "missingfirstname": "빠짐: 성", + "missinglastname": "빠짐: 이름", + "newaccount": "새 계정", + "password": "비밀번호", + "passwordforgotten": "비밀번호 잊어버림", + "passwordforgotteninstructions2": "비밀번호를 재설정하기 위해서는 아래에 사용자 아이디나 이메일 주소를 입력하세요. 데이터베이스에서 확인이 되면 추후 과정을 안내할 이메일을 확인된 이메일 주소로 발송할 것입니다.", + "policyaccept": "약관을 이해하였으며 이에 동의합니다.", + "policyagree": "이 사이트를 계속 이용하시려면 약관에 동의하셔야 합니다. 동의하십니까?", + "policyagreement": "사이트 정책 동의", + "policyagreementclick": "사이트 정책 동의로의 링크", + "potentialidps": "이전에 로그아웃한 곳과 다른 곳에서 접속을 자주하십니까?
      다음 중 접속하는 곳의 위치를 선택하세요: ", + "selectacountry": "국가 선택", + "startsignup": "새 계정 만들기", + "supplyinfo": "추가 정보", + "username": "사용자 아이디", + "usernameoremail": "사용자 아이디나 이메일 주소를 입력", + "usernotaddederror": "사용자 추가되지 않음 - 오류" +} \ No newline at end of file diff --git a/www/core/components/login/lang/lt.json b/www/core/components/login/lang/lt.json index ad695224ad9..88da4699816 100644 --- a/www/core/components/login/lang/lt.json +++ b/www/core/components/login/lang/lt.json @@ -4,14 +4,14 @@ "cancel": "Atšaukti", "checksiteversion": "Patikrintkite, ar svetainė naudoja Moodle 2.4. arba vėlesnę versiją.", "confirmdeletesite": "Ar tikrai norite ištrinti svetainę {{sitename}}?", - "connect": "Prisijungta!", + "connect": "Prijungti", "connecttomoodle": "Prisijungti prie Moodle", "contactyouradministrator": "Susisiekite su svetainės administratoriumi, jei reikalinga pagalba.", "contactyouradministratorissue": "Dėl šių klausimų prašome susisiekti su administratoriumi: {{$a}}", "createaccount": "Kurti naują mano paskyrą", "createuserandpass": "Pasirinkite savo naudotojo vardą ir slaptažodį", "credentialsdescription": "Prisijungti naudojant vartotojo vardą ir slaptažodį.", - "emailconfirmsent": "

      Informacija išsiųsta Jūsų nurodytu adresu {{$a}}

      Tai padės sėkmingai užbaigti registraciją.

      Jeigu nepavyksta, susisiekite su svetainės administratoriumi.

      ", + "emailconfirmsent": "

      El. laiškas išsiųstas jūsų adresu {{$a}}

      .

      Jame pateikti paprasti nurodymai, kaip užbaigti registraciją.

      Jei iškils kokių sunkumų, kreipkitės į svetainės administratorių.

      ", "emailnotmatch": "El. paštas nesutampa", "enterthewordsabove": "Įvesti aukščiau rodomus žodžius", "erroraccesscontrolalloworigin": "Kryžminis veiksmas buvo atmestas. Patikrinkite: https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -20,7 +20,7 @@ "firsttime": "Ar jūs čia pirmą kartą?", "forgotten": "Pamiršote savo naudotojo vardą ar slaptažodį?", "getanothercaptcha": "Gauti kitą CAPTCHA", - "help": "Pagalba", + "help": "Žinynas", "helpmelogin": "

      Visame pasaulyje Moodle svetainių yra labai daug. Ši programėlė gali prisijungti prie Moodle svetainių, turinčių specialią Moodle programėlių prieigą.

      Jeigu negalite prisijungti, praneškite apie tai Moodle administratoriui ir paprašykite perskaityti http://docs.moodle.org/en/Mobile_app

      Norėdami išbandyti programėlės demo versiją surinkite teacher (dėstytojui) ar student (besimokančiajam) Svetainės adreso lauke ir paspauskite Prisijungti mygtuką.

      ", "instructions": "Instrukcijos", "invalidaccount": "Prašome patikrinti prisijungimo duomenis arba paprašyti administratoriaus patikrinti svetainės nustatymus.", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Negaliojanti Moodle versija. Turi būt ne senesnė nei 2.4.", "invalidsite": "URL adresas netinkamas.", "invalidtime": "Netinkamas laikas", - "invalidurl": "Jūsų ką tik įvestas URL yra neleistinas", + "invalidurl": "Klaidingas URL", "invalidvaluemax": "Didžiausia vertė {{$a}}", "invalidvaluemin": "Mažiausia vertė {{$a}}", "localmobileunexpectedresponse": "Moodle Mobilių Papildomų Funkcijų patikra gavo netikėtą atsakymą, būsite autentifikuojamas naudojant standartines mobilias paslaugas.", diff --git a/www/core/components/login/lang/mr.json b/www/core/components/login/lang/mr.json index 39ff5cbea8a..4d4b26f915c 100644 --- a/www/core/components/login/lang/mr.json +++ b/www/core/components/login/lang/mr.json @@ -1,7 +1,7 @@ { "auth_email": "ईमेलवर आधारित स्वयं-नोंदणी", "authenticating": "प्रमाणीकरण करीत आहे", - "cancel": "रद्द करा", + "cancel": "रद्द", "checksiteversion": "आपली साइट Moodle 2.4 किंवा नंतर वापरते हे तपासा.", "confirmdeletesite": "Are you sure you want to delete the site {{sitename}}?", "connect": "कनेक्ट व्हा!", @@ -29,7 +29,7 @@ "invalidmoodleversion": "अवैध मूडल आवृत्ती आवश्यक किमान आवृत्ती 2.4 आहे.", "invalidsite": "साइट URL अवैध आहे", "invalidtime": "अवैध वेळ", - "invalidurl": "युआरएल अमान्य आहे", + "invalidurl": "टाईप केलेले युआरएल ही विधाग्राहय आहे", "invalidvaluemax": "The maximum value is {{$a}}", "invalidvaluemin": "किमान मूल्य {{$a}} आहे", "localmobileunexpectedresponse": "मूडल मोबाईल अतिरिक्त वैशिष्ट्ये तपासा अनपेक्षित प्रतिसाद परत केला, मानक मोबाइल सेवेचा वापर करून आपल्याला प्रमाणीकृत केले जाईल", diff --git a/www/core/components/login/lang/nl.json b/www/core/components/login/lang/nl.json index 087b9dce454..58ecafd8352 100644 --- a/www/core/components/login/lang/nl.json +++ b/www/core/components/login/lang/nl.json @@ -4,14 +4,14 @@ "cancel": "Annuleer", "checksiteversion": "Controleer of je site minstens Moodle 2.4 of nieuwe gebruikt.", "confirmdeletesite": "Weet je zeker dat je de site {{sitename}} wil verwijderen?", - "connect": "Verbinden!", + "connect": "Verbind", "connecttomoodle": "Verbinden met Moodle", "contactyouradministrator": "Neem contact op met je site-beheerder voor meer hulp.", "contactyouradministratorissue": "Vraag aan je site-beheerder om volgend probleem te onderzoeken: {{$a}}", "createaccount": "Maak mijn nieuwe account aan", "createuserandpass": "Kies een gebruikersnaam en wachtwoord", "credentialsdescription": "Geef je gebruikersnaam en wachtwoord op om je aan te melden", - "emailconfirmsent": "

      Er zou een e-mail gestuurd moeten zijn naar jouw adres {{$a}}

      Het bericht bevat eenvoudige instructies om je registratie te voltooien.

      Als je problemen blijft ondervinden, neem dan contact op met de sitebeheerder.

      ", + "emailconfirmsent": "

      Als het goed is, is er een e-mail verzonden naar {{$a}}

      \n

      Daarin staan eenvoudige instructies voor het voltooien van de registratie.

      \n

      Indien je moeilijkheden blijft ondervinden, neem dan contact op met je sitebeheerder.

      ", "emailnotmatch": "E-mailadressen komen niet overeen", "enterthewordsabove": "Vul hier bovenstaande woorden in", "erroraccesscontrolalloworigin": "De Cross-Origin call die je probeerde uit te voeren, werd geweigerd. Controleer https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Ongeldige Moodleversie. De vereiste minimumversie is 2.4.", "invalidsite": "Deze site-URL is niet geldig.", "invalidtime": "Ongeldige tijd", - "invalidurl": "De URL die je net gaf is niet geldig", + "invalidurl": "Ongeldige url", "invalidvaluemax": "De maximum waarde is {{$a}}", "invalidvaluemin": "De minimum waard eis {{$a}}", "localmobileunexpectedresponse": "Moodle Mobile Additional Features Check gaf een onverwacht antwoord. Je zult aanmelden via de standaard Mobile service.", diff --git a/www/core/components/login/lang/no.json b/www/core/components/login/lang/no.json index 19d58358d9f..d3f4fce74de 100644 --- a/www/core/components/login/lang/no.json +++ b/www/core/components/login/lang/no.json @@ -12,7 +12,7 @@ "help": "Hjelp", "instructions": "Instruksjoner", "invalidemail": "Feil e-postadresse", - "invalidurl": "URL-en du skrev inn var ugyldig", + "invalidurl": "Ugyldig URL", "login": "Logg inn", "loginsteps": "Hei! For å få full tilgang til dette nettstedet må du først opprette en brukerkonto.", "missingemail": "Mangler e-postadresse", diff --git a/www/core/components/login/lang/pl.json b/www/core/components/login/lang/pl.json index c48939aa883..cc36ed97b45 100644 --- a/www/core/components/login/lang/pl.json +++ b/www/core/components/login/lang/pl.json @@ -16,7 +16,7 @@ "invalidemail": "Niewłaściwy adres e-mail", "invalidmoodleversion": "Nieprawidłowa wersja Moodle. Minimalna wymagana wersja to: ", "invalidsite": "Adres strony jest nieprawidłowy.", - "invalidurl": "URL właśnie wprowadzony nie jest poprawny", + "invalidurl": "Niepoprawny URL", "login": "Zaloguj się", "logininsiterequired": "Musisz się zalogować do strony w oknie przeglądarki.", "loginsteps": "Aby otrzymać pełny dostęp do kursów w tym serwisie, musisz najpierw utworzyć konto.", diff --git a/www/core/components/login/lang/pt-br.json b/www/core/components/login/lang/pt-br.json index 33be398da77..4616c7df369 100644 --- a/www/core/components/login/lang/pt-br.json +++ b/www/core/components/login/lang/pt-br.json @@ -4,14 +4,14 @@ "cancel": "Cancelar", "checksiteversion": "Verifique se seu site usa Moodle 2.4 ou superior.", "confirmdeletesite": "Você tem certeza que quer excluir o site {{sitename}}?", - "connect": "Conectar!", + "connect": "Conectar", "connecttomoodle": "Conectar ao moodle", "contactyouradministrator": "Contate o administrador do site para ter mais ajuda.", "contactyouradministratorissue": "Por favor, pergunte ao administrador para verificar o seguinte problema: {{$a}}", "createaccount": "Cadastrar este novo usuário", "createuserandpass": "Escolha seu usuário e senha", "credentialsdescription": "Por favor, informe seu nome de usuário e senha para efetuar o login", - "emailconfirmsent": "

      Um e-mail irá ser enviado para o seu endereço em {{$a}}

      Ele irá conter instruções fáceis para completar seu registro.

      Se você continua a ter dificuldades, contate o administrador do site.

      ", + "emailconfirmsent": "

      Uma mensagem foi enviada para o seu endereço {{$a}}

      Esta mensagem contém instruções para completar a sua inscrição.

      Se você encontrar dificuldades contate o administrador.

      ", "emailnotmatch": "Os e-mail não coincidem", "enterthewordsabove": "Digite as palavras acima", "erroraccesscontrolalloworigin": "A chamada de Cross-Origin que você está tentando executar foi rejeitada. Por favor, verifique https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Versão do Moodle inválida. A versão mínima requerida é:", "invalidsite": "A URL do siteé inválida.", "invalidtime": "Tempo inválido", - "invalidurl": "A URL inserida não é válida", + "invalidurl": "Url inválida", "invalidvaluemax": "O valor máximo é {{$a}}", "invalidvaluemin": "O valor minimo é{{$a}}", "localmobileunexpectedresponse": "Verificação do Moodle Mobile Additional Features retornou uma resposta inesperada, você ira se autenticar usando o serviço Mobile padrão", diff --git a/www/core/components/login/lang/pt.json b/www/core/components/login/lang/pt.json index d1d06379856..18f6c36e508 100644 --- a/www/core/components/login/lang/pt.json +++ b/www/core/components/login/lang/pt.json @@ -4,14 +4,14 @@ "cancel": "Cancelar", "checksiteversion": "Verifique se seu site usa o Moodle 2.4 ou posterior.", "confirmdeletesite": "Tem a certeza que pretende remover o site {{sitename}}?", - "connect": "Ligar!", + "connect": "Ligar", "connecttomoodle": "Ligação ao Moodle", "contactyouradministrator": "Contacte o administrador do site para obter mais ajuda.", "contactyouradministratorissue": "Por favor, solicite ao administrador que verifique o seguinte problema: {{$a}}", "createaccount": "Criar a minha conta", "createuserandpass": "Escolha um nome de utilizador e senha", "credentialsdescription": "Por favor, digite o nome de utilizador e senha para entrar", - "emailconfirmsent": "

      Um e-mail deve ter sido enviado para o seu endereço {{$a}}

      . Contém instruções fáceis para concluir o seu registo. Se continuar a ter dificuldades, entre em contacto com o administrador do site.

      ", + "emailconfirmsent": "

      Acaba de ser enviada uma mensagem para o seu endereço {{$a}}, com instruções fáceis para completar a sua inscrição.

      Se tiver alguma dificuldade em completar o registo, contacte o administrador do site.

      ", "emailnotmatch": "Os e-mails não coincidem", "enterthewordsabove": "Insira as palavras indicadas acima", "erroraccesscontrolalloworigin": "A acção de Cross-Origin que tentou executar foi rejeitada. Por favor, consulte mais informações em https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "A versão do Moodle é inválida. É necessária a versão 2.4 ou superior.", "invalidsite": "O URL do site é inválido.", "invalidtime": "Hora inválida", - "invalidurl": "O URL que introduziu não é válido", + "invalidurl": "URL inválido", "invalidvaluemax": "O valor máximo é {{$a}}", "invalidvaluemin": "O valor mínimo é {{$a}}", "localmobileunexpectedresponse": "A verificação do Moodle Mobile Additional Features teve um erro inesperado. Será autenticado através do serviço Mobile padrão.", @@ -74,7 +74,7 @@ "startsignup": "Criar nova conta", "stillcantconnect": "Continua com problemas na ligação?", "supplyinfo": "Insira alguma informação sobre si", - "username": "Nome de utilizador", + "username": "Utilizador", "usernameoremail": "Introduza o nome de utilizador ou o e-mail", "usernamerequired": "É necessário o nome de utilizador", "usernotaddederror": "Utilizador não adicionado - erro.", diff --git a/www/core/components/login/lang/ro.json b/www/core/components/login/lang/ro.json index 984487610a0..89df7badaa7 100644 --- a/www/core/components/login/lang/ro.json +++ b/www/core/components/login/lang/ro.json @@ -2,7 +2,7 @@ "authenticating": "Autentificare", "cancel": "Anulează", "confirmdeletesite": "Sunteți sigur că doriți sa ștergeți siteul {{sitename}}?", - "connect": "Conectare!", + "connect": "Conectează", "connecttomoodle": "Conectare la Moodle", "createaccount": "Creează noul meu cont", "createuserandpass": "Alege un nume de utilizator şi o parolă", @@ -22,7 +22,7 @@ "invalidemail": "Adresă de email incorectă", "invalidmoodleversion": "Versiunea Moodle este invalidă. Versiunea minimă este 2.4", "invalidsite": "Adresa URL este invalidă.", - "invalidurl": "URL-ul pe care l-aţi introdus nu este corect", + "invalidurl": "URL incorect", "localmobileunexpectedresponse": "Verificarea Moodle Mobile Additional Features a returnat un răspuns neașteptat. veți fi autentificat folosind serviciul standard.", "login": "Autentificare", "loginbutton": "Logat!", @@ -55,7 +55,7 @@ "siteurlrequired": "Este necesară adresa URL a siteului, de exemplu http://www.yourmoodlesite.abc sau https://www.yourmoodlesite.efg", "startsignup": "Creează cont", "supplyinfo": "Detalii suplimentare", - "username": "Utilizator", + "username": "Nume de utilizator", "usernameoremail": "Completaţi numele de utilizator sau adresa de email", "usernamerequired": "Este necesar numele de utilizator", "usernotaddederror": "Utilizatorul nu a fost adăugat - eroare", diff --git a/www/core/components/login/lang/ru.json b/www/core/components/login/lang/ru.json index 6c7ccbe8c4f..d17e0a4046c 100644 --- a/www/core/components/login/lang/ru.json +++ b/www/core/components/login/lang/ru.json @@ -1,17 +1,17 @@ { "auth_email": "Самостоятельная регистрация при помощи электронной почты", "authenticating": "Аутентификация", - "cancel": "Отменить", + "cancel": "Отмена", "checksiteversion": "Убедитесь, что ваш сайт использует Moodle 2.4 или более позднюю версию.", "confirmdeletesite": "Вы уверены, что хотите удалить сайт {{sitename}}?", - "connect": "Подключено!", + "connect": "Подключить", "connecttomoodle": "Подключение к Moodle", "contactyouradministrator": "Свяжитесь с администратором вашего сайта для дальнейшей помощи.", "contactyouradministratorissue": "Пожалуйста, попросите администратора вашего сайта проверить следующую проблему: {{$a}}", "createaccount": "Сохранить", "createuserandpass": "Выберите имя пользователя и пароль", "credentialsdescription": "Пожалуйста, укажите Ваш логин и пароль для входа.", - "emailconfirmsent": "

      Электронное письмо должно было быть отправлено вам на{{$a}}

      Оно содержит простые инструкции по завершению вашей регистрации

      Если вы продолжаете испытывать трудности , свяжитесь с администратором сайта

      ", + "emailconfirmsent": "На указанный Вами адрес электронной почты ({{$a}}) было отправлено письмо с простыми инструкциями для завершения регистрации.\n Если у вас появятся проблемы с регистрацией, свяжитесь с администратором сайта.", "emailnotmatch": "Адреса электронной почты не совпадают", "enterthewordsabove": "Напишите слова, которые Вы видите выше", "erroraccesscontrolalloworigin": "Запрос «Cross-Origin», который вы пытаетесь выполнить, отклонён. Пожалуйста, проверьте https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -20,7 +20,7 @@ "firsttime": "Вы в первый раз на нашем сайте?", "forgotten": "Забыли логин или пароль?", "getanothercaptcha": "Получить другой CAPTCHA (тест для различения людей и компьютеров)", - "help": "Помощь", + "help": "Справка", "helpmelogin": "

      Во всем мире есть тысячи сайтов Moodle. Это приложение может подключаться только к тем сайтам Moodle, на которых явно разрешен доступ мобильному приложению.

      Если Вы не можете подключиться к вашему сайту Moodle, то необходимо связаться с администратором вашего сайта и попросить его прочитать http://docs.moodle.org/en/Mobile_app

      Чтобы проверить приложение на демонстрационном сайте Moodle, введите teacher или student в поле Адрес сайта и нажмите Кнопку подключения.

      ", "instructions": "Инструкции", "invalidaccount": "Пожалуйста, проверьте свои регистрационные данные или обратитесь к администратору сайта, чтобы он проверил настройки сайта.", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Неверная версия Moodle. Минимальная требуемая версия - 2.4.", "invalidsite": "URL-адрес сайта недействителен.", "invalidtime": "Некорректное время", - "invalidurl": "Вы указали некорректный адрес", + "invalidurl": "Некорректный URL", "invalidvaluemax": "Максимальное значение: {{$a}}", "invalidvaluemin": "Минимальное значение: {{$a}}", "localmobileunexpectedresponse": "Проверка Moodle Mobile Additional Features вернула неожиданный ответ. Вы будете аутентифицированы, используя стандартные мобильные сервисы.", diff --git a/www/core/components/login/lang/sv.json b/www/core/components/login/lang/sv.json index 323cdfbb8cb..7c9441ed69f 100644 --- a/www/core/components/login/lang/sv.json +++ b/www/core/components/login/lang/sv.json @@ -2,7 +2,7 @@ "authenticating": "Autentisera", "cancel": "Avbryt", "confirmdeletesite": "Är du säker på att du vill ta bort webbsidan {{sitename}}?", - "connect": "Anslut!", + "connect": "Anslut", "connecttomoodle": "Anslut till Moodle", "createaccount": "Skapa mitt nya konto", "createuserandpass": "Skapa ett nytt användarnamn och lösenord för att logga in med.", @@ -21,7 +21,7 @@ "invalidemail": "Ogiltig e-postadress", "invalidmoodleversion": "Ogiltig Moodle version. Lägsta version som krävs är", "invalidsite": "Den webbadress är ogiltig.", - "invalidurl": "Den URL som Du just matade in är inte giltig", + "invalidurl": "Ogiltig url", "localmobileunexpectedresponse": "Kontrollen för Moodle mobila funktioner returnerade ett oväntat svar. Du kommer att autentiseras med mobila standard tjänsten.", "login": "Logga in", "loginbutton": "Logga In!", diff --git a/www/core/components/login/lang/tr.json b/www/core/components/login/lang/tr.json index 28f997ec5fd..8fbffdc96fc 100644 --- a/www/core/components/login/lang/tr.json +++ b/www/core/components/login/lang/tr.json @@ -18,7 +18,7 @@ "invalidemail": "Geçersiz e-posta adresi", "invalidmoodleversion": "Geçersiz Moodle sürümü. Sitenizin Sürümünün şundan aşağı olmaması gerekir:", "invalidsite": "Bu site adresi geçersizdir.", - "invalidurl": "Girdiğiniz URL geçerli değil", + "invalidurl": "Geçersiz URL", "login": "Giriş yap", "logininsiterequired": "Bir tarayıcı penceresinde siteye giriş yapmanız gerekiyor.", "loginsteps": "Bu siteye tam erişim için önce bir hesap oluşturmalısınız.", diff --git a/www/core/components/login/lang/uk.json b/www/core/components/login/lang/uk.json index d754208956b..1cf7ee28a74 100644 --- a/www/core/components/login/lang/uk.json +++ b/www/core/components/login/lang/uk.json @@ -4,14 +4,14 @@ "cancel": "Скасувати", "checksiteversion": "Переконайтеся, що ваш сайт використовує Moodle 2.4 або більш пізньої версії.", "confirmdeletesite": "Видалити сайт {{sitename}}?", - "connect": "З'єднано!", + "connect": "З’єднання", "connecttomoodle": "Підключитись до Moodle", "contactyouradministrator": "Зверніться до адміністратора сайту для подальшої допомоги.", "contactyouradministratorissue": "Будь ласка, зверніться до адміністратора, щоб перевірити наступне питання: {{$a}}", "createaccount": "Створити запис", "createuserandpass": "Створити користувача для входу в систему", "credentialsdescription": "Будь ласка, введіть Ваше ім'я користувача та пароль, щоб увійти в систему.", - "emailconfirmsent": "

      Лист повинен бути відправлений на Вашу електронну адресу в {{$a}}

      Він містить прості інструкції для завершення реєстрації.

      Якщо ви продовжуєте зазнавати труднощів, зверніться до адміністратора сайту.

      ", + "emailconfirmsent": "На зазначену Вами адресу електронної пошти ({{$a}}) було відправлено листа з інструкціями із завершення реєстрації. Якщо у Вас з'являться проблеми з реєстрацією, зв'яжіться з адміністратором сайту.", "emailnotmatch": "Email не співпадають", "enterthewordsabove": "Введіть символи, які бачите вище", "erroraccesscontrolalloworigin": "Cross-Origin дзвінок був відхилений. Будь ласка, перевірте https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -29,7 +29,7 @@ "invalidmoodleversion": "Невірна версія Moodle. Мінімальна версія 2.4.", "invalidsite": "URL сайту недійсний.", "invalidtime": "Невірний час", - "invalidurl": "Введений вами URL неправильний", + "invalidurl": "Неправильний URL", "invalidvaluemax": "Максимальне значення {{$a}}", "invalidvaluemin": "Мінімальне значення {{$a}}", "localmobileunexpectedresponse": "Moodle Mobile Additional Features при перевірці повернуло несподівану відповідь, ви будете проходити перевірку автентичності з використанням стандартного мобільного сервісу.", @@ -72,7 +72,7 @@ "startsignup": "Створити новий обліковий запис", "stillcantconnect": "До сих пір не можете підключитися?", "supplyinfo": "Більше інформації", - "username": "Ім’я входу", + "username": "Псевдо", "usernameoremail": "Введіть або ім'я користувача, або адресу електронної пошти", "usernamerequired": "Ім'я користувача необхідне", "usernotaddederror": "Користувач не доданий - помилка", diff --git a/www/core/components/question/lang/ar.json b/www/core/components/question/lang/ar.json index f2bdf1cf476..b9b6af53575 100644 --- a/www/core/components/question/lang/ar.json +++ b/www/core/components/question/lang/ar.json @@ -1,14 +1,14 @@ { - "answer": "إجابة", + "answer": "أجب", "answersaved": "تم حفظ الإجابة", - "complete": "تم/كامل", - "correct": "صحيح/صح", - "feedback": "اجابة تقييمية", - "incorrect": "خطأ", + "complete": "كامل", + "correct": "صح", + "feedback": "تقرير", + "incorrect": "خطاء", "information": "معلومات", "invalidanswer": "إجابة غير مكتملة", - "notanswered": "لم يتم الاجابة عليه", - "notyetanswered": "لم يتم الاجابة عليه بعد", + "notanswered": "لم تتم الأجابة بعد", + "notyetanswered": "لم يتم الاجابة بعد", "partiallycorrect": "إجابة جزئية", "questionno": "سؤال {{$a}}", "requiresgrading": "يتطلب التصحيح", diff --git a/www/core/components/question/lang/bg.json b/www/core/components/question/lang/bg.json index a26b78d143d..f375fb3b363 100644 --- a/www/core/components/question/lang/bg.json +++ b/www/core/components/question/lang/bg.json @@ -1,15 +1,15 @@ { "answer": "Отговор", "answersaved": "Отговорът съхранен", - "complete": "Отговорен", - "correct": "Правилно", - "feedback": "Съобщение", - "incorrect": "Некоректно", + "complete": "Завършен", + "correct": "Вярно", + "feedback": "Обратна връзка", + "incorrect": "Неправилно", "information": "Информация", "invalidanswer": "Непълен отговор", - "notanswered": "Не е отговорен", - "notyetanswered": "Все още не е даден отговор", - "partiallycorrect": "Отчасти верен", + "notanswered": "Още няма отговори", + "notyetanswered": "Още без отговор", + "partiallycorrect": "Частично верен", "questionno": "Въпрос {{$a}}", "requiresgrading": "Изисква оценяване", "unknown": "Неизвестно" diff --git a/www/core/components/question/lang/ca.json b/www/core/components/question/lang/ca.json index 52bd86fd1d3..e1a03ea46a2 100644 --- a/www/core/components/question/lang/ca.json +++ b/www/core/components/question/lang/ca.json @@ -1,21 +1,21 @@ { "answer": "Resposta", "answersaved": "Resposta desada", - "complete": "Completa", - "correct": "Correcte", + "complete": "Complet", + "correct": "Correcta", "errorattachmentsnotsupported": "L'aplicació encara no admet l'adjunció de fitxers.", "errorinlinefilesnotsupported": "L'aplicació encara no és compatible amb l'edició de fitxers en línia.", "errorquestionnotsupported": "L'aplicació no accepta aquest tipus de pregunta: {{$a}}.", "feedback": "Retroacció", "howtodraganddrop": "Feu un toc per seleccionar i feu un toc de nou per deixar anar.", - "incorrect": "Incorrecte", + "incorrect": "Incorrecta", "information": "Informació", "invalidanswer": "Resposta no vàlida o incompleta", - "notanswered": "No s'ha respost", - "notyetanswered": "No s'ha respost encara", + "notanswered": "No contestada encara", + "notyetanswered": "Encara no s'ha contestat", "partiallycorrect": "Parcialment correcte", "questionmessage": "Pregunta {{$a}}: {{$b}}", "questionno": "Pregunta {{$a}}", "requiresgrading": "Cal puntuar", - "unknown": "No es pot determinar l'estat" + "unknown": "Desconegut" } \ No newline at end of file diff --git a/www/core/components/question/lang/cs.json b/www/core/components/question/lang/cs.json index f9f9a4b0557..9ea18cca89c 100644 --- a/www/core/components/question/lang/cs.json +++ b/www/core/components/question/lang/cs.json @@ -1,21 +1,21 @@ { "answer": "Odpověď", "answersaved": "Odpověď uložena", - "complete": "Hotovo", - "correct": "Správně", + "complete": "Splněno", + "correct": "Správná odpověď", "errorattachmentsnotsupported": "Aplikace ještě nepodporuje připojování souborů k odpovědím.", "errorinlinefilesnotsupported": "Aplikace ještě nepodporuje úpravy vložených souborů.", "errorquestionnotsupported": "Tento typ úlohy není aplikací podporován: {{$a}}.", - "feedback": "Hodnocení", + "feedback": "Komentář", "howtodraganddrop": "Klepnutím vyberte potom klepněte na místo umístění.", - "incorrect": "Nesprávně", + "incorrect": "Nesprávná odpověď", "information": "Informace", "invalidanswer": "Neúplná odpověď", - "notanswered": "Nezodpovězeno", + "notanswered": "Dosud nezodpovězeno", "notyetanswered": "Dosud nezodpovězeno", - "partiallycorrect": "Částečně správně", + "partiallycorrect": "Částečně správná odpověď", "questionmessage": "Úloha {{$a}}: {{$b}}", "questionno": "Úloha {{$a}}", "requiresgrading": "Vyžaduje hodnocení", - "unknown": "Stav nelze určit" + "unknown": "Neznámý" } \ No newline at end of file diff --git a/www/core/components/question/lang/da.json b/www/core/components/question/lang/da.json index 55d31730b8a..79f4c5e3532 100644 --- a/www/core/components/question/lang/da.json +++ b/www/core/components/question/lang/da.json @@ -1,20 +1,20 @@ { "answer": "Svar", "answersaved": "Besvaret", - "complete": "Gennemført", - "correct": "Korrekt", + "complete": "Færdiggør", + "correct": "Rigtigt", "errorattachmentsnotsupported": "Programmet understøtter endnu ikke bilag til svar.", "errorinlinefilesnotsupported": "Programmet understøtter endnu ikke redigering af filer inline.", "errorquestionnotsupported": "Appen understøtter ikke denne type spørgsmål: {{$a}}.", - "feedback": "Feedback", - "incorrect": "Ikke korrekt", + "feedback": "Tilbagemelding", + "incorrect": "Forkert", "information": "Information", "invalidanswer": "Ufuldstændigt svar", - "notanswered": "Ikke besvaret", - "notyetanswered": "Ikke besvaret", - "partiallycorrect": "Delvis rigtigt", + "notanswered": "Ikke besvaret endnu", + "notyetanswered": "Endnu ikke besvaret", + "partiallycorrect": "Delvist rigtigt", "questionmessage": "Spørgsmål {{$a}}: {{$b}}", "questionno": "Spørgsmål {{$a}}", "requiresgrading": "Kræver bedømmelse", - "unknown": "Kan ikke bestemme status" + "unknown": "Ukendt" } \ No newline at end of file diff --git a/www/core/components/question/lang/de-du.json b/www/core/components/question/lang/de-du.json index 30c50a5ccea..2ed28aab7df 100644 --- a/www/core/components/question/lang/de-du.json +++ b/www/core/components/question/lang/de-du.json @@ -1,21 +1,21 @@ { "answer": "Antwort", "answersaved": "Antwort gespeichert", - "complete": "Vollständig", + "complete": "Fertig", "correct": "Richtig", "errorattachmentsnotsupported": "Die App erlaubt keine Antworten mit Dateianhängen.", "errorinlinefilesnotsupported": "Die App unterstützt keine Bearbeitung von integrierten Dateien.", "errorquestionnotsupported": "Die App unterstützt diesen Fragetyp nicht: {{$a}}.", - "feedback": "Feedback", + "feedback": "Rückmeldung", "howtodraganddrop": "Tippe zum Auswählen und tippe noch einmal zum Ablegen.", "incorrect": "Falsch", "information": "Information", "invalidanswer": "Unvollständige Antwort", - "notanswered": "Nicht beantwortet", - "notyetanswered": "Bisher nicht beantwortet", + "notanswered": "Nicht abgestimmt", + "notyetanswered": "unbeantwortet", "partiallycorrect": "Teilweise richtig", "questionmessage": "Frage {{$a}}: {{$b}}", "questionno": "Frage {{$a}}", "requiresgrading": "Bewertung notwendig", - "unknown": "Der Status kann nicht bestimmt werden." + "unknown": "Unbekannt" } \ No newline at end of file diff --git a/www/core/components/question/lang/de.json b/www/core/components/question/lang/de.json index 75ee149e500..d9fdecb1c77 100644 --- a/www/core/components/question/lang/de.json +++ b/www/core/components/question/lang/de.json @@ -1,21 +1,21 @@ { "answer": "Antwort", "answersaved": "Antwort gespeichert", - "complete": "Vollständig", + "complete": "Fertig", "correct": "Richtig", "errorattachmentsnotsupported": "Die App erlaubt keine Antworten mit Dateianhängen.", "errorinlinefilesnotsupported": "Die App unterstützt keine Bearbeitung von integrierten Dateien.", "errorquestionnotsupported": "Die App unterstützt diesen Fragetyp nicht: {{$a}}.", - "feedback": "Feedback", + "feedback": "Rückmeldung", "howtodraganddrop": "Tippen Sie zum Auswählen und tippen Sie noch einmal zum Ablegen.", "incorrect": "Falsch", "information": "Information", "invalidanswer": "Unvollständige Antwort", - "notanswered": "Nicht beantwortet", - "notyetanswered": "Bisher nicht beantwortet", + "notanswered": "Nicht abgestimmt", + "notyetanswered": "unbeantwortet", "partiallycorrect": "Teilweise richtig", "questionmessage": "Frage {{$a}}: {{$b}}", "questionno": "Frage {{$a}}", "requiresgrading": "Bewertung notwendig", - "unknown": "Der Status kann nicht bestimmt werden." + "unknown": "Unbekannt" } \ No newline at end of file diff --git a/www/core/components/question/lang/el.json b/www/core/components/question/lang/el.json index b8f5de69e9c..1742851bebf 100644 --- a/www/core/components/question/lang/el.json +++ b/www/core/components/question/lang/el.json @@ -6,14 +6,14 @@ "errorattachmentsnotsupported": "Η εφαρμογή δεν υποστηρίζει ακόμα την προσάρτηση αρχείων σε απαντήσεις.", "errorinlinefilesnotsupported": "Η εφαρμογή δεν υποστηρίζει ακόμα την επεξεργασία αρχείων.", "errorquestionnotsupported": "Αυτός ο τύπος ερωτήματος δεν υποστηρίζεται από την εφαρμογή: {{$a}}.", - "feedback": "Επανατροφοδότηση", + "feedback": "Ανάδραση", "howtodraganddrop": "Πατήστε για να επιλέξετε και στη συνέχεια, πατήστε για να αφήσετε.", "incorrect": "Λάθος", "invalidanswer": "Ημιτελής απάντηση", - "notanswered": "Δεν απαντήθηκε", + "notanswered": "Δεν απαντήθηκε ακόμα", "notyetanswered": "Δεν έχει απαντηθεί ακόμα", "partiallycorrect": "Μερικώς σωστή", "questionmessage": "Ερώτηση {{$a}}: {{$b}}", "questionno": "Ερώτηση {{$a}}", - "unknown": "Δεν είναι δυνατός ο προσδιορισμός της κατάστασης" + "unknown": "Άγνωστο" } \ No newline at end of file diff --git a/www/core/components/question/lang/es-mx.json b/www/core/components/question/lang/es-mx.json index 5864f3cd81a..b22d4a1edc0 100644 --- a/www/core/components/question/lang/es-mx.json +++ b/www/core/components/question/lang/es-mx.json @@ -1,21 +1,21 @@ { "answer": "Respuesta", "answersaved": "Respuesta guardada", - "complete": "Completada", - "correct": "Correcta", + "complete": "Completado", + "correct": "Correcto", "errorattachmentsnotsupported": "La aplicación todavía no soporta anexarle archivos a las respuestas.", "errorinlinefilesnotsupported": "La aplicación aun no soporta el editar archivos en-línea.", "errorquestionnotsupported": "Este tipo de pregunta no está soportada por la App: {{$a}}.", - "feedback": "Retroalimentación", + "feedback": "Comentario de retroalimentación", "howtodraganddrop": "Tocar para seleccionar y tocar para soltar", - "incorrect": "Incorrecto", + "incorrect": "Incorrecta", "information": "Información", "invalidanswer": "Respuesta incompleta", - "notanswered": "Sin contestar", - "notyetanswered": "Sin responder aún", - "partiallycorrect": "Parcialmente correcta", + "notanswered": "Sin contestar aún", + "notyetanswered": "Aún no se ha dado respuesta", + "partiallycorrect": "Parcialmente correcto", "questionmessage": "Pregunta {{$a}}: {{$b}}", "questionno": "Pregunta {{$a}}", "requiresgrading": "Requiere re-calificar", - "unknown": "No se puede determinar el estatus" + "unknown": "Desconocido" } \ No newline at end of file diff --git a/www/core/components/question/lang/es.json b/www/core/components/question/lang/es.json index f9571657135..0449551dad0 100644 --- a/www/core/components/question/lang/es.json +++ b/www/core/components/question/lang/es.json @@ -1,21 +1,21 @@ { "answer": "Respuesta", "answersaved": "Respuesta guardada", - "complete": "Finalizado", - "correct": "Correcta", + "complete": "Completado", + "correct": "Correcto", "errorattachmentsnotsupported": "La aplicación no soporta adjuntar archivos a respuestas todavía.", "errorinlinefilesnotsupported": "La aplicación aun no soporta el editar archivos en-línea.", "errorquestionnotsupported": "Este tipo de pregunta no está soportada por la aplicación: {{$a}}.", - "feedback": "Retroalimentación", + "feedback": "Comentario", "howtodraganddrop": "Tocar para seleccionar y tocar para soltar.", - "incorrect": "Incorrecto", + "incorrect": "Incorrecta", "information": "Información", "invalidanswer": "Respuesta incompleta", - "notanswered": "Sin contestar", - "notyetanswered": "Sin responder aún", - "partiallycorrect": "Parcialmente correcta", + "notanswered": "Sin contestar aún", + "notyetanswered": "Aún no se ha dado respuesta", + "partiallycorrect": "Parcialmente correcto", "questionmessage": "Pregunta {{$a}}: {{$b}}", "questionno": "Pregunta {{$a}}", "requiresgrading": "Requiere calificación", - "unknown": "No se puede determinar el estado." + "unknown": "Desconocido" } \ No newline at end of file diff --git a/www/core/components/question/lang/eu.json b/www/core/components/question/lang/eu.json index 75d807d6c04..c34ee004508 100644 --- a/www/core/components/question/lang/eu.json +++ b/www/core/components/question/lang/eu.json @@ -1,21 +1,21 @@ { - "answer": "Erantzuna", + "answer": "Erantzun", "answersaved": "Erantzuna gorde da", - "complete": "Osatu", + "complete": "Osoa", "correct": "Zuzena", "errorattachmentsnotsupported": "App-ak oraindik ez du erantzunei fitxategiak eranstea onartzen.", "errorinlinefilesnotsupported": "App-ak oraindik ez du fitxategien lerro-arteko edizioa onartzen.", "errorquestionnotsupported": "Galdera mota hau ez dago app-an onartuta: {{$a}}", "feedback": "Feedbacka", "howtodraganddrop": "Sakatu aukeratzeko eta ondoren sakatu ezabatzeko.", - "incorrect": "Okerra", + "incorrect": "Ez zuzena", "information": "Informazioa", "invalidanswer": "Erantzuna ez dago osorik", - "notanswered": "Erantzun gabea", + "notanswered": "Oraindik erantzun gabe", "notyetanswered": "Erantzun gabea", "partiallycorrect": "Zuzena zati batean", "questionmessage": "{{$a}} galdera: {{$b}}", "questionno": "{{$a}} galdera", "requiresgrading": "Kalifikazioa behar du", - "unknown": "Ezin da egoera zehaztu" + "unknown": "Ezezaguna" } \ No newline at end of file diff --git a/www/core/components/question/lang/fa.json b/www/core/components/question/lang/fa.json index 64e56570cf2..bf1d5eba5a2 100644 --- a/www/core/components/question/lang/fa.json +++ b/www/core/components/question/lang/fa.json @@ -1,15 +1,15 @@ { - "answer": "پاسخ", + "answer": "جواب", "answersaved": "پاسخ ذخیره شده", "complete": "کامل", - "correct": "درست", + "correct": "صحیح", "feedback": "بازخورد", "incorrect": "نادرست", "information": "توضیح", "invalidanswer": "پاسخ ناقص", - "notanswered": "پاسخ داده نشده", + "notanswered": "هنوز پاسخ نداده‌اند", "notyetanswered": "هنوز پاسخ داده نشده است", - "partiallycorrect": "پاسخ نیمه درست", + "partiallycorrect": "نیمه درست", "questionno": "سؤال {{$a}}", "requiresgrading": "نمره‌دهی لازم است", "unknown": "نامعلوم" diff --git a/www/core/components/question/lang/fi.json b/www/core/components/question/lang/fi.json index 186dbd14c07..28a18792039 100644 --- a/www/core/components/question/lang/fi.json +++ b/www/core/components/question/lang/fi.json @@ -1,21 +1,21 @@ { "answer": "Vastaus", "answersaved": "Vastaus tallennettu", - "complete": "Suoritettu loppuun", - "correct": "Oikein", + "complete": "Valmis", + "correct": "Oikeellinen", "errorattachmentsnotsupported": "Mobiilisovellus ei vielä tue vastausten liitetiedostoja.", "errorinlinefilesnotsupported": "Mobiilisovellus ei tue vielä tiedoston muokkaamista.", "errorquestionnotsupported": "Mobiilisovellus ei tue kysymystyyppiä: {{$a}}.", "feedback": "Palaute", "howtodraganddrop": "Napauta valitaksesi ja napauta toisen kerran pudottaaksesi.", - "incorrect": "Väärin", + "incorrect": "Virheellinen", "information": "Informaatio", "invalidanswer": "Puutteellinen vastaus", - "notanswered": "Vastaamatta", + "notanswered": "Ei vastattu", "notyetanswered": "Ei vielä vastattu", "partiallycorrect": "Osittain oikein", "questionmessage": "Kysymys {{$a}}: {{$b}}", "questionno": "Kysymys {{$a}}", "requiresgrading": "Vaatii arvioinnin", - "unknown": "Statusta ei pysty määrittelemään" + "unknown": "Tuntematon" } \ No newline at end of file diff --git a/www/core/components/question/lang/fr.json b/www/core/components/question/lang/fr.json index 1284a6a8d2a..5ae8c00f527 100644 --- a/www/core/components/question/lang/fr.json +++ b/www/core/components/question/lang/fr.json @@ -1,7 +1,7 @@ { "answer": "Réponse", "answersaved": "Réponse enregistrée", - "complete": "Terminer", + "complete": "Complet", "correct": "Correct", "errorattachmentsnotsupported": "L'application ne permet pas encore d'annexer des fichiers aux réponses.", "errorinlinefilesnotsupported": "L'app ne permet pas encore la modification de fichiers en ligne.", @@ -11,11 +11,11 @@ "incorrect": "Incorrect", "information": "Description", "invalidanswer": "Réponse incomplète", - "notanswered": "Non répondue", + "notanswered": "Pas encore répondu", "notyetanswered": "Pas encore répondu", "partiallycorrect": "Partiellement correct", "questionmessage": "Question {{$a}} : {{$b}}", "questionno": "Question {{$a}}", "requiresgrading": "Nécessite évaluation", - "unknown": "Impossible de déterminer l'état" + "unknown": "Inconnu" } \ No newline at end of file diff --git a/www/core/components/question/lang/he.json b/www/core/components/question/lang/he.json index 2d12cd98d1f..1761f82c521 100644 --- a/www/core/components/question/lang/he.json +++ b/www/core/components/question/lang/he.json @@ -2,14 +2,14 @@ "answer": "תשובה", "answersaved": "תשובה נשמרה", "complete": "הושלם", - "correct": "תקין", - "feedback": "משוב", - "incorrect": "שגוי", + "correct": "נכון", + "feedback": "תגובות", + "incorrect": "לא נכון", "information": "מידע", "invalidanswer": "תשובה שלא הושלמה", - "notanswered": "לא נענה", - "notyetanswered": "שאלה זו טרם נענתה", - "partiallycorrect": "נכון באופן חלקי", + "notanswered": "שאלה זו טרם נענתה", + "notyetanswered": "עדין לא ענו", + "partiallycorrect": "תשובה נכונה חלקית", "questionno": "שאלה {{$a}}", "requiresgrading": "נדרש מתן ציון", "unknown": "לא ידוע" diff --git a/www/core/components/question/lang/hr.json b/www/core/components/question/lang/hr.json index b59b7c97370..0155f45001c 100644 --- a/www/core/components/question/lang/hr.json +++ b/www/core/components/question/lang/hr.json @@ -1,14 +1,14 @@ { "answer": "Odgovor", "answersaved": "Odgovor pohranjen", - "complete": "Završeno", + "complete": "Potpuno", "correct": "Točno", - "feedback": "Povratna informacija", + "feedback": "Povratna informacija (Feedback)", "incorrect": "Netočno", "information": "Informacija", "invalidanswer": "Nepotpun odgovor", - "notanswered": "Nije odgovoreno", - "notyetanswered": "Nije još odgovoreno", + "notanswered": "Još nisu odgovorili", + "notyetanswered": "Još nije odgovoreno", "partiallycorrect": "Djelomično točno", "questionmessage": "Pitanje {{$a}}: {{$b}}", "questionno": "Pitanje {{$a}}", diff --git a/www/core/components/question/lang/hu.json b/www/core/components/question/lang/hu.json index 04328cffde1..649b1988ef4 100644 --- a/www/core/components/question/lang/hu.json +++ b/www/core/components/question/lang/hu.json @@ -1,14 +1,14 @@ { "answer": "Válasz", "answersaved": "A válasz elmentve", - "complete": "Kész", + "complete": "Teljes", "correct": "Helyes", "feedback": "Visszajelzés", "incorrect": "Hibás", "information": "Információ", "invalidanswer": "Hiányos válasz", - "notanswered": "Nincs rá válasz", - "notyetanswered": "Még nincs rá válasz", + "notanswered": "Még nincs válasz", + "notyetanswered": "Megválaszolatlan", "partiallycorrect": "Részben helyes", "questionno": "{{$a}}. kérdés", "requiresgrading": "Pontozandó", diff --git a/www/core/components/question/lang/it.json b/www/core/components/question/lang/it.json index 20bb79efc49..528a77907a4 100644 --- a/www/core/components/question/lang/it.json +++ b/www/core/components/question/lang/it.json @@ -2,16 +2,16 @@ "answer": "Risposta", "answersaved": "Risposta salvata", "complete": "Completo", - "correct": "Risposta corretta", - "feedback": "Feedback", - "incorrect": "Risposta errata", + "correct": "Giusto", + "feedback": "Commento", + "incorrect": "Sbagliato", "information": "Informazione", "invalidanswer": "Risposta incompleta", - "notanswered": "Risposta non data", - "notyetanswered": "Risposta non ancora data", - "partiallycorrect": "Parzialmente corretta", + "notanswered": "Senza scelta", + "notyetanswered": "Senza risposta", + "partiallycorrect": "Parzialmente corretto", "questionmessage": "Domanda {{$a}}: {{$b}}", "questionno": "Domanda {{$a}}", "requiresgrading": "Richiede valutazione", - "unknown": "Non è possibile determinare lo stato" + "unknown": "Sconosciuto" } \ No newline at end of file diff --git a/www/core/components/question/lang/ja.json b/www/core/components/question/lang/ja.json index 9d21d35750c..41e894858e9 100644 --- a/www/core/components/question/lang/ja.json +++ b/www/core/components/question/lang/ja.json @@ -1,15 +1,15 @@ { - "answer": "答え", + "answer": "回答", "answersaved": "解答保存済み", - "complete": "完了", + "complete": "詳細", "correct": "正解", "feedback": "フィードバック", "howtodraganddrop": "選んだものをタッチして、あてはまる所にタッチして入れましょう。", "incorrect": "不正解", "information": "情報", "invalidanswer": "不完全な答え", - "notanswered": "未解答", - "notyetanswered": "未解答", + "notanswered": "未投票", + "notyetanswered": "未回答", "partiallycorrect": "部分的に正解", "questionmessage": "問題 {{$a}}: {{$b}}", "questionno": "問題 {{$a}}", diff --git a/www/core/components/question/lang/ko.json b/www/core/components/question/lang/ko.json new file mode 100644 index 00000000000..a7a7d3a3cb8 --- /dev/null +++ b/www/core/components/question/lang/ko.json @@ -0,0 +1,16 @@ +{ + "answer": "대답", + "answersaved": "답이 저장되었습니다.", + "complete": "완료", + "correct": "맞음", + "feedback": "피드백", + "incorrect": "부정확", + "information": "정보", + "invalidanswer": "불완전한 답", + "notanswered": "아직 응답하지 않았습니다", + "notyetanswered": "미 응답", + "partiallycorrect": "부분 맞음", + "questionno": "질문 {{$a}}", + "requiresgrading": "채점 필요", + "unknown": "알수없음" +} \ No newline at end of file diff --git a/www/core/components/question/lang/lt.json b/www/core/components/question/lang/lt.json index 3a47ab0fc41..0bb22bfebaf 100644 --- a/www/core/components/question/lang/lt.json +++ b/www/core/components/question/lang/lt.json @@ -1,21 +1,21 @@ { - "answer": "Atsakymas", + "answer": "Atsakyti", "answersaved": "Atsakymas išsaugotas", - "complete": "Baigta", - "correct": "Teisinga", + "complete": "Užbaigti", + "correct": "Teisingas", "errorattachmentsnotsupported": "Programėlė nepalaiko pridėtų failų.", "errorinlinefilesnotsupported": "Programėlė nepalaiko redaguojamų failų", "errorquestionnotsupported": "Šis klausimo tipas programėlėje nepalaikomas: {{$a}}.", - "feedback": "Grįžtamasis ryšys", + "feedback": "Atsiliepimas", "howtodraganddrop": "Paspauskite pasirinkimui, tada perneškite.", - "incorrect": "Neteisinga", + "incorrect": "Klaidinga", "information": "Informacija", "invalidanswer": "Nepilnas atsakymas", - "notanswered": "Neatsakyta", - "notyetanswered": "Neatsakyta", + "notanswered": "Dar neatsakyta", + "notyetanswered": "Dar neatsakyta", "partiallycorrect": "Iš dalies teisingas", "questionmessage": "Klausimas {{$a}}: {{$b}}", "questionno": "Klausimas {{$a}}", "requiresgrading": "Reikia vertinimo", - "unknown": "Negalima nustatyti statuso" + "unknown": "Nežinoma" } \ No newline at end of file diff --git a/www/core/components/question/lang/mr.json b/www/core/components/question/lang/mr.json index bfe98d3fb57..89252ddc2f0 100644 --- a/www/core/components/question/lang/mr.json +++ b/www/core/components/question/lang/mr.json @@ -5,11 +5,11 @@ "errorattachmentsnotsupported": "अर्ज अद्याप फाइल्स संलग्न करण्यास समर्थन देत नाही.", "errorinlinefilesnotsupported": "अनुप्रयोग अद्याप इनलाइन फायली संपादित करण्यास समर्थन देत नाही", "errorquestionnotsupported": "हा प्रश्न प्रकार अॅपद्वारे समर्थित नाही: {{$a}}", - "feedback": "प्रतिसाद्", + "feedback": "प्रतीसाद", "howtodraganddrop": "निवडण्यासाठी टॅप करा नंतर ड्रॉप करण्यासाठी टॅप करा.", "incorrect": "अयोग्य", "notanswered": "आत्ताप्रर्यत उत्तर नाही", "partiallycorrect": "अंशतः बरोबर", "questionmessage": "प्रश्न {{$a}}: {{$b}}", - "unknown": "स्थिती निर्धारित करू शकत नाही" + "unknown": "अनोळखी" } \ No newline at end of file diff --git a/www/core/components/question/lang/nl.json b/www/core/components/question/lang/nl.json index 871c95b1c10..098aa4c11ae 100644 --- a/www/core/components/question/lang/nl.json +++ b/www/core/components/question/lang/nl.json @@ -1,21 +1,21 @@ { "answer": "Antwoord", "answersaved": "Antwoord bewaard", - "complete": "Volledig", + "complete": "Voltooid", "correct": "Juist", "errorattachmentsnotsupported": "De applicatie ondersteunt nog geen blijlagen bij antwoorden.", "errorinlinefilesnotsupported": "Deze applicatie ondersteunt het inline bewerken van bestanden nog niet.", "errorquestionnotsupported": "Dit vraagtype wordt nog niet ondersteund door de app: {{$a}}.", "feedback": "Feedback", "howtodraganddrop": "Tik om te selecteren en tik om neer te zetten.", - "incorrect": "Fout", + "incorrect": "Niet juist", "information": "Informatie", "invalidanswer": "Onvolledig antwoord", - "notanswered": "Niet beantwoord", + "notanswered": "Nog niet beantwoord", "notyetanswered": "Nog niet beantwoord", "partiallycorrect": "Gedeeltelijk juist", "questionmessage": "Vraag {{$a}}: {{$b}}", "questionno": "Vraag {{$a}}", "requiresgrading": "Beoordelen vereist", - "unknown": "Kan status niet bepalen" + "unknown": "Onbekend" } \ No newline at end of file diff --git a/www/core/components/question/lang/no.json b/www/core/components/question/lang/no.json index 9f9a20531a4..befa2461c55 100644 --- a/www/core/components/question/lang/no.json +++ b/www/core/components/question/lang/no.json @@ -1,15 +1,15 @@ { - "answer": "Svaralternativ", + "answer": "Svar", "answersaved": "Svar lagret", "complete": "Fullført", - "correct": "Korrekt", - "feedback": "Tilbakesvar", - "incorrect": "Ikke korrekt", + "correct": "Riktig", + "feedback": "Tilbakemelding", + "incorrect": "Feil", "information": "Informasjon", "invalidanswer": "Ufullstendig svar", - "notanswered": "Ikke besvart", + "notanswered": "Ikke besvart ennå", "notyetanswered": "Ikke besvart ennå", - "partiallycorrect": "Delvis korrekt", + "partiallycorrect": "Delvis riktig", "questionno": "Spørsmål {{$a}}", "requiresgrading": "Karaktersetting påkrevet", "unknown": "Ukjent" diff --git a/www/core/components/question/lang/pl.json b/www/core/components/question/lang/pl.json index 7ba2fe3fa31..ee07f2b30c4 100644 --- a/www/core/components/question/lang/pl.json +++ b/www/core/components/question/lang/pl.json @@ -1,14 +1,14 @@ { - "answer": "Odpowiedź", + "answer": "Odpowiedz", "answersaved": "Odpowiedź zapisana", - "complete": "Ukończone", - "correct": "Poprawny", + "complete": "Zakończone", + "correct": "Poprawnie", "feedback": "Informacja zwrotna", - "incorrect": "Niepoprawny(a)", + "incorrect": "Niepoprawnie", "information": "Informacja", "invalidanswer": "Niekompletna odpowiedź", - "notanswered": "Nie udzielono odpowiedzi", - "notyetanswered": "Nie udzielono odpowiedzi", + "notanswered": "Jeszcze nie udzielono odpowiedzi", + "notyetanswered": "Brak odpowiedzi", "partiallycorrect": "Częściowo poprawnie", "questionno": "Pytanie {{$a}}", "requiresgrading": "Wymaga oceny", diff --git a/www/core/components/question/lang/pt-br.json b/www/core/components/question/lang/pt-br.json index 99a33590a15..281e4738904 100644 --- a/www/core/components/question/lang/pt-br.json +++ b/www/core/components/question/lang/pt-br.json @@ -1,21 +1,21 @@ { "answer": "Resposta", "answersaved": "Resposta salva", - "complete": "Completo", + "complete": "Concluído", "correct": "Correto", "errorattachmentsnotsupported": "O aplicativo ainda não suporta anexar arquivos à resposta.", "errorinlinefilesnotsupported": "O aplicativo ainda não suporta a edição direta de arquivos.", "errorquestionnotsupported": "Esse tipo de questão não é suportada pelo aplicativo: {{$a}}.", - "feedback": "Feedback", + "feedback": "Comentários", "howtodraganddrop": "Toque para selecionar e então toque para soltar.", - "incorrect": "Incorreto", + "incorrect": "Errado", "information": "Informação", "invalidanswer": "Resposta incompleta", - "notanswered": "Não respondido", - "notyetanswered": "Ainda não respondida", - "partiallycorrect": "Parcialmente correto", + "notanswered": "Nenhuma resposta", + "notyetanswered": "Ainda não respondeu", + "partiallycorrect": "Parcialmente correta", "questionmessage": "Questão {{$a}}: {{$b}}", "questionno": "Questão {{$a}}", "requiresgrading": "Requer avaliação", - "unknown": "Não pôde determinar o estado" + "unknown": "Desconhecido" } \ No newline at end of file diff --git a/www/core/components/question/lang/pt.json b/www/core/components/question/lang/pt.json index f00329c4791..3b03d04306b 100644 --- a/www/core/components/question/lang/pt.json +++ b/www/core/components/question/lang/pt.json @@ -1,21 +1,21 @@ { "answer": "Resposta", "answersaved": "Resposta guardada", - "complete": "Respondida", + "complete": "Completo", "correct": "Correto", "errorattachmentsnotsupported": "A aplicação ainda não suporta anexar ficheiros a respostas.", "errorinlinefilesnotsupported": "A aplicação ainda não suporta a edição de ficheiros online.", "errorquestionnotsupported": "Este tipo de pergunta não é suportado pela aplicação: {{$a}}.", - "feedback": "Feedback", + "feedback": "Comentários", "howtodraganddrop": "Toque para selecionar e depois toque para largar.", "incorrect": "Incorreto", "information": "Informação", "invalidanswer": "Resposta incompleta", - "notanswered": "Não respondida", + "notanswered": "Ainda não respondeu", "notyetanswered": "Por responder", "partiallycorrect": "Parcialmente correto", "questionmessage": "Pergunta {{$a}}: {{$b}}", "questionno": "Pergunta {{$a}}", "requiresgrading": "Requer avaliação", - "unknown": "Não é possível determinar o estado" + "unknown": "Desconhecido(a)" } \ No newline at end of file diff --git a/www/core/components/question/lang/ro.json b/www/core/components/question/lang/ro.json index 1a2adfae7f6..a1bb7b725d9 100644 --- a/www/core/components/question/lang/ro.json +++ b/www/core/components/question/lang/ro.json @@ -1,15 +1,15 @@ { - "answer": "Răspuns", + "answer": "Răspunde", "answersaved": "Răspuns salvat", - "complete": "Complet", - "correct": "Corectează", + "complete": "Finalizează", + "correct": "Corect", "feedback": "Feedback", "incorrect": "Incorect", "information": "Informații", "invalidanswer": "Răspuns incomplet", - "notanswered": "Nu a primit răspuns", - "notyetanswered": "Nu a primit răspuns încă", - "partiallycorrect": "Parțial corect", + "notanswered": "Nu a fost rezolvat încă", + "notyetanswered": "Incă nu s-a răspuns", + "partiallycorrect": "Parţial corect", "questionno": "Întrebare {{$a}}", "requiresgrading": "Trebuie să fie notată", "unknown": "Necunoscut" diff --git a/www/core/components/question/lang/ru.json b/www/core/components/question/lang/ru.json index db192703a29..e3530a7d3f7 100644 --- a/www/core/components/question/lang/ru.json +++ b/www/core/components/question/lang/ru.json @@ -1,7 +1,7 @@ { "answer": "Ответ", "answersaved": "Ответ сохранен", - "complete": "Выполнен", + "complete": "Завершено", "correct": "Верно", "errorattachmentsnotsupported": "Приложение пока не поддерживает прикрепление файлов к ответом.", "errorinlinefilesnotsupported": "Приложение пока не поддерживает редактирование inline-файлов.", @@ -11,11 +11,11 @@ "incorrect": "Неверно", "information": "Информация", "invalidanswer": "Неполный ответ", - "notanswered": "Нет ответа", + "notanswered": "Еще не ответили", "notyetanswered": "Пока нет ответа", - "partiallycorrect": "Частично правильный", + "partiallycorrect": "Частично верно", "questionmessage": "Вопрос {{$a}}: {{$b}}", "questionno": "Вопрос {{$a}}", "requiresgrading": "Требуется оценивание", - "unknown": "Нельзя определить статус" + "unknown": "неизвестно" } \ No newline at end of file diff --git a/www/core/components/question/lang/sv.json b/www/core/components/question/lang/sv.json index 9ef56c4f049..c5026909e1f 100644 --- a/www/core/components/question/lang/sv.json +++ b/www/core/components/question/lang/sv.json @@ -4,11 +4,11 @@ "complete": "Komplett", "correct": "Rätt", "feedback": "Återkoppling", - "incorrect": "Felaktig", + "incorrect": "Felaktigt", "information": "Information", "invalidanswer": "Ofullständigt svar", - "notanswered": "Ej besvarad", - "notyetanswered": "Inte besvarad än", + "notanswered": "Inte ännu besvarad", + "notyetanswered": "Ännu inte besvarad", "partiallycorrect": "Delvis korrekt", "questionno": "Fråga {{$a}}", "requiresgrading": "Kräver rättning", diff --git a/www/core/components/question/lang/tr.json b/www/core/components/question/lang/tr.json index 5dc4d45244e..6de0e3edb23 100644 --- a/www/core/components/question/lang/tr.json +++ b/www/core/components/question/lang/tr.json @@ -1,14 +1,14 @@ { - "answer": "Cevap", + "answer": "Yanıt", "answersaved": "Cevap kaydedildi", - "complete": "Tamamlandı", - "correct": "doğru", - "feedback": "Geribildirim", + "complete": "Tamamlanmış", + "correct": "Doğru", + "feedback": "Geri bildirim", "incorrect": "Yanlış", "information": "Bilgi", "invalidanswer": "Tamamlanmamış cevap", - "notanswered": "Cevaplanmadı", - "notyetanswered": "Henüz cevaplanmadı", + "notanswered": "Henüz yanıtlanmadı", + "notyetanswered": "Henüz yanıtlanmamış", "partiallycorrect": "Kısmen doğru", "questionno": "Soru {{$a}}", "requiresgrading": "Notlandırma gerekir", diff --git a/www/core/components/question/lang/uk.json b/www/core/components/question/lang/uk.json index f83c00f0b3f..bb6c5913eed 100644 --- a/www/core/components/question/lang/uk.json +++ b/www/core/components/question/lang/uk.json @@ -6,16 +6,16 @@ "errorattachmentsnotsupported": "Додаток не підтримує прикріплення файлів відповідей", "errorinlinefilesnotsupported": "Додаток ще не підтримує редагування вбудованих файлів.", "errorquestionnotsupported": "Цей тип питання не підтримується додатком: {{$a}}.", - "feedback": "Коментар", + "feedback": "Відгук", "howtodraganddrop": "Натисніть, щоб вибрати і перемістить.", "incorrect": "Неправильно", "information": "Інформація", "invalidanswer": "Неповна відповідь", - "notanswered": "Відповіді не було", + "notanswered": "Відповіді ще не було", "notyetanswered": "Відповіді ще не було", "partiallycorrect": "Частково правильно", "questionmessage": "Питання {{$a}}: {{$b}}", "questionno": "Питання {{$a}}", "requiresgrading": "Потрібно оцінити", - "unknown": "Неможливо визначити статус" + "unknown": "Невідоме" } \ No newline at end of file diff --git a/www/core/components/settings/lang/ar.json b/www/core/components/settings/lang/ar.json index 0f8555c7b08..51566b77c3a 100644 --- a/www/core/components/settings/lang/ar.json +++ b/www/core/components/settings/lang/ar.json @@ -6,17 +6,18 @@ "deviceinfo": "معلومات الجهاز", "deviceos": "نظام تشغيل الجهاز", "disableall": "تعطيل الإعلامات بشكل مؤقت", - "disabled": "معطل", + "disabled": "مُعطِّل", "enabledebugging": "تمكين التصحيح", "enabledownloadsection": "تفعيل تنزيل الأقسام", "enabledownloadsectiondescription": "عطل هذا الخيار لكي تسرع تحميل أقسام المنهج", "estimatedfreespace": "تقدير المساحة الحرة", - "general": "بيانات عامة", + "general": "عام", "language": "اللغة", "license": "رخصة", "localnotifavailable": "إشعارات محلية موجودة", "loggedin": "متواجد", "loggedoff": "غير موجود", + "processorsettings": "اعدادات المعالج", "settings": "الإعدادات", "sites": "المواقع", "spaceusage": "المساحة المستخدمة", @@ -24,7 +25,7 @@ "synchronizenow": "زامن الأن", "synchronizing": "يتم التزامن", "syncsettings": "إعدادات المزامنة", - "total": "المجموع", + "total": "مجموع", "versioncode": "رمز الإصدار", "versionname": "اسم الإصدار" } \ No newline at end of file diff --git a/www/core/components/settings/lang/bg.json b/www/core/components/settings/lang/bg.json index 7636f582f23..79515e8cf7e 100644 --- a/www/core/components/settings/lang/bg.json +++ b/www/core/components/settings/lang/bg.json @@ -4,12 +4,12 @@ "currentlanguage": "Текущ език", "deletesitefiles": "Сигурни ли сте, че искате да изтриете изтеглените от този сайт файлове?", "disableall": "Забрани уведомленията", - "disabled": "Забранено", + "disabled": "Блокирано", "enabledebugging": "Позволяване на диагностициране", "errordeletesitefiles": "Грешка при изтриването на файловете на сайта.", "errorsyncsite": "Грешка при синхронизацията на данните от сайта. Моля проверете Вашата връзка към Интернет и опитайте пак.", "estimatedfreespace": "Пресметнато свободно пространство", - "general": "General", + "general": "Общо", "language": "Език", "license": "Лиценз", "loggedin": "Онлайн", diff --git a/www/core/components/settings/lang/ca.json b/www/core/components/settings/lang/ca.json index f1aa372f2d1..b57f7fe8512 100644 --- a/www/core/components/settings/lang/ca.json +++ b/www/core/components/settings/lang/ca.json @@ -18,7 +18,7 @@ "deviceos": "OS del dispositiu", "devicewebworkers": "És compatible amb Device Web Workers", "disableall": "Inhabilita les notificacions temporalment", - "disabled": "La missatgeria està inhabilitada en aquest lloc", + "disabled": "Inhabilitat", "displayformat": "Format de visualització", "enabledebugging": "Habilita la depuració", "enabledownloadsection": "Habilita la descàrrega de seccions", @@ -30,7 +30,7 @@ "errorsyncsite": "S'ha produït un error sincronitzant les dades del lloc, comproveu la vostra connexió a internet i torneu-ho provar.", "estimatedfreespace": "Espai lliure estimat", "filesystemroot": "Arrel del fitxer de sistema", - "general": "Dades generals", + "general": "General", "language": "Idioma", "license": "Llicència", "localnotifavailable": "Notificacions locals disponibles", diff --git a/www/core/components/settings/lang/cs.json b/www/core/components/settings/lang/cs.json index a303c20c4ba..adc1288a97e 100644 --- a/www/core/components/settings/lang/cs.json +++ b/www/core/components/settings/lang/cs.json @@ -18,7 +18,7 @@ "deviceos": "OS zařízení", "devicewebworkers": "Podporovaný Web Workers zařízení", "disableall": "Zakázat upozornění", - "disabled": "Zakázáno", + "disabled": "Vypnuto", "displayformat": "Formát zobrazení", "enabledebugging": "Povolit ladící informace", "enabledownloadsection": "Povolit stahování sekcí", @@ -30,7 +30,7 @@ "errorsyncsite": "Chyba synchronizace dat stránek. Zkontrolujte své připojení k internetu a zkuste to znovu.", "estimatedfreespace": "Odhadované volné místo", "filesystemroot": "Kořen souborového systému", - "general": "Obecně", + "general": "Obecná nastavení", "language": "Jazyk", "license": "Licence", "localnotifavailable": "Je dostupné lokání oznámení", diff --git a/www/core/components/settings/lang/da.json b/www/core/components/settings/lang/da.json index d4aa648f525..160fd57bdaa 100644 --- a/www/core/components/settings/lang/da.json +++ b/www/core/components/settings/lang/da.json @@ -17,7 +17,7 @@ "deviceinfo": "Enhedsinfo", "deviceos": "Enheds operativsystem", "disableall": "Deaktiver notifikationer", - "disabled": "Deaktiveret", + "disabled": "Beskedsystemet er deaktiveret", "displayformat": "Vis format", "enabledebugging": "Aktiver fejlsøgning", "enabledownloadsection": "Aktiver download af sektioner", @@ -28,7 +28,7 @@ "errorsyncsite": "Fejl ved synkronisering. Kontroller din Internettilslutning og prøv igen.", "estimatedfreespace": "Beregnet ledig plads", "filesystemroot": "Filsystemets rod", - "general": "Generelle data", + "general": "Generelt", "language": "Sprog", "license": "Licens", "localnotifavailable": "Lokale meddelelser tilgængelige", @@ -50,7 +50,7 @@ "synchronizing": "Synkroniserer", "syncsettings": "Indstilling for synkronisering", "syncsitesuccess": "Websidens data er synkroniseret og alle mellemlagre tømt", - "total": "Totalt", + "total": "Total", "versioncode": "Versionsnummer", "versionname": "Versionsnavn", "wificonnection": "WiFi-forbindelse" diff --git a/www/core/components/settings/lang/de-du.json b/www/core/components/settings/lang/de-du.json index 47bce775d74..9873f7a8735 100644 --- a/www/core/components/settings/lang/de-du.json +++ b/www/core/components/settings/lang/de-du.json @@ -18,7 +18,7 @@ "deviceos": "Geräte-OS", "devicewebworkers": "Device Web Workers unterstützt", "disableall": "Systemmitteilungen deaktivieren", - "disabled": "Mitteilungen sind für diese Website deaktiviert.", + "disabled": "Deaktiviert", "displayformat": "Bildschirmformat", "enabledebugging": "Debugging aktivieren", "enabledownloadsection": "Herunterladen von Abschnitten aktivieren", @@ -52,7 +52,7 @@ "synchronizing": "Synchronisieren ...", "syncsettings": "Synchronisieren", "syncsitesuccess": "Die Daten wurden synchronisiert.", - "total": "Gesamt", + "total": "Insgesamt", "versioncode": "Versionscode", "versionname": "Versionsname", "wificonnection": "WLAN-Verbindung" diff --git a/www/core/components/settings/lang/de.json b/www/core/components/settings/lang/de.json index 23cbc63e9ff..709e4197913 100644 --- a/www/core/components/settings/lang/de.json +++ b/www/core/components/settings/lang/de.json @@ -18,7 +18,7 @@ "deviceos": "Geräte-OS", "devicewebworkers": "Device Web Workers unterstützt", "disableall": "Systemmitteilungen deaktivieren", - "disabled": "Mitteilungen sind für diese Website deaktiviert.", + "disabled": "Deaktiviert", "displayformat": "Bildschirmformat", "enabledebugging": "Debugging aktivieren", "enabledownloadsection": "Herunterladen von Abschnitten aktivieren", @@ -52,7 +52,7 @@ "synchronizing": "Synchronisieren ...", "syncsettings": "Synchronisieren", "syncsitesuccess": "Die Daten wurden synchronisiert.", - "total": "Gesamt", + "total": "Insgesamt", "versioncode": "Versionscode", "versionname": "Versionsname", "wificonnection": "WLAN-Verbindung" diff --git a/www/core/components/settings/lang/el.json b/www/core/components/settings/lang/el.json index bb83893b28f..cf6cad8002e 100644 --- a/www/core/components/settings/lang/el.json +++ b/www/core/components/settings/lang/el.json @@ -18,7 +18,7 @@ "deviceos": "Λειτουργικό σύστημα συσκευής", "devicewebworkers": "Υποστηρίζονται οι συσκευές Web Workers", "disableall": "Προσωρινή απενεργοποίηση ειδοποιήσεων", - "disabled": "Απενεργοποιημένο", + "disabled": "Ανενεργό", "displayformat": "Μορφή εμφάνισης", "enabledebugging": "Ενεργοποίηση εντοπισμού σφαλμάτων", "enabledownloadsection": "Ενεργοποιήστε τις ενότητες λήψης", @@ -30,7 +30,7 @@ "errorsyncsite": "Παρουσιάστηκε σφάλμα κατά το συγχρονισμό των δεδομένων ιστότοπου, ελέγξτε τη σύνδεση στο διαδίκτυο και δοκιμάστε ξανά.", "estimatedfreespace": "Εκτιμώμενος ελεύθερος χώρος", "filesystemroot": "Σύστημα αρχείων root", - "general": "Γενικά δεδομένα", + "general": "Γενικά", "language": "Γλώσσα", "license": "Άδεια GPL", "localnotifavailable": "Διαθέσιμες τοπικές ειδοποιήσεις", @@ -51,7 +51,7 @@ "synchronizing": "Γίνεται συγχρονισμός", "syncsettings": "Ρυθμίσεις συγχρονισμού", "syncsitesuccess": "Τα δεδομένα ιστότοπου συγχρονίστηκαν και όλες οι προσωρινές μνήμες ακυρώθηκαν.", - "total": "Συνολικό", + "total": "Συνολικά", "versioncode": "Κωδικός έκδοσης", "versionname": "Όνομα έκδοσης", "wificonnection": "Σύνδεση WiFi" diff --git a/www/core/components/settings/lang/es-mx.json b/www/core/components/settings/lang/es-mx.json index e5ff17a5cd9..ca33c5196b5 100644 --- a/www/core/components/settings/lang/es-mx.json +++ b/www/core/components/settings/lang/es-mx.json @@ -18,7 +18,7 @@ "deviceos": "Sistema Operativo del dispositivo", "devicewebworkers": "Trabajadores Web del Dispositivo soportados", "disableall": "Deshabilitar notificaciones", - "disabled": "La mensajería está deshabilitada en este sitio", + "disabled": "Deshabilitado", "displayformat": "Mostrar formato", "enabledebugging": "Activar modo depuración (debug)", "enabledownloadsection": "Habilitar descargar secciones", @@ -30,7 +30,7 @@ "errorsyncsite": "Error al sincronizarlos datos del sitio; por favor revise su conexión de Internet e inténtelo de nuevo.", "estimatedfreespace": "Espacio libre estimado", "filesystemroot": "Raíz del sistema-de-archivos", - "general": "Datos generales", + "general": "General", "language": "Idioma", "license": "Licencia", "localnotifavailable": "Notificaciones locales disponibles", diff --git a/www/core/components/settings/lang/es.json b/www/core/components/settings/lang/es.json index 40a792086a1..9e144842444 100644 --- a/www/core/components/settings/lang/es.json +++ b/www/core/components/settings/lang/es.json @@ -18,7 +18,7 @@ "deviceos": "OS del dispositivo", "devicewebworkers": "Soporta Device Web Workers", "disableall": "Desactivar temporalmente las notificaciones", - "disabled": "Desactivado", + "disabled": "Deshabilitado", "displayformat": "Formato de visualización", "enabledebugging": "Activar modo debug", "enabledownloadsection": "Habilitar la descarga de secciones", @@ -30,7 +30,7 @@ "errorsyncsite": "Se ha producido un error sincronizando los datos del sitio, por favor compruebe su conexión a internet y pruebe de nuevo.", "estimatedfreespace": "Espacio libre (estimado)", "filesystemroot": "Raíz del sistema de archivos", - "general": "Datos generales", + "general": "General", "language": "Idioma", "license": "Licencia", "localnotifavailable": "Notificaciones locales disponibles", diff --git a/www/core/components/settings/lang/eu.json b/www/core/components/settings/lang/eu.json index 07f35a995c4..2e81b712f3a 100644 --- a/www/core/components/settings/lang/eu.json +++ b/www/core/components/settings/lang/eu.json @@ -18,7 +18,7 @@ "deviceos": "Gailuaren SEa", "devicewebworkers": "Device web workers onartuak", "disableall": "Desgaitu jakinarazpenak", - "disabled": "Desgaituta", + "disabled": "Mezularitza desgaituta dago gune honetan", "displayformat": "Erakusteko modua", "enabledebugging": "Gaitu arazketa", "enabledownloadsection": "Gaitu gaien deskarga", @@ -30,7 +30,7 @@ "errorsyncsite": "Errorea guneko datuak sinkronizatzean. Mesedez, egiaztatu zure interneterako konexioa eta saiatu berriz.", "estimatedfreespace": "Estimatutako leku librea", "filesystemroot": "Fitxategi-sistemaren jatorria", - "general": "Datu orokorrak", + "general": "Orokorra", "language": "Hizkuntza", "license": "Lizentzia", "localnotifavailable": "Jakinarazpen lokalak eskuragarri", diff --git a/www/core/components/settings/lang/fa.json b/www/core/components/settings/lang/fa.json index 86def9bdb5d..cb5276f1969 100644 --- a/www/core/components/settings/lang/fa.json +++ b/www/core/components/settings/lang/fa.json @@ -9,14 +9,14 @@ "deviceinfo": "اطلاعات دستگاه", "deviceos": "سیستم‌عامل دستگاه", "disableall": "غیرفعال‌کردن اطلاعیه‌ها", - "disabled": "غیر فعال شده است", + "disabled": "غیر فعال", "enabledebugging": "فعالسازی اشکالزدایی", "enabledownloadsection": "فعال‌کردن دریافت قسمت‌ها", "enabledownloadsectiondescription": "برای سریع‌تر شدن بارگیری قسمت‌های درس این گزینه را غیرفعال کنید.", "enablerichtexteditor": "فعال‌کردن ویرایشگر متنی پیشرفته", "enablerichtexteditordescription": "اگر فعال باشد، در جاهایی که ممکن باشد یک ویرایشگر متنی پیشرفته نمایش داده خواهد شد.", "estimatedfreespace": "فضای آزاد تخمینی", - "general": "عمومی", + "general": "داده‌های کلی", "language": "زبان", "license": "اجازه‌نامه", "loggedin": "هنگام بودن در سایت", diff --git a/www/core/components/settings/lang/fi.json b/www/core/components/settings/lang/fi.json index 22bf74eea44..e3de85d939a 100644 --- a/www/core/components/settings/lang/fi.json +++ b/www/core/components/settings/lang/fi.json @@ -12,10 +12,10 @@ "deviceinfo": "Laitteen tiedot", "deviceos": "Laitteen käyttöjärjestelmä", "disableall": "Estä ilmoitukset väliaikaisesti:", - "disabled": "Estetty", + "disabled": "Poistettu käytöstä", "errordeletesitefiles": "Sivuston tiedostoja poistettaessa tapahtui virhe.", "errorsyncsite": "Sivuston tietojen synkronoinnissa tapahtui virhe. Ole hyvä ja tarkista internet-yhteytesi ja yritä uudelleen.", - "general": "Yleinen", + "general": "Yleistä", "language": "Kieli", "license": "Lisenssi", "loggedin": "Kirjautuneena", @@ -27,6 +27,6 @@ "synchronizenow": "Synkronoi nyt", "synchronizing": "Synkronoidaan", "syncsettings": "Synkronoinnin asetukset", - "total": "Yhteensä", + "total": "Kokonaistulos", "wificonnection": "Langaton (Wi-Fi) yhteys" } \ No newline at end of file diff --git a/www/core/components/settings/lang/fr.json b/www/core/components/settings/lang/fr.json index 3401b6eaae9..37f02124e56 100644 --- a/www/core/components/settings/lang/fr.json +++ b/www/core/components/settings/lang/fr.json @@ -18,7 +18,7 @@ "deviceos": "Système d'exploitation de l'appareil", "devicewebworkers": "Web workers supportés", "disableall": "Désactiver les notifications", - "disabled": "Désactivé", + "disabled": "Désactivée", "displayformat": "Format d'affichage", "enabledebugging": "Activer le débogage", "enabledownloadsection": "Activer le téléchargement des sections", @@ -30,7 +30,7 @@ "errorsyncsite": "Erreur de synchronisation des données. Veuillez vérifier votre connexion internet et essayer plus tard.", "estimatedfreespace": "Espace libre estimé", "filesystemroot": "Racine du système de fichiers", - "general": "Généralités", + "general": "Général", "language": "Langue", "license": "Licence", "localnotifavailable": "Notifications locales disponibles", diff --git a/www/core/components/settings/lang/he.json b/www/core/components/settings/lang/he.json index 9d9b1e29878..8c94d57aab5 100644 --- a/www/core/components/settings/lang/he.json +++ b/www/core/components/settings/lang/he.json @@ -8,15 +8,15 @@ "deviceinfo": "מידע אודות המכשיר", "deviceos": "מערכת הפעלה של המכשיר", "disableall": "הודעות־מערכת כבויות זמנית", - "disabled": "כבוי", + "disabled": "לא זמין", "displayformat": "תבנית תצוגה", "enabledebugging": "הפעל ניפוי שגיאות", "errordeletesitefiles": "שגיאה במחיקת קבצי האתר.", "errorsyncsite": "שגיאה בסנכרון מידע האתר, אנא בדוק את החיבור לרשת האינטרנט ונסה שוב.", "estimatedfreespace": "אומדן מקום פנוי", - "general": "נתונים כללים", + "general": "כללי", "language": "שפת ממשק", - "license": "רשיון", + "license": "רישיון", "localnotifavailable": "התראות מקומיות זמינות", "loggedin": "מקוון", "loggedoff": "לא מקוון", @@ -29,7 +29,7 @@ "synchronizenow": "סינכרון עכשיו", "synchronizing": "מסנכרן", "syncsitesuccess": "מידע האתר סונכרן וכל זיכרון המטמון אופס.", - "total": "כולל", + "total": "סך הכל", "versioncode": "קוד גרסה", "versionname": "שם גרסה", "wificonnection": "חיבור אלחוטי" diff --git a/www/core/components/settings/lang/hr.json b/www/core/components/settings/lang/hr.json index f068bb89e2f..519225768e1 100644 --- a/www/core/components/settings/lang/hr.json +++ b/www/core/components/settings/lang/hr.json @@ -3,9 +3,9 @@ "deviceinfo": "Informacija o uređaju", "deviceos": "OS uređaja", "disableall": "Privremeno onemogući obavijesti", - "disabled": "Slanje poruka nije omogućeno na ovom sustavu", + "disabled": "Onemogućeno", "displayformat": "Oblik prikaza", - "general": "Opće postavke", + "general": "Općenito", "language": "Jezik", "license": "Licenca", "loggedin": "Online", diff --git a/www/core/components/settings/lang/hu.json b/www/core/components/settings/lang/hu.json index abdb80ef4f4..b235794ea1e 100644 --- a/www/core/components/settings/lang/hu.json +++ b/www/core/components/settings/lang/hu.json @@ -4,12 +4,12 @@ "currentlanguage": "Aktuális nyelv", "deletesitefiles": "Biztosan törli a portálról a letöltött fájlokat?", "disableall": "Értesítésekkikapcsolása", - "disabled": "Kikapcsolva", + "disabled": "Ezen a portálon az üzenetküldés ki van kapcsolva", "enabledebugging": "Hibakeresés bekapcsolása", "estimatedfreespace": "Becsült szabad tárhely", - "general": "Általános adatok", + "general": "Általános", "language": "Nyelv", - "license": "Licenc", + "license": "Engedély:", "loggedin": "Bejelentkezve:", "loggedoff": "Kijelentkezve", "processorsettings": "Feldolgozó beállításai", diff --git a/www/core/components/settings/lang/it.json b/www/core/components/settings/lang/it.json index e659bf2f70e..9af3d726bc1 100644 --- a/www/core/components/settings/lang/it.json +++ b/www/core/components/settings/lang/it.json @@ -15,7 +15,7 @@ "deviceos": "SO del dispositivo", "devicewebworkers": "Dispositivi Web Worker supportati", "disableall": "Disabilita le notifiche", - "disabled": "Disabilitato", + "disabled": "In questo sito il messaging è disabilitato", "displayformat": "Formato di visualizzazione", "enabledebugging": "Abilita debugging", "enabledownloadsection": "Abilita scaricamento sezioni", @@ -24,7 +24,7 @@ "errorsyncsite": "Si è verificato un errore durante la sincronizzazione dei dati dal sito. Per favore verifica la connessione internet e riprova.", "estimatedfreespace": "Spazio libero stimato", "filesystemroot": "Root del filesystem", - "general": "Dati generali", + "general": "Generale", "language": "Lingua", "license": "Licenza", "localnotifavailable": "Notifiche locali disponibili", diff --git a/www/core/components/settings/lang/ja.json b/www/core/components/settings/lang/ja.json index d5905770aad..0f4aff2e5dd 100644 --- a/www/core/components/settings/lang/ja.json +++ b/www/core/components/settings/lang/ja.json @@ -4,10 +4,10 @@ "currentlanguage": "現在の言語", "deletesitefiles": "本当にこのサイトからダウンロードしたファイルを消去しますか?", "disableall": "通知を無効にする", - "disabled": "このサイトではメッセージングが無効にされています。", + "disabled": "無効", "enabledebugging": "デバッグを有効にする", "estimatedfreespace": "概算の空き容量", - "general": "一般設定", + "general": "一般", "language": "言語設定", "license": "ライセンス", "loggedin": "オンライン", diff --git a/www/core/components/settings/lang/ko.json b/www/core/components/settings/lang/ko.json new file mode 100644 index 00000000000..af692a37e85 --- /dev/null +++ b/www/core/components/settings/lang/ko.json @@ -0,0 +1,13 @@ +{ + "currentlanguage": "현재의 언어", + "disableall": "일시적으로 통지 비활성화", + "disabled": "비활성", + "general": "기본", + "language": "언어", + "license": "사용허가", + "loggedin": "온라인", + "loggedoff": "온라인 아님", + "settings": "설정", + "sites": "사이트", + "total": "전체" +} \ No newline at end of file diff --git a/www/core/components/settings/lang/lt.json b/www/core/components/settings/lang/lt.json index 79f4bc7a512..9f3b8827bff 100644 --- a/www/core/components/settings/lang/lt.json +++ b/www/core/components/settings/lang/lt.json @@ -18,7 +18,7 @@ "deviceos": "Įrenginio OS", "devicewebworkers": "Įrenginio palaikymas", "disableall": "Išjungti pranešimus", - "disabled": "Išjungta", + "disabled": "Išjungtas", "displayformat": "Rodyti formatą", "enabledebugging": "Leisti derinti", "enabledownloadsection": "Įgalinti sekciją parsiuntimą", @@ -30,7 +30,7 @@ "errorsyncsite": "Klaida sinchronizuojant svetainės duomenis, prašome patikrinti interneto ryšį ir pabandyti dar kartą.", "estimatedfreespace": "Laisva vieta", "filesystemroot": "Failų sistema pradžia", - "general": "Bendrieji duomenys", + "general": "Bendra", "language": "Kalba", "license": "Licencija", "localnotifavailable": "Prieinami vietos pranešimai", diff --git a/www/core/components/settings/lang/mr.json b/www/core/components/settings/lang/mr.json index 8956de6ebfc..c309a7f5587 100644 --- a/www/core/components/settings/lang/mr.json +++ b/www/core/components/settings/lang/mr.json @@ -28,7 +28,7 @@ "errorsyncsite": "साइट डेटा समक्रमित करताना त्रुटी, कृपया आपले इंटरनेट कनेक्शन तपासा आणि पुन्हा प्रयत्न करा.", "estimatedfreespace": "अंदाजे रिकामी जागा", "filesystemroot": "फाइलसिस्टम रूट", - "general": "सामान्य", + "general": "सामान्य माहीती", "language": "भाषा", "license": "GPL लायसेंस", "localnotifavailable": "स्थानिक सूचना उपलब्ध", diff --git a/www/core/components/settings/lang/nl.json b/www/core/components/settings/lang/nl.json index aea344965fc..940c5e668fa 100644 --- a/www/core/components/settings/lang/nl.json +++ b/www/core/components/settings/lang/nl.json @@ -18,7 +18,7 @@ "deviceos": "Toestel OS", "devicewebworkers": "Ondersteunde Device Web Workers", "disableall": "Meldingen uitschakelen", - "disabled": "Uitgeschakeld", + "disabled": "De berichtenservice is uitgeschakeld op deze site", "displayformat": "Schermformaat", "enabledebugging": "Foutopsporing inschakelen", "enabledownloadsection": "Downloadsecties inschakelen", @@ -30,7 +30,7 @@ "errorsyncsite": "Fout bij het synchroniseren van sitegegevens. Controleer je internetverbinding en probeer opnieuw.", "estimatedfreespace": "Geschatte vrije ruimte", "filesystemroot": "Root bestandssysteem", - "general": "Algemene gegevens", + "general": "Algemeen", "language": "Taal", "license": "Licentie", "localnotifavailable": "Lokale meldingen beschikbaar", diff --git a/www/core/components/settings/lang/no.json b/www/core/components/settings/lang/no.json index 8246edfdb90..8d7deadfaf6 100644 --- a/www/core/components/settings/lang/no.json +++ b/www/core/components/settings/lang/no.json @@ -2,14 +2,14 @@ "about": "Om", "currentlanguage": "Gjeldende språk", "disableall": "Deaktiver varslinger", - "disabled": "Meldingstjenesten er deaktivert på denne portalen", - "general": "Generelt", + "disabled": "Deaktivert", + "general": "Generell", "language": "Språk", - "license": "(C) Lisens", + "license": "Lisens", "loggedin": "Innlogget", "loggedoff": "Utlogget", "processorsettings": "Prosessorinnstillinger", "settings": "Innstillinger", "sites": "Nettsteder", - "total": "Total" + "total": "Totalt" } \ No newline at end of file diff --git a/www/core/components/settings/lang/pl.json b/www/core/components/settings/lang/pl.json index dcb9cd0ddb3..7d7c88bdc53 100644 --- a/www/core/components/settings/lang/pl.json +++ b/www/core/components/settings/lang/pl.json @@ -4,10 +4,10 @@ "currentlanguage": "Aktualny język", "deletesitefiles": "Czy na pewno chcesz usunąć pliki pobrane z tej strony?", "disableall": "Wyłącz powiadomienia", - "disabled": "Wyłączone", + "disabled": "Wyłączony", "enabledebugging": "Włącz debugowanie", "estimatedfreespace": "Szacowana wolna przestrzeń", - "general": "Dane ogólne", + "general": "Ogólne", "language": "Język", "license": "Licencja", "loggedin": "On-line", @@ -15,5 +15,5 @@ "settings": "Ustawienia", "sites": "Serwisy", "spaceusage": "Użyta przestrzeń", - "total": "Ogólnie" + "total": "Razem" } \ No newline at end of file diff --git a/www/core/components/settings/lang/pt-br.json b/www/core/components/settings/lang/pt-br.json index 28da97a0787..b2f9e11c9ba 100644 --- a/www/core/components/settings/lang/pt-br.json +++ b/www/core/components/settings/lang/pt-br.json @@ -18,7 +18,7 @@ "deviceos": "Dispositivo OS", "devicewebworkers": "Device Web Workers suportados", "disableall": "Desabilitar notificações", - "disabled": "Desabilitado", + "disabled": "Desativar", "displayformat": "Formato de exibição", "enabledebugging": "Ativar a depuração", "enabledownloadsection": "Ativar seções de download", @@ -30,7 +30,7 @@ "errorsyncsite": "Erro ao sincronizar os dados do site, por favor verifique sua conexão de internet e tente novamente.", "estimatedfreespace": "Espaço livre estimado", "filesystemroot": "Raiz do sistema de arquivos", - "general": "Dados Gerais", + "general": "Geral", "language": "Idioma", "license": "Licença", "localnotifavailable": "Notificações locais disponíveis", diff --git a/www/core/components/settings/lang/pt.json b/www/core/components/settings/lang/pt.json index ee752bd010b..7262011f6f3 100644 --- a/www/core/components/settings/lang/pt.json +++ b/www/core/components/settings/lang/pt.json @@ -18,7 +18,7 @@ "deviceos": "Dispositivo OS", "devicewebworkers": "Device web workers suportados", "disableall": "Desativar notificações", - "disabled": "Desativado", + "disabled": "Desativar", "displayformat": "Formato de visualização", "enabledebugging": "Ativar a depuração", "enabledownloadsection": "Ativar secções de transferência", @@ -30,7 +30,7 @@ "errorsyncsite": "Erro ao sincronizar os dados do site. Por favor verifique a sua ligação à internet e tente novamente.", "estimatedfreespace": "Espaço livre estimado", "filesystemroot": "Raíz dos ficheiros do sistema", - "general": "Dados gerais", + "general": "Geral", "language": "Idioma", "license": "Licença", "localnotifavailable": "Notificações locais disponíveis", diff --git a/www/core/components/settings/lang/ro.json b/www/core/components/settings/lang/ro.json index 663c453b9f9..f243ecadace 100644 --- a/www/core/components/settings/lang/ro.json +++ b/www/core/components/settings/lang/ro.json @@ -15,7 +15,7 @@ "deviceos": "Sistemul de operare al dispozitivului", "devicewebworkers": "Web Workers este suportat pe dispozitiv", "disableall": "Dezactivați temporar notificările", - "disabled": "Dezactivat", + "disabled": "Schimbul de mesaje este dezactivat pe acest site", "displayformat": "Dimensiunea ecranului", "enabledebugging": "Activați modulul de depanare", "enabledownloadsection": "Activați secțiunile pentru descărcare", @@ -25,9 +25,9 @@ "errorsyncsite": "A apărut o eroare la sincronizarea datelor de pe site, verificați conexiunea la internet și încercați din nou.", "estimatedfreespace": "Spațiu liber estimat", "filesystemroot": "Rădăcina sistemului de fișiere", - "general": "Informaţii generale", + "general": "General", "language": "Limba", - "license": "Licenţă", + "license": "Licență", "localnotifavailable": "Notificările locale sunt disponibile", "locationhref": "URL", "loggedin": "On-line", diff --git a/www/core/components/settings/lang/ru.json b/www/core/components/settings/lang/ru.json index 436ea61b516..917f61f67c4 100644 --- a/www/core/components/settings/lang/ru.json +++ b/www/core/components/settings/lang/ru.json @@ -18,7 +18,7 @@ "deviceos": "ОС устройства", "devicewebworkers": "Поддерживаемые web workers устройства", "disableall": "Отключить уведомления", - "disabled": "Отключено", + "disabled": "Выключить", "displayformat": "Формат отображения", "enabledebugging": "Включить отладку", "enabledownloadsection": "Показать материалы, доступные для скачивания", @@ -30,9 +30,9 @@ "errorsyncsite": "Ошибка синхронизации данных сайта. Проверьте интернет-соединение и повторите попытку.", "estimatedfreespace": "Ориентировочное свободное место", "filesystemroot": "Корень файловой системы", - "general": "Общие", + "general": "Основные", "language": "Язык", - "license": "Лицензия", + "license": "Лицензия:", "localnotifavailable": "Локальные уведомления доступны", "locationhref": "URL компонента Web view", "loggedin": "На сайте", @@ -52,7 +52,7 @@ "synchronizing": "Синхронизация", "syncsettings": "Настройки синхронизации", "syncsitesuccess": "Данные синхронизации сайта и все кэши недействительны.", - "total": "Итого", + "total": "Итог", "versioncode": "Код версии", "versionname": "Версия", "wificonnection": "Подключение Wi-Fi" diff --git a/www/core/components/settings/lang/sv.json b/www/core/components/settings/lang/sv.json index ecc3e7b2c21..1b7000ce0ee 100644 --- a/www/core/components/settings/lang/sv.json +++ b/www/core/components/settings/lang/sv.json @@ -15,7 +15,7 @@ "deviceos": "Mobil enhet operativsystem", "devicewebworkers": "Enheten stödjer Web Workers", "disableall": "Tillfälligt inaktivera meddelanden", - "disabled": "Avaktiverad", + "disabled": "Avaktiverat", "displayformat": "Visningsformat", "enabledebugging": "Aktivera felsökning", "enabledownloadsection": "Aktivera hämtning sektioner", @@ -25,7 +25,7 @@ "errorsyncsite": "Fel vid synkronisering. Kontrollera din Internetanslutning och försök igen", "estimatedfreespace": "Beräknad ledigt utrymme", "filesystemroot": "Filsystem root", - "general": "Allmänna data", + "general": "Allmänt", "language": "Språk", "license": "Licens", "localnotifavailable": "Lokala meddelanden tillgängliga", @@ -45,7 +45,7 @@ "synchronizing": "Synkronisera", "syncsettings": "Synkronisation inställningar", "syncsitesuccess": "Webbsidedata synkroniserades och alla cachar ogiltigförklarades", - "total": "Summa", + "total": "Totalt", "versioncode": "Version kod", "versionname": "Version namn", "wificonnection": "WiFi-anslutning" diff --git a/www/core/components/settings/lang/tr.json b/www/core/components/settings/lang/tr.json index efbef267550..8fd8f03d869 100644 --- a/www/core/components/settings/lang/tr.json +++ b/www/core/components/settings/lang/tr.json @@ -4,10 +4,10 @@ "currentlanguage": "Geçerli dil", "deletesitefiles": "Bu siteden indirdiğiniz dosyaları silmek istediğinizden eminmisiniz?", "disableall": "Bildirimleri devre dışı bırak", - "disabled": "Mesajlaşma bu sitede etkinleştirilmemiş", + "disabled": "Devre dışı bırakıldı", "enabledebugging": "Hata ayıklamayı etkinleştir", "estimatedfreespace": "Tahmini boş alan", - "general": "Genel veri", + "general": "Genel", "language": "Dil", "license": "Lisans", "loggedin": "Çevrimiçi", diff --git a/www/core/components/settings/lang/uk.json b/www/core/components/settings/lang/uk.json index 52526da3482..33256034fbd 100644 --- a/www/core/components/settings/lang/uk.json +++ b/www/core/components/settings/lang/uk.json @@ -18,7 +18,7 @@ "deviceos": "ОС пристрою", "devicewebworkers": "Device Web Workers підтримується", "disableall": "Тимчасово заборонити повідомлення", - "disabled": "Відключено", + "disabled": "Повідомлення заборонені на цьому сайті", "displayformat": "Формат відображення", "enabledebugging": "Включити відладку", "enabledownloadsection": "Увімкнути секцію завантаження", @@ -30,7 +30,7 @@ "errorsyncsite": "Помилка синхронізації даних сайту, будь ласка, перевірте підключення до Інтернету і спробуйте ще раз.", "estimatedfreespace": "Розрахунковий вільний простір", "filesystemroot": "Коренева файлова система", - "general": "Загальний", + "general": "Основне", "language": "Мова інтерфейсу", "license": "Ліцензія", "localnotifavailable": "Доступні локальні сповіщення", @@ -51,7 +51,7 @@ "synchronizing": "Синхронізація", "syncsettings": "Налаштування синхронізації", "syncsitesuccess": "Дані сайту синхронізовані і всі кеші визнані недійсними.", - "total": "Всього", + "total": "Підсумок", "versioncode": "Версія коду", "versionname": "Ім'я версії", "wificonnection": "WiFi з'єднання" diff --git a/www/core/components/sharedfiles/lang/ar.json b/www/core/components/sharedfiles/lang/ar.json index e56fb17f780..9f9e759ba0b 100644 --- a/www/core/components/sharedfiles/lang/ar.json +++ b/www/core/components/sharedfiles/lang/ar.json @@ -1,4 +1,4 @@ { - "rename": "إعادة تسمية", + "rename": "تغيير الاسم", "replace": "استبدال" } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/ca.json b/www/core/components/sharedfiles/lang/ca.json index 56cb9344708..af0c921ccaf 100644 --- a/www/core/components/sharedfiles/lang/ca.json +++ b/www/core/components/sharedfiles/lang/ca.json @@ -4,7 +4,7 @@ "errorreceivefilenosites": "No hi ha llocs desats. Afegiu un lloc per poder compartir fitxers amb l'aplicació.", "nosharedfiles": "No hi ha fitxers compartits desats en aquest lloc.", "nosharedfilestoupload": "No hi ha fitxers per pujar. Si voleu pujar un fitxer des d'un altra aplicació, busqueu-lo i feu clic al botó «Obre a».", - "rename": "Reanomena", + "rename": "Canvia el nom", "replace": "Reemplaça", "sharedfiles": "Fitxers compartits", "successstorefile": "S'ha desat el fitxer amb èxit. Podeu seleccionar-lo i pujar-lo als vostres fitxers privats o adjuntar-lo a alguna activitat." diff --git a/www/core/components/sharedfiles/lang/cs.json b/www/core/components/sharedfiles/lang/cs.json index b6aee213eea..51a81eabae1 100644 --- a/www/core/components/sharedfiles/lang/cs.json +++ b/www/core/components/sharedfiles/lang/cs.json @@ -5,7 +5,7 @@ "nosharedfiles": "Na tomto webu nejsou uložené žádné sdílené soubory.", "nosharedfilestoupload": "Nemáte žádné nahrané soubory. Pokud chcete nahrát soubor z jiné aplikace, vyhledejte tento soubor a klikněte na tlačítko \"Otevřít v\".", "rename": "Přejmenovat", - "replace": "Nahradit", + "replace": "Přepsat", "sharedfiles": "Sdílené soubory", "successstorefile": "Soubor byl úspěšně uložen. Vyberte soubor, který chcete nahrát do vašich soukromých souborů nebo připojit ji do některých činností." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/de-du.json b/www/core/components/sharedfiles/lang/de-du.json index 676d8abb42d..805c3ab0df5 100644 --- a/www/core/components/sharedfiles/lang/de-du.json +++ b/www/core/components/sharedfiles/lang/de-du.json @@ -5,7 +5,7 @@ "nosharedfiles": "Keine geteilten Dateien auf dieser Website", "nosharedfilestoupload": "Du hast hier noch keine Datei zum Hochladen. Wenn du eine Datei aus einer anderen App hochladen möchtest, suche diese Datei und tippe auf die Taste 'Öffnen in'.", "rename": "Umbenennen", - "replace": "Ersetzen", + "replace": "Ersetze", "sharedfiles": "Geteilte Dateien", "successstorefile": "Die Datei wurde gespeichert. Du kannst die Datei in den Bereich 'Meine Dateien' hochladen oder bei Aktivitäten verwenden." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/de.json b/www/core/components/sharedfiles/lang/de.json index 7b756fa2cd7..080a8c40675 100644 --- a/www/core/components/sharedfiles/lang/de.json +++ b/www/core/components/sharedfiles/lang/de.json @@ -5,7 +5,7 @@ "nosharedfiles": "Keine geteilten Dateien auf dieser Website", "nosharedfilestoupload": "Sie haben hier noch keine Datei zum Hochladen. Wenn Sie eine Datei aus einer anderen App hochladen möchten, suchen Sie diese Datei und tippen Sie auf die Taste 'Öffnen in'.", "rename": "Umbenennen", - "replace": "Ersetzen", + "replace": "Ersetze", "sharedfiles": "Geteilte Dateien", "successstorefile": "Die Datei wurde gespeichert. Sie können die Datei in den Bereich 'Meine Dateien' hochladen oder bei Aktivitäten verwenden." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/es-mx.json b/www/core/components/sharedfiles/lang/es-mx.json index 555162bdf2e..fb7d0207356 100644 --- a/www/core/components/sharedfiles/lang/es-mx.json +++ b/www/core/components/sharedfiles/lang/es-mx.json @@ -5,7 +5,7 @@ "nosharedfiles": "No hay archivos compartidos almacenados en este sitio.", "nosharedfilestoupload": "Usted no tiene archivos para subir aquí. Si Usted desea subir un archivo desde otra App, localice ese archivo y haga click en el botón para 'Abrir en'.", "rename": "Renombrar", - "replace": "Remplazar", + "replace": "Reemplazar", "sharedfiles": "Archivos compartidos", "successstorefile": "Archivo almacenado exitosamente. Seleccione el archivo a subir a sus archivos privados o para usar en una actividad." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/eu.json b/www/core/components/sharedfiles/lang/eu.json index b47185ca190..abcab3e1fd0 100644 --- a/www/core/components/sharedfiles/lang/eu.json +++ b/www/core/components/sharedfiles/lang/eu.json @@ -5,7 +5,7 @@ "nosharedfiles": "Ez dago partekatutako fitxategirik gune honetan.", "nosharedfilestoupload": "Ez duzu igotzeko fitxategirik hemen. Beste app baten bitartez fitxategia igo nahi baduzu, fitxategia aurkitu eta ondoren 'Ireki honekin' botoia sakatu.", "rename": "Berrizendatu", - "replace": "Ordeztu", + "replace": "Ordezkatu", "sharedfiles": "Partekatutako fitxategiak", "successstorefile": "Fitxategia ondo gorde da. Orain fitxategi hau aukeratu dezakezu zure gune pribatura igo edo jarduera batean erabiltzeko." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/fi.json b/www/core/components/sharedfiles/lang/fi.json index a26bdc92b06..7f53de1de9c 100644 --- a/www/core/components/sharedfiles/lang/fi.json +++ b/www/core/components/sharedfiles/lang/fi.json @@ -4,7 +4,7 @@ "errorreceivefilenosites": "Yhtään sivustoa ei ole lisätty. Ole hyvä ja lisää sivusto ennen kuin jaat tiedostoja sovelluksella.", "nosharedfiles": "Tällä sivustolla ei ole yhtään jaettuja tiedostoja.", "nosharedfilestoupload": "Sinulla ei ole yhtään tiedostoa lähetettäväksi. Jos haluat lähettää tiedoston toisesta sovelluksesta, niin valitse tiedosto ja paina \"avaa sovelluksessa\"-painiketta ja valitse Moodle Mobile app.", - "rename": "Uudelleennimeä", + "rename": "Nimeä uudelleen", "replace": "Korvaa", "sharedfiles": "Jaetut tiedosto", "successstorefile": "Tiedosto tallennettiin onnistuneesti. Nyt voit valita tämän tiedoston lähettääksesi sen yksityisiin tiedostoihisi tai liittääksesi sen johonkin aktiviteettiin." diff --git a/www/core/components/sharedfiles/lang/hr.json b/www/core/components/sharedfiles/lang/hr.json index d688c037b6c..ef26809f0d5 100644 --- a/www/core/components/sharedfiles/lang/hr.json +++ b/www/core/components/sharedfiles/lang/hr.json @@ -1,5 +1,5 @@ { "rename": "Preimenuj", - "replace": "Zamijeni", + "replace": "Zamijenite", "sharedfiles": "Dijeljene datoteke" } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/it.json b/www/core/components/sharedfiles/lang/it.json index 81869805f8b..875611dd996 100644 --- a/www/core/components/sharedfiles/lang/it.json +++ b/www/core/components/sharedfiles/lang/it.json @@ -1,5 +1,5 @@ { - "rename": "Cambia il nome", + "rename": "Rinomina", "replace": "Sostituisci", "sharedfiles": "File condivisi" } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/ko.json b/www/core/components/sharedfiles/lang/ko.json new file mode 100644 index 00000000000..0bceb10f7ee --- /dev/null +++ b/www/core/components/sharedfiles/lang/ko.json @@ -0,0 +1,4 @@ +{ + "rename": "새이름으로", + "replace": "대체" +} \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/lt.json b/www/core/components/sharedfiles/lang/lt.json index ef379410c73..2e51ae1b0ed 100644 --- a/www/core/components/sharedfiles/lang/lt.json +++ b/www/core/components/sharedfiles/lang/lt.json @@ -4,8 +4,8 @@ "errorreceivefilenosites": "Svetainės nėra saugomos. Prieš dalintis failu, pridėkite svetainės nuorodą.", "nosharedfiles": "Šioje svetainėje nepatalpinti bendro naudojimo failai.", "nosharedfilestoupload": "Nėra įkeltų failų. Jeigu norite juos įkelti iš kitos programėlės, pažymėkite ir paspauskite mygtuką „Atidaryti“.", - "rename": "Pervadinti", - "replace": "Pakeisti", + "rename": "Pervardyti", + "replace": "Keisti", "sharedfiles": "Bendro naudojimo failai", "successstorefile": "Failas sėkmingai patalpintas. Galite jį perkelti į savo asmeninį aplanką arba įkelti tam tikrosiose veiklose." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/mr.json b/www/core/components/sharedfiles/lang/mr.json index 669675992d6..8bc47f71d48 100644 --- a/www/core/components/sharedfiles/lang/mr.json +++ b/www/core/components/sharedfiles/lang/mr.json @@ -4,7 +4,7 @@ "errorreceivefilenosites": "संचयित केलेल्या कोणत्याही साइट नाहीत कृपया अॅपसह फाइल सामायिक करण्यापूर्वी साइट जोडा", "nosharedfiles": "या साइटवर संचयित केलेल्या कोणत्याही सामायिक केलेल्या फायली नाहीत.", "nosharedfilestoupload": "येथे अपलोड करण्यासाठी आपल्याकडे एकही फाइल नाही. आपण दुसर्या अॅपमधून फाइल अपलोड करू इच्छित असाल तर ती फाइल शोधा आणि 'इन-इन' बटणावर क्लिक करा.", - "rename": "पुनर्नामित करा", + "rename": "परत नाव द्या.", "replace": "पुनर्स्थित करा", "sharedfiles": "सामायिक केलेल्या फायली", "successstorefile": "फाइल यशस्वीरित्या संग्रहित केली. आता आपण ही फाईल आपल्या खाजगी फाइल्सवर अपलोड करण्यासाठी किंवा काही क्रियाकलापांमध्ये संलग्न करण्यासाठी ती निवडू शकता." diff --git a/www/core/components/sharedfiles/lang/no.json b/www/core/components/sharedfiles/lang/no.json index 1139b190f29..d9db4536eb2 100644 --- a/www/core/components/sharedfiles/lang/no.json +++ b/www/core/components/sharedfiles/lang/no.json @@ -1,4 +1,4 @@ { - "rename": "Nytt navn", + "rename": "Gi nytt navn", "replace": "Bytt ut" } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/pt.json b/www/core/components/sharedfiles/lang/pt.json index ccb7b68c710..a181fc1b944 100644 --- a/www/core/components/sharedfiles/lang/pt.json +++ b/www/core/components/sharedfiles/lang/pt.json @@ -4,7 +4,7 @@ "errorreceivefilenosites": "Não existem sites armazenados. Adicione um site antes de partilhar um ficheiro com a aplicação.", "nosharedfiles": "Não existem quaisquer ficheiros partilhados armazenados neste site.", "nosharedfilestoupload": "Não existem ficheiros para fazer o carregamento. Se pretender carregar um ficheiro de outra aplicação, localize o ficheiro e clique no botão 'Abrir em'.", - "rename": "Mudar nome", + "rename": "Renomear", "replace": "Substituir", "sharedfiles": "Ficheiros partilhados", "successstorefile": "Ficheiro armazenado com sucesso. Selecione este ficheiro para enviá-lo para os seus ficheiros privados ou usá-lo em atividades." diff --git a/www/core/components/sharedfiles/lang/ru.json b/www/core/components/sharedfiles/lang/ru.json index cf8b8797df4..acd7586df1c 100644 --- a/www/core/components/sharedfiles/lang/ru.json +++ b/www/core/components/sharedfiles/lang/ru.json @@ -5,7 +5,7 @@ "nosharedfiles": "На этом сайте нет открытых для доступа файлов.", "nosharedfilestoupload": "У Вас нет файлов для загрузки на сервер. Если Вы хотите загрузить на сервер файл из другого приложения, найдите файл и нажмите кнопку «Открыть в».", "rename": "Переименовать", - "replace": "Переместить", + "replace": "Заменить", "sharedfiles": "Файлы в открытом доступе", "successstorefile": "Файл успешно сохранён. Выберите файл для загрузки на сервер в свои личные файлы или для использования в активном элементе." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/sv.json b/www/core/components/sharedfiles/lang/sv.json index aa1e826c0b2..117af22281c 100644 --- a/www/core/components/sharedfiles/lang/sv.json +++ b/www/core/components/sharedfiles/lang/sv.json @@ -1,4 +1,4 @@ { - "rename": "Ändra namn", + "rename": "Döp om", "replace": "Byt ut" } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/tr.json b/www/core/components/sharedfiles/lang/tr.json index 94ea98f2214..76c25af6f7c 100644 --- a/www/core/components/sharedfiles/lang/tr.json +++ b/www/core/components/sharedfiles/lang/tr.json @@ -1,5 +1,5 @@ { - "rename": "Yeniden adlandır", + "rename": "Ad değiştir", "replace": "Değiştir", "sharedfiles": "Paylaşılan dosyalar" } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/uk.json b/www/core/components/sharedfiles/lang/uk.json index 6a2a6c61255..f16da3ef448 100644 --- a/www/core/components/sharedfiles/lang/uk.json +++ b/www/core/components/sharedfiles/lang/uk.json @@ -5,7 +5,7 @@ "nosharedfiles": "Немає загальних файлів, що зберігаються на цьому сайті.", "nosharedfilestoupload": "У вас немає файлів для завантаження. Якщо ви хочете завантажити файл з іншої програми, знайдіть цей файл і натисніть кнопку «Відкрити\".", "rename": "Перейменувати", - "replace": "Перемістити", + "replace": "Замінити", "sharedfiles": "Розшарити файли", "successstorefile": "Файл успішно збережений. Тепер ви можете вибрати цей файл, щоб завантажити його на ваші особисті файли або прикріпити його в деяких видах діяльності." } \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/ca.json b/www/core/components/sidemenu/lang/ca.json index 321730fec1f..d2e61d92b7b 100644 --- a/www/core/components/sidemenu/lang/ca.json +++ b/www/core/components/sidemenu/lang/ca.json @@ -2,7 +2,7 @@ "appsettings": "Paràmetres de l'aplicació", "changesite": "Canvia de lloc", "help": "Ajuda", - "logout": "Desconnecta", + "logout": "Surt", "mycourses": "Els meus cursos", "togglemenu": "Canvia menú", "website": "Lloc web" diff --git a/www/core/components/sidemenu/lang/cs.json b/www/core/components/sidemenu/lang/cs.json index 7de80a2bb9b..68c7fe8de79 100644 --- a/www/core/components/sidemenu/lang/cs.json +++ b/www/core/components/sidemenu/lang/cs.json @@ -1,8 +1,8 @@ { "appsettings": "Nastavení aplikace", "changesite": "Změnit stránky", - "help": "Nápověda", - "logout": "Odhlásit", + "help": "Pomoc", + "logout": "Odhlásit se", "mycourses": "Moje kurzy", "togglemenu": "Přepnout nabídku", "website": "Webová stránka" diff --git a/www/core/components/sidemenu/lang/de-du.json b/www/core/components/sidemenu/lang/de-du.json index 4f3285f040c..ba2e726d700 100644 --- a/www/core/components/sidemenu/lang/de-du.json +++ b/www/core/components/sidemenu/lang/de-du.json @@ -2,7 +2,7 @@ "appsettings": "Einstellungen", "changesite": "Website wechseln", "help": "Hilfe", - "logout": "Abmelden", + "logout": "Logout", "mycourses": "Meine Kurse", "togglemenu": "Menü umschalten", "website": "Website im Browser" diff --git a/www/core/components/sidemenu/lang/de.json b/www/core/components/sidemenu/lang/de.json index 4f3285f040c..ba2e726d700 100644 --- a/www/core/components/sidemenu/lang/de.json +++ b/www/core/components/sidemenu/lang/de.json @@ -2,7 +2,7 @@ "appsettings": "Einstellungen", "changesite": "Website wechseln", "help": "Hilfe", - "logout": "Abmelden", + "logout": "Logout", "mycourses": "Meine Kurse", "togglemenu": "Menü umschalten", "website": "Website im Browser" diff --git a/www/core/components/sidemenu/lang/el.json b/www/core/components/sidemenu/lang/el.json index 2e0168f9e01..114771adbff 100644 --- a/www/core/components/sidemenu/lang/el.json +++ b/www/core/components/sidemenu/lang/el.json @@ -2,7 +2,7 @@ "appsettings": "Ρυθμίσεις εφαρμογής", "changesite": "Αλλαγή ιστότοπου", "help": "Βοήθεια", - "logout": "Αποσύνδεση", + "logout": "Έξοδος", "mycourses": "Τα μαθήματά μου", "togglemenu": "Αλλαγή μενού", "website": "Ιστότοπος" diff --git a/www/core/components/sidemenu/lang/es-mx.json b/www/core/components/sidemenu/lang/es-mx.json index e2079172694..fb36a0997ba 100644 --- a/www/core/components/sidemenu/lang/es-mx.json +++ b/www/core/components/sidemenu/lang/es-mx.json @@ -2,7 +2,7 @@ "appsettings": "Configuraciones del App", "changesite": "Cambiar sitio", "help": "Ayuda", - "logout": "Salir del sitio", + "logout": "Salir", "mycourses": "Mis cursos", "togglemenu": "Alternar menú", "website": "Página web" diff --git a/www/core/components/sidemenu/lang/es.json b/www/core/components/sidemenu/lang/es.json index e826092d764..72371e44a02 100644 --- a/www/core/components/sidemenu/lang/es.json +++ b/www/core/components/sidemenu/lang/es.json @@ -2,7 +2,7 @@ "appsettings": "Configuración de la aplicación", "changesite": "Cambiar de sitio", "help": "Ayuda", - "logout": "Salir", + "logout": "Cerrar sesión", "mycourses": "Mis cursos", "togglemenu": "Cambiar menú", "website": "Página web" diff --git a/www/core/components/sidemenu/lang/eu.json b/www/core/components/sidemenu/lang/eu.json index d6c4be2b4ea..c5757719d6e 100644 --- a/www/core/components/sidemenu/lang/eu.json +++ b/www/core/components/sidemenu/lang/eu.json @@ -2,7 +2,7 @@ "appsettings": "App-aren ezarpenak", "changesite": "Aldatu gunea", "help": "Laguntza", - "logout": "Irten", + "logout": "Saioa amaitu", "mycourses": "Nire ikastaroak", "togglemenu": "Aldatu menua", "website": "Webgunea" diff --git a/www/core/components/sidemenu/lang/fa.json b/www/core/components/sidemenu/lang/fa.json index 7d4184a0d64..34bdcc7018f 100644 --- a/www/core/components/sidemenu/lang/fa.json +++ b/www/core/components/sidemenu/lang/fa.json @@ -1,8 +1,8 @@ { "appsettings": "تنظیمات برنامه", "changesite": "خروج", - "help": "راهنما", - "logout": "خروج", + "help": "راهنمایی", + "logout": "خروج از سایت", "mycourses": "درس‌های من", "website": "پایگاه اینترنتی" } \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/he.json b/www/core/components/sidemenu/lang/he.json index defec49d009..df2620a0194 100644 --- a/www/core/components/sidemenu/lang/he.json +++ b/www/core/components/sidemenu/lang/he.json @@ -2,7 +2,7 @@ "appsettings": "הגדרות יישומון", "changesite": "התנתק", "help": "עזרה", - "logout": "התנתק", + "logout": "התנתקות", "mycourses": "הקורסים שלי", "togglemenu": "החלפת מצב תפריט", "website": "אתר אינטרנט" diff --git a/www/core/components/sidemenu/lang/it.json b/www/core/components/sidemenu/lang/it.json index b86c1c18949..9e368b1ef6f 100644 --- a/www/core/components/sidemenu/lang/it.json +++ b/www/core/components/sidemenu/lang/it.json @@ -2,7 +2,7 @@ "appsettings": "Impostazioni app", "changesite": "Cambia sito", "help": "Aiuto", - "logout": "Logout", + "logout": "Esci", "mycourses": "I miei corsi", "togglemenu": "Attiva/disattiva menu", "website": "Sito web" diff --git a/www/core/components/sidemenu/lang/ko.json b/www/core/components/sidemenu/lang/ko.json new file mode 100644 index 00000000000..3c615ac942c --- /dev/null +++ b/www/core/components/sidemenu/lang/ko.json @@ -0,0 +1,5 @@ +{ + "help": "도움", + "logout": "로그아웃", + "mycourses": "내 강좌" +} \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/lt.json b/www/core/components/sidemenu/lang/lt.json index 0f0cb015df4..4f3f66ea9f3 100644 --- a/www/core/components/sidemenu/lang/lt.json +++ b/www/core/components/sidemenu/lang/lt.json @@ -1,9 +1,9 @@ { "appsettings": "Programėlės nustatymai", "changesite": "Pakeisti svetainę", - "help": "Pagalba", - "logout": "Pakeisti svetainę", - "mycourses": "Mano mokymo programos", + "help": "Žinynas", + "logout": "Atsijungti", + "mycourses": "Mano kursai", "togglemenu": "Perjungti", "website": "Interneto svetainė" } \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/mr.json b/www/core/components/sidemenu/lang/mr.json index 091098f633d..9f0dbf261ce 100644 --- a/www/core/components/sidemenu/lang/mr.json +++ b/www/core/components/sidemenu/lang/mr.json @@ -2,8 +2,8 @@ "appsettings": "अॅप सेटिंग्ज", "changesite": "साइट बदला", "help": "मदत", - "logout": "बाहेर पडा", - "mycourses": "माझे अभ्यासक्रम", + "logout": "लॉग-आउट", + "mycourses": "माझे कोर्सेस", "togglemenu": "मेनू बदला", "website": "वेबसाइट" } \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/nl.json b/www/core/components/sidemenu/lang/nl.json index d06e70ec6d8..8a50f17cc30 100644 --- a/www/core/components/sidemenu/lang/nl.json +++ b/www/core/components/sidemenu/lang/nl.json @@ -2,7 +2,7 @@ "appsettings": "App instellingen", "changesite": "Naar andere site", "help": "Help", - "logout": "Afmelden", + "logout": "Log uit", "mycourses": "Mijn cursussen", "togglemenu": "Menu schakelen", "website": "Website" diff --git a/www/core/components/sidemenu/lang/pl.json b/www/core/components/sidemenu/lang/pl.json index dc57d0910b1..db5b40a15cd 100644 --- a/www/core/components/sidemenu/lang/pl.json +++ b/www/core/components/sidemenu/lang/pl.json @@ -1,7 +1,7 @@ { "changesite": "Wyloguj", "help": "Pomoc", - "logout": "Wyloguj się", + "logout": "Wyloguj", "mycourses": "Moje kursy", "website": "Witryna" } \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/pt.json b/www/core/components/sidemenu/lang/pt.json index f972c409f74..479ba8e4f48 100644 --- a/www/core/components/sidemenu/lang/pt.json +++ b/www/core/components/sidemenu/lang/pt.json @@ -2,7 +2,7 @@ "appsettings": "Configurações da aplicação", "changesite": "Mudar de site", "help": "Ajuda", - "logout": "Terminar sessão", + "logout": "Sair", "mycourses": "As minhas disciplinas", "togglemenu": "Alternar menu", "website": "Site" diff --git a/www/core/components/sidemenu/lang/ro.json b/www/core/components/sidemenu/lang/ro.json index ea5d1d106e0..1c5f17d9e01 100644 --- a/www/core/components/sidemenu/lang/ro.json +++ b/www/core/components/sidemenu/lang/ro.json @@ -2,7 +2,7 @@ "appsettings": "Setările aplicației", "changesite": "Schimbați siteul", "help": "Ajutor", - "logout": "Schimbați siteul", + "logout": "Ieşire", "mycourses": "Cursurile mele", "togglemenu": "Meniul pentru comutare", "website": "Website" diff --git a/www/core/components/sidemenu/lang/ru.json b/www/core/components/sidemenu/lang/ru.json index 6965e316d2d..950becebe07 100644 --- a/www/core/components/sidemenu/lang/ru.json +++ b/www/core/components/sidemenu/lang/ru.json @@ -1,8 +1,8 @@ { "appsettings": "Настройки приложения", "changesite": "Сменить сайт", - "help": "Помощь", - "logout": "Выйти", + "help": "Справка", + "logout": "Выход", "mycourses": "Мои курсы", "togglemenu": "Переключить меню", "website": "Сайт" diff --git a/www/core/components/sidemenu/lang/tr.json b/www/core/components/sidemenu/lang/tr.json index 57800da7afa..ace500a4db3 100644 --- a/www/core/components/sidemenu/lang/tr.json +++ b/www/core/components/sidemenu/lang/tr.json @@ -1,7 +1,7 @@ { "changesite": "Çıkış", "help": "Yardım", - "logout": "Çıkış", + "logout": "Çıkış yap", "mycourses": "Derslerim", "website": "Websitesi" } \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/uk.json b/www/core/components/sidemenu/lang/uk.json index 2442161b325..21328fec9b5 100644 --- a/www/core/components/sidemenu/lang/uk.json +++ b/www/core/components/sidemenu/lang/uk.json @@ -2,7 +2,7 @@ "appsettings": "Налаштування додатку", "changesite": "Змінити сайт", "help": "Допомога", - "logout": "Вийти", + "logout": "Вихід", "mycourses": "Мої курси", "togglemenu": "Перемикання меню", "website": "Веб-сайт" diff --git a/www/core/components/user/lang/ar.json b/www/core/components/user/lang/ar.json index 3ba1ae44ee2..7c07947c57e 100644 --- a/www/core/components/user/lang/ar.json +++ b/www/core/components/user/lang/ar.json @@ -3,10 +3,10 @@ "city": "المدينة/البلدة", "contact": "جهة اتصال", "country": "الدولة", - "description": "نص المقدمة", + "description": "الوصف", "details": "التفاصيل", "editingteacher": "معلم", - "email": "بريد الإلكتروني", + "email": "عنوان البريد الإلكتروني", "emailagain": "إعادة إدخال البريد الإلكتروني للتأكيد ", "firstname": "الاسم الأول", "interests": "اهتمامات", diff --git a/www/core/components/user/lang/bg.json b/www/core/components/user/lang/bg.json index 022f6afb2b1..70d1e6ca5f5 100644 --- a/www/core/components/user/lang/bg.json +++ b/www/core/components/user/lang/bg.json @@ -3,11 +3,11 @@ "city": "Град/село", "contact": "Контакт", "country": "Държава", - "description": "Описание", + "description": "Въвеждащ текст", "details": "Подробности", "detailsnotavailable": "Детайлите за този потребител не са достъпни за Вас.", "editingteacher": "Учител", - "email": "Имейл", + "email": "Имейл адрес", "emailagain": "Имейл адрес (отново)", "firstname": "Име", "interests": "Интереси", diff --git a/www/core/components/user/lang/ca.json b/www/core/components/user/lang/ca.json index fe01cc4b106..aa06c47268a 100644 --- a/www/core/components/user/lang/ca.json +++ b/www/core/components/user/lang/ca.json @@ -7,7 +7,7 @@ "details": "Detalls", "detailsnotavailable": "No tens accés als detalls d'aquest usuari.", "editingteacher": "Professor", - "email": "Correu electrònic", + "email": "Adreça electrònica", "emailagain": "Correu electrònic (una altra vegada)", "firstname": "Nom", "interests": "Interessos", diff --git a/www/core/components/user/lang/cs.json b/www/core/components/user/lang/cs.json index b15d42966c7..a6f990b5aba 100644 --- a/www/core/components/user/lang/cs.json +++ b/www/core/components/user/lang/cs.json @@ -3,15 +3,15 @@ "city": "Město/obec", "contact": "Kontakt", "country": "Země", - "description": "Popis", + "description": "Úvodní text", "details": "Detaily", "detailsnotavailable": "Podrobnosti o tomto uživateli nejsou k dispozici.", "editingteacher": "Učitel", - "email": "Poslat e-mailem", + "email": "E-mailová adresa", "emailagain": "E-mail (znovu)", "firstname": "Křestní jméno", "interests": "Zájmy", - "invaliduser": "Neplatný uživatel.", + "invaliduser": "Neplatný uživatel", "lastname": "Příjmení", "manager": "Manažer", "newpicture": "Nový obrázek", diff --git a/www/core/components/user/lang/da.json b/www/core/components/user/lang/da.json index 08cf0317a51..907d22761b1 100644 --- a/www/core/components/user/lang/da.json +++ b/www/core/components/user/lang/da.json @@ -3,15 +3,15 @@ "city": "By", "contact": "Kontakt", "country": "Land", - "description": "Beskrivelse", + "description": "Introduktionstekst", "details": "Detaljer", "detailsnotavailable": "Denne brugers data er ikke tilgængelige for dig.", "editingteacher": "Lærer", - "email": "E-mail", + "email": "E-mailadresse", "emailagain": "E-mail (igen)", "firstname": "Fornavn", "interests": "Interesser", - "invaliduser": "Ugyldig bruger.", + "invaliduser": "Ugyldig bruger", "lastname": "Efternavn", "manager": "Manager", "newpicture": "Nyt billede", diff --git a/www/core/components/user/lang/de-du.json b/www/core/components/user/lang/de-du.json index 5fe28fcad9c..426119b3458 100644 --- a/www/core/components/user/lang/de-du.json +++ b/www/core/components/user/lang/de-du.json @@ -7,11 +7,11 @@ "details": "Details", "detailsnotavailable": "Die Nutzerdetails zu dieser Person sind für dich nicht verfügbar.", "editingteacher": "Trainer/in", - "email": "E-Mail", + "email": "E-Mail-Adresse", "emailagain": "E-Mail-Adresse (wiederholen)", "firstname": "Vorname", "interests": "Persönliche Interessen", - "invaliduser": "Nutzer/in ungültig", + "invaliduser": "Ungültige Nutzer/in", "lastname": "Nachname", "manager": "Manager/in", "newpicture": "Neues Foto", diff --git a/www/core/components/user/lang/de.json b/www/core/components/user/lang/de.json index 8a01dc74301..740e942be55 100644 --- a/www/core/components/user/lang/de.json +++ b/www/core/components/user/lang/de.json @@ -7,11 +7,11 @@ "details": "Details", "detailsnotavailable": "Die Nutzerdetails zu dieser Person sind für Sie nicht verfügbar.", "editingteacher": "Trainer/in", - "email": "E-Mail", + "email": "E-Mail-Adresse", "emailagain": "E-Mail-Adresse (wiederholen)", "firstname": "Vorname", "interests": "Persönliche Interessen", - "invaliduser": "Nutzer/in ungültig", + "invaliduser": "Ungültige Nutzer/in", "lastname": "Nachname", "manager": "Manager/in", "newpicture": "Neues Foto", diff --git a/www/core/components/user/lang/el.json b/www/core/components/user/lang/el.json index a5b99d1e377..2e66b93a534 100644 --- a/www/core/components/user/lang/el.json +++ b/www/core/components/user/lang/el.json @@ -3,11 +3,11 @@ "city": "Πόλη/χωριό", "contact": "Επικοινωνία", "country": "Χώρα", - "description": "Περιγραφή", + "description": "Κείμενο εισαγωγής", "details": "Λεπτομέρειες", "detailsnotavailable": "Λεπτομέρειες για αυτό τον χρήστη δεν είναι διαθέσιμες.", "editingteacher": "Διδάσκων", - "email": "Ηλεκτρονικό Ταχυδρομείο", + "email": "Διεύθυνση ηλεκτρονικού ταχυδρομείου", "emailagain": "Email (ξανά)", "firstname": "Όνομα", "interests": "Ενδιαφέροντα", @@ -19,7 +19,7 @@ "phone2": "Κινητό τηλέφωνο", "roles": "Ρόλοι", "sendemail": "Email", - "student": "Μαθητής", + "student": "Φοιτητής", "teacher": "Διδάσκων χωρίς δικαιώματα αλλαγής", "viewprofile": "Επισκόπηση του προφίλ", "webpage": "Ιστοσελίδα" diff --git a/www/core/components/user/lang/es-mx.json b/www/core/components/user/lang/es-mx.json index 4a165259a1c..5a299d64eba 100644 --- a/www/core/components/user/lang/es-mx.json +++ b/www/core/components/user/lang/es-mx.json @@ -3,15 +3,15 @@ "city": "Ciudad", "contact": "Contacto", "country": "País", - "description": "Descripción", + "description": "Descripción -", "details": "Detalles", "detailsnotavailable": "Los detalles de este usuario no están disponibles para Usted.", "editingteacher": "Profesor", - "email": "Email", + "email": "Dirección Email", "emailagain": "Correo (de nuevo)", "firstname": "Nombre", "interests": "Intereses", - "invaliduser": "Usuario inválido.", + "invaliduser": "Usuario no válido", "lastname": "Apellido(s)", "manager": "Mánager", "newpicture": "Imagen nueva", diff --git a/www/core/components/user/lang/es.json b/www/core/components/user/lang/es.json index 3c9de9a5eb4..c7beaa21377 100644 --- a/www/core/components/user/lang/es.json +++ b/www/core/components/user/lang/es.json @@ -7,7 +7,7 @@ "details": "Detalles", "detailsnotavailable": "No tiene acceso a los detalles de este usuario.", "editingteacher": "Profesor", - "email": "Email", + "email": "Dirección de correo", "emailagain": "Correo (de nuevo)", "firstname": "Nombre", "interests": "Intereses", diff --git a/www/core/components/user/lang/eu.json b/www/core/components/user/lang/eu.json index fbd288168ff..e19aa7863bf 100644 --- a/www/core/components/user/lang/eu.json +++ b/www/core/components/user/lang/eu.json @@ -7,11 +7,11 @@ "details": "Xehetasunak", "detailsnotavailable": "Erabiltzaile honen xehetasunak ez daude zuretzat eskuragarri", "editingteacher": "Irakaslea", - "email": "E-posta", + "email": "E-posta helbidea", "emailagain": "E-posta (berriro)", "firstname": "Izena", "interests": "Interesguneak", - "invaliduser": "Erabiltzailea ez da zuzena.", + "invaliduser": "Erabiltzaile baliogabea", "lastname": "Deitura", "manager": "Kudeatzailea", "newpicture": "Irudi berria", diff --git a/www/core/components/user/lang/fa.json b/www/core/components/user/lang/fa.json index 7fbb0e60e88..b156d092804 100644 --- a/www/core/components/user/lang/fa.json +++ b/www/core/components/user/lang/fa.json @@ -1,11 +1,11 @@ { "address": "آدرس", "city": "شهر/شهرک", - "contact": "مخاطب", + "contact": "تماس", "country": "کشور", - "description": "توصیف", + "description": "توضیح تکلیف", "details": "جزئیات", - "email": "پست الکترونیک", + "email": "آدرس پست الکترونیک", "emailagain": "پست الکترونیک (دوباره)", "firstname": "نام", "interests": "علایق", diff --git a/www/core/components/user/lang/fi.json b/www/core/components/user/lang/fi.json index ade2fc72234..66f6786ab08 100644 --- a/www/core/components/user/lang/fi.json +++ b/www/core/components/user/lang/fi.json @@ -1,17 +1,17 @@ { "address": "Osoite", "city": "Paikkakunta", - "contact": "Yhteystiedot", + "contact": "Yhteystieto", "country": "Maa", "description": "Kuvaus", "details": "Käyttäjätiedot", "detailsnotavailable": "Tämän käyttäjän käyttäjätiedot eivät ole saatavilla sinulle.", "editingteacher": "Opettaja", - "email": "Sähköpostiosoite", + "email": "Sähköposti", "emailagain": "Sähköposti (varmistus)", "firstname": "Etunimi", "interests": "Kiinnostukset", - "invaliduser": "Virheellinen käyttäjä.", + "invaliduser": "Virheellinen käyttäjä", "lastname": "Sukunimi", "manager": "Hallinoija", "newpicture": "Uusi kuva", diff --git a/www/core/components/user/lang/fr.json b/www/core/components/user/lang/fr.json index 651dd756170..2391c86e714 100644 --- a/www/core/components/user/lang/fr.json +++ b/www/core/components/user/lang/fr.json @@ -7,11 +7,11 @@ "details": "Détails", "detailsnotavailable": "Vous n'avez pas accès aux informations de cet utilisateur.", "editingteacher": "Enseignant", - "email": "Courriel", + "email": "Adresse de courriel", "emailagain": "Courriel (confirmation)", "firstname": "Prénom", "interests": "Centres d'intérêt", - "invaliduser": "Utilisateur non valide.", + "invaliduser": "Utilisateur non valide", "lastname": "Nom", "manager": "Gestionnaire", "newpicture": "Nouvelle image", @@ -19,7 +19,7 @@ "phone2": "Téléphone mobile", "roles": "Rôles", "sendemail": "Courriel", - "student": "Étudiant", + "student": "Participants", "teacher": "Enseignant non-éditeur", "viewprofile": "Consulter le profil", "webpage": "Page Web" diff --git a/www/core/components/user/lang/he.json b/www/core/components/user/lang/he.json index 29de36b8f1e..cfd73b8aa8f 100644 --- a/www/core/components/user/lang/he.json +++ b/www/core/components/user/lang/he.json @@ -1,17 +1,17 @@ { "address": "כתובת", "city": "ישוב", - "contact": "צור קשר", + "contact": "ליצירת קשר", "country": "ארץ", - "description": "הנחיה למטלה", + "description": "תיאור", "details": "פרטים", "detailsnotavailable": "פרטי משתמש זה אינם זמינים לך.", "editingteacher": "מרצה", - "email": "דוא\"ל", + "email": "כתובת דואר אלקטרוני", "emailagain": "דואר אלקטרוני (שוב)", "firstname": "שם פרטי", "interests": "תחומי עניין", - "invaliduser": "משתמש לא תקף.", + "invaliduser": "משתמש שגוי", "lastname": "שם משפחה", "manager": "מנהל", "newpicture": "תמונה חדשה", diff --git a/www/core/components/user/lang/hr.json b/www/core/components/user/lang/hr.json index b7de4acd0c6..5c86b11673e 100644 --- a/www/core/components/user/lang/hr.json +++ b/www/core/components/user/lang/hr.json @@ -3,14 +3,14 @@ "city": "Grad", "contact": "Kontakt", "country": "Država", - "description": "Uvodni tekst", + "description": "Opis", "details": "Detalji", "editingteacher": "Nastavnik", - "email": "E-pošta", + "email": "Adresa e-pošte", "emailagain": "E-pošta (ponovno)", "firstname": "Ime", "interests": "Interesi", - "invaliduser": "Neispravan korisnik.", + "invaliduser": "Neispravan korisnik", "lastname": "Prezime", "manager": "Menadžer", "newpicture": "Nova slika", diff --git a/www/core/components/user/lang/hu.json b/www/core/components/user/lang/hu.json index ea3235ea2d0..de2880aacb9 100644 --- a/www/core/components/user/lang/hu.json +++ b/www/core/components/user/lang/hu.json @@ -3,9 +3,9 @@ "city": "Helység", "contact": "Kapcsolat", "country": "Ország", - "description": "Leírás", + "description": "Bevezető szöveg", "details": "SCO nyomon követésének részletei", - "email": "E-mail", + "email": "E-mail cím", "emailagain": "E-mail (ismét)", "firstname": "Keresztnév", "interests": "Érdeklődési kör", diff --git a/www/core/components/user/lang/it.json b/www/core/components/user/lang/it.json index 1e89b57576f..e5ac1a11ae9 100644 --- a/www/core/components/user/lang/it.json +++ b/www/core/components/user/lang/it.json @@ -3,15 +3,15 @@ "city": "Città /Località", "contact": "Contatto", "country": "Nazione", - "description": "Descrizione", + "description": "Commento", "details": "Dettagli", "detailsnotavailable": "Non puoi visualizzare i dettagli di questo utente.", "editingteacher": "Docente", - "email": "Email", + "email": "Indirizzo email", "emailagain": "Indirizzo email (ripeti)", "firstname": "Nome", "interests": "Interessi", - "invaliduser": "Utente non valido.", + "invaliduser": "Utente non valido", "lastname": "Cognome", "manager": "Manager", "newpicture": "Nuova immagine", diff --git a/www/core/components/user/lang/ja.json b/www/core/components/user/lang/ja.json index 7b191daf6d3..848efaba470 100644 --- a/www/core/components/user/lang/ja.json +++ b/www/core/components/user/lang/ja.json @@ -1,11 +1,11 @@ { "address": "住所", "city": "都道府県", - "contact": "コンタクト", + "contact": "連絡先", "country": "国", "description": "説明", "details": "詳細", - "email": "メール", + "email": "メールアドレス", "emailagain": "メールアドレス (もう一度)", "firstname": "名", "interests": "興味のあること", diff --git a/www/core/components/user/lang/ko.json b/www/core/components/user/lang/ko.json new file mode 100644 index 00000000000..8f74c8d3f22 --- /dev/null +++ b/www/core/components/user/lang/ko.json @@ -0,0 +1,20 @@ +{ + "address": "주소", + "city": "도시", + "contact": "연락처", + "country": "국가", + "description": "설명", + "email": "이메일 주소", + "emailagain": "이메일 (다시)", + "firstname": "성", + "interests": "관심분야", + "invaliduser": "잘못된 사용자", + "lastname": "이름", + "newpicture": "새 사진", + "phone1": "전화", + "phone2": "휴대 전화", + "roles": "역할", + "student": "학생", + "viewprofile": "개인정보 보기", + "webpage": "웹 페이지" +} \ No newline at end of file diff --git a/www/core/components/user/lang/lt.json b/www/core/components/user/lang/lt.json index 2f4a8565e55..e42242ef453 100644 --- a/www/core/components/user/lang/lt.json +++ b/www/core/components/user/lang/lt.json @@ -1,17 +1,17 @@ { "address": "Adresas", "city": "Miestas / miestelis", - "contact": "Kontaktai", + "contact": "Kontaktas", "country": "Šalis", - "description": "Įžangos tekstas", + "description": "Aprašas", "details": "Detalės", "detailsnotavailable": "Šio vartotojo duomenys jums nepasiekiami.", "editingteacher": "Dėstytojas", - "email": "El. laiškas", + "email": "El. pašto adresas", "emailagain": "El. paštas (dar kartą)", "firstname": "Vardas", "interests": "Pomėgiai", - "invaliduser": "Netinkamas vartotojas.", + "invaliduser": "Klaidingas naudotojas", "lastname": "Pavardė", "manager": "Valdytojas", "newpicture": "Naujas paveikslėlis", diff --git a/www/core/components/user/lang/mr.json b/www/core/components/user/lang/mr.json index 4c5ec98a04d..aca546a40eb 100644 --- a/www/core/components/user/lang/mr.json +++ b/www/core/components/user/lang/mr.json @@ -3,11 +3,11 @@ "city": "शहर/नगर्", "contact": "संपर्क साधा", "country": "देश", - "description": "वर्णन", + "description": "प्रस्तावना", "details": "तपशील", "detailsnotavailable": "या वापरकर्त्याचे तपशील आपल्यासाठी उपलब्ध नाहीत.", "editingteacher": "शिक्षक", - "email": "ई-मेल पत्ता", + "email": "ई-मेल", "emailagain": "ई-मेल(पुन्हा)", "firstname": "पहीले नाव", "interests": "आवडी", diff --git a/www/core/components/user/lang/nl.json b/www/core/components/user/lang/nl.json index 0ca1abf5ab6..046d955bfba 100644 --- a/www/core/components/user/lang/nl.json +++ b/www/core/components/user/lang/nl.json @@ -3,15 +3,15 @@ "city": "Plaats", "contact": "Contact", "country": "Land", - "description": "Beschrijving", + "description": "Inleidende tekst", "details": "Details", "detailsnotavailable": "Je kunt de details voor deze gebruiker niet bekijken.", "editingteacher": "Leraar", - "email": "E-mail", + "email": "E-mailadres", "emailagain": "E-mail (nogmaals)", "firstname": "Voornaam", "interests": "Interesses", - "invaliduser": "Ongeldige gebuiker", + "invaliduser": "Ongeldige gebruiker", "lastname": "Achternaam", "manager": "Manager", "newpicture": "Nieuwe foto", diff --git a/www/core/components/user/lang/no.json b/www/core/components/user/lang/no.json index 41e5fdcc809..bf772e32a73 100644 --- a/www/core/components/user/lang/no.json +++ b/www/core/components/user/lang/no.json @@ -3,9 +3,9 @@ "city": "Sted", "contact": "Kontakt", "country": "Land", - "description": "Informasjonsfelt", + "description": "Beskrivelse", "details": "Detaljer", - "email": "Send som epost", + "email": "E-postadresse", "emailagain": "E-post (igjen)", "firstname": "Fornavn", "interests": "Interesser", diff --git a/www/core/components/user/lang/pl.json b/www/core/components/user/lang/pl.json index fdf52583dd4..f8759ab71b2 100644 --- a/www/core/components/user/lang/pl.json +++ b/www/core/components/user/lang/pl.json @@ -3,9 +3,9 @@ "city": "Miasto", "contact": "Kontakt", "country": "Kraj", - "description": "Opis", + "description": "Wstęp", "details": "Szczegóły ścieżki", - "email": "e-mail", + "email": "E-mail", "emailagain": "E-mail (jeszcze raz)", "firstname": "Imię", "interests": "Zainteresowania", diff --git a/www/core/components/user/lang/pt-br.json b/www/core/components/user/lang/pt-br.json index acd7aa18a73..d65c2b3eccb 100644 --- a/www/core/components/user/lang/pt-br.json +++ b/www/core/components/user/lang/pt-br.json @@ -3,15 +3,15 @@ "city": "Cidade/Município", "contact": "Contato", "country": "País", - "description": "Descrição", + "description": "Texto do link", "details": "Detalhes", "detailsnotavailable": "Os detalhes desse usuário não estão disponíveis para você.", "editingteacher": "Professor", - "email": "Email", + "email": "Endereço de email", "emailagain": "Confirmar endereço de e-mail", "firstname": "Nome", "interests": "Interesses", - "invaliduser": "Usuário inválido.", + "invaliduser": "Usuário inválido", "lastname": "Sobrenome", "manager": "Gerente", "newpicture": "Nova imagem", diff --git a/www/core/components/user/lang/pt.json b/www/core/components/user/lang/pt.json index 21a6936bf0c..dd9f07a9a2c 100644 --- a/www/core/components/user/lang/pt.json +++ b/www/core/components/user/lang/pt.json @@ -7,7 +7,7 @@ "details": "Detalhes", "detailsnotavailable": "Não tem acesso aos detalhes deste utilizador.", "editingteacher": "Professor", - "email": "E-mail", + "email": "Endereço de e-mail", "emailagain": "E-mail (novamente)", "firstname": "Nome", "interests": "Interesses", diff --git a/www/core/components/user/lang/ro.json b/www/core/components/user/lang/ro.json index e3c4d91235f..e1c0f7bd929 100644 --- a/www/core/components/user/lang/ro.json +++ b/www/core/components/user/lang/ro.json @@ -3,22 +3,22 @@ "city": "Oraş/localitate", "contact": "Contact", "country": "Ţara", - "description": "Descriere", + "description": "Text introductiv", "details": "Detalii", "detailsnotavailable": "Detaliile acestui utilizator nu vă sunt disponibile.", "editingteacher": "Profesor", - "email": "Email", + "email": "Adresă email", "emailagain": "Email (reintroduceţi)", "firstname": "Prenume", "interests": "Interese", - "invaliduser": "Utilizator necunoscut.", + "invaliduser": "Utilizator incorect", "lastname": "Nume", "manager": "Manager", "newpicture": "Imagine nouă", "phone1": "Telefon", "phone2": "Mobil", "roles": "Roluri", - "student": "Student", + "student": "Cursant", "teacher": "Profesor asistent", "viewprofile": "Vezi profilul", "webpage": "Pagină Web" diff --git a/www/core/components/user/lang/ru.json b/www/core/components/user/lang/ru.json index afa7fa0c4b9..daf0d377974 100644 --- a/www/core/components/user/lang/ru.json +++ b/www/core/components/user/lang/ru.json @@ -3,15 +3,15 @@ "city": "Город", "contact": "Контакты", "country": "Страна", - "description": "Описание", + "description": "Вступление", "details": "Подробнее", "detailsnotavailable": "Вам не доступны подробности этого пользователя", "editingteacher": "Учитель", - "email": "Email", + "email": "Адрес электронной почты", "emailagain": "Адрес электронной почты (еще раз)", "firstname": "Имя", "interests": "Интересы", - "invaliduser": "Неправильный пользователь", + "invaliduser": "Некорректный пользователь", "lastname": "Фамилия", "manager": "Управляющий", "newpicture": "Новое изображение", diff --git a/www/core/components/user/lang/sv.json b/www/core/components/user/lang/sv.json index e3c84060b70..239dbb9c6af 100644 --- a/www/core/components/user/lang/sv.json +++ b/www/core/components/user/lang/sv.json @@ -3,22 +3,22 @@ "city": "Stad/ort", "contact": "Kontakt", "country": "Land", - "description": "Beskrivning", + "description": "Introduktion", "details": "Detaljer", "detailsnotavailable": "Detaljerna till denna användare är inte tillgängliga för dig.", "editingteacher": "Lärare", - "email": "E-post", + "email": "E-postadress", "emailagain": "E-post (igen)", "firstname": "Förnamn", "interests": "Intressen", - "invaliduser": "Ogiltig användare.", + "invaliduser": "Ogiltig användare", "lastname": "Efternamn", "manager": "Manager", "newpicture": "Ny bild", "phone1": "Telefon", "phone2": "Mobiltelefon", "roles": "Roller", - "student": "Student", + "student": "Student/elev/deltagare/lärande", "teacher": "Icke editerande lärare", "viewprofile": "Visa profil", "webpage": "Webbsida" diff --git a/www/core/components/user/lang/tr.json b/www/core/components/user/lang/tr.json index 49ebb7e3098..b4220cb1697 100644 --- a/www/core/components/user/lang/tr.json +++ b/www/core/components/user/lang/tr.json @@ -1,16 +1,16 @@ { "address": "Adres", "city": "Şehir", - "contact": "Kişi", + "contact": "İletişim", "country": "Ülke", - "description": "Açıklama", + "description": "Tanıtım metni", "details": "Detaylar", "editingteacher": "Öğretmen", - "email": "E-posta", + "email": "E-posta adresi", "emailagain": "E-posta (tekrar)", "firstname": "Adı", "interests": "İlgi alanları", - "invaliduser": "Geçersiz kullanıcı.", + "invaliduser": "Geçersiz kullanıcı", "lastname": "Soyadı", "manager": "Yönetici", "newpicture": "Yeni resim", diff --git a/www/core/components/user/lang/uk.json b/www/core/components/user/lang/uk.json index 3a79d4315ef..0e672d1bb8f 100644 --- a/www/core/components/user/lang/uk.json +++ b/www/core/components/user/lang/uk.json @@ -3,15 +3,15 @@ "city": "Місто", "contact": "Контакт", "country": "Країна", - "description": "Опис", + "description": "Текст вступу", "details": "Деталі", "detailsnotavailable": "Деталі цього користувача вам не доступні", "editingteacher": "Вчитель", - "email": "Ел.пошта", + "email": "Електронна пошта", "emailagain": "Електронна пошта (повторно)", "firstname": "Ім'я", "interests": "Інтереси", - "invaliduser": "Невірний користувач.", + "invaliduser": "Неправильний користувач", "lastname": "Прізвище", "manager": "Менеджер", "newpicture": "Новий малюнок", diff --git a/www/core/lang/ar.json b/www/core/lang/ar.json index 9d2e3d61c0f..d8d862f83e1 100644 --- a/www/core/lang/ar.json +++ b/www/core/lang/ar.json @@ -2,14 +2,14 @@ "allparticipants": "كل المشاركين", "areyousure": "هل انت متأكد؟", "back": "العودة", - "cancel": "ألغي", + "cancel": "إلغاء", "cannotconnect": "لا يمكن الاتصال: تحقق من أنك كتبت عنوان URL بشكل صحيح وأنك تستخدم موقع موودل 2.4 أو أحدث.", - "category": "فئة", + "category": "التصنيف", "choose": "اختر", "choosedots": "اختر...", "clicktohideshow": "انقر للطي أو التوسيع", - "close": "أغلاق النافذه", - "comments": "تعليقات", + "close": "أغلق", + "comments": "تعليقاتك", "commentscount": "التعليقات ({{$a}})", "completion-alt-auto-fail": "مكتمل (لم تحقق درحة النجاح)", "completion-alt-auto-n": "غير مكتمل", @@ -19,7 +19,7 @@ "completion-alt-manual-y": "مكتمل؛ حدد لجعل هذا العنصر غير مكتمل", "content": "المحتوى", "continue": "استمر", - "course": "مقرر دراسي", + "course": "المقرر الدراسي", "coursedetails": "تفاصيل المقرر الدراسي", "date": "تاريخ", "day": "يوم", @@ -27,12 +27,12 @@ "decsep": ".", "delete": "حذف", "deleting": "حذف", - "description": "نص المقدمة", + "description": "الوصف", "done": "تم", "download": "تحميل", "downloading": "يتم التنزيل", - "edit": "تحرير", - "error": "حصل خطاء", + "edit": "حرر", + "error": "خطاء", "errordownloading": "خطأ عن تنزيل الملف", "filename": "اسم الملف", "folder": "مجلد", @@ -44,16 +44,16 @@ "hide": "إخفاء", "hour": "ساعة", "hours": "ساعات", - "info": "معلومة", + "info": "معلومات", "labelsep": ":", "lastmodified": "آخر تعديل", "lastsync": "آخر تزامن", - "list": "قائمة", + "list": "معاينة القائمة", "listsep": "،", "loading": "يتم التحميل", "lostconnection": "فقدنا الاتصال تحتاج إلى إعادة الاتصال. المميز الخاص بك هو الآن غير صالح", "maxsizeandattachments": "الحجم الأقصى للملفات الجديدة: {{$a.size}}, أقصى عدد للمرفقات: {{$a.attachments}}", - "min": "أقل درجة", + "min": "الحد الأدنى", "mins": "دقائق", "mod_assign": "مهمة", "mod_assignment": "مهمة", @@ -78,14 +78,14 @@ "mod_workshop": "ورشة عمل", "moduleintro": "وصف", "mygroups": "مجموعاتي", - "name": "اسم", + "name": "الاسم", "networkerrormsg": "لم يتم تمكين الشبكة أو أنها لا تعمل.", "never": "مطلقاً", - "next": "استمر", + "next": "التالي", "no": "لا", "nocomments": "لا يوجد تعليقات", "nograde": "لا توجد درجة", - "none": "لا شئ", + "none": "لا يوجد", "nopasswordchangeforced": "لا يمكنك الاستمرار دون تغيير كلمة مرورك، لكن يبدو أنه لا يوجد صفحة متوفرة لتغييرها. رجاءً قم بالاتصال بمدير مودل.", "nopermissions": "عذراً ولكنك لا تملك حالياً الصلاحيات لتقوم بهذا ({{$a}})", "noresults": "لا توجد نتائج", @@ -102,20 +102,20 @@ "previous": "السابق", "pulltorefresh": "اسحب للأسفل ليتم التحديث", "quotausage": "حتى الآن قد استخدمت {{$a.used}} من ال {{$a.total}} المسموحه", - "refresh": "تنشيط", - "required": "مطلوب", + "refresh": "تحديث", + "required": "مفروض", "restore": "إسترجاع", - "save": "احفظ", + "save": "حفظ", "search": "بحث", - "searching": "البحث في", + "searching": "بحث في", "searchresults": "نتائج البحث", "sec": "ثانية", "secs": "ثواني", "seemoredetail": "اضغط هنا لترى تفاصيل أكثر", - "send": "إرسال", + "send": "إرسل", "sending": "يتم الإرسال", "serverconnection": "خطأ في الاتصال بالخادم", - "show": "عرض", + "show": "اظهر", "site": "الموقع", "sizeb": "بايتز", "sizegb": "غيغابايت", @@ -123,10 +123,10 @@ "sizemb": "ميغا بايب", "sortby": "إفرز بـ", "start": "إبداء", - "submit": "سلم/قدم", + "submit": "سلم", "success": "نجاح", "teachers": "معلمون", - "time": "الوقت", + "time": "وقت", "timesup": "انتهى الوقت!", "today": "اليوم", "unexpectederror": "خطأ غير متوقع. الرجاء الإغلاق وإعادة فتح التطبيق للمحاولة مرة أخرى", @@ -136,7 +136,7 @@ "userdeleted": "تم حذف اشتراك هذا المستخدم", "userdetails": "تفاصيل المستخدم", "users": "المستخدمون", - "view": "استعراض", + "view": "معاينه", "viewprofile": "عرض الحساب", "year": "سنة", "years": "سنوات", diff --git a/www/core/lang/bg.json b/www/core/lang/bg.json index 5b8003d90f7..30620be13e0 100644 --- a/www/core/lang/bg.json +++ b/www/core/lang/bg.json @@ -9,28 +9,28 @@ "choosedots": "Изберете...", "clearsearch": "Изчисти търсенето", "clicktohideshow": "Кликнете за да разгънете или свиете ", - "close": "Затваряне на прозореца", - "comments": "Коментари", + "close": "Затваряне", + "comments": "Ваши коментари", "commentscount": "Коментари ({{$a}})", "completion-alt-manual-n": "Не е завършена дейността: {{$a}}. Изберете я за да я отбележите за завършена.", "completion-alt-manual-y": "Завършена е дейността: {{$a}}. Изберете я за да я отбележите за незавършена.", "confirmdeletefile": "Сигурни ли сте, че искате да изтриете този файл?", "content": "Съдържание", "continue": "Продължаване", - "course": "Курс", + "course": "Курсови", "coursedetails": "Информация за курсове", "date": "Дата", "day": "ден", - "days": "Дена", + "days": "дни", "decsep": ",", "delete": "Изтриване", "deleting": "Изтриване", - "description": "Описание", + "description": "Въвеждащ текст", "done": "Извършено", "download": "Изтегляне", "downloading": "Изтегляне", "edit": "Редактиране", - "error": "Възникна непозната грешка!", + "error": "Грешка", "errordownloading": "Грешка при теглене на файл", "filename": "Име на файл", "folder": "Папка", @@ -46,12 +46,12 @@ "labelsep": ":", "lastmodified": "Последно модифициране", "layoutgrid": "Мрежа", - "list": "Списък", + "list": "Показване списък", "listsep": ";", "loading": "Зареждане", "lostconnection": "Изгубихме връзка и трябва да се свържете отново. Вашият ключ сега е невалиден.", "maxsizeandattachments": "Максимален размер за нови файлове: {{$a.size}}, максимален брой файлове: {{$a.attachments}}", - "min": "Най-ниска", + "min": "мин", "mins": "мин.", "mod_assign": "Задание", "mod_assignment": "Задание", @@ -83,11 +83,11 @@ "name": "Име", "networkerrormsg": "Мрежата не е разрешена или не работи", "never": "Никога", - "next": "Следващ", + "next": "Още", "no": "Не", "nocomments": "Няма коментари", - "nograde": "Няма оценка.", - "none": "Няма", + "nograde": "Без оценка", + "none": "Нищо", "nopasswordchangeforced": "Не можете да продължите без да се променили паролата, обаче няма налична страница за промяната и. Моля, свържете се с Вашия Moodle администратор.", "nopermissions": "За съжаление Вие нямате право да правите това ({{$a}})", "noresults": "Няма резултати", @@ -95,25 +95,25 @@ "notice": "Съобщене", "now": "сега", "numwords": "{{$a}} думи", - "offline": "Офлайн", + "offline": "Не се изисква предаване онлайн", "online": "Онлайн", "phone": "Телефон", "pictureof": "Снимка на {{$a}}", "previous": "Обратно", "pulltorefresh": "", "refresh": "Опресняване", - "required": "Задължителен", + "required": "Задължително", "restore": "Възстановяване", - "save": "Запис", + "save": "Запазване", "search": "Търсене", - "searching": "Търсене в ...", + "searching": "Търсене в", "searchresults": "Резултати от търсенето", "sec": "сек.", "secs": "сек.", "seemoredetail": "Щракнете тук за повече подробности", - "send": "Изпращане", + "send": "изпращане", "sending": "Изпраща се", - "show": "Показване", + "show": "Да се вижда", "site": "Сайт", "sizeb": "байта", "sizegb": "GB", @@ -122,7 +122,7 @@ "sizetb": "ТБ", "sortby": "Нареждане по", "start": "Започване", - "submit": "Качване", + "submit": "Изпълняване", "success": "Успешно", "time": "Време", "timesup": "Времето изтече!", @@ -133,7 +133,7 @@ "userdeleted": "Тази потребителска регистрация е изтрита", "userdetails": "Информация за потребителя", "users": "Потребители", - "view": "Изглед", + "view": "Преглед", "viewprofile": "Разглеждане на профила", "whoops": "Опс!", "years": "години", diff --git a/www/core/lang/ca.json b/www/core/lang/ca.json index 2bdf6180974..b23cee38c33 100644 --- a/www/core/lang/ca.json +++ b/www/core/lang/ca.json @@ -13,7 +13,7 @@ "clearsearch": "Neteja la cerca", "clicktohideshow": "Feu clic per ampliar o reduir", "clicktoseefull": "Cliqueu per veure el contingut complet.", - "close": "Tanca finestra", + "close": "Tanca", "comments": "Comentaris", "commentscount": "Comentaris ({{$a}})", "commentsnotworking": "No s'han pogut recuperar els comentaris", @@ -36,11 +36,11 @@ "currentdevice": "Dispositiu actual", "datastoredoffline": "S'han desat les dades al dispositiu perquè no s'han pogut enviar. S'enviaran de manera automàtica més tard.", "date": "Data", - "day": "Dia (dies)", - "days": "Dies", + "day": "dia", + "days": "dies", "decsep": ",", "delete": "Suprimeix", - "deleting": "S'està eliminant", + "deleting": "S'està suprimint", "description": "Descripció", "dfdaymonthyear": "DD-MM-YYYY", "dfdayweekmonth": "ddd, D MMM", @@ -55,7 +55,7 @@ "downloading": "S'està descarregant", "edit": "Edita", "emptysplit": "Aquesta pàgina estarà buida si el panell esquerre està buit o s'està carregant.", - "error": "S'ha produït un error", + "error": "Error", "errorchangecompletion": "S'ha produït un error en carregar l'estat de la compleció. Si us plau torneu a intentar-ho.", "errordeletefile": "S'ha produït un error en eliminar el fitxer. Torneu-ho a provar més tard.", "errordownloading": "S'ha produït un error en baixar el fitxer.", @@ -84,21 +84,21 @@ "hour": "hora", "hours": "hores", "humanreadablesize": "{{size}} {{unit}}", - "image": "Imatge", + "image": "Imatge ({{$a.MIMETYPE2}})", "imageviewer": "Visor d'imatges", - "info": "Informació", + "info": "Info", "ios": "iOS", "labelsep": ":", "lastmodified": "Darrera modificació", "lastsync": "Darrera sincronització.", "layoutgrid": "Graella", - "list": "Llista", + "list": "Visualitza llista", "listsep": ";", - "loading": "S'està carregant...", + "loading": "S'està carregant", "loadmore": "Carrega'n més", "lostconnection": "S'ha perdut la connexió. Necessita tornar a connectar. El testimoni ja no és vàlid.", "maxsizeandattachments": "Mida màxima dels fitxers nous: {{$a.size}}, màxim d'adjuncions: {{$a.attachments}}", - "min": "Puntuació mínima", + "min": "minut", "mins": "minuts", "mod_assign": "Tasca", "mod_assignment": "Tasca", @@ -128,23 +128,23 @@ "mod_workshop": "Taller", "moduleintro": "Descripció", "mygroups": "Els meus grups", - "name": "Nombre", + "name": "Nom", "networkerrormsg": "La connexió a la xarxa no està habilitada o no funciona.", "never": "Mai", - "next": "Continua", + "next": "Següent", "no": "No", - "nocomments": "No hi ha comentaris", - "nograde": "No hi ha qualificació.", + "nocomments": "Sense comentaris", + "nograde": "Sense qualificació", "none": "Cap", - "nopasswordchangeforced": "No podeu continuar sense canviar la contrasenya.", + "nopasswordchangeforced": "No podeu continuar sense canviar la contrasenya, però no està disponible cap pàgina on pugueu canviar-la. Contacteu amb l'administració del vostre Moodle.", "nopermissions": "Actualment no teniu permisos per a fer això ({{$a}})", - "noresults": "No hi ha cap resultat", + "noresults": "Sense resultats", "notapplicable": "n/a", "notice": "Avís", "notsent": "No enviat", "now": "ara", "numwords": "{{$a}} paraules", - "offline": "No es requereix cap tramesa en línia", + "offline": "Fora de línia", "online": "En línia", "openfullimage": "Feu clic per veure la imatge a tamany complert", "openinbrowser": "Obre-ho al navegador", @@ -158,21 +158,21 @@ "pulltorefresh": "Estira per actualitzar", "redirectingtosite": "Sereu redireccionats al lloc web.", "refresh": "Refresca", - "required": "Requerit", + "required": "Necessari", "requireduserdatamissing": "En aquest perfil d'usuari hi manquen dades requerides. Si us plau ompliu aquestes dades i torneu a intentar-ho.
      {{$a}}", "restore": "Restaura", "retry": "Reintenta", "save": "Desa", - "search": "Cerca", - "searching": "S'està cercant", + "search": "Cerca...", + "searching": "Cerca a", "searchresults": "Resultats de la cerca", "sec": "segon", "secs": "segons", "seemoredetail": "Feu clic aquí per veure més detalls", - "send": "Envia", + "send": "envia", "sending": "S'està enviant", "serverconnection": "S'ha produït un error de connexió amb el servidor", - "show": "Mostra", + "show": "Mostrar", "showmore": "Mostra'n més...", "site": "Lloc", "sitemaintenance": "S'estan executant tasques de manteniment i el lloc no està disponible", @@ -184,12 +184,12 @@ "sorry": "Ho sentim...", "sortby": "Ordena per", "start": "Inicia", - "submit": "Envia", + "submit": "Tramet", "success": "Èxit", "tablet": "Tablet", "teachers": "Professors", "thereisdatatosync": "Hi ha {{$a}} fora de línia per sincronitzar.", - "time": "Temps", + "time": "Hora", "timesup": "Temps esgotat", "today": "Avui", "tryagain": "Torna-ho a provar", @@ -206,14 +206,14 @@ "userdetails": "Més dades de l'usuari", "usernotfullysetup": "La configuració de l'usuari no s'ha completat", "users": "Usuaris", - "view": "Mostra", + "view": "Visualització", "viewprofile": "Mostra el perfil", "warningofflinedatadeleted": "Les dades fora de línia de {{component}} «{{name}}» s'han eliminat. {{error}}", "whoops": "Ui!", "whyisthishappening": "I això per què passa?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "La funció de webservice no està disponible.", - "year": "Any(s)", + "year": "any", "years": "anys", "yes": "Sí" } \ No newline at end of file diff --git a/www/core/lang/cs.json b/www/core/lang/cs.json index 5af1d85b462..6618ee88568 100644 --- a/www/core/lang/cs.json +++ b/www/core/lang/cs.json @@ -4,7 +4,7 @@ "android": "Android", "areyousure": "Opravdu?", "back": "Zpět", - "cancel": "Zrušit", + "cancel": "Přerušit", "cannotconnect": "Nelze se připojit: Ověřte, zda je zadali správně adresu URL a že používáte Moodle 2.4 nebo novější.", "cannotdownloadfiles": "Stahování souborů je vypnuto v Mobilních službách webu. Prosím, obraťte se na správce webu.", "captureaudio": "Nahrát zvuk", @@ -17,8 +17,8 @@ "clearsearch": "Vymazat vyhledávání", "clicktohideshow": "Klikněte pro rozbalení nebo sbalení", "clicktoseefull": "Kliknutím zobrazit celý obsah.", - "close": "Zavřít okno", - "comments": "Komentáře", + "close": "Zavřít", + "comments": "Váš komentář", "commentscount": "Komentáře ({{$a}})", "commentsnotworking": "Komentáře nemohou být obnoveny", "completion-alt-auto-fail": "Dokončeno: {{$a}} (nebylo dosaženo požadované známky)", @@ -44,14 +44,14 @@ "currentdevice": "Aktuální zařízení", "datastoredoffline": "Data byla uložena na zařízení, protože nemohla být odeslána. Budou odeslána automaticky později.", "date": "Datum", - "day": "Dnů", - "days": "Dnů", + "day": "den", + "days": "dnů", "decsep": ",", "defaultvalue": "Výchozí ({{$a}})", "delete": "Odstranit", "deletedoffline": "Odstraněno offline", "deleting": "Odstraňování", - "description": "Popis", + "description": "Úvodní text", "dfdaymonthyear": "MM-DD-YYYY", "dfdayweekmonth": "ddd, D MMM", "dffulldate": "dddd, D MMMM YYYY h[:]mm A", @@ -65,7 +65,7 @@ "downloading": "Stahování", "edit": "Upravit", "emptysplit": "Pokud je levý panel prázdný nebo se nahrává, zobrazí se tato stránka prázdná.", - "error": "Vyskytla se chyba", + "error": "Chyba", "errorchangecompletion": "Při změně stavu dokončení došlo k chybě. Prosím zkuste to znovu.", "errordeletefile": "Chyba při odstraňování souboru. Prosím zkuste to znovu.", "errordownloading": "Chyba při stahování souboru", @@ -89,27 +89,27 @@ "groupsseparate": "Oddělené skupiny", "groupsvisible": "Viditelné skupiny", "hasdatatosync": "{{$a}} má offline data, která mají být synchronizována.", - "help": "Pomoc", + "help": "Nápověda", "hide": "Skrýt", "hour": "hodina", "hours": "hodin", "humanreadablesize": "{{size}} {{unit}}", - "image": "Obrázek", + "image": "Obrázek ({{$a.MIMETYPE2}})", "imageviewer": "Prohlížeč obrázků", - "info": "Informace", + "info": "Info", "ios": "iOS", "labelsep": ": ", "lastdownloaded": "Poslední stažení", "lastmodified": "Naposledy změněno", "lastsync": "Poslední synchronizace", "layoutgrid": "Mřížka", - "list": "Seznam", + "list": "Prohlédnout seznam", "listsep": ";", - "loading": "Načítání...", + "loading": "Nahrávání", "loadmore": "Načíst další", "lostconnection": "Váš token je neplatný nebo vypršel. Budete se muset znovu připojit k webu.", "maxsizeandattachments": "Maximální velikost nových souborů: {{$a.size}}, maximální přílohy: {{$a.attachments}}", - "min": "Minimální skóre", + "min": "min.", "mins": "min.", "mod_assign": "Úkol", "mod_assignment": "Úkol", @@ -139,23 +139,23 @@ "mod_workshop": "Workshop", "moduleintro": "Popis", "mygroups": "Moje skupiny", - "name": "Jméno", + "name": "Název", "networkerrormsg": "Při připojování k webu došlo k problému. Zkontrolujte připojení a zkuste to znovu.", "never": "Nikdy", - "next": "Pokračovat", + "next": "Další", "no": "Ne", - "nocomments": "Nejsou žádné komentáře", - "nograde": "Žádné hodnocení.", - "none": "Nic", - "nopasswordchangeforced": "Nelze pokračovat beze změny hesla.", + "nocomments": "Bez komentářů", + "nograde": "Bez známky", + "none": "Žádný", + "nopasswordchangeforced": "Nemůžete pokračovat dál bez změny hesla, ale stránka pro jeho změnu není k dispozici. Kontaktujte správce Vašeho eLearningu Moodle.", "nopermissions": "Je mi líto, ale momentálně nemáte oprávnění vykonat tuto operaci ({{$a}})", - "noresults": "Bez výsledků", + "noresults": "Žádné výsledky", "notapplicable": "n/a", "notice": "Poznámka", "notsent": "Neodesláno", "now": "nyní", "numwords": "{{$a}} slov", - "offline": "Offline", + "offline": "Nejsou požadovány odpovědi online", "online": "Online", "openfullimage": "Zde klikněte pro zobrazení obrázku v plné velikosti", "openinbrowser": "Otevřít v prohlížeči", @@ -170,21 +170,21 @@ "quotausage": "Právě jste použili {{$a.used}} z vašeho {{$a.total}} limitu.", "redirectingtosite": "Budete přesměrováni na web.", "refresh": "Obnovit", - "required": "Vyžadováno", + "required": "Povinné", "requireduserdatamissing": "Tento uživatel nemá některá požadovaná data v profilu. Prosím, vyplňte tato data v systému Moodle a zkuste to znovu.
      {{$a}}", "restore": "Obnovit", "retry": "Opakovat", "save": "Uložit", - "search": "Vyhledat", - "searching": "Hledání", + "search": "Hledat", + "searching": "Hledat v", "searchresults": "Výsledky hledání", "sec": "sek.", "secs": "sekund", "seemoredetail": "Více podrobností...", - "send": "Odeslat", - "sending": "Odeslání", + "send": "odeslat", + "sending": "Odesílání", "serverconnection": "Chyba spojení se serverem", - "show": "Ukázat", + "show": "Zobrazit", "showmore": "Zobrazit více...", "site": "Stránky", "sitemaintenance": "Na webu probíhá údržba a aktuálně není k dispozici.", @@ -218,14 +218,14 @@ "userdetails": "Detaily uživatele", "usernotfullysetup": "Uživatel není plně nastaven", "users": "Uživatelé", - "view": "Zobrazení", + "view": "Zobrazit", "viewprofile": "Zobrazit profil", "warningofflinedatadeleted": "Offline data z {{component}} \"{{name}}\" byla odstraněna. {{error}}", "whoops": "Upozornění!", "whyisthishappening": "Proč se to děje?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "Funkce webových služeb není k dispozici.", - "year": "Rok(y)", + "year": "rok", "years": "roky", "yes": "Ano" } \ No newline at end of file diff --git a/www/core/lang/da.json b/www/core/lang/da.json index d14a1e1b594..b01137523ea 100644 --- a/www/core/lang/da.json +++ b/www/core/lang/da.json @@ -18,7 +18,7 @@ "clicktohideshow": "Klik for at udvide eller folde sammen", "clicktoseefull": "Klik for at se alt indhold.", "close": "Luk", - "comments": "Kommentarer", + "comments": "Dine kommentarer", "commentscount": "Kommentarer ({{$a}})", "completion-alt-auto-fail": "Gennemført: {{$a}} (opnåede ikke beståelseskarakter)", "completion-alt-auto-n": "Ikke gennemført: {{$a}}", @@ -42,12 +42,12 @@ "coursedetails": "Kursusdetaljer", "datastoredoffline": "Der blev gemt data på enheden da det ikke kunne sendes. Det vil blive sendt senere.", "date": "Dato", - "day": "Dag(e)", - "days": "Dage", + "day": "dag", + "days": "dage", "decsep": ",", "delete": "Slet", "deleting": "Sletter", - "description": "Beskrivelse", + "description": "Introduktionstekst", "dfdaymonthyear": "DD-MM-YYY", "dfdayweekmonth": "ddd D. MMM", "dffulldate": "dddd D. MMMM YYYY h[:]mm", @@ -57,7 +57,7 @@ "downloading": "Downloader", "edit": "Rediger", "emptysplit": "Denne side vil blive vist uden indhold hvis det venstre panel er tomt eller ikke bliver indlæst.", - "error": "Fejl opstået", + "error": "Fejl", "errorchangecompletion": "En fejl opstod under ændring af gennemførelsesstatus. Prøv igen.", "errordeletefile": "Fejl ved sletning af filen. Prøv igen.", "errordownloading": "Fejl ved download af fil.", @@ -80,21 +80,21 @@ "hour": "time", "hours": "timer", "humanreadablesize": "{{size}} {{unit}}", - "image": "Billede", + "image": "Billede ({{$a.MIMETYPE2}})", "imageviewer": "Billedfremviser", - "info": "Information", + "info": "Info", "ios": "iOS", "labelsep": ":", "lastdownloaded": "Sidst downloadet", - "lastmodified": "Sidst ændret", + "lastmodified": "Senest ændret", "lastsync": "Sidst synkroniseret", - "list": "Liste", + "list": "Vis liste", "listsep": ";", - "loading": "Indlæser...", + "loading": "Indlæser", "loadmore": "Indlæs mere", "lostconnection": "Din godkendelse er ugyldig eller udløbet, så du skal genoprette forbindelsen til webstedet.", "maxsizeandattachments": "Maksimal størrelse på nye filer: {{$a.size}}, højeste antal bilag: {{$a.attachments}}", - "min": "Minimum point", + "min": "min.", "mins": "min.", "mod_assign": "Opgave", "mod_assignment": "Opgave", @@ -127,12 +127,12 @@ "name": "Navn", "networkerrormsg": "Der var problemer med at tilslutte til webstedet. Tjek din forbindelse og prøv igen.", "never": "Aldrig", - "next": "Fortsæt", + "next": "Næste", "no": "Nej", - "nocomments": "Der er ingen kommentarer", - "nograde": "Ingen bedømmelse.", + "nocomments": "Ingen kommentarer", + "nograde": "Ingen karakter", "none": "Ingen", - "nopasswordchangeforced": "Du kan ikke fortsætte uden at ændre din adgangskode.", + "nopasswordchangeforced": "Du kan ikke fortsætte uden at ændre din adgangskode, men der er ingen tilgængelig side at ændre den på. Kontakt din Moodleadministrator.", "nopermissions": "Beklager, men dette ({{$a}}) har du ikke tilladelse til.", "noresults": "Ingen resultater", "notapplicable": "n/a", @@ -140,7 +140,7 @@ "notsent": "Ikke sendt", "now": "nu", "numwords": "{{$a}} ord", - "offline": "Offline", + "offline": "Der kræves ikke online-aflevering", "online": "Online", "openfullimage": "Klik her for at vise billedet i fuld størrelse.", "openinbrowser": "Åben i browser", @@ -155,18 +155,18 @@ "quotausage": "Du har nu brugt {{$a.used}} af din grænse på {{$a.total}}.", "redirectingtosite": "Du bliver videresendt til siden", "refresh": "Genindlæs", - "required": "Påkrævet", + "required": "Krævet", "requireduserdatamissing": "Denne bruger mangler nogle krævede profildata. Udfyld venligst de manglende data i din Moodle og prøv igen.
      {{$a}}", "restore": "Gendan", "retry": "Prøv igen", "save": "Gem", - "search": "Søg", - "searching": "Søger", + "search": "Søg...", + "searching": "Søg i", "searchresults": "Søgeresultater", "sec": "sekunder", "secs": "sekunder", "seemoredetail": "Klik her for flere oplysninger", - "send": "Send", + "send": "send", "sending": "Sender", "serverconnection": "Fejl ved forbindelse til server", "show": "Vis", @@ -181,12 +181,12 @@ "sorry": "Beklager...", "sortby": "Sorter efter", "start": "Start", - "submit": "Send", + "submit": "Gem", "success": "Succes", "tablet": "Tablet", "teachers": "Lærere", "thereisdatatosync": "Der er {{$a}} offline der skal synkroniseres.", - "time": "Tid", + "time": "Tidspunkt", "timesup": "Tiden er gået!", "today": "I dag", "tryagain": "Prøv igen", @@ -207,7 +207,7 @@ "whyisthishappening": "Hvorfor sker dette?", "windowsphone": "Windowstelefon", "wsfunctionnotavailable": "Denne webservicefunktion er ikke tilgængelig.", - "year": "År", + "year": "år", "years": "år", "yes": "Ja" } \ No newline at end of file diff --git a/www/core/lang/de-du.json b/www/core/lang/de-du.json index 957f51be75a..fdb9780331e 100644 --- a/www/core/lang/de-du.json +++ b/www/core/lang/de-du.json @@ -11,14 +11,14 @@ "capturedimage": "Foto aufgenommen", "captureimage": "Foto aufnehmen", "capturevideo": "Video aufnehmen", - "category": "Kategorie", + "category": "Kursbereich", "choose": "Auswahl", "choosedots": "Auswählen...", "clearsearch": "Suche löschen", "clicktohideshow": "Zum Erweitern oder Zusammenfassen klicken", "clicktoseefull": "Tippe zum Anzeigen aller Inhalte", - "close": "Fenster schließen", - "comments": "Ihr Feedback", + "close": "Schließen", + "comments": "Kommentare", "commentscount": "Kommentare ({{$a}})", "commentsnotworking": "Kommentare können nicht abgerufen werden.", "completion-alt-auto-fail": "Abgeschlossen: {{$a}} (ohne Erfolg)", @@ -37,19 +37,19 @@ "confirmopeninbrowser": "Möchtest du dies im Webbrowser öffnen?", "content": "Inhalt", "contenteditingsynced": "Der Inhalt, den du gerade bearbeitest, wurde synchronisiert.", - "continue": "Fortsetzen", + "continue": "Weiter", "copiedtoclipboard": "Text in die Zwischenablage kopiert", "course": "Kurs", "coursedetails": "Kursdetails", "currentdevice": "Aktuelles Gerät", "datastoredoffline": "Die Daten würden auf dem mobilen Gerät gespeichert, weil sie nicht gesendet werden konnten. Sie werden automatisch später gesendet.", "date": "Datum", - "day": "Tag(e)", + "day": "Tag", "days": "Tage", "decsep": ",", "delete": "Löschen", "deletedoffline": "Offline gelöscht", - "deleting": "Löschen ...", + "deleting": "Lösche", "description": "Beschreibung", "dfdaymonthyear": "DD.MM.YYYY", "dfdayweekmonth": "ddd, D. MMM", @@ -64,7 +64,7 @@ "downloading": "Herunterladen ...", "edit": "Bearbeiten", "emptysplit": "Das Seitenmenü ist leer oder wird noch geladen ...", - "error": "Fehler aufgetreten", + "error": "Fehler", "errorchangecompletion": "Fehler beim Ändern des Abschlussstatus. Versuche es noch einmal.", "errordeletefile": "Fehler beim Löschen der Datei. Versuche es noch einmal.", "errordownloading": "Fehler beim Laden der Datei", @@ -93,22 +93,22 @@ "hour": "Stunde", "hours": "Stunden", "humanreadablesize": "{{size}} {{unit}}", - "image": "Bild", + "image": "Bilddatei ({{$a.MIMETYPE2}})", "imageviewer": "Bildanzeige", - "info": "Info", + "info": "Informationen", "ios": "iOS", "labelsep": ":", "lastdownloaded": "Zuletzt heruntergeladen", "lastmodified": "Zuletzt geändert", "lastsync": "Zuletzt synchronisiert", "layoutgrid": "Horizontal", - "list": "Auflisten", + "list": "Listenansicht", "listsep": ";", - "loading": "Wird geladen...", + "loading": "Wird geladen", "loadmore": "Mehr laden", "lostconnection": "Die Authentifizierung ist abgelaufen oder ungültig. Du musst dich neu anmelden.", "maxsizeandattachments": "Maximale Größe für neue Dateien: {{$a.size}}, Maximale Zahl von Anhängen: {{$a.attachments}}", - "min": "Niedrigste Punktzahl", + "min": "Minute", "mins": "Minuten", "mod_assign": "Aufgabe", "mod_chat": "Chat", @@ -130,10 +130,10 @@ "never": "Nie", "next": "Weiter", "no": "Nein", - "nocomments": "Keine Kommentare", - "nograde": "Keine Bewertung.", - "none": "Kein", - "nopasswordchangeforced": "Du kannst nicht weitermachen, ohne das Kennwort zu ändern.", + "nocomments": "Noch keine Kommentare", + "nograde": "Keine Bewertung", + "none": "Keine", + "nopasswordchangeforced": "Ohne die Änderung des Kennworts können Sie nicht weitermachen. Falls die Seite zur Änderung des Kennworts nicht verfügbar ist, wenden Sie sich an den Administrator der Website.", "nopermissions": "Entschuldigung, aber du besitzt derzeit keine Rechte, dies zu tun ({{$a}}).", "noresults": "Keine Ergebnisse", "notapplicable": "n/a", @@ -141,7 +141,7 @@ "notsent": "Nicht gesendet", "now": "jetzt", "numwords": "{{$a}} Wörter", - "offline": "Keine Online-Abgabe notwendig", + "offline": "Offline", "online": "Online", "openfullimage": "Tippe, um das Bild in voller Größe anzuzeigen", "openinbrowser": "Im Browser öffnen", @@ -155,22 +155,22 @@ "pulltorefresh": "Zum Aktualisieren runterziehen", "quotausage": "Aktuell sind {{$a.used}} vom möglichen Speicher {{$a.total}} belegt.", "redirectingtosite": "Du wirst zur Website weitergeleitet.", - "refresh": "Neu laden", - "required": "Erforderlich", + "refresh": "Aktualisieren", + "required": "Notwendig", "requireduserdatamissing": "Im Nutzerprofil fehlen notwendige Einträge. Fülle die Daten in der Website aus und versuche es noch einmal.
      {{$a}}", "restore": "Wiederherstellen", "retry": "Neu versuchen", - "save": "Speichern", - "search": "Suche", - "searching": "Suchen", + "save": "Sichern", + "search": "Suchen", + "searching": "Suche in", "searchresults": "Suchergebnisse", "sec": "Sekunde", "secs": "Sekunden", "seemoredetail": "Klicke hier, um weitere Details sichtbar zu machen", "send": "Senden", - "sending": "Senden", + "sending": "wird gesendet", "serverconnection": "Fehler beim Verbinden zum Server", - "show": "Zeigen", + "show": "Anzeigen", "showmore": "Mehr anzeigen ...", "site": "Website", "sitemaintenance": "Wartungsmodus: Die Website ist im Moment nicht erreichbar!", @@ -182,7 +182,7 @@ "sorry": "Sorry ...", "sortby": "Sortiert nach", "start": "Start", - "submit": "Übertragen", + "submit": "Speichern", "success": "erfolgreich", "tablet": "Tablet", "teachers": "Trainer/innen", @@ -204,14 +204,14 @@ "userdetails": "Mehr Details", "usernotfullysetup": "Nutzerkonto unvollständig", "users": "Nutzer/innen", - "view": "Anzeigen", + "view": "Zum Kurs", "viewprofile": "Profil anzeigen", "warningofflinedatadeleted": "Die Offline-Daten von {{component}} '{{name}}' wurden gelöscht. {{error}}", "whoops": "Uuups!", "whyisthishappening": "Warum passiert dies?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "Die Webservice-Funktion ist nicht verfügbar.", - "year": "Jahr(e)", + "year": "Jahr", "years": "Jahre", "yes": "Ja" } \ No newline at end of file diff --git a/www/core/lang/de.json b/www/core/lang/de.json index 9ae6bfcbcf4..f480c9096df 100644 --- a/www/core/lang/de.json +++ b/www/core/lang/de.json @@ -11,14 +11,14 @@ "capturedimage": "Foto aufgenommen", "captureimage": "Foto aufnehmen", "capturevideo": "Video aufnehmen", - "category": "Kursbereich", + "category": "Kategorie", "choose": "Auswahl", "choosedots": "Auswählen...", "clearsearch": "Suche löschen", "clicktohideshow": "Zum Erweitern oder Zusammenfassen klicken", "clicktoseefull": "Tippen zum Anzeigen aller Inhalte", - "close": "Fenster schließen", - "comments": "Kommentare", + "close": "Schließen", + "comments": "Ihr Feedback", "commentscount": "Kommentare ({{$a}})", "commentsnotworking": "Kommentare können nicht abgerufen werden.", "completion-alt-auto-fail": "Abgeschlossen: {{$a}} (ohne Erfolg)", @@ -37,20 +37,20 @@ "confirmopeninbrowser": "Möchten Sie dies im Webbrowser öffnen?", "content": "Inhalt", "contenteditingsynced": "Der Inhalt, den Sie gerade bearbeiten, wurde synchronisiert.", - "continue": "Fortsetzen", + "continue": "Weiter", "copiedtoclipboard": "Text in die Zwischenablage kopiert", "course": "Kurs", "coursedetails": "Kursdetails", "currentdevice": "Aktuelles Gerät", "datastoredoffline": "Die Daten würden auf dem mobilen Gerät gespeichert, weil sie nicht gesendet werden konnten. Sie werden automatisch später gesendet.", "date": "Datum", - "day": "Tag(e)", + "day": "Tag", "days": "Tage", "decsep": ",", "defaultvalue": "Standard ({{$a}})", "delete": "Löschen", "deletedoffline": "Offline gelöscht", - "deleting": "Löschen ...", + "deleting": "Lösche", "description": "Beschreibung", "dfdaymonthyear": "DD.MM.YYYY", "dfdayweekmonth": "ddd, D. MMM", @@ -65,7 +65,7 @@ "downloading": "Herunterladen ...", "edit": "Bearbeiten", "emptysplit": "Das Seitenmenü ist leer oder wird noch geladen ...", - "error": "Fehler aufgetreten", + "error": "Fehler", "errorchangecompletion": "Fehler beim Ändern des Abschlussstatus. Versuchen Sie es noch einmal.", "errordeletefile": "Fehler beim Löschen der Datei. Versuchen Sie es noch einmal.", "errordownloading": "Fehler beim Laden der Datei", @@ -94,22 +94,22 @@ "hour": "Stunde", "hours": "Stunden", "humanreadablesize": "{{size}} {{unit}}", - "image": "Bild", + "image": "Bilddatei ({{$a.MIMETYPE2}})", "imageviewer": "Bildanzeige", - "info": "Info", + "info": "Informationen", "ios": "iOS", "labelsep": ": ", "lastdownloaded": "Zuletzt heruntergeladen", "lastmodified": "Zuletzt geändert", "lastsync": "Zuletzt synchronisiert", "layoutgrid": "Horizontal", - "list": "Auflisten", + "list": "Listenansicht", "listsep": ";", - "loading": "Wird geladen...", + "loading": "Wird geladen", "loadmore": "Mehr laden", "lostconnection": "Die Authentifizierung ist abgelaufen oder ungültig. Sie müssen sich neu anmelden.", "maxsizeandattachments": "Maximale Größe für neue Dateien: {{$a.size}}, Maximale Zahl von Anhängen: {{$a.attachments}}", - "min": "Niedrigste Punktzahl", + "min": "Minute", "mins": "Minuten", "mod_assign": "Aufgabe", "mod_assignment": "Aufgabe", @@ -144,10 +144,10 @@ "never": "Nie", "next": "Weiter", "no": "Nein", - "nocomments": "Keine Kommentare", - "nograde": "Keine Bewertung.", - "none": "Kein", - "nopasswordchangeforced": "Sie können nicht weitermachen, ohne das Kennwort zu ändern.", + "nocomments": "Noch keine Kommentare", + "nograde": "Keine Bewertung", + "none": "Keine", + "nopasswordchangeforced": "Ohne die Änderung des Kennworts können Sie nicht weitermachen. Falls die Seite zur Änderung des Kennworts nicht verfügbar ist, wenden Sie sich an den Administrator der Website.", "nopermissions": "Sie besitzen derzeit keine Rechte, dies zu tun ({{$a}}).", "noresults": "Keine Ergebnisse", "notapplicable": "n/a", @@ -155,7 +155,7 @@ "notsent": "Nicht gesendet", "now": "jetzt", "numwords": "{{$a}} Wörter", - "offline": "Keine Online-Abgabe notwendig", + "offline": "Offline", "online": "Online", "openfullimage": "Tippen, um das Bild in voller Größe anzuzeigen", "openinbrowser": "Im Browser öffnen", @@ -169,22 +169,22 @@ "pulltorefresh": "Zum Aktualisieren runterziehen", "quotausage": "Aktuell sind {{$a.used}} vom möglichen Speicher {{$a.total}} belegt.", "redirectingtosite": "Sie werden zur Website weitergeleitet.", - "refresh": "Neu laden", - "required": "Erforderlich", + "refresh": "Aktualisieren", + "required": "Notwendig", "requireduserdatamissing": "Im Nutzerprofil fehlen notwendige Einträge. Füllen Sie die Daten in der Website aus und versuchen Sie es noch einmal.
      {{$a}}", "restore": "Wiederherstellen", "retry": "Neu versuchen", - "save": "Sichern", - "search": "Suche", - "searching": "Suchen", + "save": "Speichern", + "search": "Suchen", + "searching": "Suche in", "searchresults": "Suchergebnisse", "sec": "Sekunde", "secs": "Sekunden", "seemoredetail": "Hier klicken, um weitere Details sichtbar zu machen", "send": "Senden", - "sending": "Senden", + "sending": "wird gesendet", "serverconnection": "Fehler beim Verbinden zum Server", - "show": "Zeigen", + "show": "Anzeigen", "showmore": "Mehr anzeigen ...", "site": "Website", "sitemaintenance": "Wartungsmodus: Die Website ist im Moment nicht erreichbar!", @@ -196,7 +196,7 @@ "sorry": "Sorry ...", "sortby": "Sortiert nach", "start": "Start", - "submit": "Übertragen", + "submit": "Speichern", "success": "erfolgreich", "tablet": "Tablet", "teachers": "Trainer/innen", @@ -218,14 +218,14 @@ "userdetails": "Mehr Details", "usernotfullysetup": "Nutzerkonto unvollständig", "users": "Nutzer/innen", - "view": "Anzeigen", + "view": "Zum Kurs", "viewprofile": "Profil anzeigen", "warningofflinedatadeleted": "Die Offline-Daten von {{component}} '{{name}}' wurden gelöscht. {{error}}", "whoops": "Uuups!", "whyisthishappening": "Warum passiert dies?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "Die Webservice-Funktion ist nicht verfügbar.", - "year": "Jahr(e)", + "year": "Jahr", "years": "Jahre", "yes": "Ja" } \ No newline at end of file diff --git a/www/core/lang/el.json b/www/core/lang/el.json index 4fe98be6a1c..d4614970a0d 100644 --- a/www/core/lang/el.json +++ b/www/core/lang/el.json @@ -4,17 +4,17 @@ "android": "Android", "areyousure": "Είστε σίγουρος ;", "back": "Πίσω", - "cancel": "Ακύρωση", + "cancel": "Άκυρο", "cannotconnect": "Δεν είναι δυνατή η σύνδεση: Βεβαιωθείτε ότι έχετε πληκτρολογήσει σωστά τη διεύθυνση URL και ότι το site σας χρησιμοποιεί το Moodle 2.4 ή νεότερη έκδοση.", "cannotdownloadfiles": "Το κατέβασμα αρχείων είναι απενεργοποιημένο. Παρακαλώ, επικοινωνήστε με το διαχειριστή του site σας.", - "category": "Κατηγορία", + "category": "Τμήμα", "choose": "Επιλέξτε", "choosedots": "Επιλέξτε...", "clearsearch": "Καθαρισμός αναζήτησης", "clicktohideshow": "Πατήστε για επέκταση ή κατάρρευση", "clicktoseefull": "Κάντε κλικ για να δείτε το πλήρες περιεχόμενο.", - "close": "Κλείσιμο παραθύρου", - "comments": "Σχόλια", + "close": "Κλείσιμο", + "comments": "Τα σχόλιά σας", "commentscount": "Σχόλια ({{$a}})", "commentsnotworking": "Τα σχόλια δεν μπορούν να ανακτηθούν", "completion-alt-auto-fail": "Ολοκληρωμένο (με βαθμό κάτω της βάσης)", @@ -37,11 +37,11 @@ "datastoredoffline": "Τα δεδομένα αποθηκεύονται στη συσκευή, διότι δεν μπορούν να σταλούν. Θα αποσταλούν αυτόματα αργότερα.", "date": "Ημερομηνία", "day": "ημέρα", - "days": "Ημέρες", + "days": "ημέρες", "decsep": ",", "delete": "Διαγραφή", - "deleting": "Γίνεται διαγραφή", - "description": "Περιγραφή", + "deleting": "Διαγραφή", + "description": "Κείμενο εισαγωγής", "dfdaymonthyear": "MM-DD-YYYY", "dfdayweekmonth": "ddd, D MMM", "dffulldate": "dddd, D MMMM YYYY h[:]mm A", @@ -53,9 +53,9 @@ "done": "Ολοκληρώθηκε", "download": "Μεταφόρτωση", "downloading": "Κατέβασμα", - "edit": "Επεξεργασία ", + "edit": "Edit", "emptysplit": "Αυτή η σελίδα θα εμφανιστεί κενή, εάν ο αριστερός πίνακας είναι κενός ή φορτώνεται.", - "error": "Συνέβη κάποιο σφάλμα", + "error": "Σφάλμα", "errorchangecompletion": "Παρουσιάστηκε σφάλμα κατά την αλλαγή της κατάστασης ολοκλήρωσης. Παρακαλώ προσπαθήστε ξανά.", "errordeletefile": "Σφάλμα κατά τη διαγραφή του αρχείου. Παρακαλώ προσπαθήστε ξανά.", "errordownloading": "Σφάλμα στο κατέβασμα του αρχείου.", @@ -91,13 +91,13 @@ "lastmodified": "Τελευταία τροποποίηση", "lastsync": "Τελευταίος συγχρονισμός", "layoutgrid": "Πλέγμα", - "list": "Κατάλογος", + "list": "Προβολή λίστας", "listsep": ";", - "loading": "Φόρτωση...", + "loading": "Φορτώνει", "loadmore": "Φόρτωση περισσότερων", "lostconnection": "Η σύνδεσή σας είναι άκυρη ή έχει λήξει. Πρέπει να ξανασυνδεθείτε στο site.", "maxsizeandattachments": "Μέγιστο μέγεθος για νέα αρχεία: {{$a.size}}, μέγιστος αριθμός συνημμένων: {{$a.attachments}}", - "min": "Ελάχιστος βαθμός", + "min": "λεπτό", "mins": "λεπτά", "mod_assign": "Εργασία", "mod_assignment": "Εργασία", @@ -130,12 +130,12 @@ "name": "Όνομα", "networkerrormsg": "Το δίκτυο δεν είναι ενεργοποιημένο ή δεν δουλεύει.", "never": "Ποτέ", - "next": "Συνέχεια", + "next": "Επόμενο", "no": "Όχι", - "nocomments": "Δεν υπάρχουν σχόλια", - "nograde": "Κανένα βαθμό.", - "none": "Κανένα", - "nopasswordchangeforced": "Δεν μπορείτε να προχωρήσετε χωρίς να αλλάξετε τον κωδικό πρόσβασής σας.", + "nocomments": "Χωρίς Σχόλια", + "nograde": "Δεν υπάρχει βαθμός", + "none": "Κανένας", + "nopasswordchangeforced": "You cannot proceed without changing your password, however there is no available page for changing it. Please contact your Moodle Administrator.", "nopermissions": "Συγνώμη, αλλά επί του τρεχόντως δεν έχετε το δικαίωμα να το κάνετε αυτό ({{$a}})", "noresults": "Κανένα αποτέλεσμα", "notapplicable": "n/a", @@ -143,7 +143,7 @@ "notsent": "Δεν εστάλη", "now": "τώρα", "numwords": "{{$a}} λέξεις", - "offline": "Αποσυνδεδεμένος", + "offline": "Δεν απαιτείται διαδικτυακή υποβολή", "online": "Συνδεδεμένος", "openfullimage": "Πατήστε εδώ για να δείτε την εικόνα σε πλήρες μέγεθος", "openinbrowser": "Ανοίξτε στον περιηγητή.", @@ -162,15 +162,15 @@ "restore": "Επαναφορά", "retry": "Προσπαθήστε ξανά", "save": "Αποθήκευση", - "search": "Έρευνα", - "searching": "Αναζήτηση", - "searchresults": "Αναζήτηση στα αποτελέσματα", + "search": "Αναζήτηση", + "searching": "Αναζήτηση σε", + "searchresults": "Αποτελέσματα αναζήτησης", "sec": "δευτερόλεπτο", "secs": "δευτερόλεπτα", "seemoredetail": "Κάντε κλικ εδώ για να δείτε περισσότερες λεπτομέρειες", "send": "Αποστολή", - "sending": "Αποστολή", - "show": "Εμφάνιση", + "sending": "Αποστέλλεται", + "show": "Προβολή", "showmore": "Περισσότερα...", "site": "ιστοχώρος", "sitemaintenance": "Η ιστοσελίδα είναι υπό συντήρηση και δεν είναι άμεσα διαθέσιμη", @@ -187,7 +187,7 @@ "tablet": "Tablet", "teachers": "Καθηγητές", "thereisdatatosync": "Υπάρχουν εκτός σύνδεσης {{$a}} για συγχρονισμό.", - "time": "Χρόνος", + "time": "Ώρα", "timesup": "Έληξε ο χρόνος!", "today": "Σήμερα", "tryagain": "Προσπαθήστε ξανά.", diff --git a/www/core/lang/es-mx.json b/www/core/lang/es-mx.json index 93bad96cd63..dec5e554e6d 100644 --- a/www/core/lang/es-mx.json +++ b/www/core/lang/es-mx.json @@ -17,8 +17,8 @@ "clearsearch": "Limpiar búsqueda", "clicktohideshow": "Clic para expandir o colapsar", "clicktoseefull": "Hacer click para ver los contenidos completos.", - "close": "Cerrar vista previa", - "comments": "Comentarios", + "close": "Cerrar", + "comments": "Sus comentarios", "commentscount": "Comentarios ({{$a}})", "commentsnotworking": "No pueden recuperarse comentarios", "completion-alt-auto-fail": "Finalizado {{$a}} (no obtuvo calificación de aprobado)", @@ -44,14 +44,14 @@ "currentdevice": "Dispositivo actual", "datastoredoffline": "Los datos se almacenaron en el dispositivo debido a que no se pudieron enviar. Serán enviados automáticamente más tarde.", "date": "Fecha", - "day": "Día(s)", - "days": "Días", + "day": "día", + "days": "días", "decsep": ".", "defaultvalue": "Valor por defecto ({{$a}})", "delete": "Eliminar", "deletedoffline": "Eliminado fuera-de-línea", "deleting": "Eliminando", - "description": "Descripción", + "description": "Descripción -", "dfdaymonthyear": "MM-DD-AAAA", "dfdayweekmonth": "ddd, D MMM", "dffulldate": "dddd, D MMMM AAAA h[:]mm A", @@ -63,9 +63,9 @@ "done": "Hecho", "download": "Descargar", "downloading": "Descargando", - "edit": "Editar", + "edit": "Edición", "emptysplit": "Esta página aparecerá en blanco si el panel izquierdo está vacío o si está cargando.", - "error": "Ocurrió un error", + "error": "Error", "errorchangecompletion": "Ocurrió un error al cambiar el estatus de finalización. Por favor inténtelo nuevamente.", "errordeletefile": "Error al eliminar el archivo. Por favor inténtelo nuevamente.", "errordownloading": "Error al descargar archivo", @@ -94,22 +94,22 @@ "hour": "hora", "hours": "horas", "humanreadablesize": "{{size}} {{unit}}", - "image": "Imagen", + "image": "Imagen ({{$a.MIMETYPE2}})", "imageviewer": "Visor de imágenes", - "info": "Información", + "info": "Info", "ios": "iOS", "labelsep": ":", "lastdownloaded": "Última descarga", - "lastmodified": "Última modificación", + "lastmodified": "Última modicficación", "lastsync": "Última sincronización", "layoutgrid": "Rejilla", - "list": "Lista", + "list": "Ver lista", "listsep": ";", - "loading": "Cargando...", + "loading": "Cargando", "loadmore": "Cargar más", "lostconnection": "Si ficha (token) de autenticación es inválida o ha caducado. Usted tendrá que re-conectarse al sitio.", "maxsizeandattachments": "Tamaño máximo para archivos nuevos: {{$a.size}}, anexos máximos: {{$a.attachments}}", - "min": "Puntuación mínima", + "min": "minutos", "mins": "minutos", "mod_assign": "Tarea", "mod_assignment": "Tarea", @@ -142,20 +142,20 @@ "name": "Nombre", "networkerrormsg": "Hubo un problema para conectarse al sitio. Por favor revise su conexión e inténtelo nuevamente.", "never": "Nunca", - "next": "Continuar", + "next": "Siguiente", "no": "No", "nocomments": "No hay comentarios", - "nograde": "Sin calificación.", - "none": "Ninguno(a)", - "nopasswordchangeforced": "Usted no puede proceder sin cambiar su contraseña.", + "nograde": "No hay calificación", + "none": "Ninguno/a", + "nopasswordchangeforced": "No puede seguir sin cambiar su contraseña, sin embargo no existe ninguna página disponible para cambiarla. Por favor contacte con su administrador de Moodle.", "nopermissions": "Lo sentimos, pero por el momento no tiene permiso para hacer eso ({{$a}})", - "noresults": "No hay resultados", + "noresults": "Sin resultados", "notapplicable": "no disp.", "notice": "Aviso", "notsent": "No enviado", "now": "ahora", "numwords": "{{$a}} palabras", - "offline": "No se requieren entregas online", + "offline": "Fuera de línea", "online": "En línea", "openfullimage": "Hacer click aquí para mostrar la imagen a tamaño completo", "openinbrowser": "Abrir en navegador", @@ -170,18 +170,18 @@ "quotausage": "Actualmente Usted ha usado {{$a.used}} de sus {{$a.total}} límite.", "redirectingtosite": "Usted será redireccionado al sitio.", "refresh": "Refrescar", - "required": "Obligatorio", + "required": "Requerido", "requireduserdatamissing": "A este usuario le faltan algunos datos requeridos del perfil. Por favor, llene estos datos en su sitio e inténtelo nuevamente.
      {{$a}}", "restore": "Restaurar", "retry": "Reintentar", "save": "Guardar", - "search": "Búsqueda", - "searching": "Buscando", - "searchresults": "Resultado", + "search": "Buscar", + "searching": "Buscar en", + "searchresults": "Resultados de la búsqueda", "sec": "segundos", "secs": "segundos", "seemoredetail": "Haga clic aquí para ver más detalles", - "send": "Enviar", + "send": "enviar", "sending": "Enviando", "serverconnection": "Error al conectarse al servidor", "show": "Mostrar", @@ -201,7 +201,7 @@ "tablet": "Tableta", "teachers": "Profesores", "thereisdatatosync": "Existen {{$a}} fuera-de-línea para ser sincronizados/as.", - "time": "Tiempo", + "time": "Hora", "timesup": "¡Se ha pasado el tiempo!", "today": "Hoy", "tryagain": "Intentar nuevamente", @@ -218,14 +218,14 @@ "userdetails": "Detalles de usuario", "usernotfullysetup": "Usuario no cnfigurado completamente", "users": "Usuarios", - "view": "Ver", + "view": "Vista", "viewprofile": "Ver perfil", "warningofflinedatadeleted": "Los datos fuera-de-línea de {{component}} '{{name}}' han sido borrados. {{error}}", "whoops": "¡Órale!", "whyisthishappening": "¿Porqué está pasando esto?", "windowsphone": "Teléfono Windows", "wsfunctionnotavailable": "La función servicio web no está disponible.", - "year": "Año(s)", + "year": "año", "years": "años", "yes": "Sí" } \ No newline at end of file diff --git a/www/core/lang/es.json b/www/core/lang/es.json index 773bdc6e302..487e2748d35 100644 --- a/www/core/lang/es.json +++ b/www/core/lang/es.json @@ -13,8 +13,8 @@ "clearsearch": "Limpiar búsqueda", "clicktohideshow": "Clic para expandir o colapsar", "clicktoseefull": "Clic para ver el contenido al completo", - "close": "Cerrar vista previa", - "comments": "Comentarios", + "close": "Cerrar", + "comments": "Sus comentarios", "commentscount": "Comentarios ({{$a}})", "commentsnotworking": "No pueden recuperarse comentarios", "completion-alt-auto-fail": "Finalizado {{$a}} (no ha alcanzado la calificación de aprobado)", @@ -36,11 +36,11 @@ "currentdevice": "Dispositivo actual", "datastoredoffline": "Los datos se almacenaron en el dispositivo debido a que no se pudieron enviar. Serán enviados automáticamente más tarde.", "date": "Fecha", - "day": "Día(s)", - "days": "Días", + "day": "día", + "days": "días", "decsep": ",", - "delete": "Borrar", - "deleting": "Borrando", + "delete": "Eliminar", + "deleting": "Eliminando", "description": "Descripción", "dfdaymonthyear": "MM-DD-YYYY", "dfdayweekmonth": "ddd, D MMM", @@ -53,9 +53,9 @@ "done": "Hecho", "download": "Descargar", "downloading": "Descargando...", - "edit": "Editar", + "edit": "Edición", "emptysplit": "Esta página aparecerá en blanco si el panel izquierdo está vacío o si está cargando.", - "error": "Se produjo un error", + "error": "Error", "errorchangecompletion": "Ha ocurrido un error cargando el grado de realización. Por favor inténtalo de nuevo.", "errordeletefile": "Error al eliminar el archivo. Por favor inténtelo de nuevo.", "errordownloading": "Ocurrió un error descargando el archivo", @@ -84,21 +84,21 @@ "hour": "hora", "hours": "horas", "humanreadablesize": "{{size}} {{unit}}", - "image": "Imagen", + "image": "Imagen ({{$a.MIMETYPE2}})", "imageviewer": "Visor de imágenes", - "info": "Información", + "info": "Info", "ios": "iOs", "labelsep": ":", "lastmodified": "Última modificación", "lastsync": "Última sincronización", "layoutgrid": "Rejilla", - "list": "Lista", + "list": "Ver lista", "listsep": ";", - "loading": "Cargando...", + "loading": "Cargando", "loadmore": "Cargar más", "lostconnection": "Hemos perdido la conexión, necesita reconectar. Su token ya no es válido", "maxsizeandattachments": "Tamaño máximo para nuevos archivos: {{$a.size}}, número máximo de archivos adjuntos: {{$a.attachments}}", - "min": "Calificación mínima", + "min": "minutos", "mins": "minutos", "mod_assign": "Tarea", "mod_assignment": "Tarea", @@ -131,20 +131,20 @@ "name": "Nombre", "networkerrormsg": "Conexión no disponible o sin funcionar.", "never": "Nunca", - "next": "Continuar", + "next": "Siguiente", "no": "No", "nocomments": "No hay comentarios", - "nograde": "Sin calificación", - "none": "Ninguno", - "nopasswordchangeforced": "No puede continuar sin cambiar su contraseña.", + "nograde": "No hay calificación", + "none": "Ninguna", + "nopasswordchangeforced": "No puede seguir sin cambiar su contraseña, sin embargo no existe ninguna página disponible para cambiarla. Por favor contacte a su administrador de Moodle.", "nopermissions": "Lo sentimos, pero por el momento no tiene permiso para hacer eso ({{$a}})", - "noresults": "No hay resultados", + "noresults": "Sin resultados", "notapplicable": "n/a", "notice": "Noticia", "notsent": "No enviado", "now": "ahora", "numwords": "{{$a}} palabras", - "offline": "No se requieren entregas online", + "offline": "Fuera de línea", "online": "En línea", "openfullimage": "Haga clic aquí para ver la imagen a tamaño completo", "openinbrowser": "Abrir en el navegador", @@ -158,19 +158,19 @@ "pulltorefresh": "Tirar para recargar", "quotausage": "Actualmente has utilizado {{$a.used}} de tu {{$a.total}} límite.", "redirectingtosite": "Será redirigido al sitio.", - "refresh": "Refrescar", + "refresh": "Recargar", "required": "Obligatorio", "requireduserdatamissing": "En este perfil de usuario faltan datos requeridos. Por favor, rellene estos datos e inténtelo otra vez.
      {{$a}}", "restore": "Restaurar", "retry": "Reintentar", "save": "Guardar", - "search": "Búsqueda", - "searching": "Buscando", - "searchresults": "Resultado", + "search": "Buscar", + "searching": "Buscar en", + "searchresults": "Resultados de la búsqueda", "sec": "segundos", "secs": "segundos", "seemoredetail": "Haga clic aquí para ver más detalles", - "send": "Enviar", + "send": "enviar", "sending": "Enviando", "serverconnection": "Error al conectarse al servidor", "show": "Mostrar", @@ -190,7 +190,7 @@ "tablet": "Tablet", "teachers": "Profesores", "thereisdatatosync": "Hay {{$a}} fuera de línea pendiente de ser sincronizado.", - "time": "Tiempo", + "time": "Hora", "timesup": "¡Se ha pasado el tiempo!", "today": "Hoy", "tryagain": "Intentar de nuevo", @@ -206,14 +206,14 @@ "userdeleted": "Esta cuenta se ha cancelado", "userdetails": "Detalles de usuario", "users": "Usuarios", - "view": "Ver", + "view": "Vista", "viewprofile": "Ver perfil", "warningofflinedatadeleted": "Los datos fuera de línea de {{component}} '{{name}}' han sido borrados. {{error}}", "whoops": "Oops!", "whyisthishappening": "¿Porqué está pasando esto?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "La función de webservice no está disponible.", - "year": "Año(s)", + "year": "año", "years": "años", "yes": "Sí" } \ No newline at end of file diff --git a/www/core/lang/eu.json b/www/core/lang/eu.json index 1f8d36d6661..8d2a5e021d6 100644 --- a/www/core/lang/eu.json +++ b/www/core/lang/eu.json @@ -17,8 +17,8 @@ "clearsearch": "Bilaketa garbia", "clicktohideshow": "Sakatu zabaltzeko edo tolesteko", "clicktoseefull": "Klik egin eduki guztiak ikusteko.", - "close": "Leihoa itxi", - "comments": "Iruzkinak", + "close": "Itxi", + "comments": "Zure iruzkinak", "commentscount": "Iruzkinak: ({{$a}})", "commentsnotworking": "Iruzkinak ezin izan dira atzitu", "completion-alt-auto-fail": "Osatuta: {{$a}} (ez dute gutxieneko kalifikazioa lortu)", @@ -44,8 +44,8 @@ "currentdevice": "Oraingo gailua", "datastoredoffline": "Informazioa gailuan gorde da ezin izan delako bidali. Beranduago automatikoki bidaliko da.", "date": "Data", - "day": "Egun", - "days": "Egun", + "day": "egun(a)", + "days": "egun", "decsep": ",", "delete": "Ezabatu", "deletedoffline": "Lineaz kanpo ezabatu da", @@ -64,7 +64,7 @@ "downloading": "Jaisten", "edit": "Editatu", "emptysplit": "Orri hau hutsik agertuko da ezkerreko panela hutsik badago edo kargatzen ari bada.", - "error": "Errorea gertatu da", + "error": "Errorea", "errorchangecompletion": "Errorea gertatu da osaketa-egoera aldatzean. Mesedez saiatu berriz.", "errordeletefile": "Errorea fitxategia ezabatzean. Mesedez, saiatu berriz.", "errordownloading": "Errorea fitxategia jaistean.", @@ -93,22 +93,22 @@ "hour": "ordu", "hours": "ordu(ak)", "humanreadablesize": "{{size}} {{unit}}", - "image": "Irudia", + "image": "Irudia ({{$a.MIMETYPE2}})", "imageviewer": "Irudi ikuskatzailea", - "info": "Informazioa", + "info": "Info", "ios": "iOS", "labelsep": " :", "lastdownloaded": "Azkenik jaitsita", "lastmodified": "Azken aldaketa", "lastsync": "Azken sinkronizazioa", "layoutgrid": "Laukia", - "list": "Zerrendatu", + "list": "Ikusi zerrenda", "listsep": ";", - "loading": "Kargatzen...", + "loading": "Kargatzen", "loadmore": "Kargatu gehiago", "lostconnection": "Zure autentikazio-token-a ez da baliozkoa edo iraungitu da. Gunera berriz konektatu beharko duzu.", "maxsizeandattachments": "Gehienezko tamaina fitxategi berrietarako: {{$a.size}}, gehienezko eranskin-kopurua: {{$a.attachments}}", - "min": "Gutxieneko puntuazioa", + "min": "minutu", "mins": "minutu", "mod_assign": "Zeregina", "mod_assignment": "Zeregina", @@ -141,12 +141,12 @@ "name": "Izena", "networkerrormsg": "Arazo bat izan da gunearekin konektatzerakoan. Mesedez egiaztatu zure konexioa eta ondoren berriz saiatu zaitez.", "never": "Inoiz ez", - "next": "Jarraitu", + "next": "Hurrengoa", "no": "Ez", - "nocomments": "Ez dago iruzkinik", - "nograde": "Kalifikaziorik ez.", + "nocomments": "Iruzkinik ez", + "nograde": "Kalifikaziorik ez", "none": "Bat ere ez", - "nopasswordchangeforced": "Ezin duzu jarraitu zure pasahitza aldatu gabe.", + "nopasswordchangeforced": "Ezin duzu aurrera egin pasahitza aldatu gabe, baina ez dago aldatzeko inongo orririk. Mesedez, jarri harremanetan zure Moodle Kudeatzailearekin.", "nopermissions": "Sentitzen dugu, baina oraingoz ez duzu hori egiteko baimenik ({{$a}})", "noresults": "Emaitzarik ez", "notapplicable": "ezin da aplikatu", @@ -154,7 +154,7 @@ "notsent": "Bidali gabea", "now": "orain", "numwords": "{{$a}} hitz", - "offline": "Lineaz kanpo", + "offline": "Ez du on-line bidalketarik eskatzen", "online": "On-line", "openfullimage": "Klik egin hemen irudia jatorrizko tamainan ikusteko.", "openinbrowser": "Ireki nabigatzailean", @@ -169,18 +169,18 @@ "quotausage": "Une honetan {{$a.used}} erabili dituzu, eta zure muga {{$a.total}} da.", "redirectingtosite": "Gunera berbideratua izango zara.", "refresh": "Freskatu", - "required": "Ezinbestekoa", + "required": "Beharrezkoa", "requireduserdatamissing": "Erabiltzaile honek beharrezkoak diren profileko datuak bete gabe ditu. Mesedez, bete itzazu datu hauek zure gunean eta saiatu berriz.
      {{$a}}", "restore": "Berreskuratu", "retry": "Berriz saiatu", "save": "Gorde", - "search": "Bilatu", - "searching": "Bilatzen", + "search": "Bilatu...", + "searching": "Bilatu hemen", "searchresults": "Bilaketaren emaitzak", "sec": "seg", "secs": "segundu", "seemoredetail": "Klik egin hemen xehetasun gehiago ikusteko", - "send": "Bidali", + "send": "bidali", "sending": "Bidaltzen", "serverconnection": "Errorea zerbitzariarekin konektatzean", "show": "Erakutsi", @@ -200,7 +200,7 @@ "tablet": "Tablet-a", "teachers": "Irakasleak", "thereisdatatosync": "Lineaz-kanpoko {{$a}} daude sinkronizatzeko .", - "time": "Denbora", + "time": "Ordua", "timesup": "Denbora amaitu egin da!", "today": "Gaur", "tryagain": "Saiatu berriz", @@ -224,7 +224,7 @@ "whyisthishappening": "Zergatik ari da hau gertatzen?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "Web-zerbitzu funtzioa ez dago eskuragarri.", - "year": "Urte", + "year": "urtea", "years": "urte", "yes": "Bai" } \ No newline at end of file diff --git a/www/core/lang/fa.json b/www/core/lang/fa.json index 857ab9170c4..36c81f26e92 100644 --- a/www/core/lang/fa.json +++ b/www/core/lang/fa.json @@ -4,12 +4,12 @@ "back": "بازگشت", "cancel": "انصراف", "cannotconnect": "اتصال به سایت ممکن نبود. بررسی کنید که نشانی سایت را درست وارد کرده باشید و اینکه سایت شما از مودل ۲٫۴ یا جدیدتر استفاده کند.", - "category": "دسته", + "category": "طبقه", "choose": "انتخاب کنید", "choosedots": "انتخاب کنید...", "clicktohideshow": "برای باز یا بسته شدن کلیک کنید", "close": "بستن پنجره", - "comments": "توضیحات شما", + "comments": "نظرات", "commentscount": "نظرات ({{$a}})", "completion-alt-auto-fail": "تکمیل شده است (بدون اکتساب نمرهٔ قبولی)", "completion-alt-auto-n": "تکمیل نشده است", @@ -32,11 +32,11 @@ "decsep": ".", "delete": "حذف", "deleting": "در حال حذف", - "description": "توصیف", + "description": "توضیح تکلیف", "done": "پر کرده است", "download": "دریافت", "edit": "ویرایش", - "error": "خطا رخ داد", + "error": "خطا", "errordownloading": "خطا در دانلود فایل", "folder": "پوشه", "forcepasswordchangenotice": "برای پیش‌روی باید رمز ورود خود را تغییر دهید.", @@ -49,16 +49,16 @@ "hours": "ساعت", "image": "عکس ({{$a.MIMETYPE2}})", "imageviewer": "نمایشگر تصویر", - "info": "اطلاعات", + "info": "توضیحات", "labelsep": ": ", "lastmodified": "آخرین تغییر", "layoutgrid": "جدول", - "list": "لیست محتوا", + "list": "مشاهدهٔ لیست", "listsep": ",", - "loading": "دریافت اطلاعات...", + "loading": "در حال بارگیری", "lostconnection": "اطلاعات توکن شناسایی شما معتبر نیست یا منقضی شده است. باید دوباره به سایت متصل شوید.", "maxsizeandattachments": "حداکثر اندازه برای فایل‌های جدید: {{$a.size}}، حداکثر تعداد فایل‌های پیوست: {{$a.attachments}}", - "min": "کمترین امتیاز", + "min": "دقیقه", "mins": "دقیقه", "mod_assign": "تکلیف", "mod_chat": "اتاق گفتگو", @@ -79,7 +79,7 @@ "never": "هیچ‌وقت", "next": "ادامه", "no": "خیر", - "nocomments": "نظری ارائه نشده است", + "nocomments": "بدون دیدگاه", "nograde": "بدون نمره", "none": "هیچ", "nopasswordchangeforced": "شما نمی‌توانید بدون تغییر رمز عبور ادامه دهید اما هیچ صفحه‌ای برای عوض کردن آن وجود ندارد. لطفا با مدیریت سایت تماس بگیرید.", @@ -98,16 +98,16 @@ "previous": "قبلی", "pulltorefresh": "برای تازه‌سازی بکشید", "refresh": "تازه‌سازی", - "required": "الزامی بودن", + "required": "لازم است", "restore": "بازیابی", "save": "ذخیره", - "search": "جستجو", + "search": "جستجو...", "searching": "در حال جستجو در ...", - "searchresults": "نتایج جستجو", + "searchresults": "نتیجهٔ جستجو", "sec": "ثانیه", "secs": "ثانیه", "seemoredetail": "برای دیدن جزئیات بیشتر اینجا را کلیک کنید", - "send": "ارسال", + "send": "فرستادن", "sending": "در حال ارسال", "serverconnection": "خطا در اتصال به کارگزار", "show": "نمایش", @@ -120,7 +120,7 @@ "sorry": "متاسفیم...", "sortby": "مرتب شدن بر اساس", "start": "آغاز", - "submit": "ارسال", + "submit": "ثبت", "success": "موفق", "teachers": "استاد", "time": "زمان", diff --git a/www/core/lang/fi.json b/www/core/lang/fi.json index 262a8fc63a6..e78624b9ee5 100644 --- a/www/core/lang/fi.json +++ b/www/core/lang/fi.json @@ -16,8 +16,8 @@ "clearsearch": "Tyhjennä haku", "clicktohideshow": "Klikkaa avataksesi tai sulkeaksesi", "clicktoseefull": "Klikkaa tästä nähdäksesi koko sisällön.", - "close": "Sulje", - "comments": "Kommentit", + "close": "Sulje ikkuna", + "comments": "Kommenttisi", "commentscount": "Kommentit ({{$a}})", "commentsnotworking": "Kommentteja ei pystytä lataamaan", "completion-alt-auto-fail": "Suoritettu: {{$a}} (ei saavutettu hyväksyttyä arvosanaa)", @@ -38,9 +38,9 @@ "coursedetails": "Kurssitiedot", "currentdevice": "Nykyinen laite", "datastoredoffline": "Tiedot tallennettiin tälle laitteelle, koska sitä ei voitu lähettää. Se lähetetään automaattisesti myöhemmin uudelleen.", - "date": "Päiväys", - "day": "päivä", - "days": "päivää", + "date": "Päivämäärä", + "day": "Päivä(ä)", + "days": "Päivää", "decsep": ",", "delete": "Poista", "deleting": "Poistetaan", @@ -53,7 +53,7 @@ "downloading": "Ladataan", "edit": "Muokkaa ", "emptysplit": "Tämä sivu näyttää tyhjältä mikäli vasen paneeli on tyhjä tai sitä ladataan yhä.", - "error": "Virhe", + "error": "Virhe tapahtui", "errorchangecompletion": "Suorituksen statusta muutettaessa tapahtui virhe. Ole hyvä ja yritä uudelleen.", "errordeletefile": "Tiedostoa poistettaessa tapahtui virhe. Ole hyvä ja yritä uudelleen.", "errordownloading": "Tiedostoa ladattaessa tapahtui virhe.", @@ -80,20 +80,20 @@ "hide": "Piilota", "hour": "tunti", "hours": "tuntia", - "image": "Kuva", - "info": "Tiedot", + "image": "Kuva ({{$a.MIMETYPE2}})", + "info": "Taustatieto", "labelsep": ":", "lastdownloaded": "Viimeksi ladattu", - "lastmodified": "Viimeksi muutettu", + "lastmodified": "Viimeksi muokattu", "lastsync": "Viimeinen synkroinointi", "layoutgrid": "Ruudukko", - "list": "Lista", + "list": "Näytä listana", "listsep": ";", "loading": "Lataa...", "loadmore": "Lataa lisää", "lostconnection": "Käyttäjätunnuksesi on virheellinen tai vanhentunut. Sinun täytyy kirjautua uudelleen sivustolle.", "maxsizeandattachments": "Uusien tiedostojen kokoraja: {{$a.size}} ja liitetiedostojen maksimimäärä: {{$a.attachments}}", - "min": "min", + "min": "Minimitulos", "mins": "min", "mod_assign": "Tehtävä", "mod_chat": "Chat", @@ -113,19 +113,19 @@ "name": "Nimi", "networkerrormsg": "Sivustoon yhdistettäessä tapahtui virhe. Ole hyvä ja tarkista yhteytesi ja yritä uudestaan.", "never": "Ei koskaan", - "next": "Seuraava", + "next": "Jatka", "no": "Ei", "nocomments": "Ei kommentteja", - "nograde": "Ei arviointia", + "nograde": "Ei arvosanaa", "none": "Ei yhtään", - "nopasswordchangeforced": "Et voi jatkaa ennen kuin vaihdat salasanasi.", + "nopasswordchangeforced": "Sinun täytyy muuttaa salasanaasi jatkaaksesi. Salasanan muuttamiseen ei kuitenkaan ole sivua, joten ota yhteyttä Moodlen ylläpitäjään.", "nopermissions": "Sinulla ei ole oikeutta tehdä kyseistä operaatiota ({{$a}})", "noresults": "Ei tuloksia", "notice": "Ilmoitus", "notsent": "Ei lähetetty", "now": "nyt", "numwords": "{{$a}} sanaa", - "offline": "Ei verkon kautta tehtävää palautusta", + "offline": "Offline", "online": "Online", "openfullimage": "Klikkaa tästä nähdäksesi kuvan täydessä koossa", "openinbrowser": "Avaa selaimessa", @@ -138,18 +138,18 @@ "pulltorefresh": "Vedä päivittääksesi", "redirectingtosite": "Sinut uudelleenohjataan sivustolle.", "refresh": "Päivitä", - "required": "Vaadittu", + "required": "Pakollinen", "requireduserdatamissing": "Tältä käyttäjältä puuttuu vaadittuja tietoja profiilistaan. Ole hyvä ja täytä tiedot sivustolla ja yritä uudestaan.
      {{$a}}", "restore": "Palauta", "retry": "Yritä uudelleen", "save": "Tallenna", - "search": "Hae", - "searching": "Hakee", - "searchresults": "Hakutulokset", + "search": "Etsi", + "searching": "Etsi kohteesta", + "searchresults": "Haun tulokset", "sec": "sekunti", "secs": "sekuntia", "seemoredetail": "Napsauta tästä nähdäksesi lisätietoja", - "send": "Lähetä", + "send": "lähetä", "sending": "Lähettää", "serverconnection": "Virhe yhdistettäessä palvelimelle", "show": "Näytä", @@ -163,14 +163,14 @@ "sorry": "Anteeksi..", "sortby": "Lajittele", "start": "Aloita", - "submit": "Lähetä", + "submit": "Palauta", "success": "Valmis!", "tablet": "Tabletti-tietokone", "teachers": "Opettajat", "thereisdatatosync": "Offline {{$a}} odottaa synkronointia.", "time": "Aika", "timesup": "Aika loppui!", - "today": "Tänään", + "today": "tänään", "tryagain": "Yritä uudelleen", "uhoh": "Voi ei!", "unexpectederror": "Odottomaton virhe. Ole hyvä, sulje sovellus ja käynnistä se uudelleen.", @@ -182,14 +182,14 @@ "userdeleted": "Tämä tunnus on poistettu", "userdetails": "Käyttäjätiedot", "users": "Käyttäjähallinta", - "view": "Näkymä", + "view": "Näytä", "viewprofile": "Näytä profiili", "warningofflinedatadeleted": "Komponentin {{component}} offline-tiedot '{{name}}' on poistettu. {{error}}", "whoops": "Oho!", "whyisthishappening": "Miksi tämä tapahtuu?", "windowsphone": "Windows-puhelin", "wsfunctionnotavailable": "Verkkopalvelun toiminto ei ole käytettävissä.", - "year": "vuosi", + "year": "Vuotta", "years": "vuotta", "yes": "Kyllä" } \ No newline at end of file diff --git a/www/core/lang/fr.json b/www/core/lang/fr.json index b18821406f8..d600f0cc3c2 100644 --- a/www/core/lang/fr.json +++ b/www/core/lang/fr.json @@ -17,8 +17,8 @@ "clearsearch": "Effacer la recherche", "clicktohideshow": "Cliquer pour déplier ou replier", "clicktoseefull": "Cliquer pour voir tout le contenu.", - "close": "Fermer la prévisualisation", - "comments": "Commentaires", + "close": "Fermer", + "comments": "Vos commentaires", "commentscount": "Commentaires ({{$a}})", "commentsnotworking": "Les commentaires ne peuvent pas être récupérés", "completion-alt-auto-fail": "Terminé : {{$a}} (n'a pas atteint la note pour passer)", @@ -44,13 +44,13 @@ "currentdevice": "Appareil actuel", "datastoredoffline": "Données stockées sur l'appareil, car elles n'ont pas pu être envoyées. Elles seront automatiquement envoyées ultérieurement.", "date": "Date", - "day": "Jour(s)", - "days": "Jours", + "day": "jour", + "days": "jours", "decsep": ",", "defaultvalue": "Défaut ({{$a}})", "delete": "Supprimer", "deletedoffline": "Supprimé en local", - "deleting": "Suppression", + "deleting": "En cours de suppression", "description": "Description", "dfdaymonthyear": "DD-MM-YYYY", "dfdayweekmonth": "ddd, D MMM", @@ -65,7 +65,7 @@ "downloading": "Téléchargement en cours", "edit": "Modifier", "emptysplit": "Cette page paraîtra vide si le panneau de gauche est vide ou en cours de chargement.", - "error": "Une erreur est survenue", + "error": "Erreur", "errorchangecompletion": "Une erreur est survenue lors du changement de l'état d'achèvement. Veuillez essayer à nouveau.", "errordeletefile": "Erreur lors de la suppression du fichier. Veuillez essayer à nouveau.", "errordownloading": "Erreur lors du téléchargement du fichier.", @@ -94,22 +94,22 @@ "hour": "heure", "hours": "heures", "humanreadablesize": "{{size}} {{unit}}", - "image": "Image", + "image": "Image ({{$a.MIMETYPE2}})", "imageviewer": "Lecteur d'images", - "info": "Info", + "info": "Information", "ios": "iOS", "labelsep": " ", "lastdownloaded": "Dernier téléchargement", - "lastmodified": "Modifié le", + "lastmodified": "Dernière modification", "lastsync": "Dernière synchronisation", "layoutgrid": "Grille", - "list": "Liste", + "list": "Affichage liste", "listsep": ";", - "loading": "Chargement...", + "loading": "Chargement", "loadmore": "Charger plus", "lostconnection": "Votre jeton n'est pas valide ou est échu. Veuillez vous reconnecter à la plateforme.", "maxsizeandattachments": "Taille maximale des nouveaux fichiers : {{$a.size}}. Nombre maximal d'annexes : {{$a.attachments}}", - "min": "Score minimum", + "min": "min", "mins": "min", "mod_assign": "Devoir", "mod_assignment": "Devoir", @@ -142,20 +142,20 @@ "name": "Nom", "networkerrormsg": "Un problème est survenu lors de la connexion au site. Veuillez vérifier votre connexion et essayer à nouveau.", "never": "Jamais", - "next": "Suite", + "next": "Suivant", "no": "Non", "nocomments": "Aucun commentaire", - "nograde": "Aucune note.", + "nograde": "Pas de note", "none": "Aucun", - "nopasswordchangeforced": "Vous ne pouvez pas continuer sans changer votre mot de passe.", + "nopasswordchangeforced": "Vous ne pouvez pas continuer sans modifier votre mot de passe. Cependant, il n'y a aucun moyen disponible de le modifier. Veuillez contacter l'administrateur de votre Moodle.", "nopermissions": "Désolé, vous n'avez actuellement pas les droits d'accès requis pour effectuer ceci ({{$a}})", - "noresults": "Aucun résultat", + "noresults": "Pas de résultat", "notapplicable": "n/a", "notice": "Remarque", "notsent": "Pas envoyé", "now": "maintenant", "numwords": "{{$a}} mots", - "offline": "Aucun travail à remettre requis", + "offline": "Déconnecté", "online": "En ligne", "openfullimage": "Cliquer ici pour afficher l'image en pleine grandeur", "openinbrowser": "Ouvrir dans le navigateur", @@ -172,11 +172,11 @@ "refresh": "Actualiser", "required": "Requis", "requireduserdatamissing": "Il manque certaines données au profil de cet utilisateur. Veuillez compléter ces données dans votre plateforme et essayer à nouveau.
      {{$a}}", - "restore": "Restaurer", + "restore": "Restauration", "retry": "Essayer à nouveau", "save": "Enregistrer", - "search": "Recherche", - "searching": "Recherche", + "search": "Rechercher", + "searching": "Rechercher dans", "searchresults": "Résultats de la recherche", "sec": "s", "secs": "s", @@ -201,7 +201,7 @@ "tablet": "Tablette", "teachers": "Enseignants", "thereisdatatosync": "Il y a des {{$a}} locales à synchroniser.", - "time": "Temps", + "time": "Heure", "timesup": "Le chrono est enclenché !", "today": "Aujourd'hui", "tryagain": "Essayer encore", @@ -218,14 +218,14 @@ "userdetails": "Informations détaillées", "usernotfullysetup": "Utilisateur pas complètement défini", "users": "Utilisateurs", - "view": "Afficher", + "view": "Affichage", "viewprofile": "Consulter le profil", "warningofflinedatadeleted": "Des données locales de {{component}} « {{name}} » ont été supprimées. {{error}}", "whoops": "Oups !", "whyisthishappening": "Que se passe-t-il ?", "windowsphone": "Windows phone", "wsfunctionnotavailable": "Le service web n'est pas disponible.", - "year": "Année(s)", + "year": "année", "years": "années", "yes": "Oui" } \ No newline at end of file diff --git a/www/core/lang/he.json b/www/core/lang/he.json index 3cc797bb664..6f5bf4ba135 100644 --- a/www/core/lang/he.json +++ b/www/core/lang/he.json @@ -11,8 +11,8 @@ "choosedots": "בחירה...", "clearsearch": "איפוס חיפוש", "clicktohideshow": "הקש להרחבה או לצמצום", - "close": "סגירת חלון", - "comments": "הערות", + "close": "סגירה", + "comments": "ההערות שלך", "commentscount": "({{$a}}) הערות", "completion-alt-auto-fail": "הושלם: {{$a}} (לא השיג ציון עובר)", "completion-alt-auto-n": "לא הושלם: {{$a}}", @@ -26,12 +26,12 @@ "course": "קורס", "coursedetails": "פרטי הקורס", "date": "תאריך", - "day": "ימים", + "day": "יום", "days": "ימים", "decsep": ".", "delete": "מחיקה", "deleting": "מוחק", - "description": "הנחיה למטלה", + "description": "תיאור", "dfdayweekmonth": "dddd, D MMMM", "dflastweekdate": "dddd", "dftimedate": "hh[:]mm", @@ -39,7 +39,7 @@ "download": "הורדה", "downloading": "מוריד", "edit": "עריכה", - "error": "שגיאה התרחשה", + "error": "טעות", "errordownloading": "שגיאה בהורדת קובץ", "errordownloadingsomefiles": "שגיאה בהורדת קבצי המודול. יתכן וחלק מהקבצים חסרים.", "filename": "שם הקובץ", @@ -52,18 +52,18 @@ "hide": "הסתרה", "hour": "שעה", "hours": "שעות", - "image": "תמונה", + "image": "תמונת ({{$a.MIMETYPE2}})", "imageviewer": "מציג תמונות", "info": "מידע", "labelsep": ":", - "lastmodified": "שינוי אחרון", + "lastmodified": "עדכון אחרון", "layoutgrid": "סריג", - "list": "רשימה", + "list": "רשימת פריטים", "listsep": ",", - "loading": "טוען...", + "loading": "טעינה", "lostconnection": "לקוד הזיהוי המאובטח שלך פג התוקף, ולכן החיבור נותק. עליך להתחבר שוב.", "maxsizeandattachments": "נפח קבצים מירבי: {{$a.size}}, מספר קבצים מצורפים מירבי: {{$a.attachments}}", - "min": "תוצאה מינמלית", + "min": "דקה", "mins": "דקות", "mod_assign": "מטלה", "mod_assignment": "מטלה", @@ -94,20 +94,20 @@ "moduleintro": "הנחיה לפעילות", "name": "שם", "networkerrormsg": "הרשת לא מופעלת או לא עובדת.", - "never": "לעולם לא", - "next": "הבא אחריו", + "never": "אף פעם לא", + "next": "הבא", "no": "לא", - "nocomments": "אין הערות", + "nocomments": "ללא הערות", "nograde": "אין ציון", - "none": "ללא", + "none": "אין", "nopasswordchangeforced": "אינך יכול להמשיך ללא שינוי הסיסמה שלך. אך נכון לעכשיו אין דף זמין בו ניתן לשנותה. אנא צור קשר עם מנהל המוודל שלך.", "nopermissions": "למשתמש שלכם אין את ההרשאה לבצע את הפעולה \"{{$a}}\".\n
      \nיש לפנות למנהל(ת) המערכת שלכם לקבלת ההרשאות המתאימות.", - "noresults": "אין תוצאות", + "noresults": "לא נמצאו תוצאות", "notapplicable": "לא זמין", "notice": "לתשומת לב", "now": "עכשיו", "numwords": "{{$a}} מילים", - "offline": "לא מקוון", + "offline": "לא נדרשות הגשות מקוונות", "online": "מקוון", "openfullimage": "יש להקליק כאן להצגת התמונה בגודל מלא", "openinbrowser": "תצוגה בדפדפן", @@ -119,20 +119,20 @@ "pulltorefresh": "משיכה לרענון", "quotausage": "השתמשת כרגע ב {{$a.used}} מהמגבלה שלך בסך {{$a.total}}.", "refresh": "רענון", - "required": "נדרש", + "required": "דרוש", "requireduserdatamissing": "למשתמש זה חסרים שדות נדרשים בפרופיל המשתמש. יש להשלים מידע זה באתר המוודל שלך ולנסות שוב.
      {{$a}}", "restore": "שחזור", "save": "שמירה", - "search": "חפשו", - "searching": "מחפש ב...", - "searchresults": "תוצאות החיפוש", + "search": "חיפוש", + "searching": "חיפוש ב-", + "searchresults": "תוצאות חיפוש", "sec": "שניה", "secs": "שניות", "seemoredetail": "הקליקו כאן כדי לראות פרטים נוספים", - "send": "לשלוח", - "sending": "שולח", + "send": "שליחה", + "sending": "שולחים", "serverconnection": "שגיאה בהתחברות לשרת", - "show": "תצוגה", + "show": "הצגה", "site": "מערכת", "sizeb": "בתים", "sizegb": "GB", @@ -140,7 +140,7 @@ "sizemb": "MB", "sortby": "מיון לפי", "start": "התחלה", - "submit": "הגש", + "submit": "שמירה", "success": "הצלחה", "tablet": "טאבלט", "teachers": "מורים", @@ -154,10 +154,10 @@ "userdeleted": "חשבון משתמש זה נמחק", "userdetails": "מאפייניי המשתמש", "users": "משתמשים", - "view": "צפיה", + "view": "תצוגה", "viewprofile": "תצוגת מאפיינים", "whoops": "אוווווופס!", - "year": "שנים", + "year": "שנה", "years": "שנים", "yes": "כן" } \ No newline at end of file diff --git a/www/core/lang/hr.json b/www/core/lang/hr.json index 5fd22ef24b9..1f02e1ac4ee 100644 --- a/www/core/lang/hr.json +++ b/www/core/lang/hr.json @@ -12,8 +12,8 @@ "choose": "Odaberite", "choosedots": "Odaberi...", "clicktohideshow": "Kliknite za otvaranje ili zatvaranje", - "close": "Zatvori prozor", - "comments": "Vaši komentari", + "close": "Zatvori", + "comments": "Komentari", "commentscount": "Komentari ({{$a}})", "completion-alt-auto-fail": "Dovršeno (nije postignuta prolazna ocjena): {{$a}}", "completion-alt-auto-n": "Nije završeno: {{$a}}", @@ -23,25 +23,25 @@ "completion-alt-manual-y": "Dovršeno: {{$a}}, odaberite za označavanje kao nedovršeno", "confirmdeletefile": "Želite li izbrisati ovu datoteku?", "content": "Sadržaj", - "continue": "Nastavak", + "continue": "Nastavi", "course": "E-kolegij", "coursedetails": "Detalji kolegija", "currentdevice": "Trenutačni uređaj", "date": "Datum", "day": "dan", - "days": "Dani", + "days": "dana", "decsep": ",", "delete": "Izbriši", "deleting": "Brisanje", - "description": "Uvodni tekst", + "description": "Opis", "dfdaymonthyear": "DD-MM-YYYY", "dflastweekdate": "ddd", "dfmediumdate": "LLL", "done": "Gotovo", "download": "Preuzimanje", "downloading": "Preuzimanje", - "edit": "Promijeni", - "error": "Dogodila se pogreška", + "edit": "Uredi", + "error": "Greška", "filename": "Naziv datoteke", "filenameexist": "Naziv datoteke već postoji: {{$a}}", "folder": "Mapa", @@ -55,17 +55,17 @@ "hour": "sat", "hours": "sat(a)", "humanreadablesize": "{{size}} {{unit}}", - "image": "Slika", - "info": "Info", + "image": "Slika ({{$a.MIMETYPE2}})", + "info": "Informacija", "ios": "iOS", "labelsep": ":", "lastmodified": "Zadnji puta izmijenjeno", "layoutgrid": "Mreža", - "list": "Popis", + "list": "Prikaži popis", "listsep": ";", "loading": "Učitavanje...", "maxsizeandattachments": "Najveća dopuštena veličina za nove datoteke: {{$a.size}}, najveći broj privitaka: {{$a.attachments}}", - "min": "Najlošiji rezultat", + "min": "min", "mins": "min", "mod_assign": "Zadaća", "mod_chat": "Chat", @@ -82,13 +82,13 @@ "mod_workshop": "Radionica", "moduleintro": "Opis", "mygroups": "Moje grupe", - "name": "Naziv", + "name": "Ime", "never": "Nikad", - "next": "Slijedeći", + "next": "Nastavi", "no": "Ne", "nocomments": "Nema komentara", - "nograde": "Nema ocjene.", - "none": "Nema", + "nograde": "Nema ocjene", + "none": "Nijedan", "nopasswordchangeforced": "Ne možete nastaviti bez promjene lozinke, međutim, ne postoji stranicu za promjenu iste. Kontaktirajte administratora.", "nopermissions": "Trenutačno nemate ovlasti da napravite ({{$a}})", "noresults": "Nema rezultata", @@ -96,7 +96,7 @@ "notsent": "Nije poslano", "now": "sada", "numwords": "{{$a}} riječi", - "offline": "Offline", + "offline": "Ne treba ništa predati online", "online": "Online", "openinbrowser": "Otvori u pregledniku", "othergroups": "Ostale grupe", @@ -106,20 +106,20 @@ "phone": "Telefon", "pictureof": "Slika {{$a}}", "previous": "Prethodni", - "refresh": "Osvježi", + "refresh": "Osvježavanje", "required": "Obvezatno", - "restore": "Vrati", + "restore": "Vraćanje iz kopije", "save": "Pohrani", - "search": "Pretraživanje", - "searching": "Pretraga", + "search": "Pretraži", + "searching": "Traži u", "searchresults": "Rezultati pretraživanja", "sec": "sek", "secs": "s", "seemoredetail": "Kliknite ovdje za više detalja", - "send": "pošalji", + "send": "Pošalji", "sending": "Slanje", "serverconnection": "Pogreška pri spajanju na poslužitelj", - "show": "Prikaz", + "show": "Prikaži", "showmore": "Opširnije...", "site": "Site", "sizeb": "bajtovi", @@ -129,7 +129,7 @@ "sizetb": "TB", "sortby": "Sortiraj prema", "start": "Početak", - "submit": "Predajte", + "submit": "Predaj", "success": "Uspješno", "tablet": "Tablet", "teachers": "Nastavnici", @@ -144,7 +144,7 @@ "userdeleted": "Ovaj korisnički račun je izbrisan", "userdetails": "Detalji o korisniku", "users": "Korisnici", - "view": "Prikaži", + "view": "Prikaz", "viewprofile": "Prikaži profil", "whoops": "Ups!", "windowsphone": "Windows Phone", diff --git a/www/core/lang/hu.json b/www/core/lang/hu.json index e0b3dd692e4..c2ab2fc5e51 100644 --- a/www/core/lang/hu.json +++ b/www/core/lang/hu.json @@ -2,14 +2,14 @@ "allparticipants": "Összes résztvevő", "areyousure": "Biztos?", "back": "Vissza", - "cancel": "Mégse", + "cancel": "Törlés", "cannotconnect": "Sikertelen kapcsolódás: ellenőrizze, jó-e az URL és a portál legalább 2.4-es Moodle-t használ-e.", "category": "Kategória", "choose": "Választás", "choosedots": "Választás...", "clicktohideshow": "Kattintson a kibontáshoz vagy a becsukáshoz.", - "close": "Ablak bezárása", - "comments": "Megjegyzések", + "close": "Bezárás", + "comments": "Megjegyzései", "commentscount": "Megjegyzések ({{$a}})", "completion-alt-auto-fail": "Teljesítve: {{$a}} (a teljesítési pontszámot nem érte el)", "completion-alt-auto-n": "Nincs teljesítve: {{$a}}", @@ -23,22 +23,22 @@ "completion-alt-manual-y-override": "Befejezve: {{$a.modname}} (beállította {{$a.overrideuser}}). Válassza ki befejezetlenként való megjelölésre.", "confirmdeletefile": "Biztosan törli ezt az állományt?", "content": "Tartalom", - "continue": "Tovább", + "continue": "Folytatás", "course": "Kurzus", "coursedetails": "Kurzusadatok", "date": "Dátum", "day": "nap", - "days": "Nap", + "days": "nap", "decsep": ",", "defaultvalue": "Alapeset ({{$a}})", "delete": "Törlés", "deleting": "Törlés", - "description": "Leírás", + "description": "Bevezető szöveg", "done": "Kész", "download": "Letöltés", "downloading": "Letöltés...", "edit": "Szerkesztés", - "error": "Hiba történt.", + "error": "Hiba", "errordownloading": "Nem sikerült letölteni az állományt.", "filename": "Állománynév", "folder": "Mappa", @@ -51,16 +51,16 @@ "hour": "óra", "hours": "óra", "image": "Kép ({{$a.MIMETYPE2}})", - "info": "Információk", + "info": "Információ", "labelsep": ":", - "lastmodified": "Utolsó módosítás", + "lastmodified": "Utolsó módosítás dátuma:", "layoutgrid": "Rács", - "list": "Lista", + "list": "Felsorolás megtekintése", "listsep": ";", - "loading": "Betöltés...", + "loading": "Betöltés", "lostconnection": "A kapcsolat megszakadt, kacsolódjon újból. Jele érvénytelen.", "maxsizeandattachments": "Új állományok maximális mérete: {{$a.size}}, maximális csatolt állomány: {{$a.attachments}}", - "min": "Min. pontszám", + "min": "p", "mins": "perc", "mod_assign": "Feladat", "mod_chat": "Csevegés", @@ -76,21 +76,21 @@ "mod_wiki": "Wiki", "mod_workshop": "Műhelymunka", "moduleintro": "Leírás", - "name": "Név", + "name": "Név:", "networkerrormsg": "A hálózat nincs bekapcsolva vagy nem működik.", "never": "Soha", - "next": "Tovább", + "next": "Következő", "no": "Nem", - "nocomments": "Nincs megjegyzés", - "nograde": "Nincs osztályzat", - "none": "Egy sem", + "nocomments": "Nincs megjegyzés.", + "nograde": "Nincs pont", + "none": "Nincs", "nopasswordchangeforced": "A továbblépéshez először módosítania kell a jelszavát, ehhez azonban nem áll rendelkezésre megfelelő oldal. Forduljon a Moodle rendszergazdájához.", "nopermissions": "Ehhez ({{$a}}) jelenleg nincs engedélye", "noresults": "Nincs eredmény", "notice": "Tájékoztatás", "now": "most", "numwords": "{{$a}} szó", - "offline": "Offline", + "offline": "Nincs szükség neten keresztüli leadásra", "online": "Online", "pagea": "{{$a}} oldal", "paymentinstant": "A fizetéshez és a perceken belüli beiratkozáshoz használja az alábbi gombot!", @@ -100,18 +100,18 @@ "quotausage": "Összesen {{$a.total}} egységből {{$a.used}}-t használt fel.", "refresh": "Frissítés", "required": "Kitöltendő", - "restore": "Visszaállítás", + "restore": "Helyreállítás", "save": "Mentés", - "search": "Keresés", - "searching": "Keresés helye ...", + "search": "Keresés...", + "searching": "Hol keres?", "searchresults": "Keresési eredmények", "sec": "mp", "secs": "mp", "seemoredetail": "A részletekért kattintson ide", - "send": "küldés", + "send": "Elküld", "sending": "Küldés", "serverconnection": "Hiba a szerverhez csatlakozás közben", - "show": "Mutat", + "show": "Megjelenítés", "site": "Portál", "sizeb": "bájt", "sizegb": "GB", @@ -133,9 +133,9 @@ "userdetails": "Felhasználó adatai", "usernotfullysetup": "A felhasználó beállítása még nincs kész", "users": "Felhasználó", - "view": "Megtekintés", + "view": "Nézet", "viewprofile": "Profil megtekintése", - "year": "Év", + "year": "év", "years": "év", "yes": "Igen" } \ No newline at end of file diff --git a/www/core/lang/it.json b/www/core/lang/it.json index 1294153d871..f1db6e95216 100644 --- a/www/core/lang/it.json +++ b/www/core/lang/it.json @@ -12,8 +12,8 @@ "clearsearch": "Pulisci la ricerca", "clicktohideshow": "Click per aprire e chiudere", "clicktoseefull": "Click per visualizzare il contenuto completo.", - "close": "Chiudi finestra", - "comments": "Commenti", + "close": "Chiudi", + "comments": "I tuoi commenti", "commentscount": "Commenti: ({{$a}})", "commentsnotworking": "Non è possibile scaricare i commenti", "completion-alt-auto-fail": "Completato: {{$a}} (senza raggiungere la sufficienza)", @@ -34,13 +34,13 @@ "course": "Corso", "coursedetails": "Dettagli corso", "date": "Data", - "day": "Giorni", - "days": "Giorni", + "day": "giorno", + "days": "giorni", "decsep": ",", "defaultvalue": "Default ({{$a}})", "delete": "Elimina", - "deleting": "Eliminazione in corso", - "description": "Descrizione", + "deleting": "Eliminazione", + "description": "Commento", "dfdayweekmonth": "ddd, D MMM", "dflastweekdate": "ddd", "dfmediumdate": "LLL", @@ -49,7 +49,7 @@ "download": "Download", "downloading": "Scaricamento in corso", "edit": "Modifica", - "error": "Si è verificato un errore", + "error": "Errore", "errorchangecompletion": "Si è verificato un errore durante la modifica dello stato di completamento. Per favore riprova.", "errordeletefile": "Si è verificato un errore durante l'eliminazione del file. Per favore riprova.", "errordownloading": "Si è verificato un errore durante lo scaricamento del file.", @@ -72,20 +72,20 @@ "hour": "ora", "hours": "ore", "humanreadablesize": "{{size}} {{unit}}", - "image": "Immagine", + "image": "Immagine ({{$a.MIMETYPE2}})", "imageviewer": "Visualizzatore di immagini", - "info": "Informazioni", + "info": "Informazione", "ios": "iOS", "labelsep": ": ", - "lastmodified": "Ultime modifiche", + "lastmodified": "Ultima modifica", "lastsync": "Ultima sincronizzazione", "layoutgrid": "Griglia", "list": "Elenco", "listsep": ";", - "loading": "Caricamento in corso...", + "loading": "Caricamento in corso", "lostconnection": "La connessione è stata perduta. Il tuo token non è più valido.", "maxsizeandattachments": "Dimensione massima per i file nuovi: {{$a.size}}, numero massimo di allegati: {{$a.attachments}}", - "min": "Punteggio minimo", + "min": "min.", "mins": "min.", "mod_assign": "Compito", "mod_assignment": "Compito", @@ -115,13 +115,13 @@ "mod_workshop": "Workshop", "moduleintro": "Descrizione", "mygroups": "I miei gruppi", - "name": "Nome", + "name": "Titolo", "networkerrormsg": "La rete non è abilitata o non funziona.", "never": "Mai", - "next": "Continua", + "next": "Successivo", "no": "No", "nocomments": "Non ci sono commenti", - "nograde": "Nessuna valutazione.", + "nograde": "Senza valutazione", "none": "Nessuno", "nopasswordchangeforced": "Non puoi proseguire senza modificare la tua password, ma non c'è una pagina per cambiarla. Contatta il tuo amministratore Moodle.", "nopermissions": "Spiacente, ma attualmente non avete il permesso per fare questo ({{$a}})", @@ -130,7 +130,7 @@ "notice": "Nota", "now": "adesso", "numwords": "{{$a}} parole", - "offline": "Offline", + "offline": "Questo compito non richiede consegne online", "online": "Online", "openfullimage": "Click per visualizare l'immagine a dimensioni reali", "openinbrowser": "Apri nel browser", @@ -144,19 +144,19 @@ "pulltorefresh": "Trascina per aggiornare", "quotausage": "Hai utilizzato {{$a.used}} su un massimo di {{$a.total}}", "refresh": "Aggiorna", - "required": "Obbligatorio", + "required": "La risposta è obbligatoria", "requireduserdatamissing": "Nel profilo di questo utente mancano alcuni dati. Per favore compila i dati mancanti in Moodle e riprova.
      {{$a}}", - "restore": "Ripristina", + "restore": "Ripristino", "retry": "Riprova", "save": "Salva", - "search": "Ricerca", - "searching": "Ricerca in corso", - "searchresults": "Risultati delle ricerche", + "search": "Cerca", + "searching": "Cerca in", + "searchresults": "Risultati della ricerca", "sec": "secondo", "secs": "secondi", "seemoredetail": "Clicca qui per ulteriori dettagli", - "send": "Invia", - "sending": "Invio in c orso", + "send": "invia", + "sending": "Invio in corso", "serverconnection": "Si è verificato un errore durante la connessione al server", "show": "Visualizza", "site": "Sito", @@ -171,7 +171,7 @@ "success": "Operazione eseguita correttamente", "tablet": "Tablet", "teachers": "Docenti", - "time": "Tempo", + "time": "Data/Ora", "timesup": "Tempo scaduto!", "today": "Oggi", "twoparagraphs": "{{p1}}

      {{p2}}", @@ -189,7 +189,7 @@ "whoops": "Oops!", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "La funzione webservice non è disponibile.", - "year": "Anni", + "year": "anno", "years": "anni", - "yes": "Si" + "yes": "Sì" } \ No newline at end of file diff --git a/www/core/lang/ja.json b/www/core/lang/ja.json index 4981f35f83c..2ff87c2b09f 100644 --- a/www/core/lang/ja.json +++ b/www/core/lang/ja.json @@ -13,8 +13,8 @@ "clearsearch": "検索のクリア", "clicktohideshow": "展開または折りたたむにはここをクリックしてください。", "clicktoseefull": "クリックで全てのコンテンツを見る", - "close": "ウィンドウを閉じる", - "comments": "コメント", + "close": "閉じる", + "comments": "あなたのコメント", "commentscount": "コメント ({{$a}})", "commentsnotworking": "コメントが取得できませんでした", "completion-alt-auto-fail": "完了: {{$a}} (合格点未到達)", @@ -45,7 +45,7 @@ "decsep": ".", "defaultvalue": "デフォルト ({{$a}})", "delete": "削除", - "deleting": "消去中", + "deleting": "削除", "description": "説明", "dfdaymonthyear": "YYYY/MM/DD", "dfdayweekmonth": "MMM月D日(ddd)", @@ -60,7 +60,7 @@ "downloading": "ダウンロード中", "edit": "編集", "emptysplit": "左パネルが空またはロード中のため本ページは空白", - "error": "エラーが発生しました。", + "error": "エラー", "errorchangecompletion": "完了状態の変更中にエラーが発生しました。再度実行してください。", "errordeletefile": "ファイル消去中にエラーが発生しました。再度実行してください。", "errordownloading": "ファイルダウンロードのエラー", @@ -89,21 +89,21 @@ "hour": "時間", "hours": "時間", "humanreadablesize": "{{size}} {{unit}}", - "image": "画像", + "image": "イメージ ({{$a.MIMETYPE2}})", "imageviewer": "画像ビューア", - "info": "情報", + "info": "インフォメーション", "ios": "iOS", "labelsep": ":", "lastmodified": "最終更新日時", "lastsync": "最後の同期", "layoutgrid": "グリッド", - "list": "リスト", + "list": "一覧表示", "listsep": ",", - "loading": "読み込み中 ...", + "loading": "読み込み", "loadmore": "続きを読み込む", "lostconnection": "あなたのトークンが無効になったため、再接続に必要な情報がサーバにはありません。", "maxsizeandattachments": "新しいファイルの最大サイズ: {{$a.size}} / 最大添付: {{$a.attachments}}", - "min": "最小評点", + "min": "分", "mins": "分", "mod_assign": "課題", "mod_chat": "チャット", @@ -123,12 +123,12 @@ "name": "名称", "networkerrormsg": "ネットワークが無効もしくは機能していません", "never": "なし", - "next": "続ける", + "next": "次へ", "no": "No", - "nocomments": "コメントはありません。", + "nocomments": "コメントなし", "nograde": "評点なし", "none": "なし", - "nopasswordchangeforced": "パスワードを変更するまで続きを実行できません。", + "nopasswordchangeforced": "あなたはパスワードを変更せずに次へ進むことはできません。しかし、パスワードを変更するため利用できるページがありません。あなたのMoodle管理者にご連絡ください。", "nopermissions": "申し訳ございません、現在、あなたは 「 {{$a}} 」を実行するためのパーミッションがありません。", "noresults": "該当データはありません。", "notapplicable": "なし", @@ -136,7 +136,7 @@ "notsent": "未送信", "now": "現在", "numwords": "{{$a}} 語", - "offline": "オフライン", + "offline": "オンライン提出不要", "online": "オンライン", "openfullimage": "クリックしてフルサイズの画像を表示", "openinbrowser": "ブラウザで開く", @@ -156,8 +156,8 @@ "restore": "リストア", "retry": "再実行", "save": "保存", - "search": "検索", - "searching": "検索中", + "search": "検索 ...", + "searching": "検索:", "searchresults": "検索結果", "sec": "秒", "secs": "秒", @@ -191,7 +191,7 @@ "unexpectederror": "不明なエラー。アプリを閉じて再起動してみてください。", "unicodenotsupported": "本サイトでは一部の絵文字がサポートされていません。それらは送信されたメッセージから削除されます。", "unicodenotsupportedcleanerror": "Unicode文字をクリアする際に空のテキストがありました。", - "unknown": "不明な", + "unknown": "不明", "unlimited": "無制限", "unzipping": "未展開の", "upgraderunning": "サイトはアップグレード中です。後ほどお試しください。", diff --git a/www/core/lang/ko.json b/www/core/lang/ko.json index b8b4330954a..bc82cd3ab0a 100644 --- a/www/core/lang/ko.json +++ b/www/core/lang/ko.json @@ -1,24 +1,52 @@ { "accounts": "계정", + "allparticipants": "모든 참가자", "android": "안드로이드", + "areyousure": "계속하시겠습니까?", + "back": "뒤로", + "cancel": "취소", "cannotconnect": "연결할 수 없음: URL을 정확히 입력했는지 그리고 사이트가 Moodle 2.4 이상을 사용하고 있는지 확인하십시오.", "cannotdownloadfiles": "파일 다운로드가 비활성화되었습니다. 사이트 관리자에게 문의하십시오.", "captureaudio": "오디오 녹음", "capturedimage": "사진을 찍었습니다.", "captureimage": "사진 촬영", "capturevideo": "비디오 녹화", + "category": "범주", + "choose": "선택", + "choosedots": "선택...", "clearsearch": "명확한 검색", + "clicktohideshow": "펴거나 접으려면 클릭", "clicktoseefull": "전체 내용을 보려면 클릭하십시오.", + "close": "닫기", + "comments": "덧글", + "commentscount": "댓글 ({{$a}})", "commentsnotworking": "댓글을 검색 할 수 없습니다.", + "completion-alt-auto-fail": "이수함(통과 성적을 획득하지 못함)", + "completion-alt-auto-n": "미이수", + "completion-alt-auto-pass": "이수함(통과 성적 획득)", + "completion-alt-auto-y": "이수함", + "completion-alt-manual-n": "완료하지 않음; 완료된것으로 표시하려면 선택하에요.", + "completion-alt-manual-y": "완료함; 완료되지 않은것으로 표시하려면 선택하에요.", "confirmcanceledit": "이 페이지에서 나가시겠습니까? 모든 변경 사항이 손실됩니다.", + "confirmdeletefile": "이 파일을 정말 지우겠습니까?", "confirmloss": "확실합니까? 모든 변경 사항이 손실됩니다.", "confirmopeninbrowser": "웹 브라우저에서 여시겠습니까?", + "content": "내용", "contenteditingsynced": "수정중인 콘텐츠가 동기화되었습니다.", + "continue": "계속", "copiedtoclipboard": "클립 보드에 복사 된 텍스트", + "course": "강좌", + "coursedetails": "강좌 세부내용", "currentdevice": "현재 장치", "datastoredoffline": "데이터를 전송할 수 없기 때문에 장치에 데이터가 저장되었습니다. 나중에 자동으로 전송됩니다.", + "date": "날짜", + "day": "일", + "days": "일", + "decsep": ".", + "delete": "삭제", "deletedoffline": "오프라인에서 삭제됨", - "deleting": "삭제 중", + "deleting": "삭제하기", + "description": "설명", "dfdaymonthyear": "MM-DD-YYYY", "dfdayweekmonth": "ddd, D MMM", "dffulldate": "dddd, D MMMM YYYY h[:]mm A", @@ -27,8 +55,12 @@ "dftimedate": "h[:]mm A", "discard": "포기", "dismiss": "버리다", + "done": "완료", + "download": "내려받기", "downloading": "다운로드 중", + "edit": "고치기", "emptysplit": "왼쪽 패널이 비어 있거나 로드 중인 경우이 페이지는 공백으로 표시됩니다.", + "error": "오류", "errorchangecompletion": "완료 상태를 변경하는 중에 오류가 발생했습니다. 다시 시도하십시오.", "errordeletefile": "파일을 삭제하는 중 오류가 발생했습니다. 다시 시도하십시오.", "errordownloading": "파일 다운로드 중 오류가 발생했습니다.", @@ -43,29 +75,119 @@ "errorrenamefile": "파일의 이름을 바꾸는 중 오류가 발생했습니다. 다시 시도하십시오.", "errorsync": "동기화 중 오류가 발생했습니다. 다시 시도하십시오.", "errorsyncblocked": "이 {{$ a}}은(는) 진행 중인 프로세스로 인해 지금 동기화 할 수 없습니다. 나중에 다시 시도 해주십시오. 문제가 지속되면 앱을 다시 시작하십시오.", + "filename": "파일명", "filenameexist": "파일 이름이 이미 존재합니다: {{$ a}}", + "folder": "폴더", + "forcepasswordchangenotice": "계속하려면 비밀번호를 바꿔야만 함", + "fulllistofcourses": "강좌목록", "fullnameandsitename": "{{fullname}} ({{sitename}})", + "groupsseparate": "분리된 모둠", + "groupsvisible": "열린 모둠", "hasdatatosync": "이 {{$ a}}에 동기화 할 오프라인 데이터가 있습니다.", + "help": "도움", + "hide": "감추기", + "hour": "시", + "hours": "시간", "humanreadablesize": "{{size}} {{unit}}", - "image": "이미지", + "image": "이미지 ({{$a.MIMETYPE2}})", "imageviewer": "이미지 뷰어", - "info": "정보", + "info": "안내", "ios": "iOS", + "labelsep": " :", "lastdownloaded": "마지막으로 다운로드 한 파일", + "lastmodified": "마지막 수정됨", "lastsync": "마지막 동기화", + "layoutgrid": "그리드", + "list": "목록", + "listsep": ",", + "loading": "불러오는 중...", "loadmore": "더 많은 로드", "lostconnection": "인증 토큰이 유효하지 않거나 만료되었습니다. 사이트에 다시 연결해야 합니다.", + "maxsizeandattachments": "파일의 최대 크기: {{$a.size}}, 최대 첨부 파일 갯수: {{$a.attachments}}", + "min": "분", + "mins": "분", + "mod_assign": "과제", + "mod_chat": "대화방", + "mod_choice": "간편설문", + "mod_data": "데이터베이스", + "mod_feedback": "피드백(설문)", + "mod_forum": "포럼", + "mod_lesson": "완전학습", + "mod_lti": "LTI", + "mod_quiz": "퀴즈", + "mod_scorm": "스콤 패키지", + "mod_survey": "조사", + "mod_wiki": "위키", + "mod_workshop": "상호평가", + "moduleintro": "모듈 소개", "mygroups": "내 그룹", + "name": "이름", "networkerrormsg": "사이트에 연결하는 중에 문제가 발생했습니다. 연결을 확인하고 다시 시도하십시오.", - "nopasswordchangeforced": "암호를 변경하지 않고 계속 진행할 수 없습니다.", + "never": "접속안함", + "next": "다음", + "no": "아니오", + "nocomments": "덧글 없음", + "nograde": "성적 없음", + "none": "없음", + "nopasswordchangeforced": "비밀번호 변경없이는 계속할 수 없습니다만 암호를 변경할 방법이 없습니다. 무들 관리자에게 연락하기 바랍니다.", + "nopermissions": "죄송합니다만 그 ({{$a}})를 할만한 권한이 없습니다.", + "noresults": "결과 없음", "notapplicable": "n/a", + "notice": "알림", "notsent": "전송되지 않음", + "now": "지금", + "numwords": "{{$a}} 단어", + "offline": "온라인 제출이 필요하지 않습니다.", + "online": "온라인", "openfullimage": "전체 크기 이미지를 보려면 여기를 클릭하십시오.", "openinbrowser": "브라우저에서 열기", "othergroups": "다른 그룹", + "pagea": "페이지 {{$a}}", + "paymentinstant": "신속하게 등록금 지불 및 등록을 마치려면 아래의 버튼을 사용하시오!", "percentagenumber": "{{$a}}%", + "phone": "전화", + "pictureof": "{{$a}} 사진", + "previous": "이전으로", "pulltorefresh": "당겨서 새로 고침", "redirectingtosite": "사이트로 리디렉션됩니다.", + "refresh": "새로고침", + "required": "필수사항", "requireduserdatamissing": "이 사용자에게는 필요한 프로필 데이터가 없습니다. 사이트에 데이터를 입력하고 다시 시도하십시오.
      {{$ a}}", - "retry": "다시 시도" + "restore": "복구", + "retry": "다시 시도", + "save": "저장", + "search": "검색", + "searching": "다음에서 검색", + "searchresults": "검색 결과", + "sec": "초", + "secs": "초", + "seemoredetail": "더 많은 정보를 보기 원하시면 이곳을 클릭하시오.", + "send": "전송", + "sending": "보내는 중", + "serverconnection": "서버 접속 오류", + "show": "보기", + "site": "사이트", + "sizeb": "바이트", + "sizegb": "GB", + "sizekb": "KB", + "sizemb": "MB", + "sortby": "정렬", + "start": "시작", + "submit": "제출", + "success": "성공", + "teachers": "선생님", + "time": "시", + "timesup": "시간이 다 되었습니다!", + "today": "오늘", + "unknown": "알수없음", + "unlimited": "제한없음", + "upgraderunning": "사이트가 판올림 중이므로, 나중에 다시 시도하기 바랍니다.", + "userdeleted": "이 사용자 계정은 삭제되었습니다.", + "userdetails": "사용자 세부사항", + "users": "사용자", + "view": "보기", + "viewprofile": "개인정보 보기", + "year": "년", + "years": "년", + "yes": "예" } \ No newline at end of file diff --git a/www/core/lang/lt.json b/www/core/lang/lt.json index aa508e7f90e..cea16642f54 100644 --- a/www/core/lang/lt.json +++ b/www/core/lang/lt.json @@ -7,14 +7,14 @@ "cancel": "Atšaukti", "cannotconnect": "Negalima prisijungti: patikrinkite, ar teisingai įvedėte URL adresą, ar Jūsų svetainė naudoja Moodle 2.4. ar vėlesnę versiją.", "cannotdownloadfiles": "Jūsų mobiliuoju ryšiu negalima atsisiųsti failo. Prašome susisiekti su svetainės administratoriumi.", - "category": "Kategorija", + "category": "Kursų kategorija", "choose": "Pasirinkite", "choosedots": "Pasirinkite...", "clearsearch": "Išvalyti peiškos laukelį", "clicktohideshow": "Spustelėkite, kad išplėstumėte ar sutrauktumėte", "clicktoseefull": "Paspauskite norėdami pamatyti visą turinį.", - "close": "Uždaryti langą", - "comments": "Komentarai", + "close": "Uždaryti", + "comments": "Jūsų komentarai", "commentscount": "Komentarai ({{$a}})", "commentsnotworking": "Komentarų negalima ištaisyti", "completion-alt-auto-fail": "Užbaigta: {{$a}} (negautas išlaikymo įvertis)", @@ -33,17 +33,17 @@ "content": "Turinys", "contenteditingsynced": "Turinys, kurį taisote, sinchronizuojamas.", "continue": "Tęsti", - "course": "Kursas", + "course": "Kursai", "coursedetails": "Kurso informacija", "currentdevice": "Dabartinis prietaisas", "datastoredoffline": "Duomenys saugomi įrenginyje, nes šiuo metu negalima išsiųsti. Bus vėlaiu išsiųsti automatiškai.", "date": "Data", - "day": "Diena(-os)", - "days": "Dienos", + "day": "diena", + "days": "dienos", "decsep": ".", - "delete": "Pašalinti", - "deleting": "Trinama", - "description": "Įžangos tekstas", + "delete": "Naikinti", + "deleting": "Naikinama", + "description": "Aprašas", "dfdaymonthyear": "MM-DD-MMMM", "dfdayweekmonth": "ddd, D MMM", "dflastweekdate": "ddd", @@ -55,7 +55,7 @@ "download": "Atsisiųsti", "downloading": "Siunčiama", "edit": "Redaguoti", - "error": "Įvyko klaida", + "error": "Klaida", "errorchangecompletion": "Klaida keičiant baigimo būseną. Pabandykite dar kartą.", "errordeletefile": "Klaida trinant failą. Pabandykite dar kartą.", "errordownloading": "Klaida siunčiant failą.", @@ -78,25 +78,25 @@ "groupsseparate": "Atskiros grupės", "groupsvisible": "Matomos grupės", "hasdatatosync": "{{$a}} turi duomenis, kuriuos reikia sinchronizuoti.", - "help": "Pagalba", + "help": "Žinynas", "hide": "Slėpti", "hour": "valanda", "hours": "valandos", "humanreadablesize": "{{dydis}} {{vienetai}}", - "image": "Paveiksliukas", + "image": "Paveiksliukas ({{$a.MIMETYPE2}})", "imageviewer": "Paveiksliukų peržiūra", "info": "Informacija", "ios": "iOS", "labelsep": ":", - "lastmodified": "Paskutinį kartą keista", + "lastmodified": "Paskutinį kartą modifikuota", "lastsync": "Paskutinis sinchronizavimas", "layoutgrid": "Tinklelis", - "list": "Sąrašas", + "list": "Peržiūrėti sąrašą", "listsep": ";", - "loading": "Įkeliama...", + "loading": "Kraunasi", "lostconnection": "Jūsų atpažinimo kodas neteisingas arba negalioja, turėsite vėl prisijungti prie svetainės.", "maxsizeandattachments": "Maksimalus naujo failo dydis: {{$a.size}}, maksimalus priedų skaičius: {{$a.attachments}}", - "min": "Mažiausias balas", + "min": "min.", "mins": "min.", "mod_assign": "Užduotis", "mod_assignment": "Užduotis", @@ -126,15 +126,15 @@ "mod_workshop": "Darbas grupėje", "moduleintro": "Aprašas", "mygroups": "Mano grupės", - "name": "Pavadinimas", + "name": "Vardas", "networkerrormsg": "Tinklas nepasiekiamas arba neveikia.", "never": "Niekada", - "next": "Tęsti", + "next": "Pirmyn", "no": "Ne", - "nocomments": "Nėra komentarų", - "nograde": "Nėra įvertinimų.", - "none": "Nėra", - "nopasswordchangeforced": "Nepakeitus slaptažodžio, negalima tęsti.", + "nocomments": "Jokių komentarų", + "nograde": "Nėra įverčio", + "none": "Nei vienas", + "nopasswordchangeforced": "Negalite tęsti nepakeitę slaptažodžio, tačiau nėra slaptažodžio keitimo puslapio. Susisiekite su „Moodle“ administratoriumi.", "nopermissions": "Atsiprašome, tačiau šiuo metu jūs neturite teisės atlikti šio veiksmo", "noresults": "Nėra rezultatų", "notapplicable": "netaikoma", @@ -142,7 +142,7 @@ "notsent": "Neišsiųsta", "now": "dabar", "numwords": "Žodžių: {{$a}}", - "offline": "Neprisijungęs", + "offline": "Nereikia įkelti darbų į svetainę", "online": "Prisijungęs", "openfullimage": "Paspauskite, norėdami matyti visą vaizdą", "openinbrowser": "Atidaryti naršyklėje", @@ -157,18 +157,18 @@ "quotausage": "Dabar išnaudojama {{$a.used}} Jūsų turimo {{$a.total}} limito.", "redirectingtosite": "Būsite nukreiptas į svetainę.", "refresh": "Atnaujinti", - "required": "Privalomas", + "required": "Būtina", "requireduserdatamissing": "Trūkta vartotojo duomenų. Prašome užpildyti duomenis Moodle ir pabandyti dar kartą.
      {{$a}}", "restore": "Atkurti", "retry": "Bandykite dar kartą", - "save": "Išsaugoti", - "search": "Ieškoti", - "searching": "Ieškoma", + "save": "Įrašyti", + "search": "Paieška", + "searching": "Ieškoti", "searchresults": "Ieškos rezultatai", "sec": "sek.", "secs": "sek.", "seemoredetail": "Spustelėkite čia, kad pamatytumėte daugiau informacijos", - "send": "Siųsti", + "send": "siųsti", "sending": "Siunčiama", "serverconnection": "Klaida jungiantis į serverį", "show": "Rodyti", @@ -195,7 +195,7 @@ "twoparagraphs": "{{p1}}

      {{p2}}", "uhoh": "Uh oh!", "unexpectederror": "Klaida. Uždarykite programėlę ir bandykite atidaryti dar kartą", - "unknown": "Nežinomas", + "unknown": "Nežinoma", "unlimited": "Neribota", "unzipping": "Išskleidžiama", "upgraderunning": "Naujinama svetainės versija, bandykite vėliau.", @@ -209,7 +209,7 @@ "whyisthishappening": "Kodėl tai nutiko?", "windowsphone": "Windows telefonas", "wsfunctionnotavailable": "Interneto paslaugų funkcija nepasiekiama.", - "year": "Metai (-ų)", + "year": "metai", "years": "metai", "yes": "Taip" } \ No newline at end of file diff --git a/www/core/lang/mr.json b/www/core/lang/mr.json index 0bb8a894e2d..86f109a304f 100644 --- a/www/core/lang/mr.json +++ b/www/core/lang/mr.json @@ -3,7 +3,7 @@ "allparticipants": "सर्व सहभागी", "android": "अँड्रॉइड", "back": "पाठीमागे", - "cancel": "रद्द करा", + "cancel": "रद्द", "cannotconnect": "कनेक्ट करू शकत नाही: आपण योग्यरित्या URL टाइप केला असल्याचे आणि आपली साइट Moodle 2.4 किंवा नंतर वापरत असल्याचे सत्यापित करा.", "cannotdownloadfiles": "आपल्या मोबाईल सेवेमध्ये फाइल डाउनलोड करणे अक्षम केले आहे. कृपया, आपल्या साइट प्रशासकाशी संपर्क साधा.", "captureaudio": "ऑडिओ रेकॉर्ड करा", @@ -15,24 +15,24 @@ "clearsearch": "शोध साफ करा", "clicktoseefull": "संपूर्ण सामग्री पाहण्यासाठी क्लिक करा.", "close": "विंडो बंद करा", - "comments": "तुमची मते", + "comments": "टिकाटप्पिणीसाठी", "commentsnotworking": "टिप्पण्या पुनर्प्राप्त करणे शक्य नाही", "confirmcanceledit": "आपली खात्री आहे की आपण हे पृष्ठ सोडू इच्छिता? सर्व बदल गमावले जातील.", "confirmloss": "तुम्हाला खात्री आहे? सर्व बदल गमावले जातील.", "confirmopeninbrowser": "आपण ते ब्राउझरमध्ये उघडू इच्छिता?", "contenteditingsynced": "आपण संपादित करत असलेली सामग्री समक्रमित केली गेली आहे.", - "continue": "चालु ठेवा", + "continue": "चालू रहाणे.", "copiedtoclipboard": "क्लिपबोर्डवर मजकूर कॉपी केला", "course": "कोर्स", "currentdevice": "वर्तमान डिव्हाइस", "datastoredoffline": "डिव्हाइसमध्ये डेटा संचयित केला कारण तो पाठविला जाऊ शकत नाही हे नंतर स्वयंचलितपणे पाठविले जाईल.", - "date": "तारीख", + "date": "दिनांक", "day": "दिवस", "days": "दिवस", "decsep": ".", - "delete": "काढुन टाका", - "deleting": "हटवत आहे", - "description": "वर्णन", + "delete": "मिटवणे", + "deleting": "काढून टाकत आहे...", + "description": "प्रस्तावना", "dfdaymonthyear": "MM-DD-YYYY", "dfdayweekmonth": "ddd, D MMM", "dffulldate": "dddd, D MMMM YYYY h[:]mm A", @@ -42,7 +42,7 @@ "discard": "टाकून द्या", "dismiss": "डिसमिस करा", "downloading": "डाऊनलोड करीत आहे", - "edit": "बदल", + "edit": "तपासा", "emptysplit": "जर डावीकडील पॅनेल रिक्त असेल किंवा लोड होत असेल तर हे पृष्ठ रिक्त दिसून येईल", "error": "चुका", "errorchangecompletion": "पूर्ण स्थिती बदलताना त्रुटी आली. कृपया पुन्हा प्रयत्न करा.", @@ -74,16 +74,16 @@ "humanreadablesize": "{{size}} {{unit}}", "image": "प्रतिमा", "imageviewer": "प्रतिमा दर्शक", - "info": "माहिती", + "info": "माहीती", "ios": "iOS", "lastdownloaded": "अंतिम डाउनलोड केलेले", "lastmodified": "शेवटचा बदललेले", "lastsync": "अंतिम संकालन", - "list": "यादी", + "list": "यादी पहा", "listsep": ",", "loadmore": "अजून लोड करा", "lostconnection": "आपले प्रमाणीकरण टोकन अवैध आहे किंवा कालबाह्य झाले आहे, आपल्याला साइटशी पुन्हा कनेक्ट करणे आवश्यक आहे.", - "min": "लहानान लहान", + "min": "कमीत कमी गुण", "mins": "मिनस", "mod_chat": "संभाषण", "mod_choice": "निवड", @@ -95,11 +95,11 @@ "name": "नाव", "networkerrormsg": "साइटवर कनेक्ट करताना समस्या आली. कृपया आपले कनेक्शन तपासा आणि पुन्हा प्रयत्न करा.", "never": "नाही", - "next": "पुढचा", + "next": "पुढील", "no": "नाही", "nograde": "श्रेणी दिलेली नाहि", - "none": "काहिच नाही.", - "nopasswordchangeforced": "आपण आपला पासवर्ड न बदलता पुढे जाऊ शकत नाही.", + "none": "काहीही नाही", + "nopasswordchangeforced": "पासवर्ड बदलल्याशिवाय तुम्ही पुढे जाऊच शकत नाही.जर त्यासाठी पान उपलब्ध नसेल तर मुडल व्यवस्थापकाशी संपर्क साधा.", "noresults": "निकाल नाही.", "notapplicable": "n/a", "notice": "पूर्वसुचना", @@ -123,12 +123,12 @@ "retry": "पुन्हा प्रयत्न करा", "save": "जतन करा", "search": "शोध", - "searching": "शोधत आहे", + "searching": "यात शोधत आहे..", "searchresults": "निकाल शोधा.", "sec": "सेकंद", "secs": "सेकन्दस", "sending": "पाठवत आहे", - "show": "दाखवा.", + "show": "दाखवा", "showmore": "अजून दाखवा...", "site": "साईट", "sitemaintenance": "साइटवर देखरेख चालू आहे आणि सध्या उपलब्ध नाही", @@ -153,7 +153,7 @@ "unexpectederror": "अनपेक्षित त्रुटी कृपया पुन्हा प्रयत्न करण्यासाठी अनुप्रयोग बंद करा आणि पुन्हा उघडा", "unicodenotsupported": "या साइटवर काही इमोजी समर्थित नाहीत. जेव्हा संदेश पाठविला जातो तेव्हा असे अक्षरे काढून टाकले जातील.", "unicodenotsupportedcleanerror": "युनिकोड वर्ण साफ करताना रिक्त मजकूर सापडला.", - "unknown": "अज्ञात", + "unknown": "अनोळखी", "unlimited": "अमर्याद", "unzipping": "अनझिप चालू आहे", "userdeleted": "ह्या युजरचे खाते काढून टाकण्यात आले आहे.", diff --git a/www/core/lang/nl.json b/www/core/lang/nl.json index a18f5c6bd5f..4d33d5aa84f 100644 --- a/www/core/lang/nl.json +++ b/www/core/lang/nl.json @@ -17,8 +17,8 @@ "clearsearch": "Zoekresultaten leegmaken", "clicktohideshow": "Klik om te vergroten of te verkleinen", "clicktoseefull": "Klik hier om de volledige inhoud te zien", - "close": "Sluit weergave test", - "comments": "Jouw commentaar", + "close": "Sluit", + "comments": "Notities", "commentscount": "Opmerkingen ({{$a}})", "commentsnotworking": "Opmerkingen konden niet opgehaald worden", "completion-alt-auto-fail": "Voltooid: {{$a}} (bereikte het cijfer voor geslaagd niet)", @@ -37,21 +37,21 @@ "confirmopeninbrowser": "Wil je het openen in je browser?", "content": "Inhoud", "contenteditingsynced": "De inhoud die je aan het bewerken bent, is gesynchroniseerd.", - "continue": "Ga verder", + "continue": "Ga door", "copiedtoclipboard": "Tekst gekopieerd naar klembord", "course": "Cursus", "coursedetails": "Cursusdetails", "currentdevice": "Huidig apparaat", "datastoredoffline": "Gegevens die bewaard werden op het toestel konden niet verstuurd worden. Ze zullen later automatisch verzonden worden.", "date": "Datum", - "day": "Dag(en)", - "days": "Dagen", + "day": "dag", + "days": "dagen", "decsep": ",", "defaultvalue": "Standaard ({{$a}})", "delete": "Verwijder", "deletedoffline": "Offline verwijderd", - "deleting": "Verwijderen.", - "description": "Beschrijving", + "deleting": "Verwijderen", + "description": "Inleidende tekst", "dfdaymonthyear": "MM-DD-JJJJ", "dfdayweekmonth": "ddd, D, MMM", "dffulldate": "dddd, D MMMM YYYY h[:]mm A", @@ -63,9 +63,9 @@ "done": "Voltooid", "download": "Download", "downloading": "Downloaden", - "edit": "Bewerk", + "edit": "Wijzig", "emptysplit": "Deze pagina zal leeg verschijnen als het linker paneel leeg of aan het laden is.", - "error": "Er is een fout opgetreden", + "error": "Fout", "errorchangecompletion": "Er is een fout opgetreden tijdens het wijzigen van de voltooiingsstatus. Probeer opnieuw.", "errordeletefile": "Fout tijdens het verwijderen van het bestand. Probeer opnieuw.", "errordownloading": "Fout bij downloaden bestand", @@ -94,22 +94,22 @@ "hour": "uur", "hours": "uren", "humanreadablesize": "{{size}} {{unit}}", - "image": "Afbeelding", + "image": "Afbeelding ({{$a.MIMETYPE2}})", "imageviewer": "Afbeeldingsviewer", - "info": "Info", + "info": "Informatie", "ios": "iOS", "labelsep": ": ", "lastdownloaded": "Laatste download", - "lastmodified": "Laatste wijziging", + "lastmodified": "Laatst gewijzigd", "lastsync": "Laatste synchronisatie", "layoutgrid": "Tabel", - "list": "Lijst", + "list": "Lijstweergave", "listsep": ";", - "loading": "Laden...", + "loading": "Aan het laden", "loadmore": "Meer laden", "lostconnection": "Je token is ongeldig of verlopen. Je zult opnieuw moeten verbinden met de site.", "maxsizeandattachments": "Maximale grootte voor nieuwe bestanden: {{$a.size}}, maximum aantal bijlagen: {{$a.attachments}}", - "min": "Minimumscore", + "min": "minuut", "mins": "minuten", "mod_assign": "Opdracht", "mod_assignment": "Opdracht", @@ -142,20 +142,20 @@ "name": "Naam", "networkerrormsg": "Er was een probleem met het verbinden met de site. Controleer je verbinding en probeer opnieuw.", "never": "Nooit", - "next": "Volgende", + "next": "VolgendeAdm", "no": "Nee", - "nocomments": "Er zijn geen opmerkingen", - "nograde": "Geen cijfer.", + "nocomments": "Geen commentaren", + "nograde": "Nog geen cijfer", "none": "Geen", - "nopasswordchangeforced": "Je kunt niet verdergaan zonder je wachtwoord te veranderen.", + "nopasswordchangeforced": "Je kunt niet verdergaan zonder je wachtwoord te wijzigen, hoewel er geen pagina voorzien is om dat te doen. Neem contact op met je Moodlebeheerder", "nopermissions": "Sorry, maar je hebt nu niet het recht om dat te doen ({{$a}}).", - "noresults": "Geen resultaten", + "noresults": "Geen resultaat", "notapplicable": "n/a", "notice": "Opmerking", "notsent": "Niet verstuurd", "now": "Nu", "numwords": "{{$a}} woorden", - "offline": "Je hoeft niets online in te sturen", + "offline": "Offline", "online": "Online", "openfullimage": "Klik hier om de afbeelding op volledige grootte weer te geven.", "openinbrowser": "Open in browser", @@ -170,21 +170,21 @@ "quotausage": "Je hebt {{$a.used}} gebruikt van je totale limiet van {{$a.total}}.", "redirectingtosite": "Je wordt doorgestuurd naar de site.", "refresh": "Vernieuw", - "required": "Verplicht", + "required": "Vereist", "requireduserdatamissing": "Er ontbreken vereiste gegevens in het profiel van deze gebruiker. Vul deze gegevens in op je Moodle-site en probeer opnieuw.
      {{$a}}", "restore": "Terugzetten", "retry": "Probeer opnieuw", "save": "Bewaar", - "search": "Zoek", - "searching": "Zoeken", + "search": "Zoeken...", + "searching": "Zoek in", "searchresults": "Zoekresultaten", "sec": "seconde", "secs": "seconden", "seemoredetail": "Klik hier om meer details te zien", - "send": "stuur", - "sending": "Sturen", + "send": "Stuur", + "sending": "Versturen", "serverconnection": "Fout bij het verbinden met de server", - "show": "Laat zien", + "show": "Toon", "showmore": "Toon meer...", "site": "Site", "sitemaintenance": "De site is in onderhoud en is op dit ogenblik niet beschikbaar.", @@ -196,7 +196,7 @@ "sorry": "Sorry...", "sortby": "Sorteer volgens", "start": "Start", - "submit": "Verstuur", + "submit": "Insturen", "success": "Succes", "tablet": "Tablet", "teachers": "leraren", @@ -218,7 +218,7 @@ "userdetails": "Gebruikersdetails", "usernotfullysetup": "Gebruiker niet volledig ingesteld", "users": "Gebruikers", - "view": "Bekijk", + "view": "Bekijken", "viewprofile": "Bekijk profiel", "warningofflinedatadeleted": "Offline data van {{component}} '{{name}}' is verwijderd. {{error}}", "whoops": "Oei!", diff --git a/www/core/lang/no.json b/www/core/lang/no.json index 1d092a8e2cf..82619699236 100644 --- a/www/core/lang/no.json +++ b/www/core/lang/no.json @@ -13,8 +13,8 @@ "clearsearch": "Nullstill søk", "clicktohideshow": "Klikk for å utvide/skjule", "clicktoseefull": "Klikk for å se hele innholdet.", - "close": "Lukk forhåndsvsining", - "comments": "Dine kommentarer", + "close": "Steng", + "comments": "Kommentarer", "commentscount": "Kommentarer ({{$a}})", "completion-alt-auto-fail": "Gjennomført: {{$a}} (uten godkjent karakter)", "completion-alt-auto-n": "Ikke fullført: {{$a}}", @@ -35,16 +35,16 @@ "course": "Kurs", "coursedetails": "Kursdetaljer", "date": "Dato", - "day": "Dager", - "days": "Dager", + "day": "dag", + "days": "dager", "decsep": ",", "delete": "Slett", "deleting": "Sletter", - "description": "Informasjonsfelt", + "description": "Beskrivelse", "done": "Ferdig", "download": "Last ned", - "edit": "Endre", - "error": "Feil oppstod", + "edit": "Rediger", + "error": "Feil", "filename": "Filnavn", "folder": "Mappe", "forcepasswordchangenotice": "Du må endre passordet for å fortsette", @@ -56,15 +56,15 @@ "hour": "time", "hours": "timer", "image": "Bilde ({{$a.MIMETYPE2}})", - "info": "Info", + "info": "Informasjon", "labelsep": ":", - "lastmodified": "Sist endret", + "lastmodified": "Sist modifisert", "layoutgrid": "Rutenett", - "list": "Liste", + "list": "Vis liste", "listsep": ";", - "loading": "Laster...", + "loading": "Laster", "maxsizeandattachments": "Maks størrelse for nye filer: {{$a.size}}, maks antall vedlegg: {{$a.attachments}}", - "min": "Minimumskarakter", + "min": "min", "mins": "min", "mod_assign": "Innlevering", "mod_chat": "Nettprat", @@ -82,10 +82,10 @@ "moduleintro": "Beskrivelse", "name": "Navn", "never": "Aldri", - "next": "Fortsett", + "next": "Neste", "no": "Nei", - "nocomments": "Ingen kommentarer lagt til", - "nograde": "Ingen karakter.", + "nocomments": "Ingen kommentarer", + "nograde": "Ingen karakter", "none": "Ingen", "nopasswordchangeforced": "Du kan ikke fortsette uten å endre passordet ditt, men det er ingen tilgjengelig side for å endre det. Vær vennlig å kontakt Moodleadministratoren din.", "nopermissions": "Beklager, men du har ikke rettighet til å gjøre dette ({{$a}})", @@ -93,7 +93,7 @@ "notice": "Merknad", "now": "nå", "numwords": "{{$a}} ord", - "offline": "Ikke på nett", + "offline": "Ingen innleveringer på nett påkrevd", "online": "På nett", "pagea": "Side {{$a}}", "paymentinstant": "Bruk knappen under for å betale og melde deg på kurset.", @@ -101,17 +101,17 @@ "pictureof": "Bilde av {{$a}}", "previous": "Forrige", "quotausage": "Du har brukt {{$a.used}} av din totale grense på {{$a.limit}}", - "refresh": "Frisk opp skjermbildet", - "required": "Obligatorisk", - "restore": "Gjenopprett", + "refresh": "Oppdatér", + "required": "Påkrevd", + "restore": "Gjenoppretting", "save": "Lagre", - "search": "Søk", - "searching": "Søker i...", + "search": "Søk...", + "searching": "Søk i", "searchresults": "Søkeresultater", "sec": "sek", "secs": "sek", "seemoredetail": "Klikk her for detaljer", - "send": "send", + "send": "Send", "sending": "Sender", "serverconnection": "Feil ved tilkobling til server", "show": "Vis", @@ -135,9 +135,9 @@ "userdetails": "Brukerdetaljer", "usernotfullysetup": "Bruker ikke ferdig satt opp", "users": "Brukere", - "view": "Vis", + "view": "Visning", "viewprofile": "Vis profilen", - "year": "År", + "year": "år", "years": "år", "yes": "Ja" } \ No newline at end of file diff --git a/www/core/lang/pl.json b/www/core/lang/pl.json index 23a6a3f450f..d8b3aaac688 100644 --- a/www/core/lang/pl.json +++ b/www/core/lang/pl.json @@ -8,8 +8,8 @@ "choose": "Wybierz", "choosedots": "Wybierz ...", "clicktohideshow": "Kliknij, aby rozwinąć lub zwinąć", - "close": "Zamknij okno", - "comments": "Komentarze", + "close": "Zamknij", + "comments": "Twój komentarz", "commentscount": "Komentarze ({{$a}})", "completion-alt-auto-fail": "Ukończone: {{$a}} (bez pozytywnej oceny)", "completion-alt-auto-n": "Nie ukończone: {{$a}}", @@ -22,18 +22,18 @@ "continue": "Kontynuuj", "course": "Kurs", "coursedetails": "Szczegóły kursu", - "date": "data", - "day": "Dzień/dni", - "days": "Dni", + "date": "Data", + "day": "dzień", + "days": "dni", "decsep": ",", "delete": "Usuń", "deleting": "Usuwanie", - "description": "Opis", + "description": "Wstęp", "done": "Wykonane", "download": "Pobierz", "downloading": "Pobieranie ...", - "edit": "Edytuj", - "error": "Wystąpił błąd", + "edit": "Modyfikuj", + "error": "Błąd", "filename": "Nazwa pliku", "folder": "Folder", "forcepasswordchangenotice": "W celu kontynuacji musisz zmienić swoje hasło", @@ -47,14 +47,14 @@ "image": "Obraz ({{$a.MIMETYPE2}})", "info": "Informacja", "labelsep": ": ", - "lastmodified": "Ostatnia modyfikacja", + "lastmodified": "Ostatnia modyfikacja:", "layoutgrid": "siatka", - "list": "Lista", + "list": "Podgląd listy", "listsep": ";", - "loading": "Ładuję ...", + "loading": "Ładowanie", "lostconnection": "Straciliśmy połączenie i musisz się połączyć ponowne. Twój token jest teraz nieważny", "maxsizeandattachments": "Maksymalny rozmiar dla nowych plików: {{$a.size}}, maksimum załączników: {{$a.attachments}}", - "min": "Min punkty", + "min": "min", "mins": "min.", "mod_assign": "Zadanie", "mod_chat": "Czat", @@ -70,13 +70,13 @@ "mod_wiki": "Wiki", "mod_workshop": "Warsztaty", "moduleintro": "Opis", - "name": "Nazwa", + "name": "Nazwa:", "networkerrormsg": "Sieć jest wyłączona lub nie działa.", "never": "Nigdy", - "next": "Następny", + "next": "Dalej", "no": "Nie", "nocomments": "Brak komentarzy", - "nograde": "Brak oceny.", + "nograde": "Brak oceny", "none": "Żaden", "nopasswordchangeforced": "Nie możesz kontynuować bez zmiany hasła, jakkolwiek nie ma dostępnej strony do tej zmiany. Proszę skontaktować się z Administratorem Moodla.", "nopermissions": "Brak odpowiednich uprawnień do wykonania ({{$a}})", @@ -84,7 +84,7 @@ "notice": "Powiadomienie", "now": "teraz", "numwords": "{{$a}} słów", - "offline": "Offline", + "offline": "Wysyłanie online nie jest wymagane", "online": "Online", "pagea": "Strona {{$a}}", "paymentinstant": "Użyj poniższego przycisku, aby zapłacić i zapisać się na kurs w ciągu kilku minut!", @@ -92,17 +92,17 @@ "pictureof": "Obraz {{$a}}", "previous": "Wstecz", "quotausage": "Aktualnie wykorzystano {{$a.used}} z limitu {{$a.total}}.", - "refresh": "Odswież", + "refresh": "Odśwież", "required": "Wymagane", - "restore": "Przywrócić", + "restore": "Odtwórz", "save": "Zapisz", - "search": "Szukaj", - "searching": "Wyszukiwanie w ...", - "searchresults": "Szukaj w rezultatach", + "search": "Wyszukaj", + "searching": "Szukaj w", + "searchresults": "Wyniki wyszukiwania", "sec": "sek", "secs": "sek.", "seemoredetail": "Kliknij aby zobaczyć więcej szczegółów", - "send": "Wyślij", + "send": "wyślij", "sending": "Wysyłanie", "serverconnection": "Błąd podczas łączenia się z serwerem", "show": "Pokaż", @@ -113,12 +113,12 @@ "sizemb": "MB", "sortby": "Posortuj według", "start": "Rozpocznij", - "submit": "Zatwierdź", + "submit": "Prześlij", "success": "Gotowe", "teachers": "Prowadzący", "time": "Czas", "timesup": "Koniec czasu", - "today": "Dzisiaj", + "today": "Dziś", "unexpectederror": "Niespodziewany błąd. Zamknij i otwórz aplikację ponownie aby spróbować jeszcze raz", "unknown": "Nieznany", "unlimited": "Nieograniczone", @@ -126,9 +126,9 @@ "userdeleted": "To konto użytkownika zostało usunięte", "userdetails": "Szczegóły użytkownika", "users": "Użytkownicy", - "view": "Przegląd", + "view": "Wejście", "viewprofile": "Zobacz profil", - "year": "Rok/lata", + "year": "rok", "years": "lata", "yes": "Tak" } \ No newline at end of file diff --git a/www/core/lang/pt-br.json b/www/core/lang/pt-br.json index d9eb069ba8d..1e51736dc9a 100644 --- a/www/core/lang/pt-br.json +++ b/www/core/lang/pt-br.json @@ -17,8 +17,8 @@ "clearsearch": "Limpar busca", "clicktohideshow": "Clique para expandir ou contrair", "clicktoseefull": "Clique para ver o conteúdo completo.", - "close": "Fechar janela", - "comments": "Comentários", + "close": "Fechar", + "comments": "Seus comentários", "commentscount": "Comentários ({{$a}})", "commentsnotworking": "Os comentários não podem ser recuperados", "completion-alt-auto-fail": "Concluído: {{$a}} (não obteve nota para aprovação)", @@ -44,13 +44,13 @@ "currentdevice": "Dispositivo atual", "datastoredoffline": "Os dados foram guardados no dispositivo porque não foi possível enviar agora. Os dados serão automaticamente enviados mais tarde.", "date": "Data", - "day": "Dia(s)", - "days": "Dias", + "day": "dia", + "days": "dias", "decsep": ",", - "delete": "Excluir", + "delete": "Cancelar", "deletedoffline": "Apagada em modo offline", "deleting": "Excluindo", - "description": "Descrição", + "description": "Texto do link", "dfdaymonthyear": "MM-DD-YYYY", "dfdayweekmonth": "ddd, D MMM", "dffulldate": "dddd, D MMMM YYYY h[:]mm A", @@ -64,7 +64,7 @@ "downloading": "Baixando", "edit": "Editar", "emptysplit": "Esta página aparecerá em branco se o painel esquerdo estiver vazio ou enquanto estiver a ser carregado.", - "error": "Ocorreu um erro", + "error": "Erro", "errorchangecompletion": "Ocorreu um erro ao alterar o status de conclusão. Por favor, tente novamente.", "errordeletefile": "Erro ao excluir o arquivo. Por favor tente novamente.", "errordownloading": "Erro ao baixar o arquivo", @@ -93,22 +93,22 @@ "hour": "hora", "hours": "horas", "humanreadablesize": "{{size}} {{unit}}", - "image": "Imagem", + "image": "Imagem ({{$a.MIMETYPE2}})", "imageviewer": "Visualizador de imagens", - "info": "Informações", + "info": "Informação", "ios": "iOS", "labelsep": ": ", "lastdownloaded": "Descarregada última vez em", - "lastmodified": "Última atualização", + "lastmodified": "Última modificação", "lastsync": "Última sincronização", "layoutgrid": "Grade", - "list": "Lista", + "list": "Ver lista", "listsep": ";", - "loading": "Carregando...", + "loading": "Carregando", "loadmore": "Ver mais", "lostconnection": "Perdemos conexão. Você precisa se reconectar. Seu token agora está inválido.", "maxsizeandattachments": "Tamanho máximo para novos arquivos: {{$a.size}}, máximo de anexos: {{$a.attachments}}", - "min": "Pontuação mínima", + "min": "minuto", "mins": "minutos", "mod_assign": "Tarefa", "mod_assignment": "Tarefa", @@ -141,20 +141,20 @@ "name": "Nome", "networkerrormsg": "Rede não habilitada ou não está funcionado", "never": "Nunca", - "next": "Próxima", + "next": "Próximo", "no": "Não", - "nocomments": "Não existem comentários", - "nograde": "Não há nota", - "none": "Nada", - "nopasswordchangeforced": "Você não pode proceder sem mudar sua senha.", + "nocomments": "Nenhum comentário", + "nograde": "Nenhuma nota", + "none": "Nenhum", + "nopasswordchangeforced": "Você não pode continuar sem mudar sua senha. Mas infelizmente não existe uma página para esse propósito.\nPor favor contate o Administrador Moodle.", "nopermissions": "Você não tem permissão para {{$a}}", - "noresults": "Nenhum resultado", + "noresults": "Sem resultados", "notapplicable": "n/a", "notice": "Notar", "notsent": "Não enviado", "now": "agora", "numwords": "{{$a}} palavras", - "offline": "Desconectado", + "offline": "Não há envios online solicitados", "online": "Conectado", "openfullimage": "Clique aqui para exibir a imagem no tamanho completo", "openinbrowser": "Abrir no navegador", @@ -169,21 +169,21 @@ "quotausage": "Você está usando {{$a.used}} do seu limite de {{$a.total}}.", "redirectingtosite": "Você será redirecionado para o site.", "refresh": "Atualizar", - "required": "Exigido", + "required": "Necessários", "requireduserdatamissing": "Este usuário não possui alguns dados de perfil exigidos. Por favor, preencha estes dados em seu Moodle e tente novamente.
      {{$a}}", "restore": "Restaurar", "retry": "Tentar novamente", - "save": "Salvar", - "search": "Busca", - "searching": "Procurando", + "save": "Gravar", + "search": "Buscar", + "searching": "Buscar em", "searchresults": "Resultados da busca", "sec": "segundo", "secs": "segundos", "seemoredetail": "Clique aqui para mais detalhes", - "send": "Enviar", + "send": "enviar", "sending": "Enviando", "serverconnection": "Erro ao conectar ao servidor", - "show": "Exibir", + "show": "Mostrar", "showmore": "Exibir mais...", "site": "Site", "sitemaintenance": "Os site está em manutenção e atualmente não está disponível", @@ -200,7 +200,7 @@ "tablet": "Tablet", "teachers": "Professores", "thereisdatatosync": "Existem {{$a}} offline para ser sincronizados.", - "time": "Duração", + "time": "Hora", "timesup": "Acabou o tempo de duração!", "today": "Hoje", "tryagain": "Tente de novo", @@ -217,14 +217,14 @@ "userdetails": "Detalhes do usuário", "usernotfullysetup": "O usuário não está totalmente configurado", "users": "Usuários", - "view": "Visualizar", + "view": "Ver", "viewprofile": "Ver perfil", "warningofflinedatadeleted": "Dados offline de {{component}} '{{name}}' foram excluídos. {{error}}", "whoops": "Oops!", "whyisthishappening": "Por que isso está acontecendo?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "A função do webservice não está disponível.", - "year": "Ano(s)", + "year": "ano", "years": "anos", "yes": "Sim" } \ No newline at end of file diff --git a/www/core/lang/pt.json b/www/core/lang/pt.json index f9923fc829c..67fcf1f43cc 100644 --- a/www/core/lang/pt.json +++ b/www/core/lang/pt.json @@ -17,8 +17,8 @@ "clearsearch": "Limpar pesquisa", "clicktohideshow": "Clique para expandir ou contrair", "clicktoseefull": "Clique para ver todos os conteúdos.", - "close": "Fechar janela", - "comments": "Comentários", + "close": "Fechar", + "comments": "Os seus comentários", "commentscount": "Comentários ({{$a}})", "commentsnotworking": "Não foi possível recuperar os comentários", "completion-alt-auto-fail": "Concluída: {{$a}} (não atingiu nota de aprovação)", @@ -44,8 +44,8 @@ "currentdevice": "Dispositivo atual", "datastoredoffline": "Dados armazenados no dispositivo por não ter sido possível enviar. Serão automaticamente enviados mais tarde.", "date": "Data", - "day": "Dia(s)", - "days": "Dias", + "day": "dia", + "days": "dias", "decsep": ",", "delete": "Apagar", "deletedoffline": "Apagada em modo offline", @@ -64,7 +64,7 @@ "downloading": "A descarregar", "edit": "Editar", "emptysplit": "Esta página aparecerá em branco se o painel esquerdo estiver vazio ou enquanto estiver a ser carregado.", - "error": "Ocorreu um erro", + "error": "Erro", "errorchangecompletion": "Ocorreu um erro ao alterar o estado de conclusão. Por favor, tente novamente.", "errordeletefile": "Erro ao apagar o ficheiro. Por favor, tente novamente.", "errordownloading": "Erro ao descarregar ficheiro.", @@ -93,22 +93,22 @@ "hour": "hora", "hours": "horas", "humanreadablesize": "{{size}} {{unit}}", - "image": "Imagem", + "image": "Imagem ({{$a.MIMETYPE2}})", "imageviewer": "Visualizador de imagens", - "info": "Informações", + "info": "Informação", "ios": "iOS", "labelsep": ": ", "lastdownloaded": "Descarregada última vez em", - "lastmodified": "Última alteração", + "lastmodified": "Modificado pela última vez:", "lastsync": "Última sincronização", "layoutgrid": "Grelha", - "list": "Lista", + "list": "Ver lista", "listsep": ";", - "loading": "A carregar...", + "loading": "A carregar", "loadmore": "Ver mais", "lostconnection": "O seu token é inválido ou expirou. Terá de se autenticar novamente no site.", "maxsizeandattachments": "Tamanho máximo para novos ficheiros: {{$a.size}}, número máximo de anexos: {{$a.attachments}}", - "min": "Nota mínima", + "min": "minuto", "mins": "minutos", "mod_assign": "Trabalho", "mod_assignment": "Trabalho", @@ -138,15 +138,15 @@ "mod_workshop": "Workshop", "moduleintro": "Descrição", "mygroups": "Meus grupos", - "name": "Nome", + "name": "Designação", "networkerrormsg": "Houve um problema ao ligar ao site. Por favor verifique sua ligação e tente novamente.", "never": "Nunca", - "next": "Continuar", + "next": "Seguinte", "no": "Não", - "nocomments": "Não existem comentários", - "nograde": "Sem avaliação", - "none": "Nenhuma", - "nopasswordchangeforced": "Não pode prosseguir sem alterar sua senha.", + "nocomments": "Sem comentários", + "nograde": "Nenhuma nota", + "none": "Nenhum", + "nopasswordchangeforced": "Não consegue prosseguir sem modificar a senha, entretanto não existe nenhuma página disponível para a mudar. Por favor contate o Administrador do site Moodle.", "nopermissions": "Atualmente, não tem permissões para realizar a operação {{$a}}", "noresults": "Sem resultados", "notapplicable": "n/a", @@ -154,7 +154,7 @@ "notsent": "Não enviado", "now": "agora", "numwords": "{{$a}} palavra(s)", - "offline": "Não é necessário submeter nada online", + "offline": "Inativo", "online": "Inativo", "openfullimage": "Clique aqui para exibir a imagem em tamanho real", "openinbrowser": "Abrir no navegador", @@ -169,14 +169,14 @@ "quotausage": "Está atualmente a usar {{$a.used}} do máximo de {{$a.total}}.", "redirectingtosite": "Irá ser redirecionado para o site.", "refresh": "Atualizar", - "required": "Obrigatório", + "required": "Resposta obrigatória", "requireduserdatamissing": "Este utilizador não possui todos os dados de perfil obrigatórios. Por favor, preencha estes dados no seu site e tente novamente.
      {{$a}}", "restore": "Restaurar", "retry": "Tentar novamente", - "save": "Guardar", - "search": "Pesquisa", - "searching": "A procurar", - "searchresults": "Resultados da procura", + "save": "Gravar", + "search": "Procurar", + "searching": "Pesquisar em", + "searchresults": "Procurar resultados", "sec": "segundo", "secs": "segundos", "seemoredetail": "Clique aqui para ver mais detalhes", @@ -195,12 +195,12 @@ "sorry": "Desculpe...", "sortby": "Ordenar por", "start": "Iniciar", - "submit": "Submeter", + "submit": "Enviar", "success": "Operação realizada com sucesso!", "tablet": "Tablet", "teachers": "Professores", "thereisdatatosync": "Existem {{$a}} offline que têm de ser sincronizados.", - "time": "Tempo", + "time": "Hora", "timesup": "O tempo terminou!", "today": "Hoje", "tryagain": "Tente novamente", @@ -209,7 +209,7 @@ "unexpectederror": "Erro inesperado. Por favor, feche e abra a aplicação e tente de novo.", "unicodenotsupported": "Alguns emojis não são suportados neste site. Estes caracteres serão removidos quando a mensagem for enviada.", "unicodenotsupportedcleanerror": "Foi encontrado texto vazio ao limpar caracteres Unicode.", - "unknown": "Desconhecido", + "unknown": "Desconhecido(a)", "unlimited": "Ilimitado(a)", "unzipping": "A descomprimir", "upgraderunning": "O site está em processo de atualização, por favor, tente novamente mais tarde.", @@ -224,7 +224,7 @@ "whyisthishappening": "Por que é que isto está a acontecer?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "A função do webservice não está disponível.", - "year": "Ano(s)", + "year": "ano", "years": "anos", "yes": "Sim" } \ No newline at end of file diff --git a/www/core/lang/ro.json b/www/core/lang/ro.json index b4c7bb76c69..7b5dcb8fd94 100644 --- a/www/core/lang/ro.json +++ b/www/core/lang/ro.json @@ -12,8 +12,8 @@ "clearsearch": "Curățați căutările", "clicktohideshow": "Click pentru maximizare sau minimizare", "clicktoseefull": "Apăsați pentru a vedea întregul conținut", - "close": "Închide fereastra", - "comments": "Comentarii", + "close": "Închide", + "comments": "Comentariile dumneavoastră", "commentscount": "Comentarii ({{$a}})", "completion-alt-auto-fail": "Finalizat: {{$a}} (nu a obținut notă de trecere)", "completion-alt-auto-n": "Nu s-a finalizat: {{$a}}", @@ -24,16 +24,16 @@ "confirmdeletefile": "Sunteți sigur că doriți să ștergeți acest fișier?", "confirmopeninbrowser": "Doriți să deschideți într-un browser?", "content": "Conţinut", - "continue": "Mai departe", + "continue": "Continuă", "course": "Curs", "coursedetails": "Detalii curs", - "date": "Data", - "day": "Zi(Zile)", - "days": "Zile", + "date": "Dată", + "day": "zi", + "days": "zile", "decsep": ",", - "delete": "Ștergeți", - "deleting": "Se șterge", - "description": "Descriere", + "delete": "Şterge", + "deleting": "În curs de ştergere", + "description": "Text introductiv", "dfdayweekmonth": "zzz, Z LLL", "dflastweekdate": "zzz", "dfmediumdate": "LLL", @@ -41,8 +41,8 @@ "done": "Terminat", "download": "Descarcă", "downloading": "Se descarcă", - "edit": "Editare", - "error": "A apărut o eroare", + "edit": "Editează", + "error": "Eroare", "errorchangecompletion": "A apărut o eroare în timpul schimbării nivelului de completare a cursului. Încercați din nou!", "errordownloading": "A apărut o eroare la descărcarea fișierului.", "errordownloadingsomefiles": "A apărut o eroare la descărcarea fișierelor modulului. Unele fișiere pot lipsi.", @@ -61,20 +61,20 @@ "hour": "oră", "hours": "ore", "humanreadablesize": "{{mărime}} {{unitate}}", - "image": "Imagine", + "image": "Imagine ({{$a.MIMETYPE2}})", "imageviewer": "Vizualizator pentru imagini", - "info": "Info", + "info": "Informaţii", "ios": "iOS", "labelsep": ":", - "lastmodified": "Ultima modificare", + "lastmodified": "Modificat ultima dată", "lastsync": "Ultima sincronizare", "layoutgrid": "Grilă", - "list": "Listă", + "list": "Afişează listă", "listsep": ";", - "loading": "Încărcare ...", + "loading": "Se încarcă", "lostconnection": "Tokenul pentru autentificare este invalid sau a expirat; trebuie să va reconectați!", "maxsizeandattachments": "Dimensiunea maximă pentru fișierele noi: {{$a.size}}, atașamente maxime: {{$a.attachments}}", - "min": "Punctaj minim", + "min": "min", "mins": "min", "mod_assign": "Temă", "mod_assignment": "Temă", @@ -106,19 +106,19 @@ "name": "Nume", "networkerrormsg": "Rețea de date inexistentă sau nefuncțională", "never": "Niciodată", - "next": "Înainte", + "next": "Următorul", "no": "Nu", - "nocomments": "Nu există comentarii", - "nograde": "Fără notă.", - "none": "Niciunul", + "nocomments": "Nu sunt comentarii", + "nograde": "Nicio notă", + "none": "nici unul", "nopasswordchangeforced": "Nu puteţi trece mai departe fără să vă schimbaţi parola, însă nu există nicio pagină în care să realizaţi această operaţiune. Vă rugăm contactaţi un administrator Moodle.", "nopermissions": "Ne pare rău, dar în acest moment nu aveţi permisiunea să realizaţi această operaţiune ({{$a}})", - "noresults": "Niciun rezultat", + "noresults": "Nu sunt rezultate", "notapplicable": "n/a", "notice": "Notificare", "now": "acum", "numwords": "{{$a}} cuvinte", - "offline": "Offline", + "offline": "Nu se solicită răspunsuri online", "online": "Online", "openfullimage": "Apăsați aici pentru a vizualiza imaginea la dimensiunea întreagă", "openinbrowser": "Deschideți în browser", @@ -129,21 +129,21 @@ "pictureof": "Imaginea {{$a}}", "previous": "Precedent", "pulltorefresh": "Trageți în jos pentru actualizare", - "refresh": "Actualizați", - "required": "Necesar", + "refresh": "Reîncarcă", + "required": "Obligatoriu", "requireduserdatamissing": "Acest utilizator are unele date de profil obligatorii necompletate. Completați aceste date în contul din Moodle și încercați din nou.
      {{$a}}", - "restore": "Restaurare", - "save": "Salvează", - "search": "Căutați", - "searching": "Căutare", - "searchresults": "Rezultatele căutării", + "restore": "Restaurează", + "save": "Salvare", + "search": "Caută", + "searching": "Căutare în", + "searchresults": "Rezultate căutare", "sec": "sec", "secs": "secs", "seemoredetail": "Apasă aici pentru mai multe detalii", - "send": "trimis", + "send": "Trimis", "sending": "Se trimite", "serverconnection": "Eroare la conectarea la server", - "show": "Afișați", + "show": "Afişare", "site": "Site", "sizeb": "bytes", "sizegb": "GB", @@ -156,7 +156,7 @@ "success": "Succes", "tablet": "Tabletă", "teachers": "Profesori", - "time": "Timp", + "time": "Ora", "timesup": "Timpul a expirat!", "today": "Azi", "twoparagraphs": "{{p1}}

      {{p2}}", @@ -173,7 +173,7 @@ "whoops": "Ops!", "windowsphone": "Telefon cu sistem de operare Windows", "wsfunctionnotavailable": "Această funcție Web nu este disponibilă.", - "year": "An (Ani)", + "year": "an", "years": "ani", "yes": "Da" } \ No newline at end of file diff --git a/www/core/lang/ru.json b/www/core/lang/ru.json index 2a4c587a407..38a36c3a343 100644 --- a/www/core/lang/ru.json +++ b/www/core/lang/ru.json @@ -4,7 +4,7 @@ "android": "Android", "areyousure": "Вы уверены?", "back": "Назад", - "cancel": "Отменить", + "cancel": "Отмена", "cannotconnect": "Не удается подключиться: Убедитесь, что вы правильно ввели URL-адрес и что ваш сайт использует Moodle 2.4 или более поздней версии.", "cannotdownloadfiles": "Загрузка файлов отключена. Пожалуйста, свяжитесь с администратором вашего сайта.", "captureaudio": "Записать аудио", @@ -17,8 +17,8 @@ "clearsearch": "Очистить поиск", "clicktohideshow": "Нажмите, чтобы раскрыть или скрыть", "clicktoseefull": "Нажать, чтобы посмотреть полное содержимое.", - "close": "Закрыть окно", - "comments": "Комментарии", + "close": "Закрыть", + "comments": "Ваши комментарии", "commentscount": "Комментарии ({{$a}})", "commentsnotworking": "Комментарии не могут быть найдены", "completion-alt-auto-fail": "Выполнено: {{$a}} (оценка ниже проходного балла)", @@ -40,14 +40,14 @@ "currentdevice": "Данное устройство", "datastoredoffline": "Данные сохранены на устройстве, потому что не могут быть отправлены. Они будут автоматически отправлены позже.", "date": "Дата", - "day": "дн.", - "days": "Дней", + "day": "день", + "days": "дн.", "decsep": ",", "defaultvalue": "Значение по умолчанию ({{$a}})", "delete": "Удалить", "deletedoffline": "Удалено вне сети", "deleting": "Удаление", - "description": "Описание", + "description": "Вступление", "dfdaymonthyear": "MM-DD-YYYY", "dfdayweekmonth": "ddd, D MMM", "dffulldate": "dddd, D MMMM YYYY h[:]mm A", @@ -61,7 +61,7 @@ "downloading": "Загрузка", "edit": "Редактировать", "emptysplit": "Эта страница отобразится незаполненной, если левая панель пуста или загружается.", - "error": "Произошла ошибка", + "error": "Ошибка", "errorchangecompletion": "Во время изменения статуса завершения возникла ошибка. Пожалуйста, попробуйте снова.", "errordeletefile": "Ошибка при удалении файла. Пожалуйста, попробуйте снова.", "errordownloading": "Ошибка загрузки файла", @@ -85,27 +85,27 @@ "groupsseparate": "Изолированные группы", "groupsvisible": "Видимые группы", "hasdatatosync": "Это {{$a}} имеет данные, добавленные вне сети, для синхронизации.", - "help": "Помощь", + "help": "Справка", "hide": "Скрыть", "hour": "ч.", "hours": "час.", "humanreadablesize": "{{size}} {{unit}}", - "image": "Изображение", + "image": "Изображение ({{$a.MIMETYPE2}})", "imageviewer": "Средство отображения изображений", - "info": "Информация", + "info": "информация", "ios": "iOS", "labelsep": ":", "lastdownloaded": "Последнее загруженное", - "lastmodified": "Последнее изменение", + "lastmodified": "Последние изменения:", "lastsync": "Последняя синхронизация", "layoutgrid": "Сетка", - "list": "Список", + "list": "Просмотр списком", "listsep": ";", - "loading": "Загрузка...", + "loading": "Загрузка", "loadmore": "Загрузить больше", "lostconnection": "Ваш ключ аутентификации недействителен или просрочен. Вам придется повторно подключиться к сайту.", "maxsizeandattachments": "Максимальный размер новых файлов: {{$a.size}}, максимальное количество прикрепленных файлов: {{$a.attachments}}", - "min": "Минимальный балл", + "min": "мин.", "mins": "мин.", "mod_assign": "Задание", "mod_assignment": "Задание", @@ -135,15 +135,15 @@ "mod_workshop": "Семинар", "moduleintro": "Описание", "mygroups": "Мои группы", - "name": "Название", + "name": "Название:", "networkerrormsg": "С подключением к сайту была проблема. Пожалуйста, проверьте ваше соединение и попытайтесь снова.", "never": "Никогда", - "next": "Следующий", + "next": "Далее", "no": "Нет", "nocomments": "Нет комментариев", - "nograde": "Нет оценки.", - "none": "Никто", - "nopasswordchangeforced": "Вы не можете продолжить, не поменяв свой пароль.", + "nograde": "Без оценки", + "none": "Пусто", + "nopasswordchangeforced": "Вы не можете продолжать работу без смены пароля, однако страница для его изменения не доступна. Пожалуйста, свяжитесь с администратором сайта.", "nopermissions": "Извините, но у Вас нет прав сделать это ({{$a}})", "noresults": "Нет результатов", "notapplicable": "н/д", @@ -151,7 +151,7 @@ "notsent": "Не отправлено", "now": "сейчас", "numwords": "всего слов - {{$a}}", - "offline": "Вне сайта", + "offline": "Ответ вне сайта", "online": "На сайте", "openfullimage": "Нажмите здесь, чтобы отобразить полноразмерное изображение", "openinbrowser": "Открыть в браузере", @@ -165,13 +165,13 @@ "pulltorefresh": "Потяните, чтобы обновить", "redirectingtosite": "Вы будете перенаправлены на сайт.", "refresh": "Обновить", - "required": "Обязательный", + "required": "Необходимо заполнить", "requireduserdatamissing": "У этого пользователя не хватает необходимых данных профиля. Пожалуйста, введите данные на вашем сайте и попытайтесь снова.
      {{$a}}", "restore": "Восстановить", "retry": "Попробовать снова", "save": "Сохранить", - "search": "Искать", - "searching": "Поиск", + "search": "Найти", + "searching": "Искать в", "searchresults": "Результаты поиска", "sec": "сек.", "secs": "сек.", @@ -205,7 +205,7 @@ "unexpectederror": "Неизвестная ошибка. Пожалуйста, закройте, затем ещё раз откройте приложение и попробуйте снова.", "unicodenotsupported": "Некоторые смайлики не поддерживаются на этом сайте. Такие символы будут удалены при отправке сообщения.", "unicodenotsupportedcleanerror": "Был обнаружен пустой текст при очистке символов Unicode.", - "unknown": "Неизвестно", + "unknown": "неизвестно", "unlimited": "Неограничено", "unzipping": "Распаковка", "upgraderunning": "Сайт обновляется, повторите попытку позже.", @@ -220,7 +220,7 @@ "whyisthishappening": "Почему так происходит?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "Функция веб-службы не доступна.", - "year": "Год(ы)", + "year": "г.", "years": "г.", "yes": "Да" } \ No newline at end of file diff --git a/www/core/lang/sv.json b/www/core/lang/sv.json index 67f0693a58c..b7b29163b67 100644 --- a/www/core/lang/sv.json +++ b/www/core/lang/sv.json @@ -12,8 +12,8 @@ "clearsearch": "Rensa sökning", "clicktohideshow": "Klicka för att expandera eller fälla ihop", "clicktoseefull": "Klicka för att se hela innehållet", - "close": "Stäng fönster", - "comments": "Kommentarer", + "close": "Stäng", + "comments": "Dina kommentarer", "commentscount": "Kommentarer ({{$a}})", "completion-alt-auto-fail": "Fullföljd (uppnådde inte godkänt resultat)", "completion-alt-auto-n": "Inte avslutad: {{$a}}", @@ -28,12 +28,12 @@ "course": "Kurs", "coursedetails": "Kursinformation", "date": "Datum", - "day": "Dag(ar)", - "days": "Dagar", + "day": "dag", + "days": "dagar", "decsep": ",", "delete": "Ta bort", - "deleting": "ta bort", - "description": "Beskrivning", + "deleting": "Tar bort", + "description": "Introduktion", "dfdayweekmonth": "ddd, D MMM", "dflastweekdate": "ddd", "dfmediumdate": "", @@ -42,7 +42,7 @@ "download": "Ladda ner", "downloading": "Laddar ner", "edit": "Redigera", - "error": "Det uppstod ett fel", + "error": "Fel", "errorchangecompletion": "Ett fel uppstod när du ändrade status för fullföljande. Var god försök igen.", "errordownloading": "Fel vid nedladdning av fil", "errordownloadingsomefiles": "Fel vid hämtning av modulens filer. Vissa filer kanske saknas .", @@ -61,19 +61,19 @@ "hour": "timme", "hours": "timmar", "humanreadablesize": "{{size}} {{unit}}", - "image": "Bild", + "image": "Bild ({{$a.MIMETYPE2}})", "imageviewer": "Bildvisare", - "info": "Info", + "info": "Information", "ios": "IOS", "labelsep": ":", "lastmodified": "Senast modifierad", "lastsync": "Senaste synkronisering", - "list": "Lista", + "list": "Visa lista", "listsep": ";", - "loading": "Laddar...", + "loading": "Laddar....", "lostconnection": "Vi förlorade anslutningen. Du måste ansluta igen. Din token är nu ogiltigt.", "maxsizeandattachments": "Maximal storlek för nya filer: {{$a.size}}, max bilagor: {{$a.attachments}}", - "min": "Min resultat", + "min": "minut", "mins": "minuter", "mod_assign": "Uppgift", "mod_assignment": "Uppgift", @@ -106,10 +106,10 @@ "name": "Namn", "networkerrormsg": "Nätverket är inte aktiverat eller fungerar inte", "never": "Aldrig", - "next": "Fortsätt", - "no": "Ingen", - "nocomments": "Det finns inga kommentarer", - "nograde": "Inget betyg.", + "next": "Nästa", + "no": "Nej", + "nocomments": "Inga kommentarer", + "nograde": "Inget betyg", "none": "Ingen", "nopasswordchangeforced": "Du kan inte gå vidare utan att ändra Ditt lösenord, men det finns inte någon sida tillgänglig för att ändra det. Var snäll och kontakta Din administratör för Moodle.", "nopermissions": "Du har tyvärr f.n. inte tillstånd att göra detta ({{$a}})", @@ -118,7 +118,7 @@ "notice": "Meddelande", "now": "nu", "numwords": "{{$a}} ord", - "offline": "Frånkopplat läge", + "offline": "Ingen inlämning online krävs", "online": "Uppkopplad", "openfullimage": "Klick här för att visa bilden i full storlek", "openinbrowser": "Öppna i webbläsare", @@ -130,18 +130,18 @@ "pictureof": "Bild av {{$a}}", "previous": "Tidigare", "pulltorefresh": "Dra för att uppdatera", - "refresh": "Återställ", + "refresh": "Uppdatera", "required": "Obligatorisk", "requireduserdatamissing": "Den här användaren saknar vissa nödvändiga profildata. Vänligen fyll i uppgifterna i din Moodle och försök igen.
      {{$a}}", "restore": "Återställ", "save": "Spara", - "search": "Sök", - "searching": "Söker", + "search": "Sök...", + "searching": "Sök i ", "searchresults": "Sökresultat", "sec": "Sekund", "secs": "Sekunder", "seemoredetail": "Klicka här för att se fler detaljer", - "send": "Skicka", + "send": "skicka", "sending": "Skickar", "serverconnection": "Fel vid anslutning till servern", "show": "Visa", @@ -153,7 +153,7 @@ "sizetb": "Tb", "sortby": "Sortera enligt", "start": "Starta", - "submit": "Skicka in", + "submit": "Skicka", "success": "Framgång", "tablet": "Tablet", "teachers": "Distanslärare/
      handledare/
      coacher", @@ -174,7 +174,7 @@ "whoops": "Hoppsan!", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "Webbtjänstfunktion är inte tillgänglig.", - "year": "År", + "year": "år", "years": "år", "yes": "Ja" } \ No newline at end of file diff --git a/www/core/lang/tr.json b/www/core/lang/tr.json index 5ed211d45c8..63b18dc274b 100644 --- a/www/core/lang/tr.json +++ b/www/core/lang/tr.json @@ -11,8 +11,8 @@ "choosedots": "Seçiniz...", "clearsearch": "Aramayı temizle", "clicktohideshow": "Genişlet/Daralt", - "close": "Pencereyi kapat", - "comments": "Yorumlar", + "close": "Kapat", + "comments": "Yorumlarınız", "commentscount": "Yorumlar ({{$a}})", "completion-alt-auto-fail": "Tamamlandı (geçer not almayı başaramadı)", "completion-alt-auto-n": "Tamamlanmadı", @@ -23,21 +23,21 @@ "confirmdeletefile": "Bu dosyayı silmek istediğinize emin misiniz?", "confirmopeninbrowser": "Tarayıcıda açmak istediğine emin misin?", "content": "İçerik", - "continue": "Devam et", + "continue": "Devam", "course": "Ders", "coursedetails": "Ders ayrıntıları", "date": "Tarih", - "day": "Gün", - "days": "Gün", + "day": "gün", + "days": "gün", "decsep": ",", "delete": "Sil", "deleting": "Siliniyor", - "description": "Açıklama", + "description": "Tanıtım metni", "done": "Tamamlandı", "download": "İndir", "downloading": "İndiriliyor...", - "edit": "Düzenle ", - "error": "Hata oluştu", + "edit": "Düzelt", + "error": "Hata", "errordownloading": "Dosya indirmede hata", "filename": "Dosya adı", "folder": "Klasör", @@ -49,19 +49,19 @@ "hide": "Gizle", "hour": "saat", "hours": "saat", - "image": "Resim", + "image": "Görüntü ({{$a.MIMETYPE2}})", "info": "Bilgi", "ios": "İOS", "labelsep": ":", - "lastmodified": "En son değiştirme", + "lastmodified": "Son değiştirme", "lastsync": "Son senkronizasyon", "layoutgrid": "Izgara", - "list": "Listele", + "list": "Liste görünümü", "listsep": ";", - "loading": "Yükleniyor...", + "loading": "Yükleniyor", "lostconnection": "Bağlantınızı kaybettik, yeniden bağlanmanız gerekiyor. Verileriniz artık geçerli değil.", "maxsizeandattachments": "Yeni dosyalar için en büyük boyut: {{$a.size}}, en fazla ek: {{$a.attachments}}", - "min": "Min puan", + "min": "dk", "mins": "dk", "mod_assign": "Ödev", "mod_book": "Kitap", @@ -90,21 +90,21 @@ "mod_workshop": "Çalıştay", "moduleintro": "Açıklama", "mygroups": "Gruplarım", - "name": "Adı", + "name": "Ad", "networkerrormsg": "Ağ etkin değil ya da çalışmıyor.", - "never": "Asla", - "next": "Devam et", + "never": "Hiçbir zaman", + "next": "Sonraki", "no": "Hayır", - "nocomments": "Hiç yorum yok", - "nograde": "Not yok.", - "none": "Hiçbiri", + "nocomments": "Yorum yok", + "nograde": "Not yok", + "none": "Yok", "nopasswordchangeforced": "Şifrenizi değiştirmeden ilerleyemezsiniz, ancak şifrenizi değiştirmek için bir sayfa yok. Lütfen Moodle Yöneticinizle iletişime geçin.", "nopermissions": "Üzgünüz, şu anda bunu yapmaya yetkiniz yok: {{$a}}", "noresults": "Sonuç yok", "notice": "Uyarı", "now": "şimdi", "numwords": "{{$a}} kelime", - "offline": "Çevrimdışı", + "offline": "Online gönderim gerekli değil", "online": "Çevrimiçi", "openinbrowser": "Tarayıcıda aç", "othergroups": "Diğer gruplar", @@ -117,8 +117,8 @@ "required": "Gerekli", "restore": "Geri yükle", "save": "Kaydet", - "search": "Ara", - "searching": "Aranıyor", + "search": "Arama...", + "searching": "Aranan", "searchresults": "Arama sonuçları", "sec": "sn", "secs": "sn", @@ -140,7 +140,7 @@ "success": "Başarı", "tablet": "Tablet", "teachers": "Eğitimciler", - "time": "Süre", + "time": "Zaman", "timesup": "Süre doldu!", "today": "Bugün", "unexpectederror": "Beklenmeyen hata. Lütfen uygulamanızı yeniden açın ve tekrar deneyin", @@ -151,9 +151,9 @@ "userdetails": "Kullanıcı ayrıntıları", "usernotfullysetup": "Kullanıcı tam kurulum yapmadı", "users": "Kullanıcılar", - "view": "Görünüm", + "view": "Görüntüle", "viewprofile": "Profili görüntüle", - "year": "Yıl", + "year": "yıl", "years": "yıl", "yes": "Evet" } \ No newline at end of file diff --git a/www/core/lang/uk.json b/www/core/lang/uk.json index 841ca4c5214..c0c83dbfdbf 100644 --- a/www/core/lang/uk.json +++ b/www/core/lang/uk.json @@ -13,8 +13,8 @@ "clearsearch": "Очистити пошук", "clicktohideshow": "Натисніть, щоб розгорнути або згорнути", "clicktoseefull": "Натисніть, щоб побачити весь вміст.", - "close": "Закрити вікно", - "comments": "Коментарі", + "close": "Закрити", + "comments": "Ваші коментарі", "commentscount": "Коментарі ({{$a}})", "commentsnotworking": "Коментар не може бути відновлений", "completion-alt-auto-fail": "Виконано: {{$a}} (не вдалося досягти прохідного балу)", @@ -31,17 +31,17 @@ "contenteditingsynced": "Ви редагуєте вміст який був синхронізований.", "continue": "Продовжити", "copiedtoclipboard": "Текст скопійований", - "course": "Курс", + "course": "Курсу", "coursedetails": "Деталі курсу", "currentdevice": "Поточний пристрій", "datastoredoffline": "Дані зберігаються в пристрої, оскільки не можуть бути надіслані. Вони будуть автоматично відправлені пізніше.", "date": "Дата", - "day": "День(ів)", - "days": "Днів", + "day": "день", + "days": "днів", "decsep": ",", - "delete": "Вилучити", + "delete": "Видалити", "deleting": "Видалення", - "description": "Опис", + "description": "Текст вступу", "dfdaymonthyear": "MM-DD-YYYY", "dfdayweekmonth": "ddd, D MMM", "dffulldate": "dddd, D MMMM YYYY h[:]mm A", @@ -55,7 +55,7 @@ "downloading": "Завантаження", "edit": "Редагувати", "emptysplit": "Ця сторінка буде виглядати порожньою, якщо ліва панель порожня або завантажується.", - "error": "Сталася помилка", + "error": "Помилка", "errorchangecompletion": "При зміні статусу завершення сталася помилка. Будь ласка спробуйте ще раз.", "errordeletefile": "Помилка видалення файлу. Будь ласка спробуйте ще раз.", "errordownloading": "Помилка завантаження файлу.", @@ -84,21 +84,21 @@ "hour": "година", "hours": "години", "humanreadablesize": "{{size}} {{unit}}", - "image": "Зображення", + "image": "Зображення ({{$a.MIMETYPE2}})", "imageviewer": "Переглядач зображень", - "info": "Інфо", + "info": "Інформація", "ios": "iOS", "labelsep": ":", - "lastmodified": "Востаннє змінено", + "lastmodified": "Остання зміна", "lastsync": "Остання синхронізація", "layoutgrid": "Сітка", - "list": "Список", + "list": "Перегляд списку", "listsep": ";", - "loading": "Завантаження", + "loading": "Завантаження...", "loadmore": "Завантажити більше", "lostconnection": "Ваш маркер аутентифікації недійсний або закінчився, вам доведеться підключитися до сайту.", "maxsizeandattachments": "Макс. обсяг для нових файлів: {{$a.size}}, макс. кількість прикріплених файлів: {{$a.attachments}}", - "min": "Мін.оцінка", + "min": "хв", "mins": "хв", "mod_assign": "Завдання", "mod_chat": "Чат", @@ -115,23 +115,23 @@ "mod_workshop": "Семінар", "moduleintro": "Опис", "mygroups": "Мої групи", - "name": "Назва", + "name": "Ім'я", "networkerrormsg": "Мережа не включена або не працює.", "never": "Ніколи", - "next": "Вперед", + "next": "Далі", "no": "Ні", - "nocomments": "Коментарів немає", - "nograde": "Немає оцінки.", - "none": "Немає", - "nopasswordchangeforced": "Ви не можете продовжити без зміни пароля.", + "nocomments": "Немає коментарів", + "nograde": "Без оцінки", + "none": "Не вибрано", + "nopasswordchangeforced": "Ви не можете перейти не змінивши ваш пароль, але не вказано ніякої сторінки для цього процесу. Будь ласка, зверніться до вашого Адміністратора.", "nopermissions": "Вибачте, але ваші поточні права не дозволяють вам цього робити ({{$a}})", - "noresults": "Результат відсутній", + "noresults": "Без результатів", "notapplicable": "n/a", "notice": "Помітити", "notsent": "Не відправлено", "now": "зараз", "numwords": "{{$a}} слів", - "offline": "Поза мережею", + "offline": "Не потрібно здавати в онлайні", "online": "В мережі", "openfullimage": "Натисніть тут, щоб побачити зображення в повному розмірі", "openinbrowser": "Відкрити у браузері", @@ -146,19 +146,19 @@ "quotausage": "Ви в даний час використовували {$ a-> used}} вашого ліміту {$ a-> total}}.", "redirectingtosite": "Ви будете перенаправлені на сайт.", "refresh": "Оновити", - "required": "Необхідне", + "required": "Необхідні", "requireduserdatamissing": "Цей користувач не має деяких необхідних даних в профілі. Заповніть, будь ласка, ці дані у вашому профілі Moodle і спробуйте ще раз.
      {{$a}}", - "restore": "Відновити", + "restore": "Відновлення", "retry": "Повторити", "save": "Зберегти", - "search": "Пошук", - "searching": "Пошук", + "search": "Знайти", + "searching": "Шукати в", "searchresults": "Результати пошуку", "sec": "сек", "secs": "сек", "seemoredetail": "Деталі...", - "send": "надіслати", - "sending": "Відправка", + "send": "Відіслати", + "sending": "Відсилання", "serverconnection": "Помилка з’єднання з сервером", "show": "Показати", "showmore": "Показати більше", @@ -172,7 +172,7 @@ "sorry": "Вибачте...", "sortby": "Сортувати за", "start": "Початок", - "submit": "Надіслати", + "submit": "Прийняти", "success": "Успішно", "tablet": "Планшет", "teachers": "Викладачі", @@ -186,7 +186,7 @@ "unexpectederror": "Неочікувана помилка. Будь ласка, закрийте і знову відкрийте додаток, щоб спробувати ще раз", "unicodenotsupported": "Деякі Emoji не підтримуються на цьому сайті. Такі символи будуть видалені, коли повідомлення буде відправлено.", "unicodenotsupportedcleanerror": "Порожній текст був знайдений при чищенні Unicode символів.", - "unknown": "Невідомо", + "unknown": "Невідоме", "unlimited": "Не обмежено", "unzipping": "Розпакування", "upgraderunning": "Сайт оновлюється, повторіть спробу пізніше.", @@ -200,7 +200,7 @@ "whyisthishappening": "Чому це відбувається?", "windowsphone": "Windows Phone", "wsfunctionnotavailable": "Функція веб-сервіс не доступна.", - "year": "Роки", + "year": "рік", "years": "роки", "yes": "Так" } \ No newline at end of file From 2e450a9eb16dbd3531d287befd833ba881b7f226 Mon Sep 17 00:00:00 2001 From: Juan Leyva Date: Wed, 28 Feb 2018 16:31:31 +0100 Subject: [PATCH 30/31] MOBILE-2369 release: Sync translation from AMOS --- www/addons/calendar/lang/ca.json | 2 +- www/addons/calendar/lang/cs.json | 4 +- www/addons/calendar/lang/da.json | 4 +- www/addons/calendar/lang/de-du.json | 4 +- www/addons/calendar/lang/de.json | 4 +- www/addons/calendar/lang/el.json | 2 +- www/addons/calendar/lang/es-mx.json | 4 +- www/addons/calendar/lang/es.json | 4 +- www/addons/calendar/lang/eu.json | 2 +- www/addons/calendar/lang/fa.json | 4 +- www/addons/calendar/lang/fi.json | 2 +- www/addons/calendar/lang/fr.json | 2 +- www/addons/calendar/lang/he.json | 4 +- www/addons/calendar/lang/it.json | 3 +- www/addons/calendar/lang/ja.json | 2 +- www/addons/calendar/lang/ko.json | 2 +- www/addons/calendar/lang/lt.json | 2 +- www/addons/calendar/lang/mr.json | 2 +- www/addons/calendar/lang/nl.json | 2 +- www/addons/calendar/lang/pt-br.json | 4 +- www/addons/calendar/lang/pt.json | 2 +- www/addons/calendar/lang/ru.json | 2 +- www/addons/calendar/lang/sv.json | 4 +- www/addons/calendar/lang/uk.json | 4 +- www/addons/competency/lang/ca.json | 2 +- www/addons/competency/lang/cs.json | 2 +- www/addons/competency/lang/da.json | 2 +- www/addons/competency/lang/de-du.json | 2 +- www/addons/competency/lang/de.json | 2 +- www/addons/competency/lang/es-mx.json | 2 +- www/addons/competency/lang/es.json | 2 +- www/addons/competency/lang/eu.json | 2 +- www/addons/competency/lang/fr.json | 2 +- www/addons/competency/lang/it.json | 2 +- www/addons/competency/lang/ja.json | 2 +- www/addons/competency/lang/lt.json | 2 +- www/addons/competency/lang/nl.json | 2 +- www/addons/competency/lang/pt-br.json | 2 +- www/addons/competency/lang/pt.json | 2 +- www/addons/competency/lang/ru.json | 2 +- www/addons/competency/lang/uk.json | 2 +- www/addons/coursecompletion/lang/ca.json | 16 ++++---- www/addons/coursecompletion/lang/cs.json | 26 ++++++------- www/addons/coursecompletion/lang/da.json | 30 +++++++-------- www/addons/coursecompletion/lang/de-du.json | 24 ++++++------ www/addons/coursecompletion/lang/de.json | 24 ++++++------ www/addons/coursecompletion/lang/el.json | 16 ++++---- www/addons/coursecompletion/lang/es-mx.json | 26 ++++++------- www/addons/coursecompletion/lang/es.json | 10 ++--- www/addons/coursecompletion/lang/eu.json | 18 ++++----- www/addons/coursecompletion/lang/fa.json | 4 +- www/addons/coursecompletion/lang/fi.json | 22 +++++------ www/addons/coursecompletion/lang/fr.json | 14 +++---- www/addons/coursecompletion/lang/he.json | 26 ++++++------- www/addons/coursecompletion/lang/hr.json | 8 ++-- www/addons/coursecompletion/lang/it.json | 18 ++++----- www/addons/coursecompletion/lang/ja.json | 24 ++++++------ www/addons/coursecompletion/lang/ko.json | 24 ++++++------ www/addons/coursecompletion/lang/lt.json | 22 +++++------ www/addons/coursecompletion/lang/mr.json | 6 +-- www/addons/coursecompletion/lang/nl.json | 22 +++++------ www/addons/coursecompletion/lang/pt-br.json | 24 ++++++------ www/addons/coursecompletion/lang/pt.json | 18 ++++----- www/addons/coursecompletion/lang/ro.json | 28 +++++++------- www/addons/coursecompletion/lang/ru.json | 28 +++++++------- www/addons/coursecompletion/lang/sv.json | 22 +++++------ www/addons/coursecompletion/lang/uk.json | 26 ++++++------- www/addons/files/lang/ca.json | 4 +- www/addons/files/lang/cs.json | 4 +- www/addons/files/lang/da.json | 4 +- www/addons/files/lang/de-du.json | 4 +- www/addons/files/lang/de.json | 4 +- www/addons/files/lang/el.json | 2 +- www/addons/files/lang/es-mx.json | 4 +- www/addons/files/lang/es.json | 2 +- www/addons/files/lang/eu.json | 4 +- www/addons/files/lang/fi.json | 4 +- www/addons/files/lang/fr.json | 4 +- www/addons/files/lang/he.json | 2 +- www/addons/files/lang/hr.json | 2 +- www/addons/files/lang/it.json | 8 ++-- www/addons/files/lang/ja.json | 4 +- www/addons/files/lang/ko.json | 4 +- www/addons/files/lang/lt.json | 4 +- www/addons/files/lang/nl.json | 4 +- www/addons/files/lang/pt-br.json | 4 +- www/addons/files/lang/pt.json | 4 +- www/addons/files/lang/ro.json | 2 +- www/addons/files/lang/ru.json | 2 +- www/addons/files/lang/uk.json | 4 +- .../messageoutput/airnotifier/lang/it.json | 3 ++ www/addons/messages/lang/cs.json | 2 +- www/addons/messages/lang/de-du.json | 2 +- www/addons/messages/lang/de.json | 2 +- www/addons/messages/lang/el.json | 2 +- www/addons/messages/lang/es-mx.json | 2 +- www/addons/messages/lang/fr.json | 2 +- www/addons/messages/lang/he.json | 2 +- www/addons/messages/lang/it.json | 11 ++++-- www/addons/messages/lang/ja.json | 2 +- www/addons/messages/lang/ko.json | 2 +- www/addons/messages/lang/lt.json | 2 +- www/addons/messages/lang/mr.json | 2 +- www/addons/messages/lang/ro.json | 2 +- www/addons/messages/lang/sv.json | 2 +- www/addons/mod/assign/lang/it.json | 10 +++-- www/addons/mod/chat/lang/it.json | 2 +- www/addons/mod/data/lang/it.json | 2 + www/addons/mod/feedback/lang/it.json | 1 + www/addons/mod/folder/lang/ca.json | 2 +- www/addons/mod/folder/lang/cs.json | 2 +- www/addons/mod/folder/lang/da.json | 2 +- www/addons/mod/folder/lang/de-du.json | 2 +- www/addons/mod/folder/lang/de.json | 2 +- www/addons/mod/folder/lang/es-mx.json | 2 +- www/addons/mod/folder/lang/eu.json | 2 +- www/addons/mod/folder/lang/fi.json | 2 +- www/addons/mod/folder/lang/fr.json | 2 +- www/addons/mod/folder/lang/he.json | 2 +- www/addons/mod/folder/lang/hr.json | 2 +- www/addons/mod/folder/lang/it.json | 2 +- www/addons/mod/folder/lang/ja.json | 2 +- www/addons/mod/folder/lang/lt.json | 2 +- www/addons/mod/folder/lang/nl.json | 2 +- www/addons/mod/folder/lang/pt-br.json | 2 +- www/addons/mod/folder/lang/pt.json | 2 +- www/addons/mod/folder/lang/ro.json | 2 +- www/addons/mod/forum/lang/cs.json | 2 +- www/addons/mod/forum/lang/it.json | 2 +- www/addons/mod/forum/lang/mr.json | 2 +- www/addons/mod/glossary/lang/ca.json | 2 +- www/addons/mod/glossary/lang/cs.json | 2 +- www/addons/mod/glossary/lang/da.json | 2 +- www/addons/mod/glossary/lang/de-du.json | 2 +- www/addons/mod/glossary/lang/de.json | 2 +- www/addons/mod/glossary/lang/el.json | 2 +- www/addons/mod/glossary/lang/es-mx.json | 2 +- www/addons/mod/glossary/lang/es.json | 2 +- www/addons/mod/glossary/lang/eu.json | 2 +- www/addons/mod/glossary/lang/fi.json | 2 +- www/addons/mod/glossary/lang/fr.json | 2 +- www/addons/mod/glossary/lang/it.json | 4 ++ www/addons/mod/glossary/lang/ja.json | 2 +- www/addons/mod/glossary/lang/lt.json | 2 +- www/addons/mod/glossary/lang/mr.json | 2 +- www/addons/mod/glossary/lang/nl.json | 2 +- www/addons/mod/glossary/lang/pt-br.json | 2 +- www/addons/mod/glossary/lang/pt.json | 2 +- www/addons/mod/glossary/lang/ro.json | 2 +- www/addons/mod/glossary/lang/ru.json | 2 +- www/addons/mod/glossary/lang/sv.json | 2 +- www/addons/mod/glossary/lang/uk.json | 2 +- www/addons/mod/label/lang/fi.json | 2 +- www/addons/mod/label/lang/he.json | 2 +- www/addons/mod/label/lang/lt.json | 2 +- www/addons/mod/label/lang/uk.json | 2 +- www/addons/mod/lesson/lang/it.json | 4 ++ www/addons/mod/quiz/lang/it.json | 5 ++- www/addons/mod/scorm/lang/it.json | 4 +- www/addons/mod/survey/lang/ja.json | 2 +- www/addons/mod/survey/lang/mr.json | 2 +- www/addons/mod/url/lang/it.json | 2 +- www/addons/mod/wiki/lang/ca.json | 2 +- www/addons/mod/wiki/lang/cs.json | 2 +- www/addons/mod/wiki/lang/da.json | 2 +- www/addons/mod/wiki/lang/de-du.json | 2 +- www/addons/mod/wiki/lang/de.json | 2 +- www/addons/mod/wiki/lang/el.json | 2 +- www/addons/mod/wiki/lang/es-mx.json | 2 +- www/addons/mod/wiki/lang/es.json | 2 +- www/addons/mod/wiki/lang/eu.json | 2 +- www/addons/mod/wiki/lang/fi.json | 2 +- www/addons/mod/wiki/lang/fr.json | 2 +- www/addons/mod/wiki/lang/hr.json | 2 +- www/addons/mod/wiki/lang/it.json | 3 +- www/addons/mod/wiki/lang/ja.json | 2 +- www/addons/mod/wiki/lang/lt.json | 2 +- www/addons/mod/wiki/lang/mr.json | 2 +- www/addons/mod/wiki/lang/nl.json | 2 +- www/addons/mod/wiki/lang/pt-br.json | 2 +- www/addons/mod/wiki/lang/pt.json | 2 +- www/addons/mod/wiki/lang/ru.json | 2 +- www/addons/mod/wiki/lang/tr.json | 2 +- www/addons/mod/wiki/lang/uk.json | 2 +- www/addons/notes/lang/ca.json | 2 +- www/addons/notes/lang/cs.json | 2 +- www/addons/notes/lang/da.json | 2 +- www/addons/notes/lang/de-du.json | 2 +- www/addons/notes/lang/de.json | 2 +- www/addons/notes/lang/el.json | 2 +- www/addons/notes/lang/es-mx.json | 2 +- www/addons/notes/lang/eu.json | 2 +- www/addons/notes/lang/fi.json | 2 +- www/addons/notes/lang/fr.json | 2 +- www/addons/notes/lang/he.json | 2 +- www/addons/notes/lang/hr.json | 2 +- www/addons/notes/lang/it.json | 4 +- www/addons/notes/lang/ja.json | 2 +- www/addons/notes/lang/ko.json | 2 +- www/addons/notes/lang/lt.json | 2 +- www/addons/notes/lang/nl.json | 2 +- www/addons/notes/lang/pt-br.json | 2 +- www/addons/notes/lang/pt.json | 2 +- www/addons/notes/lang/ro.json | 2 +- www/addons/notes/lang/ru.json | 2 +- www/addons/notes/lang/sv.json | 2 +- www/addons/notes/lang/uk.json | 2 +- www/addons/notifications/lang/ca.json | 2 +- www/addons/notifications/lang/cs.json | 2 +- www/addons/notifications/lang/da.json | 2 +- www/addons/notifications/lang/de-du.json | 2 +- www/addons/notifications/lang/de.json | 2 +- www/addons/notifications/lang/es-mx.json | 2 +- www/addons/notifications/lang/es.json | 4 +- www/addons/notifications/lang/eu.json | 2 +- www/addons/notifications/lang/fa.json | 2 +- www/addons/notifications/lang/fi.json | 2 +- www/addons/notifications/lang/he.json | 2 +- www/addons/notifications/lang/hr.json | 2 +- www/addons/notifications/lang/it.json | 3 +- www/addons/notifications/lang/ja.json | 2 +- www/addons/notifications/lang/ko.json | 2 +- www/addons/notifications/lang/lt.json | 2 +- www/addons/notifications/lang/mr.json | 2 +- www/addons/notifications/lang/nl.json | 2 +- www/addons/notifications/lang/pt-br.json | 4 +- www/addons/notifications/lang/ru.json | 2 +- www/addons/notifications/lang/sv.json | 2 +- www/addons/notifications/lang/uk.json | 2 +- www/addons/participants/lang/ca.json | 2 +- www/addons/participants/lang/cs.json | 4 +- www/addons/participants/lang/da.json | 2 +- www/addons/participants/lang/de-du.json | 4 +- www/addons/participants/lang/de.json | 4 +- www/addons/participants/lang/el.json | 2 +- www/addons/participants/lang/es-mx.json | 2 +- www/addons/participants/lang/es.json | 2 +- www/addons/participants/lang/eu.json | 2 +- www/addons/participants/lang/fi.json | 2 +- www/addons/participants/lang/fr.json | 2 +- www/addons/participants/lang/it.json | 4 +- www/addons/participants/lang/ja.json | 2 +- www/addons/participants/lang/ko.json | 4 +- www/addons/participants/lang/lt.json | 2 +- www/addons/participants/lang/mr.json | 2 +- www/addons/participants/lang/nl.json | 2 +- www/addons/participants/lang/pt-br.json | 2 +- www/addons/participants/lang/pt.json | 4 +- www/addons/participants/lang/ro.json | 4 +- www/addons/participants/lang/ru.json | 2 +- www/addons/participants/lang/sv.json | 2 +- www/addons/participants/lang/tr.json | 2 +- www/addons/participants/lang/uk.json | 2 +- www/core/components/contentlinks/lang/it.json | 3 ++ www/core/components/course/lang/cs.json | 2 + www/core/components/course/lang/es-mx.json | 4 +- www/core/components/course/lang/es.json | 2 +- www/core/components/course/lang/fa.json | 2 +- www/core/components/course/lang/fr.json | 2 + www/core/components/course/lang/it.json | 7 +++- www/core/components/course/lang/lt.json | 2 +- www/core/components/course/lang/mr.json | 2 +- www/core/components/course/lang/pt-br.json | 4 +- www/core/components/course/lang/pt.json | 2 + www/core/components/course/lang/ro.json | 2 +- www/core/components/course/lang/tr.json | 2 +- www/core/components/course/lang/uk.json | 2 +- www/core/components/courses/lang/ca.json | 4 +- www/core/components/courses/lang/cs.json | 7 ++-- www/core/components/courses/lang/da.json | 4 +- www/core/components/courses/lang/de-du.json | 6 +-- www/core/components/courses/lang/de.json | 6 +-- www/core/components/courses/lang/el.json | 4 +- www/core/components/courses/lang/es-mx.json | 5 ++- www/core/components/courses/lang/es.json | 4 +- www/core/components/courses/lang/eu.json | 6 +-- www/core/components/courses/lang/fi.json | 6 +-- www/core/components/courses/lang/fr.json | 5 ++- www/core/components/courses/lang/hr.json | 2 +- www/core/components/courses/lang/it.json | 6 ++- www/core/components/courses/lang/lt.json | 6 +-- www/core/components/courses/lang/mr.json | 4 +- www/core/components/courses/lang/nl.json | 6 +-- www/core/components/courses/lang/pt-br.json | 5 ++- www/core/components/courses/lang/pt.json | 7 ++-- www/core/components/courses/lang/ro.json | 6 +-- www/core/components/courses/lang/ru.json | 6 +-- www/core/components/courses/lang/sv.json | 6 +-- www/core/components/courses/lang/uk.json | 6 +-- www/core/components/fileuploader/lang/ca.json | 12 +++--- www/core/components/fileuploader/lang/cs.json | 16 ++++---- www/core/components/fileuploader/lang/da.json | 12 +++--- .../components/fileuploader/lang/de-du.json | 10 ++--- www/core/components/fileuploader/lang/de.json | 10 ++--- www/core/components/fileuploader/lang/el.json | 8 ++-- .../components/fileuploader/lang/es-mx.json | 14 +++---- www/core/components/fileuploader/lang/es.json | 10 ++--- www/core/components/fileuploader/lang/eu.json | 14 +++---- www/core/components/fileuploader/lang/fa.json | 2 +- www/core/components/fileuploader/lang/fi.json | 12 +++--- www/core/components/fileuploader/lang/fr.json | 16 ++++---- www/core/components/fileuploader/lang/he.json | 10 ++--- www/core/components/fileuploader/lang/hr.json | 4 +- www/core/components/fileuploader/lang/it.json | 19 +++++----- www/core/components/fileuploader/lang/ja.json | 10 ++--- www/core/components/fileuploader/lang/lt.json | 12 +++--- www/core/components/fileuploader/lang/mr.json | 4 +- www/core/components/fileuploader/lang/nl.json | 16 ++++---- .../components/fileuploader/lang/pt-br.json | 16 ++++---- www/core/components/fileuploader/lang/pt.json | 16 ++++---- www/core/components/fileuploader/lang/ro.json | 12 +++--- www/core/components/fileuploader/lang/ru.json | 14 +++---- www/core/components/fileuploader/lang/sv.json | 8 ++-- www/core/components/fileuploader/lang/tr.json | 4 +- www/core/components/fileuploader/lang/uk.json | 10 ++--- www/core/components/login/lang/cs.json | 4 +- www/core/components/login/lang/da.json | 2 +- www/core/components/login/lang/de-du.json | 2 +- www/core/components/login/lang/de.json | 2 +- www/core/components/login/lang/el.json | 2 +- www/core/components/login/lang/es-mx.json | 4 +- www/core/components/login/lang/es.json | 2 +- www/core/components/login/lang/eu.json | 4 +- www/core/components/login/lang/fi.json | 4 +- www/core/components/login/lang/fr.json | 6 ++- www/core/components/login/lang/he.json | 2 +- www/core/components/login/lang/hr.json | 2 +- www/core/components/login/lang/it.json | 18 +++++++-- www/core/components/login/lang/lt.json | 4 +- www/core/components/login/lang/nl.json | 4 +- www/core/components/login/lang/pt-br.json | 4 +- www/core/components/login/lang/pt.json | 4 +- www/core/components/login/lang/ro.json | 2 +- www/core/components/login/lang/ru.json | 4 +- www/core/components/login/lang/sv.json | 2 +- www/core/components/login/lang/uk.json | 4 +- www/core/components/question/lang/ca.json | 2 +- www/core/components/question/lang/cs.json | 2 +- www/core/components/question/lang/da.json | 2 +- www/core/components/question/lang/de-du.json | 2 +- www/core/components/question/lang/de.json | 2 +- www/core/components/question/lang/el.json | 2 +- www/core/components/question/lang/es-mx.json | 2 +- www/core/components/question/lang/es.json | 2 +- www/core/components/question/lang/eu.json | 2 +- www/core/components/question/lang/fi.json | 2 +- www/core/components/question/lang/fr.json | 2 +- www/core/components/question/lang/it.json | 2 +- www/core/components/question/lang/lt.json | 2 +- www/core/components/question/lang/mr.json | 2 +- www/core/components/question/lang/nl.json | 2 +- www/core/components/question/lang/pt-br.json | 2 +- www/core/components/question/lang/pt.json | 2 +- www/core/components/question/lang/ru.json | 2 +- www/core/components/question/lang/uk.json | 2 +- www/core/components/settings/lang/it.json | 4 +- www/core/components/sharedfiles/lang/ca.json | 2 +- www/core/components/sharedfiles/lang/cs.json | 2 +- .../components/sharedfiles/lang/de-du.json | 2 +- www/core/components/sharedfiles/lang/de.json | 2 +- .../components/sharedfiles/lang/es-mx.json | 2 +- www/core/components/sharedfiles/lang/eu.json | 2 +- www/core/components/sharedfiles/lang/fi.json | 2 +- www/core/components/sharedfiles/lang/hr.json | 2 +- www/core/components/sharedfiles/lang/it.json | 2 +- www/core/components/sharedfiles/lang/lt.json | 4 +- www/core/components/sharedfiles/lang/mr.json | 2 +- www/core/components/sharedfiles/lang/pt.json | 2 +- www/core/components/sharedfiles/lang/ru.json | 2 +- www/core/components/sharedfiles/lang/tr.json | 2 +- www/core/components/sharedfiles/lang/uk.json | 2 +- www/core/components/sidemenu/lang/ca.json | 2 +- www/core/components/sidemenu/lang/cs.json | 4 +- www/core/components/sidemenu/lang/de-du.json | 2 +- www/core/components/sidemenu/lang/de.json | 2 +- www/core/components/sidemenu/lang/el.json | 2 +- www/core/components/sidemenu/lang/es-mx.json | 2 +- www/core/components/sidemenu/lang/es.json | 2 +- www/core/components/sidemenu/lang/eu.json | 2 +- www/core/components/sidemenu/lang/fa.json | 4 +- www/core/components/sidemenu/lang/he.json | 2 +- www/core/components/sidemenu/lang/it.json | 2 +- www/core/components/sidemenu/lang/lt.json | 6 +-- www/core/components/sidemenu/lang/mr.json | 4 +- www/core/components/sidemenu/lang/nl.json | 2 +- www/core/components/sidemenu/lang/pt.json | 2 +- www/core/components/sidemenu/lang/ro.json | 2 +- www/core/components/sidemenu/lang/ru.json | 4 +- www/core/components/sidemenu/lang/tr.json | 2 +- www/core/components/sidemenu/lang/uk.json | 2 +- www/core/components/user/lang/cs.json | 2 +- www/core/components/user/lang/da.json | 2 +- www/core/components/user/lang/de-du.json | 2 +- www/core/components/user/lang/de.json | 2 +- www/core/components/user/lang/el.json | 2 +- www/core/components/user/lang/es-mx.json | 2 +- www/core/components/user/lang/eu.json | 2 +- www/core/components/user/lang/fa.json | 2 +- www/core/components/user/lang/fi.json | 4 +- www/core/components/user/lang/fr.json | 4 +- www/core/components/user/lang/he.json | 4 +- www/core/components/user/lang/hr.json | 2 +- www/core/components/user/lang/it.json | 3 +- www/core/components/user/lang/ja.json | 2 +- www/core/components/user/lang/lt.json | 4 +- www/core/components/user/lang/nl.json | 2 +- www/core/components/user/lang/pt-br.json | 2 +- www/core/components/user/lang/ro.json | 4 +- www/core/components/user/lang/ru.json | 2 +- www/core/components/user/lang/sv.json | 4 +- www/core/components/user/lang/tr.json | 4 +- www/core/components/user/lang/uk.json | 2 +- www/core/lang/ca.json | 10 ++--- www/core/lang/cs.json | 10 ++--- www/core/lang/da.json | 8 ++-- www/core/lang/de-du.json | 12 +++--- www/core/lang/de.json | 12 +++--- www/core/lang/el.json | 8 ++-- www/core/lang/es-mx.json | 8 ++-- www/core/lang/es.json | 10 ++--- www/core/lang/eu.json | 8 ++-- www/core/lang/fi.json | 6 +-- www/core/lang/fr.json | 10 ++--- www/core/lang/he.json | 4 +- www/core/lang/hr.json | 6 +-- www/core/lang/it.json | 38 +++++++++++++------ www/core/lang/ja.json | 12 +++--- www/core/lang/ko.json | 8 ++-- www/core/lang/lt.json | 10 ++--- www/core/lang/mr.json | 10 ++--- www/core/lang/nl.json | 12 +++--- www/core/lang/pt-br.json | 8 ++-- www/core/lang/pt.json | 12 +++--- www/core/lang/ro.json | 8 ++-- www/core/lang/ru.json | 10 ++--- www/core/lang/sv.json | 8 ++-- www/core/lang/tr.json | 4 +- www/core/lang/uk.json | 12 +++--- 438 files changed, 1074 insertions(+), 990 deletions(-) create mode 100644 www/addons/messageoutput/airnotifier/lang/it.json create mode 100644 www/core/components/contentlinks/lang/it.json diff --git a/www/addons/calendar/lang/ca.json b/www/addons/calendar/lang/ca.json index a2a8930c77d..cc1ee634071 100644 --- a/www/addons/calendar/lang/ca.json +++ b/www/addons/calendar/lang/ca.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Hora de notificació per defecte", "errorloadevent": "S'ha produït un error carregant l'esdeveniment.", "errorloadevents": "S'ha produït un error carregant els esdeveniments.", - "noevents": "Cap activitat venç properament", + "noevents": "No hi ha cap esdeveniment", "notifications": "Notificacions" } \ No newline at end of file diff --git a/www/addons/calendar/lang/cs.json b/www/addons/calendar/lang/cs.json index 5dca11fb0e2..93d27c11dce 100644 --- a/www/addons/calendar/lang/cs.json +++ b/www/addons/calendar/lang/cs.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Výchozí čas oznámení", "errorloadevent": "Chyba při načítání události.", "errorloadevents": "Chyba při načítání událostí.", - "noevents": "Žádné nadcházející činnosti", - "notifications": "Informace" + "noevents": "Nejsou žádné události", + "notifications": "Upozornění" } \ No newline at end of file diff --git a/www/addons/calendar/lang/da.json b/www/addons/calendar/lang/da.json index 9af5235a51d..6826baea7eb 100644 --- a/www/addons/calendar/lang/da.json +++ b/www/addons/calendar/lang/da.json @@ -2,6 +2,6 @@ "calendarevents": "Kalenderbegivenheder", "errorloadevent": "Fejl ved indlæsning af begivenhed.", "errorloadevents": "Fejl ved indlæsning af begivenheder.", - "noevents": "Ingen forestående aktiviteter", - "notifications": "Beskeder" + "noevents": "Der er ingen begivenheder", + "notifications": "Notifikationer" } \ No newline at end of file diff --git a/www/addons/calendar/lang/de-du.json b/www/addons/calendar/lang/de-du.json index 7268e975f31..120feaec0ae 100644 --- a/www/addons/calendar/lang/de-du.json +++ b/www/addons/calendar/lang/de-du.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Standardmäßige Benachrichtigungszeit", "errorloadevent": "Fehler beim Laden des Kalendereintrags", "errorloadevents": "Fehler beim Laden der Kalendereinträge", - "noevents": "Keine anstehenden Aktivitäten fällig", - "notifications": "Mitteilungen" + "noevents": "Keine Kalendereinträge", + "notifications": "Systemmitteilungen" } \ No newline at end of file diff --git a/www/addons/calendar/lang/de.json b/www/addons/calendar/lang/de.json index 7268e975f31..120feaec0ae 100644 --- a/www/addons/calendar/lang/de.json +++ b/www/addons/calendar/lang/de.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Standardmäßige Benachrichtigungszeit", "errorloadevent": "Fehler beim Laden des Kalendereintrags", "errorloadevents": "Fehler beim Laden der Kalendereinträge", - "noevents": "Keine anstehenden Aktivitäten fällig", - "notifications": "Mitteilungen" + "noevents": "Keine Kalendereinträge", + "notifications": "Systemmitteilungen" } \ No newline at end of file diff --git a/www/addons/calendar/lang/el.json b/www/addons/calendar/lang/el.json index 4a7590c2db2..9a2040a3e51 100644 --- a/www/addons/calendar/lang/el.json +++ b/www/addons/calendar/lang/el.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Προεπιλεγμένος χρόνος ειδοποίησης", "errorloadevent": "Σφάλμα στην φόρτωση συμβάντου.", "errorloadevents": "Σφάλμα στην φόρτωση συμβάντων.", - "noevents": "Καμία δραστηριότητα προσεχώς", + "noevents": "Δεν υπάρχουν συμβάντα", "notifications": "Ειδοποιήσεις" } \ No newline at end of file diff --git a/www/addons/calendar/lang/es-mx.json b/www/addons/calendar/lang/es-mx.json index d4be495ef94..872b31813b4 100644 --- a/www/addons/calendar/lang/es-mx.json +++ b/www/addons/calendar/lang/es-mx.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Hora de notificación por defecto", "errorloadevent": "Error al cargar evento.", "errorloadevents": "Error al cargar eventos.", - "noevents": "No hay actividades próximas pendientes", - "notifications": "Avisos" + "noevents": "No hay eventos", + "notifications": "Notificaciones" } \ No newline at end of file diff --git a/www/addons/calendar/lang/es.json b/www/addons/calendar/lang/es.json index 8149bc574d6..993aec44200 100644 --- a/www/addons/calendar/lang/es.json +++ b/www/addons/calendar/lang/es.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Tiempo de notificación por defecto", "errorloadevent": "Error cargando el evento.", "errorloadevents": "Error cargando los eventos.", - "noevents": "No hay actividades próximas pendientes", - "notifications": "Avisos" + "noevents": "No hay eventos", + "notifications": "Notificaciones" } \ No newline at end of file diff --git a/www/addons/calendar/lang/eu.json b/www/addons/calendar/lang/eu.json index 26477c604df..1158b9cd186 100644 --- a/www/addons/calendar/lang/eu.json +++ b/www/addons/calendar/lang/eu.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Berezko jakinarazpen-ordua", "errorloadevent": "Errorea gertakaria kargatzean.", "errorloadevents": "Errorea gertakariak kargatzean.", - "noevents": "Ez dago jardueren muga-egunik laster", + "noevents": "Ez dago ekitaldirik", "notifications": "Jakinarazpenak" } \ No newline at end of file diff --git a/www/addons/calendar/lang/fa.json b/www/addons/calendar/lang/fa.json index 76813733c1d..109ac4e7ec6 100644 --- a/www/addons/calendar/lang/fa.json +++ b/www/addons/calendar/lang/fa.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "زمان پیش‌فرض اطلاع‌رسانی", "errorloadevent": "خطا در بارگیری رویداد.", "errorloadevents": "خطا در بارگیری رویدادها.", - "noevents": "هیچ مهلتی برای فعالیت‌های آتی وجود ندارد", - "notifications": "تذکرات" + "noevents": "هیچ رویدادی نیست", + "notifications": "هشدارها" } \ No newline at end of file diff --git a/www/addons/calendar/lang/fi.json b/www/addons/calendar/lang/fi.json index 39534c661d8..c0c6a3c5b25 100644 --- a/www/addons/calendar/lang/fi.json +++ b/www/addons/calendar/lang/fi.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Oletusilmoitusaika", "errorloadevent": "Ladattaessa tapahtumaa tapahtui virhe.", "errorloadevents": "Ladattaessa tapahtumia tapahtui virhe.", - "noevents": "Ei tulevia aktiviteettien määräaikoja", + "noevents": "Tapahtumia ei ole", "notifications": "Ilmoitukset" } \ No newline at end of file diff --git a/www/addons/calendar/lang/fr.json b/www/addons/calendar/lang/fr.json index 9281fbdabb5..79e2b2edcac 100644 --- a/www/addons/calendar/lang/fr.json +++ b/www/addons/calendar/lang/fr.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Heure de notification par défaut", "errorloadevent": "Erreur de chargement de l'événement", "errorloadevents": "Erreur de chargement des événements", - "noevents": "Aucune activité", + "noevents": "Il n'y a pas d'événement", "notifications": "Notifications" } \ No newline at end of file diff --git a/www/addons/calendar/lang/he.json b/www/addons/calendar/lang/he.json index 3702664d6e1..368fb1895c4 100644 --- a/www/addons/calendar/lang/he.json +++ b/www/addons/calendar/lang/he.json @@ -2,6 +2,6 @@ "calendarevents": "אירועי לוח שנה", "errorloadevent": "שגיאה בטעינת האירוע.", "errorloadevents": "שגיאה בטעינת האירועים.", - "noevents": "לא קיימות פעילויות עתידיות להן מועד הגשה", - "notifications": "עדכונים והודעות" + "noevents": "אין אירועים", + "notifications": "התראות" } \ No newline at end of file diff --git a/www/addons/calendar/lang/it.json b/www/addons/calendar/lang/it.json index 06072dbecf6..4d32f3c70ca 100644 --- a/www/addons/calendar/lang/it.json +++ b/www/addons/calendar/lang/it.json @@ -1,7 +1,8 @@ { "calendarevents": "Eventi nel calendario", + "defaultnotificationtime": "Orario di notifica di default", "errorloadevent": "Si è verificato un errore durante il caricamento degli eventi.", "errorloadevents": "Si è verificato un errore durante il caricamento degli eventi.", - "noevents": "Non ci sono attività con date di svolgimento e/o di scadenza programmate in questo periodo.", + "noevents": "Non ci sono eventi", "notifications": "Notifiche" } \ No newline at end of file diff --git a/www/addons/calendar/lang/ja.json b/www/addons/calendar/lang/ja.json index 8bdfec3c217..b6e5457e412 100644 --- a/www/addons/calendar/lang/ja.json +++ b/www/addons/calendar/lang/ja.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "デフォルト通知時間", "errorloadevent": "イベントの読み込み時にエラーがありました。", "errorloadevents": "イベントの読み込み時にエラーがありました。", - "noevents": "到来する活動期限はありません。", + "noevents": "イベントはありません", "notifications": "通知" } \ No newline at end of file diff --git a/www/addons/calendar/lang/ko.json b/www/addons/calendar/lang/ko.json index eaf06b12223..89620ab46b2 100644 --- a/www/addons/calendar/lang/ko.json +++ b/www/addons/calendar/lang/ko.json @@ -4,5 +4,5 @@ "errorloadevent": "이벤트 올리기 오류", "errorloadevents": "이벤트 올리기 오류", "noevents": "이벤트 없음", - "notifications": "시스템공지" + "notifications": "알림" } \ No newline at end of file diff --git a/www/addons/calendar/lang/lt.json b/www/addons/calendar/lang/lt.json index 38fab7b87a5..84444f84a30 100644 --- a/www/addons/calendar/lang/lt.json +++ b/www/addons/calendar/lang/lt.json @@ -2,6 +2,6 @@ "calendarevents": "Renginių kalendorius", "errorloadevent": "Klaida įkeliant renginį.", "errorloadevents": "Klaida įkeliant renginius.", - "noevents": "Nėra numatytų artėjančių veiklų", + "noevents": "Renginių nėra", "notifications": "Pranešimai" } \ No newline at end of file diff --git a/www/addons/calendar/lang/mr.json b/www/addons/calendar/lang/mr.json index 9406719e93e..28aa585a614 100644 --- a/www/addons/calendar/lang/mr.json +++ b/www/addons/calendar/lang/mr.json @@ -4,5 +4,5 @@ "errorloadevent": "कार्यक्रम लोड करताना त्रुटी.", "errorloadevents": "कार्यक्रम लोड करताना त्रुटी.", "noevents": "कोणतेही कार्यक्रम नाहीत", - "notifications": "अधिसुचना" + "notifications": "सूचना" } \ No newline at end of file diff --git a/www/addons/calendar/lang/nl.json b/www/addons/calendar/lang/nl.json index 16546e8a4ee..5c7174a3165 100644 --- a/www/addons/calendar/lang/nl.json +++ b/www/addons/calendar/lang/nl.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Standaard notificatietijd", "errorloadevent": "Fout bij het laden van de gebeurtenis.", "errorloadevents": "Fout bij het laden van de gebeurtenissen.", - "noevents": "Er zijn geen verwachte activiteiten", + "noevents": "Er zijn geen gebeurtenissen", "notifications": "Meldingen" } \ No newline at end of file diff --git a/www/addons/calendar/lang/pt-br.json b/www/addons/calendar/lang/pt-br.json index f66b11184df..b348e89bed4 100644 --- a/www/addons/calendar/lang/pt-br.json +++ b/www/addons/calendar/lang/pt-br.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Tempo de notificação padrão", "errorloadevent": "Erro ao carregar evento.", "errorloadevents": "Erro ao carregar eventos.", - "noevents": "Não há atividades pendentes", - "notifications": "Avisos" + "noevents": "Sem eventos", + "notifications": "Notificação" } \ No newline at end of file diff --git a/www/addons/calendar/lang/pt.json b/www/addons/calendar/lang/pt.json index a65b11f461a..6cb58c20e8d 100644 --- a/www/addons/calendar/lang/pt.json +++ b/www/addons/calendar/lang/pt.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Hora de notificação predefinida", "errorloadevent": "Erro ao carregar evento.", "errorloadevents": "Erro ao carregar eventos.", - "noevents": "Nenhuma atividade programada", + "noevents": "Sem eventos", "notifications": "Notificações" } \ No newline at end of file diff --git a/www/addons/calendar/lang/ru.json b/www/addons/calendar/lang/ru.json index 3a1b1bf3bd2..0d17cabd368 100644 --- a/www/addons/calendar/lang/ru.json +++ b/www/addons/calendar/lang/ru.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Время уведомлений по умолчанию", "errorloadevent": "Ошибка при загрузке события", "errorloadevents": "Ошибка при загрузке событий", - "noevents": "Окончаний сроков сдачи элементов курса в ближайшее время нет.", + "noevents": "Нет событий", "notifications": "Уведомления" } \ No newline at end of file diff --git a/www/addons/calendar/lang/sv.json b/www/addons/calendar/lang/sv.json index 28354a80742..d5ac5c127d0 100644 --- a/www/addons/calendar/lang/sv.json +++ b/www/addons/calendar/lang/sv.json @@ -2,6 +2,6 @@ "calendarevents": "Kalenderhändelser", "errorloadevent": "Fel vid inläsning av händelse.", "errorloadevents": "Fel vid inläsning av händelser", - "noevents": "Inga deadlines för aktiviteter", - "notifications": "Administration" + "noevents": "Det finns inga händelser", + "notifications": "Notifikationer" } \ No newline at end of file diff --git a/www/addons/calendar/lang/uk.json b/www/addons/calendar/lang/uk.json index e0b616f24a4..2e0930c7034 100644 --- a/www/addons/calendar/lang/uk.json +++ b/www/addons/calendar/lang/uk.json @@ -3,6 +3,6 @@ "defaultnotificationtime": "Час сповіщень за-замовчуванням", "errorloadevent": "Помилка завантаження події.", "errorloadevents": "Помилка завантаження подій.", - "noevents": "Наразі, заплановані активності відсутні", - "notifications": "Повідомлення" + "noevents": "Немає подій", + "notifications": "Сповіщення" } \ No newline at end of file diff --git a/www/addons/competency/lang/ca.json b/www/addons/competency/lang/ca.json index 93bcee24b76..dcf09727e71 100644 --- a/www/addons/competency/lang/ca.json +++ b/www/addons/competency/lang/ca.json @@ -20,7 +20,7 @@ "learningplans": "Plans d'aprenentatge", "myplans": "Els meus plans d'aprenentatge", "noactivities": "Cap activitat", - "nocompetencies": "No s'han creat competències en aquest marc.", + "nocompetencies": "Cap competència", "nocrossreferencedcompetencies": "No hi ha competències amb referències a aquesta.", "noevidence": "Cap evidència", "noplanswerecreated": "No s'ha creat cap pla d'aprenentatge.", diff --git a/www/addons/competency/lang/cs.json b/www/addons/competency/lang/cs.json index 471bc29a73e..b9cbb5ea724 100644 --- a/www/addons/competency/lang/cs.json +++ b/www/addons/competency/lang/cs.json @@ -22,7 +22,7 @@ "learningplans": "Studijní plány", "myplans": "Mé studijní plány", "noactivities": "Žádné činnosti", - "nocompetencies": "V tomto rámci nebyly vytvořeny žádné kompetence.", + "nocompetencies": "Žádné kompetence", "nocrossreferencedcompetencies": "K této kompetenci nebyly spojeny další průřezové kompetence.", "noevidence": "Bez záznamu", "noplanswerecreated": "Nebyly vytvořeny žádné studijní plány.", diff --git a/www/addons/competency/lang/da.json b/www/addons/competency/lang/da.json index f595f9ae98d..73023c9df8c 100644 --- a/www/addons/competency/lang/da.json +++ b/www/addons/competency/lang/da.json @@ -22,7 +22,7 @@ "learningplans": "Læringsplaner", "myplans": "Mine læringsplaner", "noactivities": "Ingen aktiviteter", - "nocompetencies": "Ingen kompetencer er oprettet i denne ramme.", + "nocompetencies": "Ingen kompetencer", "nocrossreferencedcompetencies": "Ingen andre kompetencer er krydsrefereret til denne kompetence.", "noevidence": "Ingen vidnesbyrd", "noplanswerecreated": "Der blev ikke oprettet nogen læringsplaner.", diff --git a/www/addons/competency/lang/de-du.json b/www/addons/competency/lang/de-du.json index eeb5102e8ee..2fbe029fedb 100644 --- a/www/addons/competency/lang/de-du.json +++ b/www/addons/competency/lang/de-du.json @@ -22,7 +22,7 @@ "learningplans": "Lernpläne", "myplans": "Meine Lernpläne", "noactivities": "Keine Aktivitäten", - "nocompetencies": "Für diesen Kompetenzrahmen wurden keine Kompetenzen angelegt.", + "nocompetencies": "Keine Kompetenzen", "nocrossreferencedcompetencies": "Keine anderen Kompetenzen wurden zu dieser Kompetenz referiert.", "noevidence": "Keine Belege", "noplanswerecreated": "Bisher sind keine Lernpläne angelegt.", diff --git a/www/addons/competency/lang/de.json b/www/addons/competency/lang/de.json index eeb5102e8ee..2fbe029fedb 100644 --- a/www/addons/competency/lang/de.json +++ b/www/addons/competency/lang/de.json @@ -22,7 +22,7 @@ "learningplans": "Lernpläne", "myplans": "Meine Lernpläne", "noactivities": "Keine Aktivitäten", - "nocompetencies": "Für diesen Kompetenzrahmen wurden keine Kompetenzen angelegt.", + "nocompetencies": "Keine Kompetenzen", "nocrossreferencedcompetencies": "Keine anderen Kompetenzen wurden zu dieser Kompetenz referiert.", "noevidence": "Keine Belege", "noplanswerecreated": "Bisher sind keine Lernpläne angelegt.", diff --git a/www/addons/competency/lang/es-mx.json b/www/addons/competency/lang/es-mx.json index e3cf26a9682..1d5a8cbead5 100644 --- a/www/addons/competency/lang/es-mx.json +++ b/www/addons/competency/lang/es-mx.json @@ -22,7 +22,7 @@ "learningplans": "Planes de aprendizaje", "myplans": "Mis planes de aprendizaje", "noactivities": "Sin actividades", - "nocompetencies": "No se han creado competencias en esta estructura.", + "nocompetencies": "Sin competencias", "nocrossreferencedcompetencies": "No se han referenciado cruzadamente otras competencias con esta competencia.", "noevidence": "Sin evidencia", "noplanswerecreated": "No se crearon planes de aprendizaje.", diff --git a/www/addons/competency/lang/es.json b/www/addons/competency/lang/es.json index 53b3162fac7..0a6d6d5ae3c 100644 --- a/www/addons/competency/lang/es.json +++ b/www/addons/competency/lang/es.json @@ -15,7 +15,7 @@ "learningplans": "Planes de aprendizaje", "myplans": "Mis planes de aprendizaje", "noactivities": "Sin actividades", - "nocompetencies": "No se han creado competencias para este marco.", + "nocompetencies": "Sin competencias", "nocrossreferencedcompetencies": "No se han referenciado otras competencias a esta competencia.", "noevidence": "Sin evidencias", "path": "Ruta", diff --git a/www/addons/competency/lang/eu.json b/www/addons/competency/lang/eu.json index eef931d7f30..b17c66ef8d3 100644 --- a/www/addons/competency/lang/eu.json +++ b/www/addons/competency/lang/eu.json @@ -22,7 +22,7 @@ "learningplans": "Ikasketa-planak", "myplans": "Nire ikasketa-planak", "noactivities": "Ez dago jarduerarik", - "nocompetencies": "Ezin izan gaitasunik sortu marko honetan.", + "nocompetencies": "Gaitasunik ez", "nocrossreferencedcompetencies": "Ez dago gaitasun honekiko erreferentzia gurutzatua duen beste gaitasunik.", "noevidence": "Ez dago ebidentziarik", "noplanswerecreated": "Ez da ikasketa-planik sortu.", diff --git a/www/addons/competency/lang/fr.json b/www/addons/competency/lang/fr.json index 7e23c4763ea..c6827638b90 100644 --- a/www/addons/competency/lang/fr.json +++ b/www/addons/competency/lang/fr.json @@ -22,7 +22,7 @@ "learningplans": "Plans de formation", "myplans": "Mes plans de formation", "noactivities": "Aucune activité", - "nocompetencies": "Aucune compétence n'a été créée dans ce référentiel.", + "nocompetencies": "Aucune compétence", "nocrossreferencedcompetencies": "Aucune autre compétence n'est transversale pour cette compétence.", "noevidence": "Aucune preuve d'acquis", "noplanswerecreated": "Aucun plan de formation n'a été créé.", diff --git a/www/addons/competency/lang/it.json b/www/addons/competency/lang/it.json index b48ee9ec14d..655363c15e8 100644 --- a/www/addons/competency/lang/it.json +++ b/www/addons/competency/lang/it.json @@ -22,7 +22,7 @@ "learningplans": "Piani di formazione", "myplans": "I miei piani di formazione", "noactivities": "Nessuna attività.", - "nocompetencies": "Questo quadro non ha competenze", + "nocompetencies": "Non sono presenti competenze", "nocrossreferencedcompetencies": "Non ci sono competenze con riferimenti incrociati a questa competenza", "noevidence": "Non sono presenti attestazioni.", "noplanswerecreated": "Non sono stati creati piani di formazione", diff --git a/www/addons/competency/lang/ja.json b/www/addons/competency/lang/ja.json index d4109719e36..63ffc8f2572 100644 --- a/www/addons/competency/lang/ja.json +++ b/www/addons/competency/lang/ja.json @@ -22,7 +22,7 @@ "learningplans": "学習プラン", "myplans": "マイ学習プラン", "noactivities": "活動なし", - "nocompetencies": "このフレームワークにコンピテンシーは作成されていません。", + "nocompetencies": "コンピテンシーなし", "nocrossreferencedcompetencies": "このコンピテンシーに相互参照されている他のコンピテンシーはありません。", "noevidence": "エビデンスなし", "noplanswerecreated": "学習プランは作成されませんでした。", diff --git a/www/addons/competency/lang/lt.json b/www/addons/competency/lang/lt.json index 2fac9c0ec8e..68db76ab2c9 100644 --- a/www/addons/competency/lang/lt.json +++ b/www/addons/competency/lang/lt.json @@ -15,7 +15,7 @@ "learningplans": "Mokymosi planai", "myplans": "Mano mokymosi planai", "noactivities": "Nėra veiklų", - "nocompetencies": "Šioje sistemoje nebuvo sukurta kompetencijų.", + "nocompetencies": "Nėra kompetencijų", "nocrossreferencedcompetencies": "Jokios kitos kompetencijos nebuvo susietos kryžmine nuoroda su šia kompetencija.", "noevidence": "Nėra įrodymų", "noplanswerecreated": "Nebuvo sukurta mokymosi planų.", diff --git a/www/addons/competency/lang/nl.json b/www/addons/competency/lang/nl.json index 755c1596562..d7112fdd6f3 100644 --- a/www/addons/competency/lang/nl.json +++ b/www/addons/competency/lang/nl.json @@ -22,7 +22,7 @@ "learningplans": "Studieplannen", "myplans": "Mijn studieplannen", "noactivities": "Geen activiteiten", - "nocompetencies": "Er zijn nog geen competenties gemaakt in dit framework", + "nocompetencies": "Geen competenties", "nocrossreferencedcompetencies": "Er zijn geen andere competenties met een kruisverwijzing naar deze competentie.", "noevidence": "Geen bewijs", "noplanswerecreated": "Er zijn nog geen studieplannen gemaakt", diff --git a/www/addons/competency/lang/pt-br.json b/www/addons/competency/lang/pt-br.json index 232ddc151ec..5871a44d53e 100644 --- a/www/addons/competency/lang/pt-br.json +++ b/www/addons/competency/lang/pt-br.json @@ -22,7 +22,7 @@ "learningplans": "Planos de aprendizagem", "myplans": "Meus planos de aprendizagem", "noactivities": "Sem atividades", - "nocompetencies": "Nenhuma competência foi criada para esta estrutura.", + "nocompetencies": "Nenhuma competência", "nocrossreferencedcompetencies": "Nenhuma outra competência foi referenciada a esta competência.", "noevidence": "Nenhuma evidência", "noplanswerecreated": "Nenhum plano de aprendizagem foi criado.", diff --git a/www/addons/competency/lang/pt.json b/www/addons/competency/lang/pt.json index ef18f29e3fe..208fac40243 100644 --- a/www/addons/competency/lang/pt.json +++ b/www/addons/competency/lang/pt.json @@ -22,7 +22,7 @@ "learningplans": "Planos de aprendizagem", "myplans": "Os meus planos de aprendizagem", "noactivities": "Nenhuma atividade associada", - "nocompetencies": "Ainda não foram criadas competências neste quadro.", + "nocompetencies": "Sem competências", "nocrossreferencedcompetencies": "Nenhuma competência foi referenciada a esta competência.", "noevidence": "Não foi adicionado nenhum comprovativo", "noplanswerecreated": "Nenhum plano de aprendizagem foi criado.", diff --git a/www/addons/competency/lang/ru.json b/www/addons/competency/lang/ru.json index bfadb904de6..48be0eb6ba0 100644 --- a/www/addons/competency/lang/ru.json +++ b/www/addons/competency/lang/ru.json @@ -22,7 +22,7 @@ "learningplans": "Учебные планы", "myplans": "Мои учебные планы", "noactivities": "Нет элементов", - "nocompetencies": "Нет компетенций, созданных в этом фреймворке.", + "nocompetencies": "Нет компетенций", "nocrossreferencedcompetencies": "Нет других компетенций, перекрестно ссылающихся на эту компетенцию.", "noevidence": "Нет доказательств", "noplanswerecreated": "Учебные планы не были созданы.", diff --git a/www/addons/competency/lang/uk.json b/www/addons/competency/lang/uk.json index 8ba19bd44c3..2738f45a7d8 100644 --- a/www/addons/competency/lang/uk.json +++ b/www/addons/competency/lang/uk.json @@ -22,7 +22,7 @@ "learningplans": "Навчальний план", "myplans": "Мої навчальні плани", "noactivities": "Жодної діяльності", - "nocompetencies": "Жодної компетентності не створено у цьому репозиторії", + "nocompetencies": "Немає компетенції", "nocrossreferencedcompetencies": "Жодна інша компетентність не пов'язана з даною", "noevidence": "Жодного підтвердження", "noplanswerecreated": "Жодного навчального плану не було створено", diff --git a/www/addons/coursecompletion/lang/ca.json b/www/addons/coursecompletion/lang/ca.json index 7958e6ceaea..c8c2a11d5e0 100644 --- a/www/addons/coursecompletion/lang/ca.json +++ b/www/addons/coursecompletion/lang/ca.json @@ -1,21 +1,21 @@ { - "complete": "Completa", + "complete": "Complet", "completecourse": "Curs complet", "completed": "Completat", "completiondate": "Data de compleció", "couldnotloadreport": "No es pot carregar l'informe de compleció del curs, torneu a intentar-ho més tard.", - "coursecompletion": "Compleció de curs", + "coursecompletion": "Compleció del curs", "criteria": "Criteris", "criteriagroup": "Grup de criteris", - "criteriarequiredall": "Cal que es compleixin tots els criteris que es mostren a continuació", - "criteriarequiredany": "Cal que es compleixi algun dels criteris que es mostren a continuació", - "inprogress": "En progrés", + "criteriarequiredall": "Calen tots els criteris del dessota", + "criteriarequiredany": "Cal qualsevol dels criteris del dessota", + "inprogress": "En curs", "manualselfcompletion": "Auto-compleció manual", "notyetstarted": "No s'ha començat encara", - "pending": "Pendent", - "required": "Requerit", + "pending": "Pendents", + "required": "Necessari", "requiredcriteria": "Criteri requerit", "requirement": "Requisit", - "status": "Estat de la insígnia", + "status": "Estat", "viewcoursereport": "Visualitza l'informe del curs" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/cs.json b/www/addons/coursecompletion/lang/cs.json index e437ad93b5b..d4c27830900 100644 --- a/www/addons/coursecompletion/lang/cs.json +++ b/www/addons/coursecompletion/lang/cs.json @@ -1,21 +1,21 @@ { - "complete": "Splněno", + "complete": "Absolvováno", "completecourse": "Absolvovaný kurz", - "completed": "Hotovo", + "completed": "Splněno", "completiondate": "Datum ukončení", "couldnotloadreport": "Nelze načíst zprávu o absolvování kurzu. Zkuste to prosím později.", - "coursecompletion": "Studenti musí absolvovat tento kurz", - "criteria": "Podmínky", + "coursecompletion": "Absolvování kurzu", + "criteria": "Kritéria", "criteriagroup": "Skupina podmínek", - "criteriarequiredall": "Všechny podmínky musí být splněny", - "criteriarequiredany": "Jakákoli z podmínek musí být splněna", - "inprogress": "Probíhající", - "manualselfcompletion": "Označení absolvování kurzu samotným studentem", + "criteriarequiredall": "Jsou požadovány všechny podmínky", + "criteriarequiredany": "Je požadována libovolná podmínka", + "inprogress": "Probíhá", + "manualselfcompletion": "Ručně nastavené absolvování kurzu samotným studentem", "notyetstarted": "Zatím nezačalo", - "pending": "Probíhající", - "required": "Vyžadováno", - "requiredcriteria": "Vyžadované podmínky", + "pending": "Čeká", + "required": "Požadováno", + "requiredcriteria": "Požadovaná kriteria", "requirement": "Požadavek", - "status": "Stav", - "viewcoursereport": "Zobrazit přehled kurzu" + "status": "Status", + "viewcoursereport": "Zobrazit sestavu kurzu" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/da.json b/www/addons/coursecompletion/lang/da.json index 9f617cc8b75..9d2cdeb93a0 100644 --- a/www/addons/coursecompletion/lang/da.json +++ b/www/addons/coursecompletion/lang/da.json @@ -1,21 +1,21 @@ { - "complete": "Færdiggør", + "complete": "Fuldfør", "completecourse": "Fuldfør kursus", - "completed": "Gennemført", + "completed": "Fuldført", "completiondate": "Afslutningsdato", "couldnotloadreport": "Kunne ikke indlæse rapporten vedrørende kursusfuldførelse, prøv igen senere.", - "coursecompletion": "Kursusgennemførelse", - "criteria": "Kriterie", - "criteriagroup": "Kriteriegruppe", - "criteriarequiredall": "Alle kriterier herunder er påkrævet", - "criteriarequiredany": "Et af kriterierne herunder er påkrævet", - "inprogress": "Igangværende", - "manualselfcompletion": "Manuel selvregistrering af gennemførelse", - "notyetstarted": "Ikke begyndt endnu", - "pending": "Behandles", - "required": "Påkrævet", - "requiredcriteria": "Påkrævede kriterier", + "coursecompletion": "Kursusfuldførelse", + "criteria": "Kriterier", + "criteriagroup": "Gruppe af kriterier", + "criteriarequiredall": "Alle nedenstående kriterier er påkrævet", + "criteriarequiredany": "Hvilken som helst af nedenstående kriterier er påkrævet", + "inprogress": "I gang", + "manualselfcompletion": "Manuel markering af færdiggørelse", + "notyetstarted": "Endnu ikke startet", + "pending": "Afventer", + "required": "Krævet", + "requiredcriteria": "Krævet kriterie", "requirement": "Krav", - "status": "Badgestatus", - "viewcoursereport": "Vis kursusrapport" + "status": "Status", + "viewcoursereport": "Se kursusrapport" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/de-du.json b/www/addons/coursecompletion/lang/de-du.json index aea57098d00..7b599a12882 100644 --- a/www/addons/coursecompletion/lang/de-du.json +++ b/www/addons/coursecompletion/lang/de-du.json @@ -1,21 +1,21 @@ { - "complete": "Fertig", + "complete": "Abschließen", "completecourse": "Kurs abschließen", "completed": "Abgeschlossen", "completiondate": "Abschlussdatum", "couldnotloadreport": "Fehler beim Laden des Abschlussberichts. Versuche es später noch einmal.", - "coursecompletion": "Teilnehmer/innen müssen diesen Kurs abschließen.", + "coursecompletion": "Kursabschluss", "criteria": "Kriterien", "criteriagroup": "Kriteriengruppe", - "criteriarequiredall": "Alle nachfolgenden Kriterien sind notwendig", - "criteriarequiredany": "Eine der nachfolgenden Kriterien ist notwendig", - "inprogress": "In Bearbeitung", - "manualselfcompletion": "Manueller eigener Abschluss", - "notyetstarted": "Noch nicht begonnen", - "pending": "Unerledigt", - "required": "Erforderlich", - "requiredcriteria": "Notwendiges Kriterium", + "criteriarequiredall": "Alle nachfolgenden Kriterien sind notwendig.", + "criteriarequiredany": "Ein nachfolgendes Kriterium ist notwendig.", + "inprogress": "In Arbeit", + "manualselfcompletion": "Manueller Selbstabschluss", + "notyetstarted": "Nicht begonnen", + "pending": "Nicht erledigt", + "required": "Notwendig", + "requiredcriteria": "Notwendige Kriterien", "requirement": "Anforderung", - "status": "Existierende Einschreibungen erlauben", - "viewcoursereport": "Kursbericht ansehen" + "status": "Status", + "viewcoursereport": "Kursbericht anzeigen" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/de.json b/www/addons/coursecompletion/lang/de.json index b81cddc473a..5634fde0958 100644 --- a/www/addons/coursecompletion/lang/de.json +++ b/www/addons/coursecompletion/lang/de.json @@ -1,21 +1,21 @@ { - "complete": "Fertig", + "complete": "Abschließen", "completecourse": "Kurs abschließen", "completed": "Abgeschlossen", "completiondate": "Abschlussdatum", "couldnotloadreport": "Fehler beim Laden des Abschlussberichts. Versuchen Sie es später noch einmal.", - "coursecompletion": "Teilnehmer/innen müssen diesen Kurs abschließen.", + "coursecompletion": "Kursabschluss", "criteria": "Kriterien", "criteriagroup": "Kriteriengruppe", - "criteriarequiredall": "Alle nachfolgenden Kriterien sind notwendig", - "criteriarequiredany": "Eine der nachfolgenden Kriterien ist notwendig", - "inprogress": "In Bearbeitung", - "manualselfcompletion": "Manueller eigener Abschluss", - "notyetstarted": "Noch nicht begonnen", - "pending": "Unerledigt", - "required": "Erforderlich", - "requiredcriteria": "Notwendiges Kriterium", + "criteriarequiredall": "Alle nachfolgenden Kriterien sind notwendig.", + "criteriarequiredany": "Ein nachfolgendes Kriterium ist notwendig.", + "inprogress": "In Arbeit", + "manualselfcompletion": "Manueller Selbstabschluss", + "notyetstarted": "Nicht begonnen", + "pending": "Nicht erledigt", + "required": "Notwendig", + "requiredcriteria": "Notwendige Kriterien", "requirement": "Anforderung", - "status": "Existierende Einschreibungen erlauben", - "viewcoursereport": "Kursbericht ansehen" + "status": "Status", + "viewcoursereport": "Kursbericht anzeigen" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/el.json b/www/addons/coursecompletion/lang/el.json index 6c49a5c34c7..a6fb10fd47b 100644 --- a/www/addons/coursecompletion/lang/el.json +++ b/www/addons/coursecompletion/lang/el.json @@ -1,21 +1,21 @@ { "complete": "Ολοκλήρωση", "completecourse": "Ολοκλήρωση μαθήματος", - "completed": "ολοκληρώθηκε", + "completed": "Ολοκληρωμένο", "completiondate": "Ημερομηνία ολοκλήρωσης", "couldnotloadreport": "Δεν ήταν δυνατή η φόρτωση της αναφοράς ολοκλήρωσης του μαθήματος, δοκιμάστε ξανά αργότερα.", "coursecompletion": "Ολοκλήρωση μαθήματος", - "criteria": "Kριτήρια", + "criteria": "Κριτήρια", "criteriagroup": "Ομάδα κριτηρίων", - "criteriarequiredall": "Όλα τα παρακάτω κριτήρια είναι απαραίτητα", - "criteriarequiredany": "Τα παρακάτω κριτήρια είναι απαραίτητα", + "criteriarequiredall": "Όλα τα παρακάτω κριτήρια είναι υποχρεωτικά", + "criteriarequiredany": "Οποιοδήποτε από τα παρακάτω κριτήρια είναι υποχρεωτικά", "inprogress": "Σε εξέλιξη", - "manualselfcompletion": "Χειροκίνητη αυτό-ολοκλήρωση", + "manualselfcompletion": "Μη αυτόματη ολοκλήρωση", "notyetstarted": "Δεν έχει ξεκινήσει ακόμα", - "pending": "Σε εκκρεμότητα", + "pending": "Εκκρεμής", "required": "Απαιτείται", "requiredcriteria": "Απαιτούμενα κριτήρια", "requirement": "Απαίτηση", - "status": "Επιτρέπεται η πρόσβαση στους επισκέπτες", - "viewcoursereport": "Προβολή αναφορά μαθήματος" + "status": "Κατάσταση", + "viewcoursereport": "Δείτε την αναφορά μαθήματος" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/es-mx.json b/www/addons/coursecompletion/lang/es-mx.json index 68f9e01d8db..54e6ab3bf8f 100644 --- a/www/addons/coursecompletion/lang/es-mx.json +++ b/www/addons/coursecompletion/lang/es-mx.json @@ -1,21 +1,21 @@ { - "complete": "Completado", + "complete": "Completo", "completecourse": "Curso completo", - "completed": "Finalizado", + "completed": "Completado", "completiondate": "Fecha de terminación", "couldnotloadreport": "No pudo cargarse el reporte de finalización del curso. Por favor inténtelo más tarde.", - "coursecompletion": "Finalización de curso", - "criteria": "Criterios", - "criteriagroup": "Grupo de criterios", - "criteriarequiredall": "Son necesarios todos los criterios que aparecen más abajo", - "criteriarequiredany": "Es necesario cualquiera de los criterios que aparecen más abajo", - "inprogress": "En curso", - "manualselfcompletion": "Auto-finalizar manualmente", - "notyetstarted": "Aún no ha comenzado", + "coursecompletion": "Finalización del curso", + "criteria": "Criterio", + "criteriagroup": "Grupo de criterio", + "criteriarequiredall": "Todos los criterios debajo son necesarios.", + "criteriarequiredany": "Cualquiera de los criterios debajo es necesario.", + "inprogress": "en progreso", + "manualselfcompletion": "Auto finalización manual", + "notyetstarted": "Todavía no iniciado", "pending": "Pendiente", - "required": "Obligatorio", - "requiredcriteria": "Criterios necesarios", + "required": "Requerido", + "requiredcriteria": "Criterio requerido", "requirement": "Requisito", - "status": "Estatus de insignias", + "status": "Estatus", "viewcoursereport": "Ver reporte del curso" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/es.json b/www/addons/coursecompletion/lang/es.json index a061fa0356e..89ef5e6ecd0 100644 --- a/www/addons/coursecompletion/lang/es.json +++ b/www/addons/coursecompletion/lang/es.json @@ -1,21 +1,21 @@ { - "complete": "Finalizado", + "complete": "Completado", "completecourse": "Curso completado", - "completed": "completada", + "completed": "Finalizado", "completiondate": "Fecha de finalización", "couldnotloadreport": "No se puede cargar el informe de finalización del curso, por favor inténtalo de nuevo más tarde.", - "coursecompletion": "Los usuarios deben finalizar este curso.", + "coursecompletion": "Finalización del curso", "criteria": "Criterios", "criteriagroup": "Grupo de criterios", "criteriarequiredall": "Son necesarios todos los criterios que aparecen más abajo", "criteriarequiredany": "Es necesario cualquiera de los criterios que aparecen más abajo", - "inprogress": "En progreso", + "inprogress": "En curso", "manualselfcompletion": "Autocompletar manualmente", "notyetstarted": "Aún no comenzado", "pending": "Pendiente", "required": "Obligatorio", "requiredcriteria": "Criterios necesarios", "requirement": "Requisito", - "status": "Estado de la insignia", + "status": "Estado", "viewcoursereport": "Ver informe del curso" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/eu.json b/www/addons/coursecompletion/lang/eu.json index cb9f0e5356c..95215742424 100644 --- a/www/addons/coursecompletion/lang/eu.json +++ b/www/addons/coursecompletion/lang/eu.json @@ -1,21 +1,21 @@ { - "complete": "Osatu", + "complete": "Osoa", "completecourse": "Ikastaroa osatu", - "completed": "Osatua", + "completed": "Osatuta", "completiondate": "Osaketa-data", "couldnotloadreport": "Ezin izan da ikastaro-osaketaren txostena kargatu. Mesedez saiatu beranduago.", - "coursecompletion": "Erabiltzaileek ikastaro hau osatu behar dute", + "coursecompletion": "Ikastaro-osaketa", "criteria": "Irizpidea", "criteriagroup": "Irizpide-multzoa", - "criteriarequiredall": "Beheko irizpide guztiak dira beharrezko", - "criteriarequiredany": "Beheko hainbat irizpide dira beharrezko", - "inprogress": "Martxan", + "criteriarequiredall": "Beheko irizpide guztiak dira beharrezko.", + "criteriarequiredany": "Beheko hainbat irizpide dira beharrezko.", + "inprogress": "Ari da", "manualselfcompletion": "Norberak eskuz osatu", "notyetstarted": "Ez da hasi", - "pending": "Zain", - "required": "Ezinbestekoa", + "pending": "Egin gabe", + "required": "Beharrezkoa", "requiredcriteria": "Irizpidea behar da", "requirement": "Eskakizuna", - "status": "Dominen egoera", + "status": "Egoera", "viewcoursereport": "Ikastaroaren txostena ikusi" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/fa.json b/www/addons/coursecompletion/lang/fa.json index 451cd0c4224..a6d1853689b 100644 --- a/www/addons/coursecompletion/lang/fa.json +++ b/www/addons/coursecompletion/lang/fa.json @@ -12,6 +12,6 @@ "pending": "در حال بررسی", "required": "لازم است", "requiredcriteria": "ضوابط مورد نیاز", - "status": "وضعیت مدال", - "viewcoursereport": "مشاهده گزارش درس" + "status": "وضعیت", + "viewcoursereport": "مشاهدهٔ گزارش درس" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/fi.json b/www/addons/coursecompletion/lang/fi.json index f06c6b664eb..c435f6988ce 100644 --- a/www/addons/coursecompletion/lang/fi.json +++ b/www/addons/coursecompletion/lang/fi.json @@ -1,20 +1,20 @@ { - "complete": "Suoritettu loppuun", - "completed": "valmis", + "complete": "Valmis", + "completed": "Suoritettu", "completiondate": "Suorituspäivämäärä", "couldnotloadreport": "Kurssin suoritusraporttia ei pystytty lataamaan. Ole hyvä ja yritä myöhemmin uudelleen.", - "coursecompletion": "Kurssin lopetus", - "criteria": "Kriteeri", + "coursecompletion": "Kurssin suoritus", + "criteria": "Kriteerit", "criteriagroup": "Kriteeriryhmä", - "criteriarequiredall": "Kaikki alla olevat kriteerit vaaditaan", + "criteriarequiredall": "Kaikki alla mainitut kriteerit vaaditaan.", "criteriarequiredany": "Jokin alla olevista kriteereistä vaaditaan", - "inprogress": "Kesken", + "inprogress": "Meneillään", "manualselfcompletion": "Opiskelijan itse hyväksymät suoritukset", - "notyetstarted": "Ei vielä aloitettu", - "pending": "Vireillä", - "required": "Pakollinen", + "notyetstarted": "Ei vielä alkanut", + "pending": "Odottaa", + "required": "Vaadittu", "requiredcriteria": "Vaaditut kriteerit", "requirement": "Vaatimus", - "status": "Tilanne", - "viewcoursereport": "Näytä kurssin raportti" + "status": "Status", + "viewcoursereport": "Näytä kurssiraportti" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/fr.json b/www/addons/coursecompletion/lang/fr.json index e0290d8a8bb..b8dc9bc84e4 100644 --- a/www/addons/coursecompletion/lang/fr.json +++ b/www/addons/coursecompletion/lang/fr.json @@ -1,21 +1,21 @@ { - "complete": "Complet", + "complete": "Terminer", "completecourse": "Terminer le cours", "completed": "Terminé", "completiondate": "Date d'achèvement", "couldnotloadreport": "Impossible de charger le rapport d'achèvement de cours. Veuillez essayer plus tard.", - "coursecompletion": "Achèvement de cours", + "coursecompletion": "Achèvement du cours", "criteria": "Critères", "criteriagroup": "Groupe de critères", - "criteriarequiredall": "Tous les critères ci-dessous sont requis", - "criteriarequiredany": "Un des critères ci-dessous est requis", + "criteriarequiredall": "Tous les critères ci-dessous sont requis.", + "criteriarequiredany": "Un des critères ci-dessous est requis.", "inprogress": "En cours", "manualselfcompletion": "Auto-achèvement manuel", "notyetstarted": "Pas encore commencé", - "pending": "En suspens", + "pending": "En attente", "required": "Requis", "requiredcriteria": "Critères requis", "requirement": "Condition", - "status": "Statut du badge", - "viewcoursereport": "Consulter le rapport du cours" + "status": "Statut", + "viewcoursereport": "Afficher le rapport du cours" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/he.json b/www/addons/coursecompletion/lang/he.json index 021aaa2b398..dca12273f76 100644 --- a/www/addons/coursecompletion/lang/he.json +++ b/www/addons/coursecompletion/lang/he.json @@ -1,20 +1,20 @@ { - "complete": "הושלם", + "complete": "השלמה", "completecourse": "השלמת קורס", "completed": "הושלם", "completiondate": "תאריך השלמה", - "coursecompletion": "השלמת הקורס", - "criteria": "תנאי", - "criteriagroup": "קבוצת תנאים", - "criteriarequiredall": "כל התנאים המצויינים מטה נדרשים", - "criteriarequiredany": "לפחות אחד מהתנאים המצויינים מטה נדרשים", - "inprogress": "בלמידה", - "manualselfcompletion": "השלמה עצמאית ידנית", - "notyetstarted": "עדיין לא התחיל", - "pending": "בתהליך למידה", - "required": "דרוש", - "requiredcriteria": "תנאי נדרש", + "coursecompletion": "השלמת קורס", + "criteria": "מדד־הערכה", + "criteriagroup": "קבוצת מדדיי־הערכה", + "criteriarequiredall": "כל מדדיי־הערכה להלן נדרשים", + "criteriarequiredany": "אחד ממדדיי־הערכה להלן נדרש", + "inprogress": "בתהליך", + "manualselfcompletion": "הזנת השלמה עצמית", + "notyetstarted": "עדיין לא החל", + "pending": "בהמתנה", + "required": "נדרש", + "requiredcriteria": "מדד־הערכה נדרש", "requirement": "דרישה", - "status": "סטטוס ההישג", + "status": "מצב", "viewcoursereport": "צפיה בדוח הקורס" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/hr.json b/www/addons/coursecompletion/lang/hr.json index 18d1070125f..16b46751591 100644 --- a/www/addons/coursecompletion/lang/hr.json +++ b/www/addons/coursecompletion/lang/hr.json @@ -1,5 +1,5 @@ { - "complete": "Potpuno", + "complete": "Dovršeno", "completed": "Završeno", "completiondate": "Datum dovršetka", "coursecompletion": "Dovršenost e-kolegija", @@ -11,9 +11,9 @@ "manualselfcompletion": "Ručni dovršetak", "notyetstarted": "Nije još započelo", "pending": "Na čekanju", - "required": "Obvezatno", - "requiredcriteria": "Obvezatni kriterij", + "required": "Obvezno", + "requiredcriteria": "Obvezni kriterij", "requirement": "Uvjet", - "status": "Status", + "status": "Stanje", "viewcoursereport": "Prikaz izvješća e-kolegija" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/it.json b/www/addons/coursecompletion/lang/it.json index 85d2a1d7320..14720639bc3 100644 --- a/www/addons/coursecompletion/lang/it.json +++ b/www/addons/coursecompletion/lang/it.json @@ -1,21 +1,21 @@ { - "complete": "Completo", + "complete": "Completato", "completecourse": "Corso completato", - "completed": "Completata", + "completed": "Completato", "completiondate": "Data di completamento", - "couldnotloadreport": "Non è stato possibile caricare il report di completamento del corso, per favore riporva.", - "coursecompletion": "Completamento corso", + "couldnotloadreport": "Non è stato possibile caricare il report di completamento del corso, per favore riprova più tardi.", + "coursecompletion": "Completamento del corso", "criteria": "Criteri", "criteriagroup": "Gruppo di criteri", "criteriarequiredall": "E' richiesto il soddisfacimento di tutti i criteri elencati", "criteriarequiredany": "E' richiesto il soddisfacimento di almeno uno dei criteri elencati", - "inprogress": "In corso", + "inprogress": "In svolgimento", "manualselfcompletion": "Conferma personale di completamento", - "notyetstarted": "Non ancora iniziato", + "notyetstarted": "Non iniziato", "pending": "In attesa", - "required": "Obbligatorio", + "required": "Da soddisfare", "requiredcriteria": "Criteri da soddisfare", "requirement": "Requisito", - "status": "Stato badge", - "viewcoursereport": "Visualizza il report del corso" + "status": "Stato", + "viewcoursereport": "Visualizza report del corso" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/ja.json b/www/addons/coursecompletion/lang/ja.json index df8a2b8634d..344ea673aea 100644 --- a/www/addons/coursecompletion/lang/ja.json +++ b/www/addons/coursecompletion/lang/ja.json @@ -1,21 +1,21 @@ { - "complete": "詳細", + "complete": "完了", "completecourse": "コース完了", - "completed": "完了", + "completed": "完了しました", "completiondate": "完了した日", "couldnotloadreport": "コース完了の読み込みができませんでした。後でもう一度試してください。", - "coursecompletion": "ユーザはこのコースを完了する必要があります。", + "coursecompletion": "コース完了", "criteria": "クライテリア", "criteriagroup": "クライテリアグループ", - "criteriarequiredall": "下記のクライテリアすべてが必須である", - "criteriarequiredany": "下記いくつかのクライテリアが必須である", + "criteriarequiredall": "以下すべてのクライテリアが必要", + "criteriarequiredany": "以下のクライテリアいずれかが必要", "inprogress": "進行中", - "manualselfcompletion": "手動による自己完了", - "notyetstarted": "未開始", - "pending": "保留", - "required": "必須", - "requiredcriteria": "必須クライテリア", + "manualselfcompletion": "手動自己完了", + "notyetstarted": "まだ開始されていない", + "pending": "保留中", + "required": "必要な", + "requiredcriteria": "必要なクライテリア", "requirement": "要求", - "status": "ステータス", - "viewcoursereport": "コースレポートを表示する" + "status": "状態", + "viewcoursereport": "コースレポートを見る" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/ko.json b/www/addons/coursecompletion/lang/ko.json index eae7220c2e5..fd340f5dbad 100644 --- a/www/addons/coursecompletion/lang/ko.json +++ b/www/addons/coursecompletion/lang/ko.json @@ -1,21 +1,21 @@ { - "complete": "완료", + "complete": "완전한", "completecourse": "강좌 완료", - "completed": "완료됨", + "completed": "완료 됨", "completiondate": "완료일", "couldnotloadreport": "강좌 완료 보고서를 로드 할 수 없습니다. 나중에 다시 시도 해주십시오.", - "coursecompletion": "강좌이수완료", + "coursecompletion": "강좌 완료", "criteria": "기준", - "criteriagroup": "기준 모둠", - "criteriarequiredall": "아래의 모든 기준이 필요합니다.", - "criteriarequiredany": "아래의 어떤 기준도 필요합니다,", + "criteriagroup": "기준 그룹", + "criteriarequiredall": "아래 모든 기준이 필요합니다.", + "criteriarequiredany": "아래 기준을 충족해야 합니다.", "inprogress": "진행 중", - "manualselfcompletion": "강좌이수 수동확인", - "notyetstarted": "아직 시작 안했습니다.", - "pending": "유예", - "required": "필수사항", - "requiredcriteria": "필수 기준", + "manualselfcompletion": "수동 완료", + "notyetstarted": "시작 전", + "pending": "연기", + "required": "필수", + "requiredcriteria": "요구 기준", "requirement": "요구사항", - "status": "뱃지 상태", + "status": "상태", "viewcoursereport": "강좌 보고서 보기" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/lt.json b/www/addons/coursecompletion/lang/lt.json index e26747a5ead..c6813474cf2 100644 --- a/www/addons/coursecompletion/lang/lt.json +++ b/www/addons/coursecompletion/lang/lt.json @@ -1,21 +1,21 @@ { - "complete": "Užbaigti", + "complete": "Visas", "completecourse": "Visa kursų medžiaga", - "completed": "Baigtas", + "completed": "Užbaigta", "completiondate": "Užbaigimo data", "couldnotloadreport": "Nepavyko įkelti kursų baigimo ataskaitos, prašome pabandyti vėliau.", - "coursecompletion": "Kurso baigimas", + "coursecompletion": "Kursų užbaigimas", "criteria": "Kriterijai", "criteriagroup": "Kriterijų grupė", - "criteriarequiredall": "Visi žemiau pateikti kriterijai yra būtini", - "criteriarequiredany": "Bet kuris žemiau pateiktas kriterijus yra būtinas", - "inprogress": "Atliekama", - "manualselfcompletion": "Savas užbaigimas neautomatiniu būdu", - "notyetstarted": "Dar nepradėta", + "criteriarequiredall": "Visi žemiau esantys kriterijai yra privalomi", + "criteriarequiredany": "Kiekvienas kriterijus, esantis žemiau, yra privalomas", + "inprogress": "Nebaigta", + "manualselfcompletion": "Savarankiško mokymosi vadovas", + "notyetstarted": "Nepradėta", "pending": "Laukiama", - "required": "Būtina", - "requiredcriteria": "Būtini kriterijai", + "required": "Privaloma", + "requiredcriteria": "Privalomi kriterijai", "requirement": "Būtina sąlyga", - "status": "Pasiekimo būsena", + "status": "Būsena", "viewcoursereport": "Peržiūrėti kursų ataskaitą" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/mr.json b/www/addons/coursecompletion/lang/mr.json index 0e017765392..7670c17cb41 100644 --- a/www/addons/coursecompletion/lang/mr.json +++ b/www/addons/coursecompletion/lang/mr.json @@ -1,7 +1,7 @@ { "complete": "पूर्ण", "completecourse": "पूर्ण अभ्यासक्रम", - "completed": "पुर्ण झाली.", + "completed": "पूर्ण केले", "completiondate": "Completion date", "couldnotloadreport": "अभ्यासक्रम पूर्ण केल्याचे अहवाल लोड करणे शक्य नाही, कृपया नंतर पुन्हा प्रयत्न करा.", "coursecompletion": "अभ्यासक्रम पूर्ण", @@ -13,9 +13,9 @@ "manualselfcompletion": "स्वयं पूर्ण", "notyetstarted": "स्वतःच्या हाताने पूर्ण", "pending": "प्रलंबित", - "required": "गरजेचे आहे.", + "required": "आवश्यक", "requiredcriteria": "आवश्यक निकष", "requirement": "आवश्यकता", - "status": "दर्जा", + "status": "स्थिती", "viewcoursereport": "अभ्यासक्रम अहवाल पहा" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/nl.json b/www/addons/coursecompletion/lang/nl.json index e8fdb985c1f..03ce6e04e4c 100644 --- a/www/addons/coursecompletion/lang/nl.json +++ b/www/addons/coursecompletion/lang/nl.json @@ -1,21 +1,21 @@ { - "complete": "Voltooid", + "complete": "Voltooi", "completecourse": "Voltooi cursus", - "completed": "Volledig", + "completed": "Voltooid", "completiondate": "Voltooiingsdatum", "couldnotloadreport": "Kon het voltooiingsrapport van de cursus niet laden. Probeer later opnieuw.", - "coursecompletion": "Cursus voltooien", + "coursecompletion": "Cursus voltooiing", "criteria": "Criteria", "criteriagroup": "Criteria groep", - "criteriarequiredall": "Alle onderstaande criteria zijn vereist", - "criteriarequiredany": "Al onderstaande criteria zijn vereist", - "inprogress": "Actief", - "manualselfcompletion": "Manueel voltooien", - "notyetstarted": "Nog niet begonnen", - "pending": "Bezig", - "required": "Verplicht", + "criteriarequiredall": "Alle onderstaande criteria zijn vereist.", + "criteriarequiredany": "Alle onderstaande criteria zijn vereist.", + "inprogress": "Bezig", + "manualselfcompletion": "Handmatige zelf-voltooiing", + "notyetstarted": "Nog niet gestart", + "pending": "Nog bezig", + "required": "Vereist", "requiredcriteria": "Vereiste criteria", "requirement": "Vereiste", - "status": "Badge status", + "status": "Status", "viewcoursereport": "Bekijk cursusrapport" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/pt-br.json b/www/addons/coursecompletion/lang/pt-br.json index 6ffa2866e22..da82565edc9 100644 --- a/www/addons/coursecompletion/lang/pt-br.json +++ b/www/addons/coursecompletion/lang/pt-br.json @@ -1,21 +1,21 @@ { - "complete": "Completo", + "complete": "Concluído", "completecourse": "Curso concluído", - "completed": "Concluído", + "completed": "Completado", "completiondate": "Data de conclusão", "couldnotloadreport": "Não foi possível carregar o relatório de conclusão do curso, por favor tente novamente mais tarde.", - "coursecompletion": "Andamento do curso", + "coursecompletion": "Conclusão do curso", "criteria": "Critérios", "criteriagroup": "Grupo de critérios", "criteriarequiredall": "Todos os critérios abaixo são necessários", - "criteriarequiredany": "Qualquer um dos critérios abaixo são necessários", - "inprogress": "Em andamento", - "manualselfcompletion": "Conclusão manual por si mesmo", - "notyetstarted": "Não iniciado ainda", - "pending": "Pendentes", - "required": "Necessários", - "requiredcriteria": "Critérios exigidos", + "criteriarequiredany": "Quaisquer critérios abaixo são necessários", + "inprogress": "Em progresso", + "manualselfcompletion": "Auto conclusão manual", + "notyetstarted": "Ainda não começou", + "pending": "Pendente", + "required": "Necessário", + "requiredcriteria": "Critério necessário", "requirement": "Exigência", - "status": "Status", - "viewcoursereport": "Ver relatório do curso" + "status": "Condição", + "viewcoursereport": "Ver relatório de curso" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/pt.json b/www/addons/coursecompletion/lang/pt.json index 47b608d6051..436b7c09b82 100644 --- a/www/addons/coursecompletion/lang/pt.json +++ b/www/addons/coursecompletion/lang/pt.json @@ -1,21 +1,21 @@ { - "complete": "Completo", + "complete": "Concluído", "completecourse": "Disciplina concluída", - "completed": "Completou", + "completed": "Concluído", "completiondate": "Data de conclusão", "couldnotloadreport": "Não foi possível carregar o relatório de conclusão da disciplina. Por favor, tente mais tarde.", - "coursecompletion": "Os utilizadores têm de concluir esta disciplina", + "coursecompletion": "Conclusão da disciplina", "criteria": "Critérios", "criteriagroup": "Grupo de critérios", - "criteriarequiredall": "Todos os critérios abaixo são exigidos", - "criteriarequiredany": "Qualquer dos critérios abaixo é necessário", + "criteriarequiredall": "É exigido o cumprimento de todos os critérios abaixo.", + "criteriarequiredany": "É exigido o cumprimento de qualquer um dos critérios abaixo.", "inprogress": "Em progresso", "manualselfcompletion": "Conclusão manual pelo próprio", - "notyetstarted": "Ainda não iniciou", + "notyetstarted": "Não iniciou", "pending": "Pendente", - "required": "Obrigatório", - "requiredcriteria": "Critério obrigatório", + "required": "Exigido", + "requiredcriteria": "Critério exigido", "requirement": "Requisito", - "status": "Estado da Medalha", + "status": "Estado", "viewcoursereport": "Ver relatório da disciplina" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/ro.json b/www/addons/coursecompletion/lang/ro.json index 7a195f67c33..46b9f21bb93 100644 --- a/www/addons/coursecompletion/lang/ro.json +++ b/www/addons/coursecompletion/lang/ro.json @@ -1,21 +1,21 @@ { - "complete": "Finalizează", + "complete": "Complet", "completecourse": "Curs complet", - "completed": "Finalizare", + "completed": "Complet", "completiondate": "Data limita până la completarea acțiunii", "couldnotloadreport": "Raportul cu privire la situația completării cursului nu se poate încărca, încercați mai târziu.", - "coursecompletion": "Absolvire curs", + "coursecompletion": "Completarea cursului", "criteria": "Criterii", - "criteriagroup": "Grup criterii", - "criteriarequiredall": "Toate criteriile de mai jos sunt necesare", - "criteriarequiredany": "Oricare dintre criteriile de mai jos sunt necesare", - "inprogress": "În curs", - "manualselfcompletion": "Auto-finalizare manuală", - "notyetstarted": "Nu a fost încă început", - "pending": "În așteptare", - "required": "Necesar", - "requiredcriteria": "Criteriu necesar", + "criteriagroup": "Criterii pentru grup", + "criteriarequiredall": "Indeplinirea următoarelor criterii este obligatorie", + "criteriarequiredany": "Oricare din urmatoarele criterii sunt obligatorii", + "inprogress": "În progres", + "manualselfcompletion": "Autocompletare", + "notyetstarted": "Înca nu a început", + "pending": "În asteptare", + "required": "Obligatoriu", + "requiredcriteria": "Criterii obligatorii", "requirement": "Cerințe", - "status": "Status", - "viewcoursereport": "Vezi raportul cursului" + "status": "Situație", + "viewcoursereport": "Vizualizați raportul despre curs" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/ru.json b/www/addons/coursecompletion/lang/ru.json index 8465626557f..b61ca6ef733 100644 --- a/www/addons/coursecompletion/lang/ru.json +++ b/www/addons/coursecompletion/lang/ru.json @@ -1,21 +1,21 @@ { - "complete": "Завершено", + "complete": "Завершить", "completecourse": "Завершить курс", - "completed": "Выполнено", + "completed": "Завершен", "completiondate": "Дата завершения", "couldnotloadreport": "Невозможно загрузить отчёт о завершении курса. Пожалуйста, попробуйте ещё раз позже.", - "coursecompletion": "Окончание курса", - "criteria": "Критерий", - "criteriagroup": "Группа критериев", - "criteriarequiredall": "Требуются соответствие всем указанным ниже критериям", - "criteriarequiredany": "Требуется соответствие любому из указанных ниже критериев", - "inprogress": "В процессе", - "manualselfcompletion": "Пользователь может сам поставить отметку о выполнении", - "notyetstarted": "Еще не началось", - "pending": "Ожидается", - "required": "Необходимо заполнить", + "coursecompletion": "Завершение курса", + "criteria": "Критерии", + "criteriagroup": "Критерии группы", + "criteriarequiredall": "Все приведенные ниже критерии являются обязательными.", + "criteriarequiredany": "Некоторые из нижеуказанных критериев обязательны.", + "inprogress": "В прогрессе", + "manualselfcompletion": "Ручное самостоятельное завершение", + "notyetstarted": "Еще не начался", + "pending": "На рассмотрении", + "required": "Необходимый", "requiredcriteria": "Необходимые критерии", "requirement": "Требование", - "status": "Статус значка", - "viewcoursereport": "Просмотреть отчет по курсу" + "status": "Статус", + "viewcoursereport": "Посмотреть отчет курса" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/sv.json b/www/addons/coursecompletion/lang/sv.json index df193278ade..1a9665c3d8e 100644 --- a/www/addons/coursecompletion/lang/sv.json +++ b/www/addons/coursecompletion/lang/sv.json @@ -1,21 +1,21 @@ { "complete": "Komplett", "completecourse": "", - "completed": "Slutfört", + "completed": "Fullföljt", "completiondate": "Datum för fullföljande", "couldnotloadreport": "Det gick inte att läsa in rapporten för fullföljande av kursen, vänligen försök igen senare .", - "coursecompletion": "Fullgörande av kurs", - "criteria": "Kriterier", - "criteriagroup": "Kriterier för grupp", - "criteriarequiredall": "Alla kriterier är obligatoriska", - "criteriarequiredany": "Alla kriterier nedan är obligatoriska", - "inprogress": "Pågår", - "manualselfcompletion": "Studenten markerar själv som fullföljd", - "notyetstarted": "Har ännu inte påbörjats", + "coursecompletion": "Fullföljande av kurs", + "criteria": "Villkor", + "criteriagroup": "Villkor grupp", + "criteriarequiredall": "Alla villkor nedan måste vara uppfyllda", + "criteriarequiredany": "Något villkor nedan måste vara uppfylld", + "inprogress": "Pågående", + "manualselfcompletion": "Manuell fullföljande av deltagare", + "notyetstarted": "Ännu inte börjat", "pending": "Avvaktar", "required": "Obligatorisk", - "requiredcriteria": "Obligatoriskt kriterium", + "requiredcriteria": "Obligatorisk villkor", "requirement": "Krav", - "status": "Status för märke", + "status": "Status", "viewcoursereport": "Visa kursrapport" } \ No newline at end of file diff --git a/www/addons/coursecompletion/lang/uk.json b/www/addons/coursecompletion/lang/uk.json index 8078ba36f3d..790fda5169e 100644 --- a/www/addons/coursecompletion/lang/uk.json +++ b/www/addons/coursecompletion/lang/uk.json @@ -1,21 +1,21 @@ { - "complete": "Завершено", + "complete": "Завершити", "completecourse": "Завершити курсу", - "completed": "Виконано", + "completed": "Завершено", "completiondate": "Дата завершення", "couldnotloadreport": "Не вдалося завантажити звіт про закінчення курсу, будь ласка, спробуйте ще раз пізніше.", - "coursecompletion": "Курс закінчено", - "criteria": "Критерій", + "coursecompletion": "Завершення курсу", + "criteria": "Критерія", "criteriagroup": "Група критеріїв", - "criteriarequiredall": "Потрібна відповідність всім вказаним критеріям", - "criteriarequiredany": "Потрібна відповідність будь-якому критерію", - "inprogress": "В процесі", - "manualselfcompletion": "Самореєстрація завершення", - "notyetstarted": "Ще не почато", - "pending": "Очікується", - "required": "Необхідні", - "requiredcriteria": "Необхідний критерій", + "criteriarequiredall": "Всі критерії нижче обов'язкові", + "criteriarequiredany": "Будь-яка критерія нижче обов'язкова", + "inprogress": "В процесі...", + "manualselfcompletion": "Самостійне завершення", + "notyetstarted": "Не розпочато", + "pending": "В очікуванні", + "required": "Необхідно", + "requiredcriteria": "Необхідна критерія", "requirement": "Вимога", - "status": "Статус відзнаки", + "status": "Статус", "viewcoursereport": "Переглянути звіт курсу" } \ No newline at end of file diff --git a/www/addons/files/lang/ca.json b/www/addons/files/lang/ca.json index 90887bf7b3f..035be4b1f33 100644 --- a/www/addons/files/lang/ca.json +++ b/www/addons/files/lang/ca.json @@ -2,12 +2,12 @@ "admindisableddownload": "Teniu en compte que l'administrador de Moodle ha desactivat la descàrrega d'arxius; podeu visualitzar els arxius, però no descarregar-los.", "clicktoupload": "Feu clic al botó del dessota per pujar arxius a l'àrea del vostres fitxers.", "couldnotloadfiles": "La llista d'arxius no s'ha pogut carregar.", - "emptyfilelist": "No hi ha fitxers per mostrar", + "emptyfilelist": "No hi ha fitxers per mostrar.", "erroruploadnotworking": "No es poden pujar fitxers al vostre lloc ara mateix.", "files": "Fitxers", "myprivatefilesdesc": "Els arxius que teniu disponibles a la vostra àrea privada en aquest lloc Moodle.", "privatefiles": "Fitxers privats", "sitefiles": "Fitxers del lloc", "sitefilesdesc": "Els altres arxius que es troben disponibles en aquest lloc Moodle.", - "uploadfiles": "Envia fitxers de retroacció" + "uploadfiles": "Puja fitxers" } \ No newline at end of file diff --git a/www/addons/files/lang/cs.json b/www/addons/files/lang/cs.json index 788a5df8a6e..3e5d2932354 100644 --- a/www/addons/files/lang/cs.json +++ b/www/addons/files/lang/cs.json @@ -2,12 +2,12 @@ "admindisableddownload": "Upozorňujeme, že správce Moodle zakázal stahování souborů. Soubory si můžete prohlížet, ale ne stáhnout.", "clicktoupload": "Kliknutím na tlačítko níže nahrát soubory do vašich osobních souborů.", "couldnotloadfiles": "Seznam souborů, které nelze načíst .", - "emptyfilelist": "Žádný soubor k zobrazení", + "emptyfilelist": "Žádný soubor k zobrazení.", "erroruploadnotworking": "Bohužel v současné době není možné nahrávat na stránky vašeho Moodle.", "files": "Soubory", "myprivatefilesdesc": "Soubory, které jsou dostupné pouze pro vás.", "privatefiles": "Osobní soubory", "sitefiles": "Soubory stránek", "sitefilesdesc": "Další soubory, které jsou dostupné na těchto stránkách.", - "uploadfiles": "Poslat zpětnovazební soubory" + "uploadfiles": "Nahrát soubory" } \ No newline at end of file diff --git a/www/addons/files/lang/da.json b/www/addons/files/lang/da.json index 5f9d7d54b3b..1453d08f9f7 100644 --- a/www/addons/files/lang/da.json +++ b/www/addons/files/lang/da.json @@ -2,12 +2,12 @@ "admindisableddownload": "Bemærk venligst at din Moodleadministrator har deaktiveret download af filer. Du kan se filerne men ikke downloade dem.", "clicktoupload": "Klik på knappen nedenfor for at uploade filer til dine private filer.", "couldnotloadfiles": "Fillisten kunne ikke hentes", - "emptyfilelist": "Der er ingen filer at vise", + "emptyfilelist": "Der er ingen filer at vise.", "erroruploadnotworking": "Desværre er det p.t. ikke muligt at uploade filer til dit site.", "files": "Filer", "myprivatefilesdesc": "Filerne som er tilgængelige i dit private område på dette Moodlewebsted.", "privatefiles": "Private filer", "sitefiles": "Site filer", "sitefilesdesc": "De andre filer som er tilgængelige for dig på denne Moodlewebside.", - "uploadfiles": "Send feedbackfiler" + "uploadfiles": "Upload filer" } \ No newline at end of file diff --git a/www/addons/files/lang/de-du.json b/www/addons/files/lang/de-du.json index 4cc87c25207..de918e9ff50 100644 --- a/www/addons/files/lang/de-du.json +++ b/www/addons/files/lang/de-du.json @@ -2,12 +2,12 @@ "admindisableddownload": "Das Herunterladen von Dateien ist deaktiviert. Du kannst nur die Dateiliste sehen und nichts herunterladen.", "clicktoupload": "Tippe auf die Taste, um Dateien in den Bereich 'Meine Dateien' hochzuladen.", "couldnotloadfiles": "Die Liste der Dateien konnte nicht geladen werden.", - "emptyfilelist": "Es liegen keine Dateien vor", + "emptyfilelist": "Keine Dateien", "erroruploadnotworking": "Im Moment können keine Dateien zur Website hochgeladen werden.", "files": "Dateien", "myprivatefilesdesc": "Dateien, Auf die ausschließlich du zugreifen kannst.", "privatefiles": "Meine Dateien", "sitefiles": "Dateien der Website", "sitefilesdesc": "Weitere Dateien, die für dich auf dieser Website zugänglich sind.", - "uploadfiles": "Feedbackdateien senden" + "uploadfiles": "Dateien hochladen" } \ No newline at end of file diff --git a/www/addons/files/lang/de.json b/www/addons/files/lang/de.json index 91305f44eff..1f6e9fa90ee 100644 --- a/www/addons/files/lang/de.json +++ b/www/addons/files/lang/de.json @@ -2,12 +2,12 @@ "admindisableddownload": "Das Herunterladen von Dateien ist deaktiviert. Sie können nur die Dateiliste sehen und nichts herunterladen.", "clicktoupload": "Tippen Sie auf die Taste, um Dateien in den Bereich 'Meine Dateien' hochzuladen.", "couldnotloadfiles": "Die Liste der Dateien konnte nicht geladen werden.", - "emptyfilelist": "Es liegen keine Dateien vor", + "emptyfilelist": "Keine Dateien", "erroruploadnotworking": "Im Moment können keine Dateien zur Website hochgeladen werden.", "files": "Dateien", "myprivatefilesdesc": "Dateien, auf die ausschließlich Sie zugreifen können.", "privatefiles": "Meine Dateien", "sitefiles": "Dateien der Website", "sitefilesdesc": "Weitere Dateien, die für Sie auf dieser Website zugänglich sind.", - "uploadfiles": "Feedbackdateien senden" + "uploadfiles": "Dateien hochladen" } \ No newline at end of file diff --git a/www/addons/files/lang/el.json b/www/addons/files/lang/el.json index 105bb0c0877..8f435d24e4f 100644 --- a/www/addons/files/lang/el.json +++ b/www/addons/files/lang/el.json @@ -9,5 +9,5 @@ "privatefiles": "Προσωπικά αρχεία", "sitefiles": "Αρχεία του ιστοχώρου", "sitefilesdesc": "Άλλα αρχεία που είναι στη διάθεσή σας σε αυτό το site Moodle.", - "uploadfiles": "Αποστολή αρχείου ανατροφοδότησης" + "uploadfiles": "Μεταφορτώστε αρχεία" } \ No newline at end of file diff --git a/www/addons/files/lang/es-mx.json b/www/addons/files/lang/es-mx.json index 6a0a7e462c9..37175c738cf 100644 --- a/www/addons/files/lang/es-mx.json +++ b/www/addons/files/lang/es-mx.json @@ -2,12 +2,12 @@ "admindisableddownload": "El administrador del sitio ha deshabilitado las descargas de archivos; Usted puede ver los archivos pero no puede descargarlos.", "clicktoupload": "Haga click en el botón inferior para subir archivos a sus archivos privados.", "couldnotloadfiles": "La lista de archivos no pudo cargarse.", - "emptyfilelist": "No hay archivos que mostrar", + "emptyfilelist": "No hay archivos para mostrar.", "erroruploadnotworking": "Desafortunadamente ahorita no es posible subir archivos a su sitio.", "files": "Archivos", "myprivatefilesdesc": "Archivos a los que solamente Usted puede acceder.", "privatefiles": "Archivos privados", "sitefiles": "Archivos del sitio", "sitefilesdesc": "Otros archivos que están disponibles para Usted en este sitio.", - "uploadfiles": "Mandar archivos de retroalimentación" + "uploadfiles": "Subir archivos" } \ No newline at end of file diff --git a/www/addons/files/lang/es.json b/www/addons/files/lang/es.json index 19e67205370..d67044531b0 100644 --- a/www/addons/files/lang/es.json +++ b/www/addons/files/lang/es.json @@ -9,5 +9,5 @@ "privatefiles": "Ficheros privados", "sitefiles": "Archivos del sitio", "sitefilesdesc": "Los otros archivos que están disponibles para Usted en este sitio Moodle.", - "uploadfiles": "Mandar archivos de retroalimentación" + "uploadfiles": "Subir archivos" } \ No newline at end of file diff --git a/www/addons/files/lang/eu.json b/www/addons/files/lang/eu.json index bc46081cef9..71db9771a7d 100644 --- a/www/addons/files/lang/eu.json +++ b/www/addons/files/lang/eu.json @@ -2,12 +2,12 @@ "admindisableddownload": "Zure Moodle kudeatzaileak fitxategien jaitsiera ezgaitu du. Fitxategiak araka ditzakezu baina ezin dituzu jaitsi.", "clicktoupload": "Klik egin beheko botoian fitxategiak zure gune pribatura igotzeko.", "couldnotloadfiles": "Ezin izan da fitxategien zerrenda kargatu.", - "emptyfilelist": "Ez dago erakusteko fitxategirik", + "emptyfilelist": "Ez dago fitxategirik erakusteko.", "erroruploadnotworking": "Zoritxarrez une honetan ezin dira fitxategiak zure gunera igo.", "files": "Fitxategiak", "myprivatefilesdesc": "Soilik zuk eskura ditzakezun fitxategiak.", "privatefiles": "Fitxategi pribatuak", "sitefiles": "Guneko fitxategiak", "sitefilesdesc": "Gune honetan eskuragarri dauden beste fitxategiak.", - "uploadfiles": "bidali feedback-fitxategiak" + "uploadfiles": "Igo fitxategiak" } \ No newline at end of file diff --git a/www/addons/files/lang/fi.json b/www/addons/files/lang/fi.json index 14c205854fd..7514c3992a3 100644 --- a/www/addons/files/lang/fi.json +++ b/www/addons/files/lang/fi.json @@ -2,11 +2,11 @@ "admindisableddownload": "Sivuston pääkäyttäjä on estänyt tiedostojen lataamisen. Voit ainoastaan selata tiedostoja, mutta et voi ladata niitä.", "clicktoupload": "Paina alapuolella olevaa painiketta ladataksesi tiedoston omiin yksityisiin tiedostoihisi.", "couldnotloadfiles": "Tiedostolistaa ei pystytty lataamaan.", - "emptyfilelist": "Ei näytettäviä tiedostoja", + "emptyfilelist": "Ei näytettäviä tiedostoja.", "erroruploadnotworking": "Valitettavasti tiedostojen lataaminen järjestelmään ei tällä hetkellä onnistu.", "files": "Tiedostot", "myprivatefilesdesc": "Tiedostot, jotka ovat vain sinulle käytettävissä.", "privatefiles": "Yksityiset tiedostot", "sitefiles": "Sivuston tiedostot", - "uploadfiles": "Lähetä palautetiedostot" + "uploadfiles": "Lähetä tiedostot" } \ No newline at end of file diff --git a/www/addons/files/lang/fr.json b/www/addons/files/lang/fr.json index d37cbd25a3c..672c0abfa2c 100644 --- a/www/addons/files/lang/fr.json +++ b/www/addons/files/lang/fr.json @@ -2,12 +2,12 @@ "admindisableddownload": "L'administrateur de votre Moodle a désactivé le téléchargement des fichiers. Vous pouvez les consulter, mais pas les télécharger.", "clicktoupload": "Cliquer sur le bouton ci-dessous pour déposer les fichiers dans vos fichiers personnels.", "couldnotloadfiles": "La liste des fichiers n'a pas pu être chargée.", - "emptyfilelist": "Il n'y a pas de fichier à afficher", + "emptyfilelist": "Aucun fichier à afficher.", "erroruploadnotworking": "Il n'est actuellement pas possible de déposer des fichiers sur votre site.", "files": "Fichiers", "myprivatefilesdesc": "Fichiers auxquels vous seul avez accès.", "privatefiles": "Fichiers personnels", "sitefiles": "Fichiers du site", "sitefilesdesc": "Autres fichiers auxquels vous avez accès sur cette plateforme.", - "uploadfiles": "Envoyer des fichiers de feedback" + "uploadfiles": "Déposer des fichiers" } \ No newline at end of file diff --git a/www/addons/files/lang/he.json b/www/addons/files/lang/he.json index 6f612548ac8..0ed31567503 100644 --- a/www/addons/files/lang/he.json +++ b/www/addons/files/lang/he.json @@ -2,7 +2,7 @@ "admindisableddownload": "יש לשים לב כי מנהל/ת אתר המוודל שלך, ביטל/ה את אפשרות להורדת הקבצים. באפשרותך לעיין בקבצים אך לא להורידם.", "clicktoupload": "להעלאת הקבצים לקבצים הפרטיים שלך, יש להקליק על הכפתור למטה.", "couldnotloadfiles": "לא ניתן לטעון את רשימת הקבצים.", - "emptyfilelist": "אין קבצים להציג", + "emptyfilelist": "אין קבצים להצגה.", "files": "קבצים", "myprivatefilesdesc": "הקבצים הזמינים לך באזור הפרטי באתר מוודל זה.", "privatefiles": "הקבצים שלי", diff --git a/www/addons/files/lang/hr.json b/www/addons/files/lang/hr.json index 01ff2272a5e..c92c9bd4e23 100644 --- a/www/addons/files/lang/hr.json +++ b/www/addons/files/lang/hr.json @@ -1,5 +1,5 @@ { - "emptyfilelist": "Nema datoteka za prikaz", + "emptyfilelist": "Nema datoteka za prikaz.", "files": "Datoteke", "privatefiles": "Osobne datoteke korisnika", "sitefiles": "Site files", diff --git a/www/addons/files/lang/it.json b/www/addons/files/lang/it.json index d9b1f96d205..c4fc06c5593 100644 --- a/www/addons/files/lang/it.json +++ b/www/addons/files/lang/it.json @@ -2,12 +2,12 @@ "admindisableddownload": "L'amministratore del sito Moodle ha disabilitato il download dei file. Puoi navigare tra i file ma non potrai scaricarli.", "clicktoupload": "Fai click sul pulsante sotto per caricare i file nei File personali", "couldnotloadfiles": "Non è stato possibile caricare l'elenco dei file.", - "emptyfilelist": "Non ci sono file da visualizzare", + "emptyfilelist": "Non ci sono file da visualizzare.", "erroruploadnotworking": "Al momento non è possibile caricare file sul sito.", "files": "File", - "myprivatefilesdesc": "I file memorizzati nell'omonima area di Moodle", + "myprivatefilesdesc": "I file memorizzati nei File personali", "privatefiles": "File personali", "sitefiles": "File del sito", - "sitefilesdesc": "Altri file del sito Moodle ai quali puoi accedere.", - "uploadfiles": "Invia file di commento" + "sitefilesdesc": "Altri file del sito ai quali puoi accedere.", + "uploadfiles": "Carica file" } \ No newline at end of file diff --git a/www/addons/files/lang/ja.json b/www/addons/files/lang/ja.json index 648ed7d331a..de63504d659 100644 --- a/www/addons/files/lang/ja.json +++ b/www/addons/files/lang/ja.json @@ -2,12 +2,12 @@ "admindisableddownload": "あなたのMoodle管理者に、ファイルのダウンロードを無効にするよう知らせてください。そうすれば、ファイルをデバイスにダウンロードせず閲覧のみにすることができます。", "clicktoupload": "ファイルをあなたのプライベートファイル領域にアップロードするには、下のボタンをクリックしてください。", "couldnotloadfiles": "以下のファイルが読み込みできませんでした。", - "emptyfilelist": "表示するファイルはありません。", + "emptyfilelist": "表示するファイルがありません。", "erroruploadnotworking": "残念ながら、現在、あなたのサイトにファイルをアップロードすることはできません。", "files": "ファイル", "myprivatefilesdesc": "ファイルはMoodleサイト上のあなたのプライベート領域にあります。", "privatefiles": "プライベートファイル", "sitefiles": "サイトファイル", "sitefilesdesc": "本Moodleサイトであなたが利用できる他のファイル", - "uploadfiles": "フィードバックファイルを送信する" + "uploadfiles": "アップロードファイル" } \ No newline at end of file diff --git a/www/addons/files/lang/ko.json b/www/addons/files/lang/ko.json index 1f4710a9c66..4481b687ca6 100644 --- a/www/addons/files/lang/ko.json +++ b/www/addons/files/lang/ko.json @@ -1,10 +1,10 @@ { "admindisableddownload": "사이트 관리자가 파일 다운로드를 비활성화 했습니다. 파일을 탐색 할 수는 있지만 다운로드 할 수는 없습니다.", "clicktoupload": "아래 버튼을 클릭하여 개인 파일에 파일을 업로드하십시오.", - "emptyfilelist": "보여줄 파일이 없습니다.", + "emptyfilelist": "표시 할 파일이 없습니다.", "files": "파일", "myprivatefilesdesc": "나만 접근할 수 있는 파일", "sitefiles": "파일 창고", "sitefilesdesc": "이 사이트에서 당신에게 제공되는 기타 파일들", - "uploadfiles": "피드백 파일 보내기" + "uploadfiles": "파일 업로드" } \ No newline at end of file diff --git a/www/addons/files/lang/lt.json b/www/addons/files/lang/lt.json index 1e5b2c5b2f2..82157441c00 100644 --- a/www/addons/files/lang/lt.json +++ b/www/addons/files/lang/lt.json @@ -2,12 +2,12 @@ "admindisableddownload": "Primename, kad Moodle administratorius panaikino galimybę parsisiųsti failus, failų atsisiųsti negalima, galite tik naršyti.", "clicktoupload": "Paspauskite mygtuką, esantį žemiau, kad galėtumėte atsisiųsti failus į privatų aplanką.", "couldnotloadfiles": "Negalima užkrauti failų sąrašo.", - "emptyfilelist": "Nėra rodytinų failų", + "emptyfilelist": "Nėra ką rodyti.", "erroruploadnotworking": "Deja, failo į pasirinktą svetainę įkelti negalima.", "files": "Failai", "myprivatefilesdesc": "Jūsų privatūs failai Moodle svetainėje.", "privatefiles": "Asmeniniai failai", "sitefiles": "Svetainės failai", "sitefilesdesc": "Kiti failai Moodle svetainėje", - "uploadfiles": "Siųsti grįžtamojo ryšio failus" + "uploadfiles": "Įkelti failus" } \ No newline at end of file diff --git a/www/addons/files/lang/nl.json b/www/addons/files/lang/nl.json index a6b05556b90..74f97522c0f 100644 --- a/www/addons/files/lang/nl.json +++ b/www/addons/files/lang/nl.json @@ -2,12 +2,12 @@ "admindisableddownload": "Je Moodle beheerder heeft het downloaden van bestanden uitgeschakeld. Je kunt door de bestandenlijst bladeren, maar ze niet downloaden.", "clicktoupload": "Klik op onderstaande knop om bestanden naar je privé-bestanden te uploaden.", "couldnotloadfiles": "De bestandenlijst kon niet geladen worden.", - "emptyfilelist": "Er zijn geen bestanden om te tonen", + "emptyfilelist": "Er zijn geen bestanden te tonen.", "erroruploadnotworking": "Jammer genoeg kun je op dit ogenblik geen bestanden uploaden naar de site.", "files": "Bestanden", "myprivatefilesdesc": "Bestanden die jij alleen kan zien.", "privatefiles": "Privébestanden", "sitefiles": "Sitebestanden", "sitefilesdesc": "Andere bestanden voor jou.", - "uploadfiles": "Stuur feedbackbestanden" + "uploadfiles": "Bestanden uploaden" } \ No newline at end of file diff --git a/www/addons/files/lang/pt-br.json b/www/addons/files/lang/pt-br.json index 2c3c45d9555..fa0429bebba 100644 --- a/www/addons/files/lang/pt-br.json +++ b/www/addons/files/lang/pt-br.json @@ -2,12 +2,12 @@ "admindisableddownload": "Por favor note que o administrador do Moodle desativou downloads de arquivos, você pode navegar através dos arquivos, mas não baixá-los.", "clicktoupload": "Clique no botão abaixo para enviar para seus arquivos privados.", "couldnotloadfiles": "A lista de arquivos não pode ser carregada.", - "emptyfilelist": "Não há arquivos para exibir", + "emptyfilelist": "Não há arquivos para mostrar.", "erroruploadnotworking": "Infelizmente é impossível enviar arquivos para o seu site.", "files": "Arquivos", "myprivatefilesdesc": "Os arquivos que estão disponíveis em sua área de arquivos privados nesse site Moodle.", "privatefiles": "Arquivos privados", "sitefiles": "Arquivos do site", "sitefilesdesc": "Os outros arquivos que estão disponíveis a você neste site Moodle.", - "uploadfiles": "Enviar arquivos de feedback" + "uploadfiles": "Enviar arquivos" } \ No newline at end of file diff --git a/www/addons/files/lang/pt.json b/www/addons/files/lang/pt.json index 90ed68c005a..b2ba2ee0a70 100644 --- a/www/addons/files/lang/pt.json +++ b/www/addons/files/lang/pt.json @@ -2,12 +2,12 @@ "admindisableddownload": "O administrador do Moodle desativou a opção de descarregar ficheiros. Poderá navegar nos ficheiros mas não conseguirá descarregá-los.", "clicktoupload": "Clique no botão abaixo para carregar ficheiros para os seus ficheiros privados.", "couldnotloadfiles": "Não foi possível carregar a lista de ficheiros", - "emptyfilelist": "Este repositório está vazio", + "emptyfilelist": "Não há ficheiros", "erroruploadnotworking": "Infelizmente não é possível carregar ficheiros para o seu site.", "files": "Ficheiros", "myprivatefilesdesc": "Ficheiros privados.", "privatefiles": "Ficheiros privados", "sitefiles": "Ficheiros do site", "sitefilesdesc": "Os outros ficheiros que estão disponíveis para si neste site.", - "uploadfiles": "Enviar ficheiros de feedback" + "uploadfiles": "Carregar ficheiros" } \ No newline at end of file diff --git a/www/addons/files/lang/ro.json b/www/addons/files/lang/ro.json index 269b6780a16..30500b91c47 100644 --- a/www/addons/files/lang/ro.json +++ b/www/addons/files/lang/ro.json @@ -2,7 +2,7 @@ "admindisableddownload": "Atenție! Administratorul platformei a dezactivat descărcarea de fișiere; puteți accesa fișierele dar nu le puteți descărca.", "clicktoupload": "Apăsați butonul de mai jos pentru a încarcă fișierele în contul dumneavoastră.", "couldnotloadfiles": "Lista fișierelor nu a putut fi încărcată.", - "emptyfilelist": "Nu există fișiere", + "emptyfilelist": "Nu sunt fișiere disponibile.", "files": "Fişiere", "myprivatefilesdesc": "Fișierele disponibile din zona personală, pe care o dețineți pe acest site.", "privatefiles": "Fișiere private", diff --git a/www/addons/files/lang/ru.json b/www/addons/files/lang/ru.json index f45d371d9ec..171e14ee461 100644 --- a/www/addons/files/lang/ru.json +++ b/www/addons/files/lang/ru.json @@ -9,5 +9,5 @@ "privatefiles": "Личные файлы", "sitefiles": "Файлы сайта", "sitefilesdesc": "Другие файлы, которые доступны вам на этом сайте.", - "uploadfiles": "Отправить файлы с отзывами" + "uploadfiles": "Загрузка файлов" } \ No newline at end of file diff --git a/www/addons/files/lang/uk.json b/www/addons/files/lang/uk.json index 4043adc3905..083a9f56194 100644 --- a/www/addons/files/lang/uk.json +++ b/www/addons/files/lang/uk.json @@ -2,12 +2,12 @@ "admindisableddownload": "Зверніть увагу, що ваш адміністратор Moodle відключив завантаження файлів. Ви можете переглядати файли, але не завантажувати їх.", "clicktoupload": "Натисніть на кнопку нижче, щоб завантажити ваші особисті файли.", "couldnotloadfiles": "Список файлів не може бути завантажений.", - "emptyfilelist": "Немає файлів для показу", + "emptyfilelist": "Немає файлів для показу.", "erroruploadnotworking": "На жаль, в даний час не представляється можливим завантажувати файли на ваш сайт.", "files": "Файли", "myprivatefilesdesc": "Файли, які доступні у приватній області на цьому сайті Moodle.", "privatefiles": "Особисті файли", "sitefiles": "Файли сайту", "sitefilesdesc": "Інші файли, які доступні для вас на цьому сайті Moodle.", - "uploadfiles": "Надіслати файл-відгук(и)" + "uploadfiles": "Завантажити файли" } \ No newline at end of file diff --git a/www/addons/messageoutput/airnotifier/lang/it.json b/www/addons/messageoutput/airnotifier/lang/it.json new file mode 100644 index 00000000000..0c65c6ef0cf --- /dev/null +++ b/www/addons/messageoutput/airnotifier/lang/it.json @@ -0,0 +1,3 @@ +{ + "processorsettingsdesc": "Configura dsipositivi" +} \ No newline at end of file diff --git a/www/addons/messages/lang/cs.json b/www/addons/messages/lang/cs.json index 9ba11c02c81..8c063c3d56e 100644 --- a/www/addons/messages/lang/cs.json +++ b/www/addons/messages/lang/cs.json @@ -21,7 +21,7 @@ "newmessage": "Nová zpráva", "newmessages": "Nové zprávy", "nomessages": "Zatím žádné zprávy", - "nousersfound": "Nenalezeni žádní uživatelé", + "nousersfound": "Nebyl nalezen žádný uživatel", "removecontact": "Odebrat kontakt", "removecontactconfirm": "Kontakt bude odstraněn ze seznamu kontaktů.", "send": "odeslat", diff --git a/www/addons/messages/lang/de-du.json b/www/addons/messages/lang/de-du.json index 613dd9a3c85..8825d27f57d 100644 --- a/www/addons/messages/lang/de-du.json +++ b/www/addons/messages/lang/de-du.json @@ -19,7 +19,7 @@ "newmessage": "Neue Mitteilung", "newmessages": "Neue Mitteilungen", "nomessages": "Keine Mitteilungen", - "nousersfound": "Keine Nutzer/innen gefunden", + "nousersfound": "Keine Personen gefunden", "removecontact": "Kontakt entfernen", "removecontactconfirm": "Der Kontakt wird aus deiner Kontaktliste gelöscht.", "send": "Senden", diff --git a/www/addons/messages/lang/de.json b/www/addons/messages/lang/de.json index 532a3b1d24e..b97803d226b 100644 --- a/www/addons/messages/lang/de.json +++ b/www/addons/messages/lang/de.json @@ -21,7 +21,7 @@ "newmessage": "Neue Mitteilung", "newmessages": "Neue Mitteilungen", "nomessages": "Keine Mitteilungen", - "nousersfound": "Keine Nutzer/innen gefunden", + "nousersfound": "Keine Personen gefunden", "removecontact": "Kontakt entfernen", "removecontactconfirm": "Der Kontakt wird aus Ihrer Kontaktliste gelöscht.", "send": "Senden", diff --git a/www/addons/messages/lang/el.json b/www/addons/messages/lang/el.json index 792d124765c..993499cd912 100644 --- a/www/addons/messages/lang/el.json +++ b/www/addons/messages/lang/el.json @@ -19,7 +19,7 @@ "newmessage": "Νέο μήνυμα", "newmessages": "Νέα μηνύματα", "nomessages": "Δεν υπάρχουν ακόμα μηνύματα", - "nousersfound": "Δε βρέθηκαν χρήστες", + "nousersfound": "Δεν βρέθηκαν χρήστες", "removecontact": "Αφαίρεσε την επαφή", "removecontactconfirm": "Η επαφή θα καταργηθεί από τη λίστα επαφών σας.", "send": "Αποστολή", diff --git a/www/addons/messages/lang/es-mx.json b/www/addons/messages/lang/es-mx.json index db39dcf25d6..6bbe14e2e3f 100644 --- a/www/addons/messages/lang/es-mx.json +++ b/www/addons/messages/lang/es-mx.json @@ -21,7 +21,7 @@ "newmessage": "Nuevo mensaje", "newmessages": "Nuevos mensajes", "nomessages": "No hay mensajes", - "nousersfound": "No se encuentran usuarios", + "nousersfound": "No se encontraron usuarios", "removecontact": "Eliminar contacto", "removecontactconfirm": "El contacto será quitado de su lista de contactos.", "send": "enviar", diff --git a/www/addons/messages/lang/fr.json b/www/addons/messages/lang/fr.json index 65d22afa733..5832ef0624b 100644 --- a/www/addons/messages/lang/fr.json +++ b/www/addons/messages/lang/fr.json @@ -21,7 +21,7 @@ "newmessage": "Nouveau message", "newmessages": "Nouveaux messages", "nomessages": "Pas encore de messages", - "nousersfound": "Aucun utilisateur n'a été trouvé", + "nousersfound": "Aucun utilisateur trouvé", "removecontact": "Supprimer ce contact", "removecontactconfirm": "Le contact sera retiré de votre liste.", "send": "Envoyer", diff --git a/www/addons/messages/lang/he.json b/www/addons/messages/lang/he.json index fb473cf8205..832e1d5c663 100644 --- a/www/addons/messages/lang/he.json +++ b/www/addons/messages/lang/he.json @@ -17,7 +17,7 @@ "mustbeonlinetosendmessages": "עליך להיות מחובר/ת בכדי לשלוח מסר.", "newmessage": "הודעה חדשה", "nomessages": "אין הודעות עדיין", - "nousersfound": "לתשומת-לב", + "nousersfound": "לא נמצאו משתמשים", "removecontact": "הסרת איש הקשר", "send": "שליחה", "sendmessage": "שליחת הודעה", diff --git a/www/addons/messages/lang/it.json b/www/addons/messages/lang/it.json index 50754d818b9..769c8e834d5 100644 --- a/www/addons/messages/lang/it.json +++ b/www/addons/messages/lang/it.json @@ -1,6 +1,7 @@ { "addcontact": "Aggiungi contatto", "blockcontact": "Blocca contatto", + "blockcontactconfirm": "Non riceverai più messaggi da questo contatto.", "blocknoncontacts": "Evita messaggi da parte di utenti che non fanno parte dei miei contatti", "contactlistempty": "L'elenco dei contatti è vuoto", "contactname": "Nome del contatto", @@ -11,15 +12,18 @@ "errorwhileretrievingcontacts": "Si è verificato un errore durante la ricezione dei contatti dal server.", "errorwhileretrievingdiscussions": "Si è verificato un errore durante la ricezione delle discussioni dal server.", "errorwhileretrievingmessages": "Si è verificato un errore durante la ricezione dei messaggi dal server.", + "loadpreviousmessages": "Carica messaggi precedenti", "message": "Corpo del messaggio", "messagenotsent": "Il messaggio non è stato inviato, per favore riprova più tardi.", "messagepreferences": "Preferenze messaggi", "messages": "Messaggi", - "mustbeonlinetosendmessages": "Per inviare messaggi devi essere online", + "mustbeonlinetosendmessages": "Per inviare messaggi devi essere online.", "newmessage": "Nuovo messaggio", + "newmessages": "Nuovi messaggi", "nomessages": "Non ci sono ancora messaggi", - "nousersfound": "Non trovato alcun utente", + "nousersfound": "Non sono stati trovati utenti", "removecontact": "Cancella contatti", + "removecontactconfirm": "Il contatto sarà eliminato dalla lista dei contatti.", "send": "invia", "sendmessage": "Invia messaggio", "type_blocked": "Bloccato", @@ -27,5 +31,6 @@ "type_online": "Online", "type_search": "Risultati della ricerca", "type_strangers": "Altri", - "unblockcontact": "Sblocca contatto" + "unblockcontact": "Sblocca contatto", + "warningmessagenotsent": "Non è stato possibile inviare messaggi all'utente {{user}}. {{error}}" } \ No newline at end of file diff --git a/www/addons/messages/lang/ja.json b/www/addons/messages/lang/ja.json index 545fd8d51f4..4d0a1bd350c 100644 --- a/www/addons/messages/lang/ja.json +++ b/www/addons/messages/lang/ja.json @@ -21,7 +21,7 @@ "newmessage": "新しいメッセージ", "newmessages": "新規メッセージ...", "nomessages": "メッセージはありません。", - "nousersfound": "ユーザは見つかりませんでした。", + "nousersfound": "ユーザが見つかりません", "removecontact": "コンタクトから削除する", "removecontactconfirm": "連絡先はあなたの連絡先リストから削除されます。", "send": "送信", diff --git a/www/addons/messages/lang/ko.json b/www/addons/messages/lang/ko.json index 0fe6608a085..e9ec9065be4 100644 --- a/www/addons/messages/lang/ko.json +++ b/www/addons/messages/lang/ko.json @@ -17,7 +17,7 @@ "mustbeonlinetosendmessages": "메시지를 전송하기 위해서는 온라인 상태여야 합니다.", "newmessages": "새로운 메시지", "nomessages": "아직 메시지 없음", - "nousersfound": "사용자 없음", + "nousersfound": "사용자가 없습니다.", "removecontact": "연락처 제거", "removecontactconfirm": "연락처가 연락처 목록에서 제거됩니다.", "send": "전송", diff --git a/www/addons/messages/lang/lt.json b/www/addons/messages/lang/lt.json index 0f808f5de6c..05ff92e7be3 100644 --- a/www/addons/messages/lang/lt.json +++ b/www/addons/messages/lang/lt.json @@ -16,7 +16,7 @@ "mustbeonlinetosendmessages": "Norėdamas išsiųsti žinutę, turite prisijungti", "newmessage": "Nauja žinutė", "nomessages": "Nėra žinučių", - "nousersfound": "Nerasta naudotojų", + "nousersfound": "Vartotojas nerastas", "removecontact": "Pašalinti kontaktą", "send": "siųsti", "sendmessage": "Siųsti žinutę", diff --git a/www/addons/messages/lang/mr.json b/www/addons/messages/lang/mr.json index 4746a250790..039dd97cfd7 100644 --- a/www/addons/messages/lang/mr.json +++ b/www/addons/messages/lang/mr.json @@ -17,7 +17,7 @@ "mustbeonlinetosendmessages": "आपल्याला संदेश पाठविण्यासाठी ऑनलाइन असणे आवश्यक आहे", "newmessages": "नवीन संदेश", "nomessages": "प्रतीक्षा सुचीमध्ये संदेश नाहीत", - "nousersfound": "युजर सापडत नाहीत", + "nousersfound": "कोणतेही वापरकर्ते आढळले नाहीत", "removecontact": "संपर्क काढुन टाका", "removecontactconfirm": "आपल्या संपर्क यादीतून संपर्क काढला जाईल.", "sendmessage": "संदेश पाठवा", diff --git a/www/addons/messages/lang/ro.json b/www/addons/messages/lang/ro.json index 551e062e921..681f135e6da 100644 --- a/www/addons/messages/lang/ro.json +++ b/www/addons/messages/lang/ro.json @@ -17,7 +17,7 @@ "mustbeonlinetosendmessages": "Trebuie să fiți online pentru a putea trimite mesaje", "newmessage": "Mesaj nou", "nomessages": "Nu există mesaje în aşteptare", - "nousersfound": "Nu s-au găsit utilizatori", + "nousersfound": "Nu au fost găsiți utilizatori", "removecontact": "Şterge prieten din listă", "send": "Trimis", "sendmessage": "Trimite mesaj", diff --git a/www/addons/messages/lang/sv.json b/www/addons/messages/lang/sv.json index 46c8195fcc9..3d12a6403e1 100644 --- a/www/addons/messages/lang/sv.json +++ b/www/addons/messages/lang/sv.json @@ -18,7 +18,7 @@ "mustbeonlinetosendmessages": "Du måste vara online för att skicka meddelanden", "newmessage": "Nytt meddelande", "nomessages": "Inga meddelanden än", - "nousersfound": "Det gick inte att hitta några användare", + "nousersfound": "Inga användare hittades", "removecontact": "Ta bort kontakt", "send": "skicka", "sendmessage": "Skicka meddelande", diff --git a/www/addons/mod/assign/lang/it.json b/www/addons/mod/assign/lang/it.json index efc338d796b..c25d659a234 100644 --- a/www/addons/mod/assign/lang/it.json +++ b/www/addons/mod/assign/lang/it.json @@ -25,10 +25,12 @@ "editingstatus": "Possibilità di modifica", "editsubmission": "Modifica consegna", "extensionduedate": "Data scadenza proroga", + "feedbacknotsupported": "Questo feedback non è supportato dalla app e può non contenere tutte le informazioni.", "grade": "Punteggio", "graded": "Valutata", "gradedby": "Valutatore", "gradedon": "Data di valutazione", + "gradenotsynced": "Valutazione non sincronizzata", "gradeoutof": "Punteggio (su {{$a}})", "gradingstatus": "Stato valutazione", "groupsubmissionsettings": "Impostazioni consegna di gruppo", @@ -47,7 +49,7 @@ "nomoresubmissionsaccepted": "Consentito solamente ai partecipanti ai quali è stata concessa una proroga", "noonlinesubmissions": "Questo compito non richiede consegne online", "nosubmission": "Non sono presenti consegne da valutare", - "notallparticipantsareshown": "I partecipanti che non hanno consegnato non sono visualizzati", + "notallparticipantsareshown": "I partecipanti che non hanno consegnato non sono visualizzati.", "noteam": "Non appartieni a nessun gruppo", "notgraded": "Non valutata", "numberofdraftsubmissions": "Bozze", @@ -82,6 +84,8 @@ "ungroupedusers": "L'impostazione 'Consegna di gruppo obbligatoria' è abilitata ma alcuni utenti non fanno parte di gruppi o fanno parte di più gruppi e pertanto non potranno effettuare consegne.", "unlimitedattempts": "Illimitati", "userswhoneedtosubmit": "Utenti che non hanno consegnato: {{$a}}", - "userwithid": "Utente con id {{id}}", - "viewsubmission": "Visualizza consegne" + "userwithid": "Utente con ID {{id}}", + "viewsubmission": "Visualizza consegne", + "warningsubmissiongrademodified": "La valutazione dell'utente è stata modificata sul sito.", + "warningsubmissionmodified": "La consegna dell'utente è stata modificata sul sito." } \ No newline at end of file diff --git a/www/addons/mod/chat/lang/it.json b/www/addons/mod/chat/lang/it.json index e0543395d75..af86798df53 100644 --- a/www/addons/mod/chat/lang/it.json +++ b/www/addons/mod/chat/lang/it.json @@ -11,7 +11,7 @@ "messagebeepsyou": "{{$a}} ti ha richiamato!", "messageenter": "{{$a}} è entrato nella chat", "messageexit": "{{$a}} ha lasciato la chat", - "mustbeonlinetosendmessages": "Per inviare messaggi devi essere online", + "mustbeonlinetosendmessages": "Per inviare messaggi devi essere online.", "nomessages": "Non ci sono ancora messaggi", "send": "Invia", "sessionstart": "La prossima sessione di chat inizierà il {{$a}}, ({{$a.fromnow}} da adesso)", diff --git a/www/addons/mod/data/lang/it.json b/www/addons/mod/data/lang/it.json index 6a0f74c96fe..3675021b65c 100644 --- a/www/addons/mod/data/lang/it.json +++ b/www/addons/mod/data/lang/it.json @@ -13,6 +13,8 @@ "emptyaddform": "Non hai riempito nessun campo!", "entrieslefttoadd": "Per poter visualizzare i record inseriti dagli altri partecipanti è necessario inserire altri {{$a.entriesleft}} record.", "entrieslefttoaddtoview": "Devi aggiungere {{$a.entrieslefttoview}} altri record prima di poter vedere i record degli altri partecipanti.", + "errorapproving": "Si è verificato un errore durante l'approvazione o disapprovazione del record.", + "errordeleting": "Si è verificato un errore durante l'eliminazione del record.", "errormustsupplyvalue": "Devi inserire un valore.", "expired": "Spiacente, l'attività non è più disponibile poiché è stata chiusa il {{$a}} ", "fields": "Campi", diff --git a/www/addons/mod/feedback/lang/it.json b/www/addons/mod/feedback/lang/it.json index d31469322d6..68a97fbfb31 100644 --- a/www/addons/mod/feedback/lang/it.json +++ b/www/addons/mod/feedback/lang/it.json @@ -7,6 +7,7 @@ "completed_feedbacks": "Risposte inviate", "continue_the_form": "Continua a rispondere alle domande", "feedback_is_not_open": "Il feedback non è aperto", + "feedback_submitted_offline": "Il feedback è stato salvato e sarà inviato più tardi.", "feedbackclose": "Chiusura", "feedbackopen": "Apertura", "mapcourses": "Associa feedback ai corsi", diff --git a/www/addons/mod/folder/lang/ca.json b/www/addons/mod/folder/lang/ca.json index 2208f493a4b..b2f87d440ac 100644 --- a/www/addons/mod/folder/lang/ca.json +++ b/www/addons/mod/folder/lang/ca.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "No hi ha fitxers per mostrar", + "emptyfilelist": "No hi ha fitxers per mostrar.", "errorwhilegettingfolder": "S'ha produït un error en recuperar les dades de la carpeta." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/cs.json b/www/addons/mod/folder/lang/cs.json index 04e2822f6a0..66b256adf4c 100644 --- a/www/addons/mod/folder/lang/cs.json +++ b/www/addons/mod/folder/lang/cs.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Žádný soubor k zobrazení", + "emptyfilelist": "Žádný soubor k zobrazení.", "errorwhilegettingfolder": "Chyba při načítání dat složky." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/da.json b/www/addons/mod/folder/lang/da.json index c53b3a994ed..2337bed4841 100644 --- a/www/addons/mod/folder/lang/da.json +++ b/www/addons/mod/folder/lang/da.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Der er ingen filer at vise", + "emptyfilelist": "Der er ingen filer at vise.", "errorwhilegettingfolder": "Fejl ved hentning af mappedata." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/de-du.json b/www/addons/mod/folder/lang/de-du.json index 00b4ea2a954..022d05baeea 100644 --- a/www/addons/mod/folder/lang/de-du.json +++ b/www/addons/mod/folder/lang/de-du.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Es liegen keine Dateien vor", + "emptyfilelist": "Keine Dateien", "errorwhilegettingfolder": "Fehler beim Laden der Verzeichnisdaten" } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/de.json b/www/addons/mod/folder/lang/de.json index 00b4ea2a954..022d05baeea 100644 --- a/www/addons/mod/folder/lang/de.json +++ b/www/addons/mod/folder/lang/de.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Es liegen keine Dateien vor", + "emptyfilelist": "Keine Dateien", "errorwhilegettingfolder": "Fehler beim Laden der Verzeichnisdaten" } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/es-mx.json b/www/addons/mod/folder/lang/es-mx.json index e2f470725df..5b9563d5c0d 100644 --- a/www/addons/mod/folder/lang/es-mx.json +++ b/www/addons/mod/folder/lang/es-mx.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "No hay archivos que mostrar", + "emptyfilelist": "No hay archivos para mostrar.", "errorwhilegettingfolder": "Error al obtener datos de carpeta." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/eu.json b/www/addons/mod/folder/lang/eu.json index 07dae0aef65..27a3ccc6636 100644 --- a/www/addons/mod/folder/lang/eu.json +++ b/www/addons/mod/folder/lang/eu.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Ez dago erakusteko fitxategirik", + "emptyfilelist": "Ez dago fitxategirik erakusteko.", "errorwhilegettingfolder": "Errorea karpetaren datuak eskuratzean." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/fi.json b/www/addons/mod/folder/lang/fi.json index a6933585df3..b0be3e20482 100644 --- a/www/addons/mod/folder/lang/fi.json +++ b/www/addons/mod/folder/lang/fi.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Ei näytettäviä tiedostoja", + "emptyfilelist": "Ei näytettäviä tiedostoja.", "errorwhilegettingfolder": "Virhe haettaessa kansion tietoja." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/fr.json b/www/addons/mod/folder/lang/fr.json index e16e5c1aeb4..86d36f87890 100644 --- a/www/addons/mod/folder/lang/fr.json +++ b/www/addons/mod/folder/lang/fr.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Il n'y a pas de fichier à afficher", + "emptyfilelist": "Aucun fichier à afficher.", "errorwhilegettingfolder": "Erreur lors de l'obtention des données du dossier." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/he.json b/www/addons/mod/folder/lang/he.json index 1c2ec27977b..55811600621 100644 --- a/www/addons/mod/folder/lang/he.json +++ b/www/addons/mod/folder/lang/he.json @@ -1,3 +1,3 @@ { - "emptyfilelist": "אין קבצים להציג" + "emptyfilelist": "אין קבצים להציג." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/hr.json b/www/addons/mod/folder/lang/hr.json index fed014c818c..f4105d74aed 100644 --- a/www/addons/mod/folder/lang/hr.json +++ b/www/addons/mod/folder/lang/hr.json @@ -1,3 +1,3 @@ { - "emptyfilelist": "Nema datoteka za prikaz" + "emptyfilelist": "Nema datoteka za prikaz." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/it.json b/www/addons/mod/folder/lang/it.json index b828249f904..93e13593395 100644 --- a/www/addons/mod/folder/lang/it.json +++ b/www/addons/mod/folder/lang/it.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Non ci sono file da visualizzare", + "emptyfilelist": "Non ci sono file da visualizzare.", "errorwhilegettingfolder": "Si è verificato un errore durante la ricezione dei dati della cartella." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/ja.json b/www/addons/mod/folder/lang/ja.json index 8634d70f046..61980e500fc 100644 --- a/www/addons/mod/folder/lang/ja.json +++ b/www/addons/mod/folder/lang/ja.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "表示するファイルはありません。", + "emptyfilelist": "表示するファイルがありません。", "errorwhilegettingfolder": "フォルダのデータを取得中にエラーが発生しました。" } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/lt.json b/www/addons/mod/folder/lang/lt.json index a80a862764e..e174a7c5a50 100644 --- a/www/addons/mod/folder/lang/lt.json +++ b/www/addons/mod/folder/lang/lt.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Nėra rodytinų failų", + "emptyfilelist": "Nėra ką rodyti.", "errorwhilegettingfolder": "Klaida gaunant duomenis iš aplanko." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/nl.json b/www/addons/mod/folder/lang/nl.json index 7b544820480..92b48519e9d 100644 --- a/www/addons/mod/folder/lang/nl.json +++ b/www/addons/mod/folder/lang/nl.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Er zijn geen bestanden om te tonen", + "emptyfilelist": "Geen bestanden.", "errorwhilegettingfolder": "Fout bij het ophalen van de mapgegevens" } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/pt-br.json b/www/addons/mod/folder/lang/pt-br.json index 4e9c9589aa3..1588790327d 100644 --- a/www/addons/mod/folder/lang/pt-br.json +++ b/www/addons/mod/folder/lang/pt-br.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Não há arquivos para exibir", + "emptyfilelist": "Não há arquivos para mostrar", "errorwhilegettingfolder": "Erro ao obter dados da pasta." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/pt.json b/www/addons/mod/folder/lang/pt.json index 74865d321a4..d197c86f233 100644 --- a/www/addons/mod/folder/lang/pt.json +++ b/www/addons/mod/folder/lang/pt.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Este repositório está vazio", + "emptyfilelist": "Não há ficheiros para mostrar.", "errorwhilegettingfolder": "Erro ao obter os dados da pasta." } \ No newline at end of file diff --git a/www/addons/mod/folder/lang/ro.json b/www/addons/mod/folder/lang/ro.json index 0277b91b35f..a66c107ebcd 100644 --- a/www/addons/mod/folder/lang/ro.json +++ b/www/addons/mod/folder/lang/ro.json @@ -1,4 +1,4 @@ { - "emptyfilelist": "Nu există fișiere", + "emptyfilelist": "Nu sunt fișiere disponibile pentru vizualizare.", "errorwhilegettingfolder": "A apărut o eroare la obținerea dosarului cu datele cerute." } \ No newline at end of file diff --git a/www/addons/mod/forum/lang/cs.json b/www/addons/mod/forum/lang/cs.json index e4936763ab5..747f351e91a 100644 --- a/www/addons/mod/forum/lang/cs.json +++ b/www/addons/mod/forum/lang/cs.json @@ -16,7 +16,7 @@ "errorgetforum": "Chyba při načítání dat fóra.", "errorgetgroups": "Chyba při načítání nastavení skupiny.", "forumnodiscussionsyet": "V tomto diskusním fóru nejsou žádná témata", - "group": "Skupinové", + "group": "Skupina", "message": "Zpráva", "modeflatnewestfirst": "Zobrazit odpovědi za sebou (nejnovější nahoře)", "modeflatoldestfirst": "Zobrazit odpovědi za sebou (nejstarší nahoře)", diff --git a/www/addons/mod/forum/lang/it.json b/www/addons/mod/forum/lang/it.json index 6073c213f54..86afa7e1be0 100644 --- a/www/addons/mod/forum/lang/it.json +++ b/www/addons/mod/forum/lang/it.json @@ -15,7 +15,7 @@ "erroremptysubject": "L'oggetto non può essere vuoto", "errorgetforum": "Si è verificato un errore durante la ricezione dei dati del forum.", "errorgetgroups": "Si è verificato un errore durante la ricezione delle impostazioni gruppo.", - "forumnodiscussionsyet": "In questo forum non sono presenti discussioni", + "forumnodiscussionsyet": "In questo forum non sono presenti discussioni.", "group": "Gruppo", "message": "Messaggio", "modeflatnewestfirst": "Visualizza le repliche in formato lineare, con le più recenti all'inizio", diff --git a/www/addons/mod/forum/lang/mr.json b/www/addons/mod/forum/lang/mr.json index 49da89040a1..161b44eec68 100644 --- a/www/addons/mod/forum/lang/mr.json +++ b/www/addons/mod/forum/lang/mr.json @@ -4,7 +4,7 @@ "errorgetforum": "फोरम डेटा मिळवताना त्रुटी", "errorgetgroups": "गट सेटिंग्ज प्राप्त करताना त्रुटी.", "forumnodiscussionsyet": "या फोरममध्ये अद्याप चर्चा झालेले कोणतेही मुद्दे नाहीत", - "group": "ग्रुप्", + "group": "गट", "message": "संदेश", "numdiscussions": "{{Numdiscussions}} चर्चा", "numreplies": "{{Numreplies}} प्रत्युत्तरे", diff --git a/www/addons/mod/glossary/lang/ca.json b/www/addons/mod/glossary/lang/ca.json index c9d1567bd0f..191d2db0090 100644 --- a/www/addons/mod/glossary/lang/ca.json +++ b/www/addons/mod/glossary/lang/ca.json @@ -1,6 +1,6 @@ { "attachment": "Adjunt", - "browsemode": "Mode exploració", + "browsemode": "Navegueu per les entrades", "byalphabet": "Alfabèticament", "byauthor": "Agrupat per autor", "bycategory": "Agrupa per categoria", diff --git a/www/addons/mod/glossary/lang/cs.json b/www/addons/mod/glossary/lang/cs.json index 9e5e587ccb7..047a09f4bae 100644 --- a/www/addons/mod/glossary/lang/cs.json +++ b/www/addons/mod/glossary/lang/cs.json @@ -1,6 +1,6 @@ { "attachment": "Připojit odznak do zprávy", - "browsemode": "Režim náhledu", + "browsemode": "Prohlížení příspěvků", "byalphabet": "Abecedně", "byauthor": "Skupina podle autora", "bycategory": "Skupina podle kategorie", diff --git a/www/addons/mod/glossary/lang/da.json b/www/addons/mod/glossary/lang/da.json index fc1bee6b778..36cde6686b8 100644 --- a/www/addons/mod/glossary/lang/da.json +++ b/www/addons/mod/glossary/lang/da.json @@ -1,6 +1,6 @@ { "attachment": "Tilføj badge til besked", - "browsemode": "Forhåndsvisning", + "browsemode": "Skim indlæg", "byalphabet": "Alfabetisk", "byauthor": "Grupper efter forfatter", "bycategory": "Gruppér efter kategori", diff --git a/www/addons/mod/glossary/lang/de-du.json b/www/addons/mod/glossary/lang/de-du.json index f2ec366d585..279ab4d6c3d 100644 --- a/www/addons/mod/glossary/lang/de-du.json +++ b/www/addons/mod/glossary/lang/de-du.json @@ -1,6 +1,6 @@ { "attachment": "Anhang", - "browsemode": "Vorschaumodus", + "browsemode": "Einträge durchblättern", "byalphabet": "Alphabetisch", "byauthor": "Nach Autor/in", "bycategory": "Nach Kategorie", diff --git a/www/addons/mod/glossary/lang/de.json b/www/addons/mod/glossary/lang/de.json index 2f4457f75da..80d3b66b421 100644 --- a/www/addons/mod/glossary/lang/de.json +++ b/www/addons/mod/glossary/lang/de.json @@ -1,6 +1,6 @@ { "attachment": "Auszeichnung an Mitteilung anhängen", - "browsemode": "Vorschaumodus", + "browsemode": "Einträge durchblättern", "byalphabet": "Alphabetisch", "byauthor": "Nach Autor/in", "bycategory": "Nach Kategorie", diff --git a/www/addons/mod/glossary/lang/el.json b/www/addons/mod/glossary/lang/el.json index b4970c99016..0bfce509423 100644 --- a/www/addons/mod/glossary/lang/el.json +++ b/www/addons/mod/glossary/lang/el.json @@ -1,6 +1,6 @@ { "attachment": "Συνημμένα", - "browsemode": "Φάση Προεπισκόπισης", + "browsemode": "Περιήγηση στις καταχωρήσεις", "byalphabet": "Αλφαβητικά", "byauthor": "Ομαδοποίηση ανά συγγραφέα", "bycategory": "Ομαδοποίηση ανά κατηγορία", diff --git a/www/addons/mod/glossary/lang/es-mx.json b/www/addons/mod/glossary/lang/es-mx.json index e661f36d342..158ea571325 100644 --- a/www/addons/mod/glossary/lang/es-mx.json +++ b/www/addons/mod/glossary/lang/es-mx.json @@ -1,6 +1,6 @@ { "attachment": "Adjunto", - "browsemode": "Modo de presentación preliminar", + "browsemode": "Ver entradas", "byalphabet": "Alfabéticamente", "byauthor": "Agrupar por autor", "bycategory": "Agrupar por categoría", diff --git a/www/addons/mod/glossary/lang/es.json b/www/addons/mod/glossary/lang/es.json index ed5f8c7d0de..4089c74aa49 100644 --- a/www/addons/mod/glossary/lang/es.json +++ b/www/addons/mod/glossary/lang/es.json @@ -1,6 +1,6 @@ { "attachment": "Adjunto", - "browsemode": "Modo de presentación preliminar", + "browsemode": "Navegar por las entradas", "byalphabet": "Alfabéticamente", "byauthor": "Agrupado por autor", "bycategory": "Agrupar por categoría", diff --git a/www/addons/mod/glossary/lang/eu.json b/www/addons/mod/glossary/lang/eu.json index ac9af1cd148..0eff7b44e07 100644 --- a/www/addons/mod/glossary/lang/eu.json +++ b/www/addons/mod/glossary/lang/eu.json @@ -1,6 +1,6 @@ { "attachment": "Erantsi domina mezuari", - "browsemode": "Aurrebista-modua", + "browsemode": "Aztertu sarrerak", "byalphabet": "Alfabetikoki", "byauthor": "Taldekatu egilearen arabera", "bycategory": "Taldekatu kategoriaren arabera", diff --git a/www/addons/mod/glossary/lang/fi.json b/www/addons/mod/glossary/lang/fi.json index 1da7bc23e3c..43c54f52eef 100644 --- a/www/addons/mod/glossary/lang/fi.json +++ b/www/addons/mod/glossary/lang/fi.json @@ -1,6 +1,6 @@ { "attachment": "Liitä viestiin osaamismerkki", - "browsemode": "Esikatselunäkymä", + "browsemode": "Selaa merkintöjä", "byalphabet": "Aakkosjärjestyksessä", "byauthor": "Ryhmittele kirjoittajan mukaisesti", "bycategory": "Ryhmittele kategorian mukaan", diff --git a/www/addons/mod/glossary/lang/fr.json b/www/addons/mod/glossary/lang/fr.json index 4d12ffcee4d..712afea4266 100644 --- a/www/addons/mod/glossary/lang/fr.json +++ b/www/addons/mod/glossary/lang/fr.json @@ -1,6 +1,6 @@ { "attachment": "Joindre le badge à un courriel", - "browsemode": "Mode prévisualisation", + "browsemode": "Parcourir les articles", "byalphabet": "Alphabétiquement", "byauthor": "Grouper par auteur", "bycategory": "Grouper par catégorie", diff --git a/www/addons/mod/glossary/lang/it.json b/www/addons/mod/glossary/lang/it.json index 581b16835e1..6a72c684160 100644 --- a/www/addons/mod/glossary/lang/it.json +++ b/www/addons/mod/glossary/lang/it.json @@ -1,10 +1,14 @@ { "attachment": "Allega badge al messaggio", "browsemode": "Modalità anteprima", + "byauthor": "Raggruppa per autore", + "bycategory": "Raggruppa per categoria", "byrecentlyupdated": "Aggiornati di recente", "bysearch": "Cerca", + "cannoteditentry": "Non è possibile modificare la voce", "casesensitive": "Utilizza regular expression", "categories": "Categorie di corso", + "entriestobesynced": "Voci da sincronizzare", "entrypendingapproval": "Questa voce è in attesa di approvazione.", "errorloadingentries": "Si è verificato un errore durante il caricamento delle voci.", "errorloadingentry": "Si è verificato un errore durante il caricamento della voce.", diff --git a/www/addons/mod/glossary/lang/ja.json b/www/addons/mod/glossary/lang/ja.json index 3d74c03237d..395ba50cc3b 100644 --- a/www/addons/mod/glossary/lang/ja.json +++ b/www/addons/mod/glossary/lang/ja.json @@ -1,6 +1,6 @@ { "attachment": "添付", - "browsemode": "プレビューモード", + "browsemode": "エントリをブラウズ", "byalphabet": "アルファベット順", "byauthor": "著者でグループ", "bycategory": "カテゴリでグループ", diff --git a/www/addons/mod/glossary/lang/lt.json b/www/addons/mod/glossary/lang/lt.json index bdc656dd518..18f6cc6763e 100644 --- a/www/addons/mod/glossary/lang/lt.json +++ b/www/addons/mod/glossary/lang/lt.json @@ -1,6 +1,6 @@ { "attachment": "Prikabinti pasiekimą prie pranešimo", - "browsemode": "Peržiūros režimas", + "browsemode": "Peržiūrėti įrašus", "byalphabet": "Abėcėlės tvarka", "byauthor": "Pagal autorių", "bynewestfirst": "Naujausi", diff --git a/www/addons/mod/glossary/lang/mr.json b/www/addons/mod/glossary/lang/mr.json index c9eb093df04..45838cdcb27 100644 --- a/www/addons/mod/glossary/lang/mr.json +++ b/www/addons/mod/glossary/lang/mr.json @@ -1,5 +1,5 @@ { - "browsemode": "आयोग पद्धती", + "browsemode": "नोंदी ब्राउझ करा", "byalphabet": "वर्णानुक्रमाने", "byauthor": "लेखकानुसार गट", "bycategory": "श्रेणीनुसार गट", diff --git a/www/addons/mod/glossary/lang/nl.json b/www/addons/mod/glossary/lang/nl.json index 53c36a376e0..7c06a87db9a 100644 --- a/www/addons/mod/glossary/lang/nl.json +++ b/www/addons/mod/glossary/lang/nl.json @@ -1,6 +1,6 @@ { "attachment": "Badge als bijlage bij bericht", - "browsemode": "Probeermodus", + "browsemode": "Blader door items", "byalphabet": "Alfabetisch", "byauthor": "Groepeer per auteur", "bycategory": "Groepeer per categorie", diff --git a/www/addons/mod/glossary/lang/pt-br.json b/www/addons/mod/glossary/lang/pt-br.json index 32741499a8c..7eeca932a54 100644 --- a/www/addons/mod/glossary/lang/pt-br.json +++ b/www/addons/mod/glossary/lang/pt-br.json @@ -1,6 +1,6 @@ { "attachment": "Anexar emblema à mensagem", - "browsemode": "Prévia", + "browsemode": "Navegar nas entradas", "byalphabet": "Alfabeticamente", "byauthor": "Agrupar por autor", "bycategory": "Agrupar por categoria", diff --git a/www/addons/mod/glossary/lang/pt.json b/www/addons/mod/glossary/lang/pt.json index 3aa08aa38fe..103b86e99d0 100644 --- a/www/addons/mod/glossary/lang/pt.json +++ b/www/addons/mod/glossary/lang/pt.json @@ -1,6 +1,6 @@ { "attachment": "Anexo", - "browsemode": "Modo de pré-visualização", + "browsemode": "Ver entradas", "byalphabet": "Alfabeticamente", "byauthor": "Agrupar por autor", "bycategory": "Agrupar por categoria", diff --git a/www/addons/mod/glossary/lang/ro.json b/www/addons/mod/glossary/lang/ro.json index f5e76676789..1711d27b159 100644 --- a/www/addons/mod/glossary/lang/ro.json +++ b/www/addons/mod/glossary/lang/ro.json @@ -1,6 +1,6 @@ { "attachment": "Atașament", - "browsemode": "Mod Căutare", + "browsemode": "Căutați în datele introduse", "byalphabet": "Alfabetic", "byauthor": "Grupare după autor", "bynewestfirst": "Cele mai noi sunt dispuse primele", diff --git a/www/addons/mod/glossary/lang/ru.json b/www/addons/mod/glossary/lang/ru.json index 40a4b68d0cc..82c9094a0d7 100644 --- a/www/addons/mod/glossary/lang/ru.json +++ b/www/addons/mod/glossary/lang/ru.json @@ -1,6 +1,6 @@ { "attachment": "Вложение:", - "browsemode": "Режим предпросмотра", + "browsemode": "Смотреть записи", "byalphabet": "Алфавитно", "byauthor": "Группировать по автору", "bycategory": "Группировать по категориям", diff --git a/www/addons/mod/glossary/lang/sv.json b/www/addons/mod/glossary/lang/sv.json index 0c0a203775f..f9dc8d60f6a 100644 --- a/www/addons/mod/glossary/lang/sv.json +++ b/www/addons/mod/glossary/lang/sv.json @@ -1,6 +1,6 @@ { "attachment": "Bifoga märke med meddelande", - "browsemode": "Läge för förhandsgranskning", + "browsemode": "Bläddrar bland poster", "byalphabet": "Alfabetiskt", "byauthor": "Sortera efter författare", "bynewestfirst": "Nyaste först", diff --git a/www/addons/mod/glossary/lang/uk.json b/www/addons/mod/glossary/lang/uk.json index d40f5a0e548..f3e1eeb10fc 100644 --- a/www/addons/mod/glossary/lang/uk.json +++ b/www/addons/mod/glossary/lang/uk.json @@ -1,6 +1,6 @@ { "attachment": "Долучення", - "browsemode": "Режим перегляду", + "browsemode": "Перегляд записів", "byalphabet": "По алфавіту", "byauthor": "Групувати за автором", "bycategory": "Групувати за категорією", diff --git a/www/addons/mod/label/lang/fi.json b/www/addons/mod/label/lang/fi.json index 1c440f1a0de..2e86e901328 100644 --- a/www/addons/mod/label/lang/fi.json +++ b/www/addons/mod/label/lang/fi.json @@ -1,3 +1,3 @@ { - "label": "Ohjeteksti" + "label": "Nimi" } \ No newline at end of file diff --git a/www/addons/mod/label/lang/he.json b/www/addons/mod/label/lang/he.json index 232aff3b2bf..7f0814d0381 100644 --- a/www/addons/mod/label/lang/he.json +++ b/www/addons/mod/label/lang/he.json @@ -1,3 +1,3 @@ { - "label": "תווית לשאלה מותנית (באנגלית)" + "label": "תווית" } \ No newline at end of file diff --git a/www/addons/mod/label/lang/lt.json b/www/addons/mod/label/lang/lt.json index 8aba433e8cd..f9a1ca059d8 100644 --- a/www/addons/mod/label/lang/lt.json +++ b/www/addons/mod/label/lang/lt.json @@ -1,3 +1,3 @@ { - "label": "Žyma" + "label": "Etiketė" } \ No newline at end of file diff --git a/www/addons/mod/label/lang/uk.json b/www/addons/mod/label/lang/uk.json index dc1348438f8..f1dd990cbfb 100644 --- a/www/addons/mod/label/lang/uk.json +++ b/www/addons/mod/label/lang/uk.json @@ -1,3 +1,3 @@ { - "label": "Напис" + "label": "Лейба" } \ No newline at end of file diff --git a/www/addons/mod/lesson/lang/it.json b/www/addons/mod/lesson/lang/it.json index 3cd913414eb..74920e9151a 100644 --- a/www/addons/mod/lesson/lang/it.json +++ b/www/addons/mod/lesson/lang/it.json @@ -23,6 +23,7 @@ "enterpassword": "Inserisci la password:", "eolstudentoutoftimenoanswers": "Non hai risposto a nessuna domanda. Per questa lezione hai ottenuto 0 punti.", "finish": "Termina", + "finishretakeoffline": "Il tentativo è stato completato offline.", "firstwrong": "la tua risposta non è corretta. Desideri provare a rispondere di nuovo? (L'eventuale risposta corretta non sarà comunque tenuta in considerazione per il calcolo del punteggio finale).", "gotoendoflesson": "Vai alla fine della lezione", "grade": "Punteggio", @@ -56,6 +57,8 @@ "rawgrade": "Voto grezzo", "reports": "Risultati", "response": "Replica", + "retakelabelfull": "{retake}}: {{grade}} {{timestart}} ({{duration}})", + "retakelabelshort": "{{retake}}: {{grade}} {{timestart}}", "review": "Revisione", "reviewlesson": "Rivedi la lezione", "reviewquestionback": "Si, voglio provare ancora", @@ -70,6 +73,7 @@ "timeremaining": "Tempo rimanente", "timetaken": "Tempo impiegato", "unseenpageinbranch": "Domanda non vista in una pagina con contenuto", + "warningretakefinished": "Il tentativo è stato completato sul sito.", "welldone": "Ben fatto!", "youhaveseen": "Hai già visto più di una pagina di questa lezione.
      Vuoi iniziare dall'ultima pagina visitata?", "youranswer": "La tua risposta", diff --git a/www/addons/mod/quiz/lang/it.json b/www/addons/mod/quiz/lang/it.json index 95eff85b569..9281ea91e91 100644 --- a/www/addons/mod/quiz/lang/it.json +++ b/www/addons/mod/quiz/lang/it.json @@ -14,10 +14,13 @@ "continueattemptquiz": "Riprendi ultimo tentativo", "continuepreview": "Continua l'ultima anteprima", "errordownloading": "Si è verificato un errore durante lo scaricamento dei dati.", + "errorgetattempt": "Si è verificato un errore durante la ricezione dei dati del tentativo.", + "errorgetquestions": "Si è verificato un errore durante la ricezione delle domande.", + "errorgetquiz": "Si è verificato un errore durante la ricezione dei dati del quiz.", "errorparsequestions": "Si è verificato un errore durante la lettura delle domande. Per favore svolgi il quiz usando un browser.", "errorsaveattempt": "Si è verificato un errore durante il salvataggio del tentativo.", "errorsyncquiz": "Si è verificato un errore durante la sincronizzazione. Per favore riprova.", - "errorsyncquizblocked": "Il quiz non può essere sincronizzato a cusa di una elaborazione in corso.", + "errorsyncquizblocked": "Il quiz non può essere sincronizzato a causa di una elaborazione in corso. Per favore riprova più tardi. Se il problema persiste, prova a riavviare l'app.", "feedback": "Feedback", "finishattemptdots": "Completa il tentativo...", "finishnotsynced": "Completato ma non sincronizzato.", diff --git a/www/addons/mod/scorm/lang/it.json b/www/addons/mod/scorm/lang/it.json index 8556f3bf7ab..fa12390244f 100644 --- a/www/addons/mod/scorm/lang/it.json +++ b/www/addons/mod/scorm/lang/it.json @@ -15,7 +15,7 @@ "errordownloadscorm": "Si è verificato un errore durante lo scaricamento dello SCORM \"{{name}}\".", "errorgetscorm": "Si è verificato un errore durante la ricezione dei dati SCORM.", "errorinvalidversion": "Spiacente, l'applicazione supporta solamente SCORM 1.2.", - "errornotdownloadable": "Lo scaricamento di pacchetti SCORM è disabilitato a livello di sito Moodle. Per favore contatta l'amministratore del sito.", + "errornotdownloadable": "Lo scaricamento di pacchetti SCORM è disabilitato. Per favore contatta l'amministratore del sito.", "errornovalidsco": "Questo SCORM non ha SCO visibili da caricare.", "errorpackagefile": "Spiacente, l'applicazione supporta solamente pacchetti ZIP.", "errorsyncscorm": "Si è verificato un errore durante la sincronizzazione. Per favore riprova.", @@ -46,6 +46,6 @@ "scormstatusnotdownloaded": "Questo SCORM non è stato scaricato, lo sarà non appena lo aprirai.", "scormstatusoutdated": "Questo SCORM è stato modificato dall'ultimo scaricamento e sarà scaricato nuovamente non appena lo aprirai.", "suspended": "Sospeso", - "warningofflinedatadeleted": "Alcuni dati offline del tentativo {{number}} sono stati eliminati perché non è stato possibile inserirli in un nuovo tentativo.", + "warningofflinedatadeleted": "Alcuni dati offline del tentativo {{number}} sono stati eliminati perché non è stato possibile inserirli in un nuovo tentativo.", "warningsynconlineincomplete": "Alcuni tentativi non sono stati sincronizzati sul sito poiché è presente un tentativo svolto online che non è stato terminato. Per sincronizzare, devi prima terminare il tentativo online." } \ No newline at end of file diff --git a/www/addons/mod/survey/lang/ja.json b/www/addons/mod/survey/lang/ja.json index 6e207332222..35fbcedcc0d 100644 --- a/www/addons/mod/survey/lang/ja.json +++ b/www/addons/mod/survey/lang/ja.json @@ -4,6 +4,6 @@ "ifoundthat": "私は次のことを発見しました:", "ipreferthat": "私は次のことが好きです:", "responses": "回答", - "results": "受験結果", + "results": "結果", "surveycompletednograph": "あなたはこの調査を完了しました。" } \ No newline at end of file diff --git a/www/addons/mod/survey/lang/mr.json b/www/addons/mod/survey/lang/mr.json index a06784de07e..0b2c1f99c4b 100644 --- a/www/addons/mod/survey/lang/mr.json +++ b/www/addons/mod/survey/lang/mr.json @@ -2,5 +2,5 @@ "cannotsubmitsurvey": "क्षमस्व, आपले सर्वेक्षण सबमिट करताना समस्या आली कृपया पुन्हा प्रयत्न करा.", "errorgetsurvey": "सर्वेक्षण डेटा मिळवताना त्रुटी.", "responses": "प्रतीसाद", - "results": "निकाल" + "results": "परिणाम" } \ No newline at end of file diff --git a/www/addons/mod/url/lang/it.json b/www/addons/mod/url/lang/it.json index a8e25b21ad4..bd3f84d2488 100644 --- a/www/addons/mod/url/lang/it.json +++ b/www/addons/mod/url/lang/it.json @@ -1,4 +1,4 @@ { "accessurl": "Accedi all'URL", - "pointingtourl": "URL dove punta la risorsa" + "pointingtourl": "URL dove punta la risorsa." } \ No newline at end of file diff --git a/www/addons/mod/wiki/lang/ca.json b/www/addons/mod/wiki/lang/ca.json index fb0c7bfab1e..b827bb47066 100644 --- a/www/addons/mod/wiki/lang/ca.json +++ b/www/addons/mod/wiki/lang/ca.json @@ -10,7 +10,7 @@ "newpagetitle": "Títol de la pàgina nova", "nocontent": "No hi ha contingut per a aquesta pàgina", "notingroup": "No en grup", - "page": "Pàgina: {{$a}}", + "page": "Pàgina", "pageexists": "Aquesta pàgina ja existeix.", "pagename": "Nom de la pàgina", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/cs.json b/www/addons/mod/wiki/lang/cs.json index 052676bb598..89723ca1da7 100644 --- a/www/addons/mod/wiki/lang/cs.json +++ b/www/addons/mod/wiki/lang/cs.json @@ -10,7 +10,7 @@ "newpagetitle": "Nový název stránky", "nocontent": "Pro tuto stránku není obsah", "notingroup": "Není ve skupině", - "page": "Stránka: {{$a}}", + "page": "Stránka", "pageexists": "Tato stránka již existuje.", "pagename": "Název stránky", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/da.json b/www/addons/mod/wiki/lang/da.json index b34c6a82735..13ae0164119 100644 --- a/www/addons/mod/wiki/lang/da.json +++ b/www/addons/mod/wiki/lang/da.json @@ -8,7 +8,7 @@ "newpagetitle": "Ny sidetitel", "nocontent": "Der er intet indhold til denne side", "notingroup": "Ikke i gruppe", - "page": "Side: {{$a}}", + "page": "Side", "pageexists": "Denne side findes allerede.", "pagename": "Sidenavn", "subwiki": "Underwiki", diff --git a/www/addons/mod/wiki/lang/de-du.json b/www/addons/mod/wiki/lang/de-du.json index ee60d8f46fe..ea5f9686c52 100644 --- a/www/addons/mod/wiki/lang/de-du.json +++ b/www/addons/mod/wiki/lang/de-du.json @@ -10,7 +10,7 @@ "newpagetitle": "Titel für neue Seite\n", "nocontent": "Kein Inhalt auf dieser Seite", "notingroup": "Nicht in Gruppen", - "page": "Seite: {{$a}}", + "page": "Seite", "pageexists": "Diese Seite existiert bereits.", "pagename": "Seitenname", "subwiki": "Teilwiki", diff --git a/www/addons/mod/wiki/lang/de.json b/www/addons/mod/wiki/lang/de.json index ee60d8f46fe..ea5f9686c52 100644 --- a/www/addons/mod/wiki/lang/de.json +++ b/www/addons/mod/wiki/lang/de.json @@ -10,7 +10,7 @@ "newpagetitle": "Titel für neue Seite\n", "nocontent": "Kein Inhalt auf dieser Seite", "notingroup": "Nicht in Gruppen", - "page": "Seite: {{$a}}", + "page": "Seite", "pageexists": "Diese Seite existiert bereits.", "pagename": "Seitenname", "subwiki": "Teilwiki", diff --git a/www/addons/mod/wiki/lang/el.json b/www/addons/mod/wiki/lang/el.json index 3cfb1632678..801399e1135 100644 --- a/www/addons/mod/wiki/lang/el.json +++ b/www/addons/mod/wiki/lang/el.json @@ -3,7 +3,7 @@ "errornowikiavailable": "Αυτό το wiki δεν έχει ακόμα περιεχόμενο.", "gowikihome": "Go Wiki home", "notingroup": "Συγνώμη, αλλά θα πρέπει να είστε μέλος μιας ομάδας για να δείτε αυτήν τη δραστηριότητα", - "page": "Σελίδα: {{$a}}", + "page": "Σελίδα", "subwiki": "Subwiki", "titleshouldnotbeempty": "Ο τίτλος δεν πρέπει να είναι κενός", "viewpage": "Δείτε τη σελίδα", diff --git a/www/addons/mod/wiki/lang/es-mx.json b/www/addons/mod/wiki/lang/es-mx.json index 127d2e6fbc6..0d1b65c7fad 100644 --- a/www/addons/mod/wiki/lang/es-mx.json +++ b/www/addons/mod/wiki/lang/es-mx.json @@ -10,7 +10,7 @@ "newpagetitle": "Título nuevo de la página", "nocontent": "No hay contenido para esta página", "notingroup": "No está en un grupo", - "page": "Página: {{$a}}", + "page": "Página", "pageexists": "Esta página ya existe.", "pagename": "Nombre de página", "subwiki": "Sub-wiki", diff --git a/www/addons/mod/wiki/lang/es.json b/www/addons/mod/wiki/lang/es.json index 3bbe24f3157..b31f110029b 100644 --- a/www/addons/mod/wiki/lang/es.json +++ b/www/addons/mod/wiki/lang/es.json @@ -10,7 +10,7 @@ "newpagetitle": "Título nuevo de la página", "nocontent": "No hay contenido para esta página", "notingroup": "No está en un grupo", - "page": "Página: {{$a}}", + "page": "Página", "pageexists": "Esta página ya existe.", "pagename": "Nombre de la página", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/eu.json b/www/addons/mod/wiki/lang/eu.json index 4d1083f3d18..4c61c8db39f 100644 --- a/www/addons/mod/wiki/lang/eu.json +++ b/www/addons/mod/wiki/lang/eu.json @@ -10,7 +10,7 @@ "newpagetitle": "Orri berriaren izenburua", "nocontent": "Ez dago edukirik orri honetarako", "notingroup": "Ez dago taldean", - "page": "Orria: {{$a}}", + "page": "Orria", "pageexists": "Orri hau badago dagoeneko.", "pagename": "Orriaren izena", "subwiki": "Azpiwikia", diff --git a/www/addons/mod/wiki/lang/fi.json b/www/addons/mod/wiki/lang/fi.json index e8e5a73fbc6..09ce0b8a9d9 100644 --- a/www/addons/mod/wiki/lang/fi.json +++ b/www/addons/mod/wiki/lang/fi.json @@ -9,7 +9,7 @@ "newpagetitle": "Uusi sivun otsikko", "nocontent": "Tälle sivulle ei ole sisältöä", "notingroup": "Ei ryhmässä", - "page": "Sivu {{$a}}", + "page": "Sivu", "pageexists": "Tämä sivu on jo olemassa. Ohjataan olemassa olevalle sivulle.", "pagename": "Sivun nimi", "titleshouldnotbeempty": "Otsikko ei saa olla tyhjä", diff --git a/www/addons/mod/wiki/lang/fr.json b/www/addons/mod/wiki/lang/fr.json index 70c048069dd..9f7e08207ea 100644 --- a/www/addons/mod/wiki/lang/fr.json +++ b/www/addons/mod/wiki/lang/fr.json @@ -10,7 +10,7 @@ "newpagetitle": "Titre de la nouvelle page", "nocontent": "Cette page n'a pas de contenu", "notingroup": "Pas dans le groupe", - "page": "Page : {{$a}}", + "page": "Page", "pageexists": "Cette page existe déjà.", "pagename": "Nom de page", "subwiki": "Sous-wiki", diff --git a/www/addons/mod/wiki/lang/hr.json b/www/addons/mod/wiki/lang/hr.json index d2b1d37c968..afbca16955c 100644 --- a/www/addons/mod/wiki/lang/hr.json +++ b/www/addons/mod/wiki/lang/hr.json @@ -7,7 +7,7 @@ "newpagetitle": "Naslov nove stranice", "nocontent": "Na ovoj stranici nema sadržaja", "notingroup": "Nije u grupi", - "page": "Stranica: {{$a}}", + "page": "Stranica", "pageexists": "Ova stranica već postoji. Preusmjeravam na postojeću.", "pagename": "Naziv stranice", "viewpage": "Prikaži stranicu", diff --git a/www/addons/mod/wiki/lang/it.json b/www/addons/mod/wiki/lang/it.json index 5acbfeed47e..b797e49ad10 100644 --- a/www/addons/mod/wiki/lang/it.json +++ b/www/addons/mod/wiki/lang/it.json @@ -4,7 +4,7 @@ "editingpage": "Modifica pagina '{{$a}}'", "errorloadingpage": "Si è verificato un errore durante il caricamento della pagina.", "errornowikiavailable": "Il wiki non ha contenuti.", - "gowikihome": "Home del wiki", + "gowikihome": "Vai alla prima pagina del wiki", "map": "Mappa", "newpagehdr": "Nuova pagina", "newpagetitle": "Titolo nuova pagina", @@ -16,5 +16,6 @@ "subwiki": "Subwiki", "titleshouldnotbeempty": "Il titolo non può essere vuoto", "viewpage": "Visualizza pagina", + "wikipage": "Pagina wiki", "wrongversionlock": "Un altro utente ha modificato questa pagina mentre la stavi modificando anche tu. Le tue modifiche son ora obsolete." } \ No newline at end of file diff --git a/www/addons/mod/wiki/lang/ja.json b/www/addons/mod/wiki/lang/ja.json index 40e0e0dcbc9..591ce09bb4c 100644 --- a/www/addons/mod/wiki/lang/ja.json +++ b/www/addons/mod/wiki/lang/ja.json @@ -10,7 +10,7 @@ "newpagetitle": "新しいページタイトル", "nocontent": "このページにはコンテンツがありません。", "notingroup": "グループ外", - "page": "ページ: {{$a}}", + "page": "ページ", "pageexists": "このページはすでに存在します。", "pagename": "ページ名", "subwiki": "サブwiki", diff --git a/www/addons/mod/wiki/lang/lt.json b/www/addons/mod/wiki/lang/lt.json index 7523e9211c2..52f7834015f 100644 --- a/www/addons/mod/wiki/lang/lt.json +++ b/www/addons/mod/wiki/lang/lt.json @@ -10,7 +10,7 @@ "newpagetitle": "Naujo puslapio pavadinimas", "nocontent": "Nėra šio puslapio turinio", "notingroup": "Nėra grupėje", - "page": "Puslapis: {{$a}}", + "page": "Puslapis", "pageexists": "Šis puslapis jau yra.", "pagename": "Puslapio pavadinimas", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/mr.json b/www/addons/mod/wiki/lang/mr.json index 3ef41e524c0..f48bdf94a31 100644 --- a/www/addons/mod/wiki/lang/mr.json +++ b/www/addons/mod/wiki/lang/mr.json @@ -3,7 +3,7 @@ "errornowikiavailable": "या विकीकडे अद्याप कोणतीही सामग्री नाही.", "gowikihome": "विकीच्या होमला जा", "notingroup": "माफ करा, ही क्रिया बघण्यासाठी तुम्ही या ग्रुपचा भाग असणे गरजेचे आहे", - "page": "पान", + "page": "पृष्ठ", "subwiki": "उपविकि", "titleshouldnotbeempty": "शीर्षक रिक्त असू नये", "viewpage": "पृष्ठ पहा", diff --git a/www/addons/mod/wiki/lang/nl.json b/www/addons/mod/wiki/lang/nl.json index 2d0dc8ae9ae..7b16235309e 100644 --- a/www/addons/mod/wiki/lang/nl.json +++ b/www/addons/mod/wiki/lang/nl.json @@ -10,7 +10,7 @@ "newpagetitle": "Nieuwe paginatitel", "nocontent": "Er is geen inhoud voor deze pagina", "notingroup": "Niet in groep", - "page": "Pagina: {{$a}}", + "page": "Pagina", "pageexists": "Deze pagina bestaat al.", "pagename": "Paginanaam", "subwiki": "Sub-wiki", diff --git a/www/addons/mod/wiki/lang/pt-br.json b/www/addons/mod/wiki/lang/pt-br.json index a1b02148a74..8a03287d5e2 100644 --- a/www/addons/mod/wiki/lang/pt-br.json +++ b/www/addons/mod/wiki/lang/pt-br.json @@ -10,7 +10,7 @@ "newpagetitle": "Novo título da página", "nocontent": "Não existe conteúdo para esta página", "notingroup": "Não existe no grupo", - "page": "Página: {{$a}}", + "page": "Página", "pageexists": "Esta página já existe.", "pagename": "Nome da página", "subwiki": "Subwiki", diff --git a/www/addons/mod/wiki/lang/pt.json b/www/addons/mod/wiki/lang/pt.json index 00cac3482a0..341d033b3e0 100644 --- a/www/addons/mod/wiki/lang/pt.json +++ b/www/addons/mod/wiki/lang/pt.json @@ -10,7 +10,7 @@ "newpagetitle": "Novo título da página", "nocontent": "Não há nenhum conteúdo nesta página", "notingroup": "Não está em nenhum grupo", - "page": "Página: {{$a}}", + "page": "Página", "pageexists": "Esta página já existe.", "pagename": "Nome da página", "subwiki": "Sub-Wiki", diff --git a/www/addons/mod/wiki/lang/ru.json b/www/addons/mod/wiki/lang/ru.json index 49b2fbd4c6b..ea1576da242 100644 --- a/www/addons/mod/wiki/lang/ru.json +++ b/www/addons/mod/wiki/lang/ru.json @@ -10,7 +10,7 @@ "newpagetitle": "Заголовок новой страницы", "nocontent": "Нет содержимого у этой страницы", "notingroup": "Не в группе", - "page": "Страница: {{$a}}", + "page": "Страница", "pageexists": "Такая страница уже существует.", "pagename": "Название страницы", "subwiki": "Под-wiki", diff --git a/www/addons/mod/wiki/lang/tr.json b/www/addons/mod/wiki/lang/tr.json index f1167632e26..8ddfdfd95b3 100644 --- a/www/addons/mod/wiki/lang/tr.json +++ b/www/addons/mod/wiki/lang/tr.json @@ -7,7 +7,7 @@ "newpagetitle": "Yeni sayfa başlığı", "nocontent": "Bu sayfa için içerik yok", "notingroup": "Grupta değil", - "page": "Sayfa: {{$a}}", + "page": "Sayfa", "pageexists": "Bu sayfa zaten var.", "pagename": "Sayfa adı", "wrongversionlock": "Başka bir kullanıcı sizin düzenlemeniz sırasında bu sayfayı düzenledi ve içeriğiniz geçersiz." diff --git a/www/addons/mod/wiki/lang/uk.json b/www/addons/mod/wiki/lang/uk.json index 7e2a88dd8db..cd89e56c9cc 100644 --- a/www/addons/mod/wiki/lang/uk.json +++ b/www/addons/mod/wiki/lang/uk.json @@ -10,7 +10,7 @@ "newpagetitle": "Заголовок нової сторінки", "nocontent": "Немає контенту для цієї сторінки", "notingroup": "Не в групі", - "page": "Сторінка: {{$a}}", + "page": "Сторінка", "pageexists": "Ця сторінка вже існує. Перенаправити до неї.", "pagename": "Назва сторінки", "subwiki": "Субвікі", diff --git a/www/addons/notes/lang/ca.json b/www/addons/notes/lang/ca.json index 9367384a78e..1c044e61b29 100644 --- a/www/addons/notes/lang/ca.json +++ b/www/addons/notes/lang/ca.json @@ -4,7 +4,7 @@ "eventnotecreated": "S'ha creat la nota", "nonotes": "Encara no hi ha notes d'aquest tipus", "note": "Anotació", - "notes": "El teu anàlisi privat i les teves notes", + "notes": "Anotacions", "personalnotes": "Anotacions personals", "publishstate": "Context", "sitenotes": "Anotacions del lloc", diff --git a/www/addons/notes/lang/cs.json b/www/addons/notes/lang/cs.json index f5191687ac8..5c5cb003aa3 100644 --- a/www/addons/notes/lang/cs.json +++ b/www/addons/notes/lang/cs.json @@ -4,7 +4,7 @@ "eventnotecreated": "Poznámka vytvořena", "nonotes": "Doposud neexistují žádné poznámky tohoto typu.", "note": "Poznámka", - "notes": "Vaše soukromé postřehy a poznámky", + "notes": "Poznámky", "personalnotes": "Osobní poznámky", "publishstate": "Kontext", "sitenotes": "Poznámky stránek", diff --git a/www/addons/notes/lang/da.json b/www/addons/notes/lang/da.json index cf35362b164..3dadb18f0eb 100644 --- a/www/addons/notes/lang/da.json +++ b/www/addons/notes/lang/da.json @@ -4,7 +4,7 @@ "eventnotecreated": "Note oprettet", "nonotes": "Der er endnu ingen noter af denne type", "note": "Note", - "notes": "Dine private kommentarer og noter", + "notes": "Noter", "personalnotes": "Personlige noter", "publishstate": "Sammenhæng", "sitenotes": "Webstedsnoter", diff --git a/www/addons/notes/lang/de-du.json b/www/addons/notes/lang/de-du.json index 79119cf0125..df0b44168e3 100644 --- a/www/addons/notes/lang/de-du.json +++ b/www/addons/notes/lang/de-du.json @@ -4,7 +4,7 @@ "eventnotecreated": "Anmerkung angelegt", "nonotes": "Keine Anmerkungen", "note": "Anmerkung", - "notes": "Deine persönliche Analyse und Anmerkungen", + "notes": "Anmerkungen", "personalnotes": "Meine Anmerkungen", "publishstate": "Kontext", "sitenotes": "Anmerkungen zur Website", diff --git a/www/addons/notes/lang/de.json b/www/addons/notes/lang/de.json index af167048301..df0b44168e3 100644 --- a/www/addons/notes/lang/de.json +++ b/www/addons/notes/lang/de.json @@ -4,7 +4,7 @@ "eventnotecreated": "Anmerkung angelegt", "nonotes": "Keine Anmerkungen", "note": "Anmerkung", - "notes": "Ihre persönliche Analyse und Anmerkungen", + "notes": "Anmerkungen", "personalnotes": "Meine Anmerkungen", "publishstate": "Kontext", "sitenotes": "Anmerkungen zur Website", diff --git a/www/addons/notes/lang/el.json b/www/addons/notes/lang/el.json index 9bc5d02d49e..e796b19cabe 100644 --- a/www/addons/notes/lang/el.json +++ b/www/addons/notes/lang/el.json @@ -4,7 +4,7 @@ "eventnotecreated": "Το σημείωμα δημιουργήθηκε", "nonotes": "Δεν υπάρχουν σημειώσεις αυτού του τύπου ακόμα", "note": "Σημείωση", - "notes": "Οι προσωπικές σας αναλύσεις και σημειώσεις", + "notes": "Σημειώσεις", "personalnotes": "Προσωπικές σημειώσεις", "publishstate": "Γενικό πλαίσιο", "sitenotes": "Σημειώσεις της ιστοσελίδας", diff --git a/www/addons/notes/lang/es-mx.json b/www/addons/notes/lang/es-mx.json index 1e1105d5f39..c2d61de19e4 100644 --- a/www/addons/notes/lang/es-mx.json +++ b/www/addons/notes/lang/es-mx.json @@ -4,7 +4,7 @@ "eventnotecreated": "Nota creada", "nonotes": "Aun no hay notas de este tipo", "note": "Nota", - "notes": "Su análisis privado y sus notas", + "notes": "Notas", "personalnotes": "Notas personales", "publishstate": "Contexto", "sitenotes": "Notas del sitio", diff --git a/www/addons/notes/lang/eu.json b/www/addons/notes/lang/eu.json index 8656c9594fd..f8935fec248 100644 --- a/www/addons/notes/lang/eu.json +++ b/www/addons/notes/lang/eu.json @@ -4,7 +4,7 @@ "eventnotecreated": "Oharra gehituta", "nonotes": "Oraindik ez dago mota honetako oharrik.", "note": "Oharra", - "notes": "Zure analisi pribatua eta oharrak", + "notes": "Oharrak", "personalnotes": "Ohar pertsonalak", "publishstate": "Testuingurua", "sitenotes": "Guneko oharrak", diff --git a/www/addons/notes/lang/fi.json b/www/addons/notes/lang/fi.json index 96253411108..37c171d4080 100644 --- a/www/addons/notes/lang/fi.json +++ b/www/addons/notes/lang/fi.json @@ -4,7 +4,7 @@ "eventnotecreated": "Muistiinpano luotu", "nonotes": "Muistiinpanoja ei vielä ole", "note": "Muistiinpano", - "notes": "Oma henkilökohtainen analyysisi ja muistiinpanosi.", + "notes": "Muistiinpanot", "personalnotes": "Henkilökohtaiset muistiinpanot", "publishstate": "Konteksti", "sitenotes": "Sivustotasoiset muistiinpanot", diff --git a/www/addons/notes/lang/fr.json b/www/addons/notes/lang/fr.json index 37be152dc0a..d0607b110d6 100644 --- a/www/addons/notes/lang/fr.json +++ b/www/addons/notes/lang/fr.json @@ -4,7 +4,7 @@ "eventnotecreated": "Annotation créée", "nonotes": "Il n'y a pas encore d'annotation de ce type.", "note": "Annotation", - "notes": "Votre analyse et vos remarques personnelles", + "notes": "Annotations", "personalnotes": "Annotations personnelles", "publishstate": "Contexte", "sitenotes": "Annotations du site", diff --git a/www/addons/notes/lang/he.json b/www/addons/notes/lang/he.json index 2e3c5dd9644..416427b2dec 100644 --- a/www/addons/notes/lang/he.json +++ b/www/addons/notes/lang/he.json @@ -4,7 +4,7 @@ "eventnotecreated": "הערה נוצרה", "nonotes": "עדיין לא קיימות הערות מסוג זה", "note": "הערה", - "notes": "ההערות והניתוח הפרטיים שלך.", + "notes": "הערות", "personalnotes": "הערות אישיות", "publishstate": "תוכן", "sitenotes": "הערות אתר", diff --git a/www/addons/notes/lang/hr.json b/www/addons/notes/lang/hr.json index 15cf99fe8bb..e8232895c1e 100644 --- a/www/addons/notes/lang/hr.json +++ b/www/addons/notes/lang/hr.json @@ -3,7 +3,7 @@ "coursenotes": "Bilješke e-kolegija", "eventnotecreated": "Bilješka stvorena", "note": "Bilješka", - "notes": "Vaša osobna analiza i bilješke", + "notes": "Bilješke", "personalnotes": "Osobne bilješke", "publishstate": "Kontekst", "sitenotes": "Bilješke na razini sustava" diff --git a/www/addons/notes/lang/it.json b/www/addons/notes/lang/it.json index 90c300a1f85..cc093ba6985 100644 --- a/www/addons/notes/lang/it.json +++ b/www/addons/notes/lang/it.json @@ -4,9 +4,9 @@ "eventnotecreated": "Creata annotazione", "nonotes": "Non sono presenti annotazioni di questo tipo.", "note": "Annotazione", - "notes": "Le tue note e analisi", + "notes": "Annotazioni", "personalnotes": "Annotazioni personali", "publishstate": "Contesto", "sitenotes": "Annotazioni del sito", - "userwithid": "Utente con id {{id}}" + "userwithid": "Utente con iID {{id}}" } \ No newline at end of file diff --git a/www/addons/notes/lang/ja.json b/www/addons/notes/lang/ja.json index ae48a7ac252..6b3304c8067 100644 --- a/www/addons/notes/lang/ja.json +++ b/www/addons/notes/lang/ja.json @@ -4,7 +4,7 @@ "eventnotecreated": "作成したノート", "nonotes": "このタイプのノートはまだ存在しません", "note": "ノート", - "notes": "あなたの個人分析およびノート", + "notes": "ノート", "personalnotes": "パーソナルノート", "publishstate": "コンテキスト", "sitenotes": "サイトノート", diff --git a/www/addons/notes/lang/ko.json b/www/addons/notes/lang/ko.json index 9ff39e71f57..2bd0347b323 100644 --- a/www/addons/notes/lang/ko.json +++ b/www/addons/notes/lang/ko.json @@ -4,7 +4,7 @@ "eventnotecreated": "메모 작성", "nonotes": "이 유형의 메모가 아직 없습니다.", "note": "메모", - "notes": "당신의 개인적 분석과 기록", + "notes": "메모들", "personalnotes": "개인적인 메모", "publishstate": "문맥", "sitenotes": "사이트 메모", diff --git a/www/addons/notes/lang/lt.json b/www/addons/notes/lang/lt.json index e9213ee0c0e..ac321d27d1b 100644 --- a/www/addons/notes/lang/lt.json +++ b/www/addons/notes/lang/lt.json @@ -4,7 +4,7 @@ "eventnotecreated": "Užrašas sukurtas", "nonotes": "Nėra jokių šios temos užrašų", "note": "Užrašas", - "notes": "Pastabos", + "notes": "Užrašai", "personalnotes": "Asmeniniai užrašai", "publishstate": "Teksto ištrauka", "sitenotes": "Svetainės užrašai", diff --git a/www/addons/notes/lang/nl.json b/www/addons/notes/lang/nl.json index 64e66285bed..49a0c0209c4 100644 --- a/www/addons/notes/lang/nl.json +++ b/www/addons/notes/lang/nl.json @@ -4,7 +4,7 @@ "eventnotecreated": "Notitie gemaakt", "nonotes": "Er zijn nog geen notities van dit type.", "note": "Notitie", - "notes": "Je persoonlijke analyse en aantekeningen", + "notes": "Notities", "personalnotes": "Persoonlijke notities", "publishstate": "Context", "sitenotes": "Site notities", diff --git a/www/addons/notes/lang/pt-br.json b/www/addons/notes/lang/pt-br.json index 5634bc70e89..ce6908d1d3e 100644 --- a/www/addons/notes/lang/pt-br.json +++ b/www/addons/notes/lang/pt-br.json @@ -4,7 +4,7 @@ "eventnotecreated": "Anotação criada", "nonotes": "Não há mais anotações desse típo", "note": "Anotação", - "notes": "Suas análises e anotações pessoais", + "notes": "Anotações", "personalnotes": "Anotações pessoais", "publishstate": "Contexto", "sitenotes": "Anotações do site", diff --git a/www/addons/notes/lang/pt.json b/www/addons/notes/lang/pt.json index ace13083c07..d5d1db734fc 100644 --- a/www/addons/notes/lang/pt.json +++ b/www/addons/notes/lang/pt.json @@ -4,7 +4,7 @@ "eventnotecreated": "Anotação criada", "nonotes": "Ainda não existem anotações deste tipo.", "note": "Anotação", - "notes": "Análise privada e anotações", + "notes": "Anotações", "personalnotes": "Anotações pessoais", "publishstate": "Contexto", "sitenotes": "Anotações do site", diff --git a/www/addons/notes/lang/ro.json b/www/addons/notes/lang/ro.json index 1115becc8d5..605a02f2299 100644 --- a/www/addons/notes/lang/ro.json +++ b/www/addons/notes/lang/ro.json @@ -4,7 +4,7 @@ "eventnotecreated": "A fost creată o notă", "nonotes": "Momentan nu există note de acest tip", "note": "Notă", - "notes": "Analiza şi notele tale particulare", + "notes": "Note", "personalnotes": "Note personale", "publishstate": "Context", "sitenotes": "Note de site", diff --git a/www/addons/notes/lang/ru.json b/www/addons/notes/lang/ru.json index b102aa954df..fecbe087e5e 100644 --- a/www/addons/notes/lang/ru.json +++ b/www/addons/notes/lang/ru.json @@ -4,7 +4,7 @@ "eventnotecreated": "Заметка создана", "nonotes": "Нет заметок такого типа.", "note": "Заметка", - "notes": "Ваши анализы и заметки", + "notes": "Заметки", "personalnotes": "Личные заметки", "publishstate": "Контекст", "sitenotes": "Заметки сайта", diff --git a/www/addons/notes/lang/sv.json b/www/addons/notes/lang/sv.json index 75049c59549..8fcd87edc6d 100644 --- a/www/addons/notes/lang/sv.json +++ b/www/addons/notes/lang/sv.json @@ -4,7 +4,7 @@ "eventnotecreated": "Anteckning skapade", "nonotes": "Det finns inga anteckningar av denna typ ännu", "note": "Anteckning", - "notes": "Din privata analys och anteckningar", + "notes": "Anteckningar", "personalnotes": "Personliga anteckningar", "publishstate": "Sammanhang", "sitenotes": "Webbplats anteckningar", diff --git a/www/addons/notes/lang/uk.json b/www/addons/notes/lang/uk.json index 9c2ba1ac6bb..8c815080c16 100644 --- a/www/addons/notes/lang/uk.json +++ b/www/addons/notes/lang/uk.json @@ -4,7 +4,7 @@ "eventnotecreated": "Записка створена", "nonotes": "Наразі немає записок такого типу", "note": "Записка", - "notes": "Ваш особистий аналіз і нотатки", + "notes": "Записки", "personalnotes": "Персональні записки", "publishstate": "Контекст", "sitenotes": "Записки сайту", diff --git a/www/addons/notifications/lang/ca.json b/www/addons/notifications/lang/ca.json index 077c0e53ffd..324cd60ecdb 100644 --- a/www/addons/notifications/lang/ca.json +++ b/www/addons/notifications/lang/ca.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "S'ha produït un error carregant les notificacions", - "notificationpreferences": "Preferències de les notificacions", + "notificationpreferences": "Preferències de notificació", "notifications": "Notificacions", "playsound": "Reprodueix el so", "therearentnotificationsyet": "No hi ha notificacions" diff --git a/www/addons/notifications/lang/cs.json b/www/addons/notifications/lang/cs.json index ba7b1fb6a5a..8547a6a16cd 100644 --- a/www/addons/notifications/lang/cs.json +++ b/www/addons/notifications/lang/cs.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Chyba při načítání oznámení.", "notificationpreferences": "Nastavení oznámení", - "notifications": "Informace", + "notifications": "Oznámení", "playsound": "Přehrát zvuk", "therearentnotificationsyet": "Nejsou žádná sdělení." } \ No newline at end of file diff --git a/www/addons/notifications/lang/da.json b/www/addons/notifications/lang/da.json index 5ae802c2f06..f84f447ca88 100644 --- a/www/addons/notifications/lang/da.json +++ b/www/addons/notifications/lang/da.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Fejl ved hentning af underretninger", "notificationpreferences": "Indstillinger for underretninger", - "notifications": "Beskeder", + "notifications": "Underretninger", "playsound": "Afspil lyd", "therearentnotificationsyet": "Der er ingen underretninger" } \ No newline at end of file diff --git a/www/addons/notifications/lang/de-du.json b/www/addons/notifications/lang/de-du.json index a070e1035d2..e42f1a5213d 100644 --- a/www/addons/notifications/lang/de-du.json +++ b/www/addons/notifications/lang/de-du.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Fehler beim Empfangen der Systemmitteilungen", "notificationpreferences": "Systemmitteilungen", - "notifications": "Mitteilungen", + "notifications": "Systemmitteilungen", "playsound": "Signalton abspielen", "therearentnotificationsyet": "Keine Systemmitteilungen" } \ No newline at end of file diff --git a/www/addons/notifications/lang/de.json b/www/addons/notifications/lang/de.json index a070e1035d2..e42f1a5213d 100644 --- a/www/addons/notifications/lang/de.json +++ b/www/addons/notifications/lang/de.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Fehler beim Empfangen der Systemmitteilungen", "notificationpreferences": "Systemmitteilungen", - "notifications": "Mitteilungen", + "notifications": "Systemmitteilungen", "playsound": "Signalton abspielen", "therearentnotificationsyet": "Keine Systemmitteilungen" } \ No newline at end of file diff --git a/www/addons/notifications/lang/es-mx.json b/www/addons/notifications/lang/es-mx.json index cf56484fa4c..85eb3c1d70b 100644 --- a/www/addons/notifications/lang/es-mx.json +++ b/www/addons/notifications/lang/es-mx.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Error al obtener notificaciones.", "notificationpreferences": "Preferencias de notificación", - "notifications": "Avisos", + "notifications": "Notificaciones", "playsound": "Reproducir sonido", "therearentnotificationsyet": "No hay notificaciones." } \ No newline at end of file diff --git a/www/addons/notifications/lang/es.json b/www/addons/notifications/lang/es.json index 1049b40c7a5..db11ade05af 100644 --- a/www/addons/notifications/lang/es.json +++ b/www/addons/notifications/lang/es.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Error al obtener notificaciones", - "notificationpreferences": "Preferencias de notificación", - "notifications": "Avisos", + "notificationpreferences": "Preferencias de notificaciones", + "notifications": "Notificaciones", "playsound": "Reproducir sonido", "therearentnotificationsyet": "No hay notificaciones" } \ No newline at end of file diff --git a/www/addons/notifications/lang/eu.json b/www/addons/notifications/lang/eu.json index 2ca27faebbf..f5e19694a17 100644 --- a/www/addons/notifications/lang/eu.json +++ b/www/addons/notifications/lang/eu.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "Errore bat gertatu da jakinarazpenak jasotzean.", - "notificationpreferences": "Jakinarazpenen hobespenak", + "notificationpreferences": "Jakinarazpen hobespenak", "notifications": "Jakinarazpenak", "playsound": "Erreproduzitu soinua", "therearentnotificationsyet": "Ez dago jakinarazpenik." diff --git a/www/addons/notifications/lang/fa.json b/www/addons/notifications/lang/fa.json index f641bf74805..dcfecb86fba 100644 --- a/www/addons/notifications/lang/fa.json +++ b/www/addons/notifications/lang/fa.json @@ -1,5 +1,5 @@ { "notificationpreferences": "ترجیحات اطلاعیه‌ها", - "notifications": "تذکرات", + "notifications": "هشدارها", "therearentnotificationsyet": "هیچ هشداری وجود ندارد" } \ No newline at end of file diff --git a/www/addons/notifications/lang/fi.json b/www/addons/notifications/lang/fi.json index be70ad071de..e9d2839b7a0 100644 --- a/www/addons/notifications/lang/fi.json +++ b/www/addons/notifications/lang/fi.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "Virhe ladattaessa ilmoituksia", - "notificationpreferences": "Ilmoituksien asetukset", + "notificationpreferences": "Ilmoitusasetukset", "notifications": "Ilmoitukset", "playsound": "Soita äänimerkki", "therearentnotificationsyet": "Ei uusia ilmoituksia." diff --git a/www/addons/notifications/lang/he.json b/www/addons/notifications/lang/he.json index 39e5a6ed7a5..1c1591b94ed 100644 --- a/www/addons/notifications/lang/he.json +++ b/www/addons/notifications/lang/he.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "שגיאה בטעינת התראות", "notificationpreferences": "העדפות הודעות", - "notifications": "עדכונים והודעות", + "notifications": "התראות", "therearentnotificationsyet": "אין התראות" } \ No newline at end of file diff --git a/www/addons/notifications/lang/hr.json b/www/addons/notifications/lang/hr.json index 758f784bc9a..f130577e1d1 100644 --- a/www/addons/notifications/lang/hr.json +++ b/www/addons/notifications/lang/hr.json @@ -1,5 +1,5 @@ { - "notificationpreferences": "Postavke za obavijesti", + "notificationpreferences": "Postavke obavijesti", "notifications": "Obavijesti", "therearentnotificationsyet": "Nema obavijesti" } \ No newline at end of file diff --git a/www/addons/notifications/lang/it.json b/www/addons/notifications/lang/it.json index 4faf5d3f1c6..117404abc3a 100644 --- a/www/addons/notifications/lang/it.json +++ b/www/addons/notifications/lang/it.json @@ -2,5 +2,6 @@ "errorgetnotifications": "Si è verificato un errore durante la ricezione delle notifiche.", "notificationpreferences": "Preferenze notifiche", "notifications": "Notifiche", - "therearentnotificationsyet": "Non ci sono notifiche" + "playsound": "Riproduci suono", + "therearentnotificationsyet": "Non ci sono notifiche." } \ No newline at end of file diff --git a/www/addons/notifications/lang/ja.json b/www/addons/notifications/lang/ja.json index 8c6ea812ddf..22daa00358e 100644 --- a/www/addons/notifications/lang/ja.json +++ b/www/addons/notifications/lang/ja.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "通知の取得中にエラーが発生しました。", - "notificationpreferences": "通知プリファレンス", + "notificationpreferences": "通知の設定", "notifications": "通知", "playsound": "音を出力", "therearentnotificationsyet": "通知はありません" diff --git a/www/addons/notifications/lang/ko.json b/www/addons/notifications/lang/ko.json index fff1b29305a..d82816c3ee9 100644 --- a/www/addons/notifications/lang/ko.json +++ b/www/addons/notifications/lang/ko.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "알림을 가져 오는 중 오류가 발생했습니다.", "notificationpreferences": "알림 환경 설정", - "notifications": "시스템공지", + "notifications": "알림", "playsound": "소리 재생", "therearentnotificationsyet": "알림이 없습니다." } \ No newline at end of file diff --git a/www/addons/notifications/lang/lt.json b/www/addons/notifications/lang/lt.json index 9487770171a..965ea666726 100644 --- a/www/addons/notifications/lang/lt.json +++ b/www/addons/notifications/lang/lt.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "Klaida gaunant pranešimus", - "notificationpreferences": "Pranešimų nuostatos", + "notificationpreferences": "Pranešimų nustatymai", "notifications": "Pranešimai", "therearentnotificationsyet": "Nėra jokių pranešimų" } \ No newline at end of file diff --git a/www/addons/notifications/lang/mr.json b/www/addons/notifications/lang/mr.json index 136e773e767..526fbb0693e 100644 --- a/www/addons/notifications/lang/mr.json +++ b/www/addons/notifications/lang/mr.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "सूचना मिळवताना त्रुटी", "notificationpreferences": "सूचना प्राधान्यक्रम", - "notifications": "अधिसुचना", + "notifications": "सूचना", "playsound": "ध्वनी प्ले करा", "therearentnotificationsyet": "कोणत्याही सूचना नाहीत" } \ No newline at end of file diff --git a/www/addons/notifications/lang/nl.json b/www/addons/notifications/lang/nl.json index fee989fa89d..794a0a899d5 100644 --- a/www/addons/notifications/lang/nl.json +++ b/www/addons/notifications/lang/nl.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "Fout bij het ophalen van meldingen.", - "notificationpreferences": "Meldingen voorkeuren", + "notificationpreferences": "Notificatievoorkeuren", "notifications": "Meldingen", "playsound": "Speel geluid", "therearentnotificationsyet": "Er zijn geen meldingen." diff --git a/www/addons/notifications/lang/pt-br.json b/www/addons/notifications/lang/pt-br.json index 3e54bd1c301..6ca19fa1c59 100644 --- a/www/addons/notifications/lang/pt-br.json +++ b/www/addons/notifications/lang/pt-br.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Erro ao receber notificações", - "notificationpreferences": "Preferências de notificação", - "notifications": "Avisos", + "notificationpreferences": "Preferência de notificações", + "notifications": "Notificação", "playsound": "Reproduzir som", "therearentnotificationsyet": "Não há notificações" } \ No newline at end of file diff --git a/www/addons/notifications/lang/ru.json b/www/addons/notifications/lang/ru.json index a64d944f1dd..588b3e7aa5e 100644 --- a/www/addons/notifications/lang/ru.json +++ b/www/addons/notifications/lang/ru.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "Ошибка получения уведомлений.", - "notificationpreferences": "Настройка уведомлений", + "notificationpreferences": "Предпочтения по уведомлениям", "notifications": "Уведомления", "playsound": "Проигрывать звук", "therearentnotificationsyet": "Уведомлений нет." diff --git a/www/addons/notifications/lang/sv.json b/www/addons/notifications/lang/sv.json index ce4f0ccc515..8029962c563 100644 --- a/www/addons/notifications/lang/sv.json +++ b/www/addons/notifications/lang/sv.json @@ -1,6 +1,6 @@ { "errorgetnotifications": "Fel att få meddelanden", "notificationpreferences": "Välj inställningar för notiser", - "notifications": "Administration", + "notifications": "Meddelanden", "therearentnotificationsyet": "Det finns inga meddelanden" } \ No newline at end of file diff --git a/www/addons/notifications/lang/uk.json b/www/addons/notifications/lang/uk.json index 791d1338ac3..c3d124173af 100644 --- a/www/addons/notifications/lang/uk.json +++ b/www/addons/notifications/lang/uk.json @@ -1,7 +1,7 @@ { "errorgetnotifications": "Помилка отримання сповіщень", "notificationpreferences": "Налаштування сповіщень", - "notifications": "Повідомлення", + "notifications": "Сповіщення", "playsound": "Грати звук", "therearentnotificationsyet": "Немає сповіщень" } \ No newline at end of file diff --git a/www/addons/participants/lang/ca.json b/www/addons/participants/lang/ca.json index 8fd771b0c76..3c6638a3af7 100644 --- a/www/addons/participants/lang/ca.json +++ b/www/addons/participants/lang/ca.json @@ -1,4 +1,4 @@ { - "noparticipants": "No s'ha trobat cap participant en aquest curs", + "noparticipants": "No s'han trobat participants per aquest curs", "participants": "Participants" } \ No newline at end of file diff --git a/www/addons/participants/lang/cs.json b/www/addons/participants/lang/cs.json index 311ee521366..3863f8d90c8 100644 --- a/www/addons/participants/lang/cs.json +++ b/www/addons/participants/lang/cs.json @@ -1,4 +1,4 @@ { - "noparticipants": "Pro tento kurz nenalezen žádný účastník", - "participants": "Přispěvatelé" + "noparticipants": "Pro tento kurz nenalezeni účastníci.", + "participants": "Účastníci" } \ No newline at end of file diff --git a/www/addons/participants/lang/da.json b/www/addons/participants/lang/da.json index 28829f714a6..69f209799f8 100644 --- a/www/addons/participants/lang/da.json +++ b/www/addons/participants/lang/da.json @@ -1,4 +1,4 @@ { - "noparticipants": "Ingen deltagere fundet.", + "noparticipants": "Ingen deltagere fundet på dette kursus", "participants": "Deltagere" } \ No newline at end of file diff --git a/www/addons/participants/lang/de-du.json b/www/addons/participants/lang/de-du.json index 087591cfe5d..0ccb03a8295 100644 --- a/www/addons/participants/lang/de-du.json +++ b/www/addons/participants/lang/de-du.json @@ -1,4 +1,4 @@ { - "noparticipants": "Keine Teilnehmer gefunden", - "participants": "Teilnehmer/innen" + "noparticipants": "Keine Teilnehmer/innen für diesen Kurs gefunden", + "participants": "Personen" } \ No newline at end of file diff --git a/www/addons/participants/lang/de.json b/www/addons/participants/lang/de.json index 087591cfe5d..0ccb03a8295 100644 --- a/www/addons/participants/lang/de.json +++ b/www/addons/participants/lang/de.json @@ -1,4 +1,4 @@ { - "noparticipants": "Keine Teilnehmer gefunden", - "participants": "Teilnehmer/innen" + "noparticipants": "Keine Teilnehmer/innen für diesen Kurs gefunden", + "participants": "Personen" } \ No newline at end of file diff --git a/www/addons/participants/lang/el.json b/www/addons/participants/lang/el.json index e1a786afbb1..846f209c0b0 100644 --- a/www/addons/participants/lang/el.json +++ b/www/addons/participants/lang/el.json @@ -1,4 +1,4 @@ { - "noparticipants": "Δε βρέθηκαν συμμετέχονες γι' αυτό το μάθημα", + "noparticipants": "Δεν βρέθηκαν συμμετέχοντες σε αυτό το μάθημα", "participants": "Συμμετέχοντες" } \ No newline at end of file diff --git a/www/addons/participants/lang/es-mx.json b/www/addons/participants/lang/es-mx.json index 62113ad2ef9..c97de680297 100644 --- a/www/addons/participants/lang/es-mx.json +++ b/www/addons/participants/lang/es-mx.json @@ -1,4 +1,4 @@ { - "noparticipants": "No se encontraron participantes en este curso", + "noparticipants": "No se encontraron participantes para este curso.", "participants": "Participantes" } \ No newline at end of file diff --git a/www/addons/participants/lang/es.json b/www/addons/participants/lang/es.json index 62113ad2ef9..c64b8bf86b4 100644 --- a/www/addons/participants/lang/es.json +++ b/www/addons/participants/lang/es.json @@ -1,4 +1,4 @@ { - "noparticipants": "No se encontraron participantes en este curso", + "noparticipants": "No se han encontrado participantes en este curso", "participants": "Participantes" } \ No newline at end of file diff --git a/www/addons/participants/lang/eu.json b/www/addons/participants/lang/eu.json index 0a84454d0c0..1cf88ad4123 100644 --- a/www/addons/participants/lang/eu.json +++ b/www/addons/participants/lang/eu.json @@ -1,4 +1,4 @@ { - "noparticipants": "Ez da partaiderik aurkitu ikastaro honetarako", + "noparticipants": "Ez da parte-hartzailerik aurkitu ikastaro honetan.", "participants": "Partaideak" } \ No newline at end of file diff --git a/www/addons/participants/lang/fi.json b/www/addons/participants/lang/fi.json index fcc700ef564..9f8abb88a2f 100644 --- a/www/addons/participants/lang/fi.json +++ b/www/addons/participants/lang/fi.json @@ -1,4 +1,4 @@ { - "noparticipants": "Tälle kurssille ei löytynyt osallistujia", + "noparticipants": "Tällä kurssilla ei ole yhtään osallistujaa.", "participants": "Osallistujat" } \ No newline at end of file diff --git a/www/addons/participants/lang/fr.json b/www/addons/participants/lang/fr.json index fc97610a609..9aed5a94bbe 100644 --- a/www/addons/participants/lang/fr.json +++ b/www/addons/participants/lang/fr.json @@ -1,4 +1,4 @@ { - "noparticipants": "Aucun participant trouvé dans ce cours", + "noparticipants": "Aucun participant trouvé dans ce cours.", "participants": "Participants" } \ No newline at end of file diff --git a/www/addons/participants/lang/it.json b/www/addons/participants/lang/it.json index 21d39dce004..0d16202be57 100644 --- a/www/addons/participants/lang/it.json +++ b/www/addons/participants/lang/it.json @@ -1,4 +1,4 @@ { - "noparticipants": "Non sono stati trovati partecipanti.", - "participants": "Sono autorizzati ad inserire record" + "noparticipants": "In questo corso non sono stati trovati partecipanti", + "participants": "Partecipanti" } \ No newline at end of file diff --git a/www/addons/participants/lang/ja.json b/www/addons/participants/lang/ja.json index 8fbbcbb3976..3656df9f659 100644 --- a/www/addons/participants/lang/ja.json +++ b/www/addons/participants/lang/ja.json @@ -1,4 +1,4 @@ { - "noparticipants": "このコースには参加者が登録されていません。", + "noparticipants": "このコースには参加者がいません。", "participants": "参加者" } \ No newline at end of file diff --git a/www/addons/participants/lang/ko.json b/www/addons/participants/lang/ko.json index 6aa0ce46110..9992a5c90ee 100644 --- a/www/addons/participants/lang/ko.json +++ b/www/addons/participants/lang/ko.json @@ -1,4 +1,4 @@ { - "noparticipants": "강좌에 참여자가 아무도 없음", - "participants": "참여자" + "noparticipants": "이 강좌에 참가자가 없습니다.", + "participants": "참가자" } \ No newline at end of file diff --git a/www/addons/participants/lang/lt.json b/www/addons/participants/lang/lt.json index 714a8ffda94..b675a2848f1 100644 --- a/www/addons/participants/lang/lt.json +++ b/www/addons/participants/lang/lt.json @@ -1,4 +1,4 @@ { - "noparticipants": "Nerasta šių kursų dalyvių", + "noparticipants": "Dalyvaujančių šiuose kursuose nėra", "participants": "Dalyviai" } \ No newline at end of file diff --git a/www/addons/participants/lang/mr.json b/www/addons/participants/lang/mr.json index 8c1fb119b04..45861def92b 100644 --- a/www/addons/participants/lang/mr.json +++ b/www/addons/participants/lang/mr.json @@ -1,4 +1,4 @@ { "noparticipants": "या अभ्यासक्रमासाठी कोणतेही सहभागी आढळले नाहीत", - "participants": "सदस्य" + "participants": "सहभागी" } \ No newline at end of file diff --git a/www/addons/participants/lang/nl.json b/www/addons/participants/lang/nl.json index 33b07998414..7feedf9e5e3 100644 --- a/www/addons/participants/lang/nl.json +++ b/www/addons/participants/lang/nl.json @@ -1,4 +1,4 @@ { - "noparticipants": "Geen gebruikers gevonden in deze cursus", + "noparticipants": "Geen deelnemers gevonden in deze cursus.", "participants": "Deelnemers" } \ No newline at end of file diff --git a/www/addons/participants/lang/pt-br.json b/www/addons/participants/lang/pt-br.json index e54b7e5dc2c..792fea1d8fd 100644 --- a/www/addons/participants/lang/pt-br.json +++ b/www/addons/participants/lang/pt-br.json @@ -1,4 +1,4 @@ { - "noparticipants": "Nenhum participante encontrado para este curso", + "noparticipants": "Nenhum dos participantes encontrados para este curso", "participants": "Participantes" } \ No newline at end of file diff --git a/www/addons/participants/lang/pt.json b/www/addons/participants/lang/pt.json index 5fa07c6b1a2..e6a458d7e2f 100644 --- a/www/addons/participants/lang/pt.json +++ b/www/addons/participants/lang/pt.json @@ -1,4 +1,4 @@ { - "noparticipants": "Não foram encontrados participantes para esta disciplina", - "participants": "Utilizadores" + "noparticipants": "Nenhum participante foi encontrado nesta disciplina.", + "participants": "Participantes" } \ No newline at end of file diff --git a/www/addons/participants/lang/ro.json b/www/addons/participants/lang/ro.json index 0c2fa9e2bad..57abb945354 100644 --- a/www/addons/participants/lang/ro.json +++ b/www/addons/participants/lang/ro.json @@ -1,4 +1,4 @@ { - "noparticipants": "Nu există participanți la acest curs", - "participants": "Participanţi" + "noparticipants": "Nu au fost găsiți participanți la acest curs.", + "participants": "Participanți" } \ No newline at end of file diff --git a/www/addons/participants/lang/ru.json b/www/addons/participants/lang/ru.json index 590333bcb2f..1472e7c65c9 100644 --- a/www/addons/participants/lang/ru.json +++ b/www/addons/participants/lang/ru.json @@ -1,4 +1,4 @@ { - "noparticipants": "Не найдены участники для этого курса.", + "noparticipants": "Не найдено участников для данного курса.", "participants": "Участники" } \ No newline at end of file diff --git a/www/addons/participants/lang/sv.json b/www/addons/participants/lang/sv.json index 27833cf5412..ab7780c8f28 100644 --- a/www/addons/participants/lang/sv.json +++ b/www/addons/participants/lang/sv.json @@ -1,4 +1,4 @@ { - "noparticipants": "Inga deltagare hittades för denna kurs", + "noparticipants": "Inga deltagare hittades för kursen", "participants": "Deltagare" } \ No newline at end of file diff --git a/www/addons/participants/lang/tr.json b/www/addons/participants/lang/tr.json index 9532bf04f39..05e3c834e4a 100644 --- a/www/addons/participants/lang/tr.json +++ b/www/addons/participants/lang/tr.json @@ -1,4 +1,4 @@ { - "noparticipants": "Bu ders için hiç katılımcı bulunamadı", + "noparticipants": "Bu derste hiç katılımcı bulunamadı", "participants": "Katılımcılar" } \ No newline at end of file diff --git a/www/addons/participants/lang/uk.json b/www/addons/participants/lang/uk.json index 9a3ebc4a3b3..2a8bcb3747e 100644 --- a/www/addons/participants/lang/uk.json +++ b/www/addons/participants/lang/uk.json @@ -1,4 +1,4 @@ { - "noparticipants": "Не знайдені учасники для цього курсу", + "noparticipants": "Учасників не знайдено за цим курсом", "participants": "Учасники" } \ No newline at end of file diff --git a/www/core/components/contentlinks/lang/it.json b/www/core/components/contentlinks/lang/it.json new file mode 100644 index 00000000000..9a61aaca18e --- /dev/null +++ b/www/core/components/contentlinks/lang/it.json @@ -0,0 +1,3 @@ +{ + "chooseaccount": "Seleziona account" +} \ No newline at end of file diff --git a/www/core/components/course/lang/cs.json b/www/core/components/course/lang/cs.json index 43f23921a76..a04f784ca72 100644 --- a/www/core/components/course/lang/cs.json +++ b/www/core/components/course/lang/cs.json @@ -11,6 +11,8 @@ "contents": "Obsah", "couldnotloadsectioncontent": "Nelze načíst obsah sekce. Zkuste to prosím později.", "couldnotloadsections": "Nelze načíst sekce. Zkuste to prosím později.", + "downloadcourse": "Stáhnout kurz", + "errordownloadingcourse": "Chyba stahování kurzu.", "errordownloadingsection": "Chyba při stahování sekce.", "errorgetmodule": "Chyba při načítání", "hiddenfromstudents": "Skryté před studenty", diff --git a/www/core/components/course/lang/es-mx.json b/www/core/components/course/lang/es-mx.json index 885dd178e53..0710e7435c8 100644 --- a/www/core/components/course/lang/es-mx.json +++ b/www/core/components/course/lang/es-mx.json @@ -8,9 +8,11 @@ "confirmdownload": "Usted está a punto de descargar {{size}}. ¿Está Usted seguro de querer continuar?", "confirmdownloadunknownsize": "No pudimos calcular el tamaño de la descarga. ¿Está Usted seguro de querer continuar?", "confirmpartialdownloadsize": "Usted está a punto de descargar al menos {{size}}. ¿Está Usted seguro de querer continuar?", - "contents": "Contenido", + "contents": "Contenidos", "couldnotloadsectioncontent": "No pudo cargarse el contenido de la sección. Por favor inténtelo nuevamente después.", "couldnotloadsections": "No pudieron cargarse las secciones. Por favor inténtelo nuevamente después.", + "downloadcourse": "Descargar curso", + "errordownloadingcourse": "Error al descargar curso.", "errordownloadingsection": "Error al descargar sección", "errorgetmodule": "Error al obtener datos de la actividad.", "hiddenfromstudents": "Oculto de estudiantes", diff --git a/www/core/components/course/lang/es.json b/www/core/components/course/lang/es.json index a6cf19ff44b..e2b507e20ce 100644 --- a/www/core/components/course/lang/es.json +++ b/www/core/components/course/lang/es.json @@ -8,7 +8,7 @@ "confirmdownload": "Está a punto de descargar {{size}}. ¿Está seguro de que desea continuar?", "confirmdownloadunknownsize": "No se puede calcular el tamaño de la descarga. ¿Está seguro que quiere descargarlo?", "confirmpartialdownloadsize": "Está a punto de descargar al menos {{size}}. ¿Está seguro de querer continuar?", - "contents": "Contenido", + "contents": "Contenidos", "couldnotloadsectioncontent": "No se ha podido cargar el contenido de la sección, por favor inténtelo más tarde.", "couldnotloadsections": "No se ha podido cargar las secciones, por favor inténtelo más tarde.", "errordownloadingsection": "Error durante la descarga de la sección.", diff --git a/www/core/components/course/lang/fa.json b/www/core/components/course/lang/fa.json index 6ee0829b8e0..bd8c03a6797 100644 --- a/www/core/components/course/lang/fa.json +++ b/www/core/components/course/lang/fa.json @@ -4,7 +4,7 @@ "confirmdownload": "شما در آستانهٔ دریافت {{size}} هستید. آیا مطمئنید که می‌خواهید ادامه دهید؟", "confirmdownloadunknownsize": "ما نتوانستیم حجم دریافت را محاسبه کنیم. آیا مطمئنید که می‌خواهید ادامه دهید؟", "confirmpartialdownloadsize": "شما در آستانهٔ دریافت حداقل {{size}} هستید. آیا مطمئنید که می‌خواهید ادامه دهید؟", - "contents": "محتویات", + "contents": "محتواها", "couldnotloadsectioncontent": "محتوای قسمت نتوانست بارگیری شود. لطفا بعدا دوباره تلاش کنید.", "couldnotloadsections": "قسمت‌ها نتوانستند بارگیری شوند. لطفا بعدا دوباره تلاش کنید.", "hiddenfromstudents": "پنهان از شاگردان", diff --git a/www/core/components/course/lang/fr.json b/www/core/components/course/lang/fr.json index 03b85b828ad..09c58c6c4ce 100644 --- a/www/core/components/course/lang/fr.json +++ b/www/core/components/course/lang/fr.json @@ -11,6 +11,8 @@ "contents": "Contenus", "couldnotloadsectioncontent": "Impossible de charger le contenu de la section. Veuillez essayer plus tard.", "couldnotloadsections": "Impossible de charger les sections. Veuillez essayer plus tard.", + "downloadcourse": "Télécharger le cours", + "errordownloadingcourse": "Erreur lors du téléchargement du cours.", "errordownloadingsection": "Erreur lors du téléchargement de la section.", "errorgetmodule": "Erreur lors de l'obtention des données du module.", "hiddenfromstudents": "Caché pour les étudiants", diff --git a/www/core/components/course/lang/it.json b/www/core/components/course/lang/it.json index a0b173c815e..9bd73a1e6b5 100644 --- a/www/core/components/course/lang/it.json +++ b/www/core/components/course/lang/it.json @@ -1,11 +1,16 @@ { "allsections": "Tutte le sezioni", + "confirmdeletemodulefiles": "Sei sicuro di eliminare questi file?", "confirmdownload": "Stai per scaricare {{size}}. Vuoi continuare?", - "confirmdownloadunknownsize": "Non è stato possibile calcolare la dimensione del download. Vuoi scaricare lo stesso?", + "confirmdownloadunknownsize": "Non è stato possibile calcolare la dimensione del download. Vuoi continuare?", + "confirmpartialdownloadsize": "Stai per scaricare almeno/strong> {{size}}. Vuoi continuare?", "contents": "Contenuti", "couldnotloadsectioncontent": "Non è stato possibile caricare il contenuto della sezione, per favore riprova più tardi.", "couldnotloadsections": "Non è stato possibile caricare le sezioni, per favore riprova più tardi.", + "downloadcourse": "Scarica corso", + "errordownloadingcourse": "Si è verificato un errore durante lo scaricamento del corso.", "errordownloadingsection": "Si è verificato un errore durante lo scaricamento della sezione.", + "errorgetmodule": "Si è verificato un errore durante la ricezione dei dati dell'attività.", "hiddenfromstudents": "Nascosta agli studenti", "nocontentavailable": "Non sono presenti contenuti.", "overriddennotice": "La tua valutazione finale da questa attività è stata modificata manualmente." diff --git a/www/core/components/course/lang/lt.json b/www/core/components/course/lang/lt.json index 08df4163944..61c97b13eaa 100644 --- a/www/core/components/course/lang/lt.json +++ b/www/core/components/course/lang/lt.json @@ -7,7 +7,7 @@ "confirmdownload": "Norite atsisiųsti {{size}}. Ar norite tęsti?", "confirmdownloadunknownsize": "Negalima apskaičiuoti failo, kurį norite atsisiųsti, dydžio. Ar tikrai norite atsisiųsti?", "confirmpartialdownloadsize": "Norite atsisiųsti mažiausiai {{size}}. Ar tikrai norite tęsti?", - "contents": "Turinys", + "contents": "Turiniai", "couldnotloadsectioncontent": "Negalima užkrauti pasirinkto turinio, prašome pamėginti vėliau.", "couldnotloadsections": "Negalima užkrauti pasirinkto turinio, prašome pamėginti vėliau.", "errordownloadingsection": "Klaida atsisiunčiant.", diff --git a/www/core/components/course/lang/mr.json b/www/core/components/course/lang/mr.json index 30998715470..16a2acef4af 100644 --- a/www/core/components/course/lang/mr.json +++ b/www/core/components/course/lang/mr.json @@ -8,7 +8,7 @@ "confirmdownload": "आपण {{size}} डाउनलोड करणार आहात आपल्याला खात्री आहे की आपण सुरू ठेवू इच्छिता?", "confirmdownloadunknownsize": "आम्ही डाउनलोडचे आकार गणना करण्यात अक्षम आहोत. आपण डाउनलोड करू इच्छिता याची आपल्याला खात्री आहे?", "confirmpartialdownloadsize": "आपण कमीत कमी {{size}} डाउनलोड करणार आहात आपल्याला खात्री आहे की आपण सुरू ठेवू इच्छिता?", - "contents": "घटक", + "contents": "सामग्री", "couldnotloadsectioncontent": "विभाग सामग्री लोड करणे शक्य नाही, कृपया नंतर पुन्हा प्रयत्न करा.", "couldnotloadsections": "विभाग लोड करणे शक्य झाले नाही, कृपया नंतर पुन्हा प्रयत्न करा.", "errordownloadingsection": "विभाग डाउनलोड करताना त्रुटी.", diff --git a/www/core/components/course/lang/pt-br.json b/www/core/components/course/lang/pt-br.json index 9f67cd64f5c..54f95ccca41 100644 --- a/www/core/components/course/lang/pt-br.json +++ b/www/core/components/course/lang/pt-br.json @@ -8,9 +8,11 @@ "confirmdownload": "Você está prestes a baixar {{size}}. Você tem certeza que quer continuar?", "confirmdownloadunknownsize": "Não fomos capazes de calcular o tamanho do download. Tem certeza de que deseja fazer o download?", "confirmpartialdownloadsize": "Você está prestes a baixar pelo menos {{size}}. Você tem certeza que quer continuar?", - "contents": "Conteúdo", + "contents": "Conteúdos", "couldnotloadsectioncontent": "Não foi possível carregar o conteúdo da seção, por favor tente mais tarde.", "couldnotloadsections": "Não foi possível carregar a seção, por favor tente mais tarde.", + "downloadcourse": "Descarregar disciplina", + "errordownloadingcourse": "Erro ao descarregar a disciplina", "errordownloadingsection": "Erro ao baixar seção.", "errorgetmodule": "Erro ao obter os dados do módulo.", "hiddenfromstudents": "Oculto para estudantes", diff --git a/www/core/components/course/lang/pt.json b/www/core/components/course/lang/pt.json index 28ace77dd97..db02cb7aa0f 100644 --- a/www/core/components/course/lang/pt.json +++ b/www/core/components/course/lang/pt.json @@ -11,6 +11,8 @@ "contents": "Conteúdos", "couldnotloadsectioncontent": "Não foi possível carregar o conteúdo da secção. Por favor tente novamente mais tarde.", "couldnotloadsections": "Não foi possível carregar as secções. Por favor tente novamente mais tarde.", + "downloadcourse": "Descarregar disciplina", + "errordownloadingcourse": "Erro ao descarregar a disciplina", "errordownloadingsection": "Erro ao descarregar a secção.", "errorgetmodule": "Erro ao obter os dados da atividade.", "hiddenfromstudents": "Oculto para os alunos", diff --git a/www/core/components/course/lang/ro.json b/www/core/components/course/lang/ro.json index c6e5f0a6c72..8b96d538dc0 100644 --- a/www/core/components/course/lang/ro.json +++ b/www/core/components/course/lang/ro.json @@ -2,7 +2,7 @@ "allsections": "Toate secțiunile", "confirmdownload": "Porniți o descărcare de {{size}}. Sunteți sigur ca doriți să continuați?", "confirmdownloadunknownsize": "Nu putem calcula dimensiunea fișierului pe care doriți să îl descărcați. Sunteți sigur că doriți să descărcați?", - "contents": "Conţinut", + "contents": "Conținut", "couldnotloadsectioncontent": "Nu se poate încărca conținutul acestei secțiuni, încercați mai târziu.", "couldnotloadsections": "Nu se pot încărca secțiunile, încercați mai târziu.", "errordownloadingsection": "A apărut o eroare la descărcarea secțiunii.", diff --git a/www/core/components/course/lang/tr.json b/www/core/components/course/lang/tr.json index 10a1542b3da..c26d6a3d866 100644 --- a/www/core/components/course/lang/tr.json +++ b/www/core/components/course/lang/tr.json @@ -1,6 +1,6 @@ { "allsections": "Tüm Bölümler", - "contents": "İçerik", + "contents": "İçerik(ler)", "hiddenfromstudents": "Öğrencilerden gizli", "overriddennotice": "Bu etkinlikteki final notunuz, elle ayarlandı." } \ No newline at end of file diff --git a/www/core/components/course/lang/uk.json b/www/core/components/course/lang/uk.json index 334d8336ce3..53f0055b2f4 100644 --- a/www/core/components/course/lang/uk.json +++ b/www/core/components/course/lang/uk.json @@ -8,7 +8,7 @@ "confirmdownload": "Ви збираєтеся завантажити {{size}}. Ви впевнені, що хочете продовжити?", "confirmdownloadunknownsize": "Ми не змогли розрахувати розмір файлу. Ви впевнені, що ви хочете завантажити?", "confirmpartialdownloadsize": "Ви збираєтеся завантажити принаймні {{size}}. Ви впевнені, що хочете продовжити?", - "contents": "Зміст", + "contents": "Контент", "couldnotloadsectioncontent": "Не вдалося завантажити вміст розділу, будь ласка, спробуйте ще раз пізніше.", "couldnotloadsections": "Не вдалося завантажити розділи, будь ласка, спробуйте ще раз пізніше.", "errordownloadingsection": "Помилка в завантаженні.", diff --git a/www/core/components/courses/lang/ca.json b/www/core/components/courses/lang/ca.json index 6cc07396fb1..d7580396450 100644 --- a/www/core/components/courses/lang/ca.json +++ b/www/core/components/courses/lang/ca.json @@ -13,12 +13,12 @@ "filtermycourses": "Filtrar els meus cursos", "frontpage": "Pàgina principal", "mycourses": "Els meus cursos", - "nocourses": "No hi ha informació de cursos per mostrar.", + "nocourses": "No hi ha informació del curs per mostrar.", "nocoursesyet": "No hi ha cursos en aquesta categoria", "nosearchresults": "La cerca no ha obtingut resultats", "notenroled": "No us heu inscrit en aquest curs", "notenrollable": "No podeu autoinscriure-us en aquest curs.", - "password": "Contrasenya", + "password": "Clau d'inscripció", "paymentrequired": "Aquest curs requereix pagament.", "paypalaccepted": "S'accepten pagaments via PayPal", "search": "Cerca...", diff --git a/www/core/components/courses/lang/cs.json b/www/core/components/courses/lang/cs.json index 4f1701f9748..e33a2eaa12f 100644 --- a/www/core/components/courses/lang/cs.json +++ b/www/core/components/courses/lang/cs.json @@ -5,7 +5,8 @@ "categories": "Kategorie kurzů", "confirmselfenrol": "Jste si jisti, že chcete zapsat se do tohoto kurzu?", "courses": "Kurzy", - "enrolme": "Zapsat se do kurzu", + "downloadcourses": "Stáhnout kurzy", + "enrolme": "Zapsat se", "errorloadcategories": "Při načítání kategorií došlo k chybě.", "errorloadcourses": "Při načítání kurzů došlo k chybě.", "errorsearching": "Při vyhledávání došlo k chybě.", @@ -13,12 +14,12 @@ "filtermycourses": "Filtrovat mé kurzy", "frontpage": "Titulní stránka", "mycourses": "Moje kurzy", - "nocourses": "Žádné dostupné informace o kurzech", + "nocourses": "O kurzu nejsou žádné informace.", "nocoursesyet": "Žádný kurz v této kategorii", "nosearchresults": "Vaše vyhledávání nepřineslo žádný výsledek", "notenroled": "Nejste zapsáni v tomto kurzu", "notenrollable": "Do tohoto kurzu se nemůžete sami zapsat.", - "password": "Heslo", + "password": "Klíč zápisu", "paymentrequired": "Tento kurz je placený", "paypalaccepted": "Platby přes PayPal přijímány", "search": "Hledat", diff --git a/www/core/components/courses/lang/da.json b/www/core/components/courses/lang/da.json index 3f2069aaf2c..df1cd4f79d6 100644 --- a/www/core/components/courses/lang/da.json +++ b/www/core/components/courses/lang/da.json @@ -11,12 +11,12 @@ "filtermycourses": "Filtrer mit kursus", "frontpage": "Forside", "mycourses": "Mine kurser", - "nocourses": "Du er ikke tilmeldt nogen kurser.", + "nocourses": "Der er ingen kursusoplysninger at vise.", "nocoursesyet": "Der er ingen kurser i denne kategori", "nosearchresults": "Der var ingen beskeder der opfyldte søgekriteriet", "notenroled": "Du er ikke tilmeldt dette kursus", "notenrollable": "Du kan ikke selv tilmelde dig dette kursus.", - "password": "Adgangskode", + "password": "Tilmeldingsnøgle", "paymentrequired": "Dette kursus kræver betaling for tilmelding.", "paypalaccepted": "PayPal-betalinger er velkomne", "search": "Søg...", diff --git a/www/core/components/courses/lang/de-du.json b/www/core/components/courses/lang/de-du.json index 6635a76eeac..c07bfcad050 100644 --- a/www/core/components/courses/lang/de-du.json +++ b/www/core/components/courses/lang/de-du.json @@ -5,7 +5,7 @@ "categories": "Kursbereiche", "confirmselfenrol": "Möchtest du dich selbst in diesen Kurs einschreiben?", "courses": "Kurse", - "enrolme": "Einschreiben", + "enrolme": "Selbst einschreiben", "errorloadcategories": "Fehler beim Laden von Kursbereichen", "errorloadcourses": "Fehler beim Laden von Kursen", "errorsearching": "Fehler beim Suchen", @@ -13,12 +13,12 @@ "filtermycourses": "Meine Kurse filtern", "frontpage": "Startseite", "mycourses": "Meine Kurse", - "nocourses": "Keine Kursinformationen", + "nocourses": "Keine Kursinformation", "nocoursesyet": "Keine Kurse in diesem Kursbereich", "nosearchresults": "Keine Ergebnisse", "notenroled": "Sie sind nicht in diesen Kurs eingeschrieben", "notenrollable": "Du kannst dich nicht selbst in diesen Kurs einschreiben.", - "password": "Kennwort", + "password": "Einschreibeschlüssel", "paymentrequired": "Dieser Kurs ist gebührenpflichtig. Bitte bezahle die Teilnahmegebühr, um im Kurs eingeschrieben zu werden.", "paypalaccepted": "PayPal-Zahlungen möglich", "search": "Suchen", diff --git a/www/core/components/courses/lang/de.json b/www/core/components/courses/lang/de.json index 70449cc790e..3874cbced93 100644 --- a/www/core/components/courses/lang/de.json +++ b/www/core/components/courses/lang/de.json @@ -5,7 +5,7 @@ "categories": "Kursbereiche", "confirmselfenrol": "Möchten Sie sich selbst in diesen Kurs einschreiben?", "courses": "Kurse", - "enrolme": "Einschreiben", + "enrolme": "Selbst einschreiben", "errorloadcategories": "Fehler beim Laden von Kursbereichen", "errorloadcourses": "Fehler beim Laden von Kursen", "errorsearching": "Fehler beim Suchen", @@ -13,12 +13,12 @@ "filtermycourses": "Meine Kurse filtern", "frontpage": "Startseite", "mycourses": "Meine Kurse", - "nocourses": "Keine Kursinformationen", + "nocourses": "Keine Kursinformation", "nocoursesyet": "Keine Kurse in diesem Kursbereich", "nosearchresults": "Keine Suchergebnisse", "notenroled": "Sie sind nicht in diesen Kurs eingeschrieben", "notenrollable": "Sie können sich nicht selbst in diesen Kurs einschreiben.", - "password": "Kennwort", + "password": "Einschreibeschlüssel", "paymentrequired": "Dieser Kurs ist entgeltpflichtig. Bitte bezahlen Sie das Teilnahmeentgelt, um in den Kurs eingeschrieben zu werden.", "paypalaccepted": "PayPal-Zahlungen möglich", "search": "Suchen", diff --git a/www/core/components/courses/lang/el.json b/www/core/components/courses/lang/el.json index 9b9181e2536..35810e8acd1 100644 --- a/www/core/components/courses/lang/el.json +++ b/www/core/components/courses/lang/el.json @@ -13,12 +13,12 @@ "filtermycourses": "Φιλτράρισμα των μαθημάτων μου", "frontpage": "Αρχική σελίδα", "mycourses": "Τα μαθήματά μου", - "nocourses": "Δεν υπάρχει πληροφορία του μαθήματος για προβολή.", + "nocourses": "Δεν υπάρχουν πληροφορίες για αυτό το μάθημα.", "nocoursesyet": "Δεν υπάρχουν μαθήματα σε αυτήν την κατηγορία", "nosearchresults": "Δε βρέθηκαν αποτελέσματα για την αναζήτησή σας", "notenroled": "Δεν είσαι εγγεγραμμένος σε αυτό το μάθημα", "notenrollable": "Δεν μπορείτε να αυτο-εγγραφείτε σε αυτό το μάθημα.", - "password": "Κωδικός πρόσβασης", + "password": "Κλειδί εγγραφής", "paymentrequired": "Αυτό το μάθημα απαιτεί πληρωμή για την είσοδο.", "paypalaccepted": "Αποδεκτές οι πληρωμές μέσω PayPal", "search": "Αναζήτηση", diff --git a/www/core/components/courses/lang/es-mx.json b/www/core/components/courses/lang/es-mx.json index af8fe435fd1..3b7a22e46d1 100644 --- a/www/core/components/courses/lang/es-mx.json +++ b/www/core/components/courses/lang/es-mx.json @@ -5,6 +5,7 @@ "categories": "Categorías", "confirmselfenrol": "¿Está Usted seguro de querer inscribirse a Usted mismo en este curso?", "courses": "Cursos", + "downloadcourses": "Descargar cursos", "enrolme": "Inscribirme", "errorloadcategories": "Ocurrió un error al cargar categorías.", "errorloadcourses": "Ocurrió un error al cargar los cursos.", @@ -13,12 +14,12 @@ "filtermycourses": "<<Na vaši adresu {{$a}} byl odeslán e-mail s jednoduchými pokyny k dokončení vaší registrace.

      Narazíte-li na nějaké obtíže, spojte se se správcem těchto stránek.

      ", + "emailconfirmsent": "

      E-mail by měl být zaslán na Vaši adresu na {{$a}}

      Obsahuje jednoduché instrukce pro dokončení registrace.

      Pokud budou potíže pokračovat, obraťte se na správce webu.

      ", "emailnotmatch": "E-maily se neshodují", "enterthewordsabove": "Vložte výše uvedená slova", "erroraccesscontrolalloworigin": "Cross-Origin volání - váš pokus o provedení byl odmítnut. Zkontrolujte prosím https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", diff --git a/www/core/components/login/lang/da.json b/www/core/components/login/lang/da.json index 10b8609ab00..3ef9a0dd464 100644 --- a/www/core/components/login/lang/da.json +++ b/www/core/components/login/lang/da.json @@ -3,7 +3,7 @@ "authenticating": "Godkender", "cancel": "Annuller", "confirmdeletesite": "Er du sikker på at du ønsker at slette websiden {{sitename}}?", - "connect": "Forbind", + "connect": "Tilslut!", "connecttomoodle": "Tilslut til Moodle", "contactyouradministrator": "Kontakt administrator for yderligere hjælp", "contactyouradministratorissue": "Bed administrator om at tjekke følgende: {{$a}}", diff --git a/www/core/components/login/lang/de-du.json b/www/core/components/login/lang/de-du.json index c32d0aabcb2..e3535314198 100644 --- a/www/core/components/login/lang/de-du.json +++ b/www/core/components/login/lang/de-du.json @@ -11,7 +11,7 @@ "createaccount": "Mein neues Konto anlegen", "createuserandpass": "Wähle deinen Anmeldenamen und dein Kennwort", "credentialsdescription": "Gib den Anmeldenamen und das Kennwort ein. ", - "emailconfirmsent": "

      Um sicherzugehen, dass sich niemand unberechtigt über die von dir angegebene E-Mail anmeldet, wird eine automatische Benachrichtigung an diese Adresse {{$a}} gesendet. Je nach Netzlast trifft sie sofort oder auch etwas später bei dir ein.

      \n

      Die Benachrichtigung enthält eine Anleitung, wie du deine Registrierung bestätigst.\nDanach bist du auf dieser Moodle-Seite registriert und kannst sofort loslegen.

      \n

      Bei Problemen wende dich bitte an die Administrator/innen der Website.

      ", + "emailconfirmsent": "

      In Kürze wird eine E-Mail an {{$a}} gesendet.

      Du findest eine einfache Anleitung, wie du die Registrierung abschließt. Bei Schwierigkeiten frage den Administrator der Website.

      ", "emailnotmatch": "Die E-Mail-Adressen stimmen nicht überein.", "enterthewordsabove": "Geben Sie die gezeigten Wörter ein", "erroraccesscontrolalloworigin": "Der Cross-Origin Aufruf wurde zurückgewiesen. Weitere Informationen: https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", diff --git a/www/core/components/login/lang/de.json b/www/core/components/login/lang/de.json index c44934f9c61..674235be60d 100644 --- a/www/core/components/login/lang/de.json +++ b/www/core/components/login/lang/de.json @@ -11,7 +11,7 @@ "createaccount": "Mein neues Konto anlegen", "createuserandpass": "Wählen Sie Ihre Anmeldedaten.", "credentialsdescription": "Geben Sie den Anmeldenamen und das Kennwort ein. ", - "emailconfirmsent": "

      Um sicherzugehen, dass sich niemand unberechtigt über die von Ihnen angegebene E-Mail anmeldet, wird eine automatische Benachrichtigung an diese Adresse {{$a}} gesendet. Je nach Netzlast trifft sie sofort oder auch etwas später bei Ihnen ein.

      \n

      Die Benachrichtigung enthält eine Anleitung, wie Sie Ihre Registrierung bestätigen.\nDanach sind Sie auf dieser Moodle-Seite registriert und können sofort loslegen.

      \n

      Bei Problemen wenden Sie sich bitte an die Administrator/innen der Website.

      ", + "emailconfirmsent": "

      In Kürze wird eine E-Mail an {{$a}} gesendet.

      Sie finden eine einfache Anleitung, wie Sie die Registrierung abschließen. Bei Schwierigkeiten wenden Sie sich an den Administrator der Website.

      ", "emailnotmatch": "Die E-Mail-Adressen stimmen nicht überein.", "enterthewordsabove": "Geben Sie die gezeigten Wörter ein", "erroraccesscontrolalloworigin": "Der Cross-Origin Aufruf wurde zurückgewiesen. Weitere Informationen: https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", diff --git a/www/core/components/login/lang/el.json b/www/core/components/login/lang/el.json index 028fc407dd6..6d9bf4bb760 100644 --- a/www/core/components/login/lang/el.json +++ b/www/core/components/login/lang/el.json @@ -11,7 +11,7 @@ "createaccount": "Δημιουργία του λογαριασμού μου", "createuserandpass": "Δημιουργία ενός νέου ονόματος χρήστη και κωδικού πρόσβασης για είσοδο στον δικτυακό τόπο", "credentialsdescription": "Δώστε το όνομα χρήστη και τον κωδικό πρόσβασής σας για να συνδεθείτε.", - "emailconfirmsent": "

      Ένα μήνυμα ηλεκτρονικού ταχυδρομείου θα πρέπει να έχει σταλεί στη διεύθυνσή σας, {{$a}}

      \n

      Περιέχει απλές οδηγίες για την ολοκλήρωση της εγγραφής σας.

      \n

      Αν συνεχίζετε να αντιμετωπίζετε δυσκολίες, επικοινωνήστε με το διαχειριστή του δικτυακού τόπου.

      ", + "emailconfirmsent": "

      Ένα email έχει σταλεί στη διεύθυνση σας {{$a}}

      Περιέχει εύκολες οδηγίες για να ολοκληρώσετε την εγγραφή σας.

      Εάν συνεχίσετε να έχετε δυσκολίες επικοινωνήστε με το διαχειριστή του site.

      ", "emailnotmatch": "Οι διευθύνσεις email δεν ταιριάζουν", "enterthewordsabove": "Enter the words above", "erroraccesscontrolalloworigin": "Η κλήση πολλαπλών προελεύσεων (Cross-Origin call) που προσπαθείτε να εκτελέσετε έχει απορριφθεί. Παρακαλώ ελέγξτε https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", diff --git a/www/core/components/login/lang/es-mx.json b/www/core/components/login/lang/es-mx.json index 34e4a31530b..70c0d1a461a 100644 --- a/www/core/components/login/lang/es-mx.json +++ b/www/core/components/login/lang/es-mx.json @@ -4,14 +4,14 @@ "cancel": "Cancelar", "checksiteversion": "Revisar que su sitio usa Moodle 2.4 o más reciente.", "confirmdeletesite": "¿Está Usted seguro de querer eliminar el sitio {{sitename}}?", - "connect": "Conectar", + "connect": "¡Conectar!", "connecttomoodle": "Conectar a Moodle", "contactyouradministrator": "Contacte a su administrador del sitio para más ayuda.", "contactyouradministratorissue": "Por favor, pídale al administrador que revise el siguiente problema: {{$a}}", "createaccount": "Crear mi cuenta nueva", "createuserandpass": "Elegir su nombre_de_usuario y contraseña", "credentialsdescription": "Por favor proporcione su nombre_de_usuario y contraseña para ingresar.", - "emailconfirmsent": "

      Hemos enviado un correo electrónico a {{$a}}

      \n

      En él encontrará instrucciones sencillas para concluir el proceso.

      \n

      Si tuviera alguna dificultad, contacte con el Administrador del Sistema.

      ", + "emailconfirmsent": "

      Debería de haberse enviado un Email a su dirección en {{$a}}

      El Email contiene instrucciones sencillas para completar su registro.

      Si continúa teniendo dificultades, contacte al administrador del sitio.

      ", "emailnotmatch": "No coinciden los Emails", "enterthewordsabove": "Escriba las palabras de arriba", "erroraccesscontrolalloworigin": "La llamada de Orígen Cruzado (''Cross-Origin'') que Usted está tratando de realizar ha sido rechazada. Por favor revise https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", diff --git a/www/core/components/login/lang/es.json b/www/core/components/login/lang/es.json index 6b564f957bc..677b5409762 100644 --- a/www/core/components/login/lang/es.json +++ b/www/core/components/login/lang/es.json @@ -11,7 +11,7 @@ "createaccount": "Crear cuenta", "createuserandpass": "Crear un nuevo usuario y contraseña para acceder al sistema", "credentialsdescription": "Introduzca su nombre se usuario y contraseña para entrar", - "emailconfirmsent": "

      Hemos enviado un correo electrónico a {{$a}}

      \n

      En él encontrará instrucciones sencillas para concluir el proceso.

      \n

      Si tuviera alguna dificultad, contacte con el Administrador del Sistema.

      ", + "emailconfirmsent": "

      Se ha enviado un email a su dirección {{$a}}

      Contiene instrucciones para completar el proceso de registro.

      Si continúa teniendo algún problema, contacte con el administrador de su sitio.

      ", "emailnotmatch": "Las direcciones de correo no coinciden.", "enterthewordsabove": "Escriba las palabras de arriba", "erroraccesscontrolalloworigin": "La llamada Cross-Origin que está intentando ha sido rechazada. Por favor visite https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", diff --git a/www/core/components/login/lang/eu.json b/www/core/components/login/lang/eu.json index 10a7cb007ac..eb23512bd61 100644 --- a/www/core/components/login/lang/eu.json +++ b/www/core/components/login/lang/eu.json @@ -4,14 +4,14 @@ "cancel": "Utzi", "checksiteversion": "Egiaztatu zure Moodle guneak 2.4 bertsioa edo aurreragokoa erabiltzen duela.", "confirmdeletesite": "Ziur zaude {{sitename}} gunea ezabatu nahi duzula?", - "connect": "Konektatu", + "connect": "Konektatu!", "connecttomoodle": "Moodle-ra konektatu", "contactyouradministrator": "Zure guneko kudeatzailearekin harremanetan jarri laguntza gehiagorako.", "contactyouradministratorissue": "Mesedez, eskatu zure guneko kudeatzaileari hurrengo arazoa ikuskatu dezala: {{$a}}", "createaccount": "Nire kontu berria sortu", "createuserandpass": "Aukeratu zure erabiltzaile-izena eta pasahitza", "credentialsdescription": "Mesedez saioa hasteko zure sartu erabiltzaile eta pasahitza.", - "emailconfirmsent": "

      E-posta mezu bat bidali dugu zure hurrengo helbide honetara: {{$a}}

      \n

      Izena ematen amaitzeko argibide erraz batzuk ditu.

      \n

      Arazorik baduzu, jarri harremanetan kudeatzailearekin.

      ", + "emailconfirmsent": "

      Zure {{$a}} helbidera mezu bat bidali da.

      Zure erregistroa amaitzeko argibide erraz batzuk ditu.

      Arazorik baduzu, jarri harremanetan kudeatzailearekin.

      ", "emailnotmatch": "E-posta helbideak ez datoz bat", "enterthewordsabove": "Idatzi goiko hitzak", "erroraccesscontrolalloworigin": "Saiatzen ari zaren cross-origin deia ez da onartu. Ikusi mesedez https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", diff --git a/www/core/components/login/lang/fi.json b/www/core/components/login/lang/fi.json index 9ae7ce0a07e..a733501acd0 100644 --- a/www/core/components/login/lang/fi.json +++ b/www/core/components/login/lang/fi.json @@ -4,14 +4,14 @@ "cancel": "Peruuta", "checksiteversion": "Tarkista, että Moodlen versio on 2.4 tai uudempi.", "confirmdeletesite": "Oletko varma, että haluat poistaa sivuston {{sitename}}?", - "connect": "Yhdistä", + "connect": "Yhdistä!", "connecttomoodle": "Yhdistä Moodleen", "contactyouradministrator": "Ota yhteyttä järjestelmän pääkäyttäjään saadaksesi lisää apua.", "contactyouradministratorissue": "Ole hyvä ja pyydä järjestelmän pääkäyttäjää tarkistamaan seuraava ongelma: {{$a}}", "createaccount": "Luo uusi käyttäjätunnus.", "createuserandpass": "Valitse käyttäjätunnus ja salasana", "credentialsdescription": "Ole hyvä ja kirjoita käyttäjänimesi ja salasanasi, jotta voit kirjautua sisään.", - "emailconfirmsent": "

      Vahvistusviesti on lähetetty osoitteeseesi {{$a}}

      \n

      Se sisältää ohjeet, kuinka voit vahvistaa käyttäjätunnuksesi.

      \n

      Jos vahvistuksessa on ongelmia, ota yhteyttä ylläpitäjään.

      ", + "emailconfirmsent": "

      Sähköpostiviesti lähettiin osoitteeseen {{$a}}

      Se sisältää ohjeet rekisteröinnin loppuunviemisestä.

      Jos et onnistu rekisteröitymään ohjeista huolimatta, ole hyvä ja ota yhteyttä järjestelmän pääkäyttäjään.

      ", "emailnotmatch": "Sähköpostiosoitteet eivät täsmää", "enterthewordsabove": "Kirjoita ylläolevat sanat", "errordeletesite": "Sivustoa poistettaessa tapahtui virhe. Ole hyvä ja yritä uudelleen.", diff --git a/www/core/components/login/lang/fr.json b/www/core/components/login/lang/fr.json index 8f759319e33..fc6a088aa75 100644 --- a/www/core/components/login/lang/fr.json +++ b/www/core/components/login/lang/fr.json @@ -4,14 +4,14 @@ "cancel": "Annuler", "checksiteversion": "Veuillez vérifier que votre site utilise Moodle 2.4 ou une version ultérieure.", "confirmdeletesite": "Voulez-vous vraiment supprimer la plateforme {{sitename}} ?", - "connect": "Connecter", + "connect": "Connecter !", "connecttomoodle": "Connexion à Moodle", "contactyouradministrator": "Veuillez contacter l'administrateur de la plateforme pour plus d'aide.", "contactyouradministratorissue": "Veuillez demander à l'administrateur de la plateforme de vérifier l'élément suivant : {{$a}}", "createaccount": "Créer mon compte", "createuserandpass": "Créer un compte", "credentialsdescription": "Veuillez fournir votre nom d'utilisateur et votre mot de passe pour vous connecter.", - "emailconfirmsent": "

      Un message vous a été envoyé à l'adresse de courriel {{$a}}.

      Il contient les instructions pour terminer votre enregistrement.

      Si vous rencontrez des difficultés, veuillez contacter l'administrateur du site.

      ", + "emailconfirmsent": "

      Un message vous a été envoyé par courriel à l'adresse {{$a}}

      Il contient des instructions vous permettant de terminer votre enregistrement.

      En cas de difficulté, veuillez contacter l'administrateur de la plateforme.

      ", "emailnotmatch": "Les adresses de courriel ne correspondent pas", "enterthewordsabove": "Tapez les mots ci-dessus", "erroraccesscontrolalloworigin": "La tentative d'appel « Cross-Origin » que vous avez effectuée a été rejetée. Veuillez consulter https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", @@ -61,8 +61,10 @@ "reconnect": "Reconnecter", "reconnectdescription": "Votre jeton d'authentification est non valide ou échu. Veuillez vous reconnecter à la plateforme.", "reconnectssodescription": "Votre jeton d'authentification est non valide ou échu. Veuillez vous reconnecter à la plateforme, en vous connectant dans un navigateur.", + "searchby": "Rechercher par :", "security_question": "Question de sécurité", "selectacountry": "Choisir un pays", + "selectsite": "Veuillez sélectionner votre site :", "signupplugindisabled": "{{$a}} n'est pas activée.", "siteaddress": "Adresse de la plateforme", "siteinmaintenance": "Votre site est en mode de maintenance", diff --git a/www/core/components/login/lang/he.json b/www/core/components/login/lang/he.json index c257c39d575..7c4540a16d8 100644 --- a/www/core/components/login/lang/he.json +++ b/www/core/components/login/lang/he.json @@ -2,7 +2,7 @@ "authenticating": "מאמת נתונים", "cancel": "ביטול", "confirmdeletesite": "האם את/ה בטוח/ה שברצונך למחוק את האתר {{sitename}}?", - "connect": "חיבור", + "connect": "התחברות!", "connecttomoodle": "התחברות למוודל", "createaccount": "יצירת חשבון חדש", "createuserandpass": "הזנת שם־משתמש וסיסמה", diff --git a/www/core/components/login/lang/hr.json b/www/core/components/login/lang/hr.json index 2b1287d9a5b..12485d591a8 100644 --- a/www/core/components/login/lang/hr.json +++ b/www/core/components/login/lang/hr.json @@ -1,6 +1,6 @@ { "cancel": "Odustani", - "connect": "Poveži", + "connect": "Prijavi se!", "connecttomoodle": "Prijavi se na Moodle", "createaccount": "Stvori moj novi korisnički račun", "createuserandpass": "Stvori novo korisničko ime i lozinku s kojom se mogu prijaviti sustavu", diff --git a/www/core/components/login/lang/it.json b/www/core/components/login/lang/it.json index da61d08405c..3076208c7a1 100644 --- a/www/core/components/login/lang/it.json +++ b/www/core/components/login/lang/it.json @@ -1,15 +1,17 @@ { + "auth_email": "Account via email", "authenticating": "Autenticazione in corso", "cancel": "Annulla", + "checksiteversion": "Verifica che il sito utilizzi Moodle 2.4 o versioni successive.", "confirmdeletesite": "Sei sicuro di eliminare il sito {{sitename}}?", - "connect": "Connetti", + "connect": "Collegati!", "connecttomoodle": "Collegati a Moodle", "createaccount": "Crea il mio nuovo account", "createuserandpass": "Scegli username e password", "credentialsdescription": "Per favore inserisci username e password per l'autenticazione", "emailconfirmsent": "

      Una email è stata inviata al tuo indirizzo {{$a}}

      \n

      Contiene semplici istruzioni per completare la tua registrazione.

      \n

      Se hai qualche difficoltà contatta l'amministratore del sito.

      ", "enterthewordsabove": "Inserisci le parole sovrastanti", - "erroraccesscontrolalloworigin": "La chiamata Cross-Origin che stai effettuando è stata rifiutata. Per ulteriori informazioni: https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", + "erroraccesscontrolalloworigin": "La chiamata cross-origin che stai effettuando è stata rifiutata. Per ulteriori informazioni: https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", "errordeletesite": "Si è verificato un errore durante l'eliminazione di questo sito. Per favore riprova.", "errorupdatesite": "Si è verificato un errore durante l'aggiornamento del token del sito.", "firsttime": "È la prima volta che accedi qui?", @@ -19,13 +21,17 @@ "helpmelogin": "

      Esistono diverse migliaia di siti Moodle al mondo. Queta app può collegarsi solamente in quei siti dove è stato configurato l'accesso Mobile app.

      Se non riesci a collegarti al sito Moodle desiderato devi contattare l'amministratore di quel sito e chiedergli di documentarsi su http://docs.moodle.org/en/Mobile_app

      Per provare l'applicazione su un sito Moodle demo inserire teacher oppure student nel campo Username e fare click sul pulsante Aggiungi.

      ", "instructions": "Istruzioni", "invalidaccount": "Verificare le proprie credenziali o chiedere all'amministratore del sito di controllare la configurazione del sito.", + "invaliddate": "Data non valida", "invalidemail": "Indirizzo email non valido", - "invalidmoodleversion": "Versione di Moodle non valida. La versione minima richiesta:", + "invalidmoodleversion": "Versione di Moodle non valida. La versione minima richiesta è la 2.4:", "invalidsite": "L'URL del sito non è valida", + "invalidtime": "Orario non valido", "invalidurl": "L'URL non è valido", + "invalidvaluemax": "Il valore massimo è {{$a}}", + "invalidvaluemin": "Il valore minimo è {{$a}}", "localmobileunexpectedresponse": "Il controllo delle Moodle Mobile Additional Feature ha restituito una risposta inattesa, sarai autenticato tramite i servizi Mobile standard.", "login": "Login", - "loginbutton": "Login!", + "loginbutton": "Login", "logininsiterequired": "Devi autenticarti usando una finestra browser", "loginsteps": "Per accedere al sito devi creare un account.", "missingemail": "Non hai inserito l'email", @@ -44,13 +50,17 @@ "policyagreement": "Condizioni di utilizzo del sito", "policyagreementclick": "Leggi le condizioni di utilizzo del sito", "potentialidps": "Autenticati su:", + "profileinvaliddata": "Valore non valido", "reconnect": "Riconnetti", "reconnectdescription": "Il token di autenticazione non è valido oppure è scaduto. Devi ricollegarti al sito.", "reconnectssodescription": "Il token di autenticazione non è valido oppure è scaduto. Devi ricollegarti al sito autenticandoti tramite il browser.", "security_question": "Domanda di sicurezza", "selectacountry": "Seleziona il tuo stato", + "selectsite": "Seleziona il sito:", + "signupplugindisabled": "{{$a}} non è abilitato.", "siteaddress": "Indirizzo del sito", "siteinmaintenance": "Il sito è in modalità manutenzione", + "sitepolicynotagreederror": "Politiche del sito non accettate.", "siteurl": "URL del sito", "siteurlrequired": "L'URL del sito è obbligatoria. Esempio:http://www.yourmoodlesite.abc or https://www.yourmoodlesite.efg", "startsignup": "Crea un account", diff --git a/www/core/components/login/lang/lt.json b/www/core/components/login/lang/lt.json index 88da4699816..b48904776be 100644 --- a/www/core/components/login/lang/lt.json +++ b/www/core/components/login/lang/lt.json @@ -4,14 +4,14 @@ "cancel": "Atšaukti", "checksiteversion": "Patikrintkite, ar svetainė naudoja Moodle 2.4. arba vėlesnę versiją.", "confirmdeletesite": "Ar tikrai norite ištrinti svetainę {{sitename}}?", - "connect": "Prijungti", + "connect": "Prisijungta!", "connecttomoodle": "Prisijungti prie Moodle", "contactyouradministrator": "Susisiekite su svetainės administratoriumi, jei reikalinga pagalba.", "contactyouradministratorissue": "Dėl šių klausimų prašome susisiekti su administratoriumi: {{$a}}", "createaccount": "Kurti naują mano paskyrą", "createuserandpass": "Pasirinkite savo naudotojo vardą ir slaptažodį", "credentialsdescription": "Prisijungti naudojant vartotojo vardą ir slaptažodį.", - "emailconfirmsent": "

      El. laiškas išsiųstas jūsų adresu {{$a}}

      .

      Jame pateikti paprasti nurodymai, kaip užbaigti registraciją.

      Jei iškils kokių sunkumų, kreipkitės į svetainės administratorių.

      ", + "emailconfirmsent": "

      Informacija išsiųsta Jūsų nurodytu adresu {{$a}}

      Tai padės sėkmingai užbaigti registraciją.

      Jeigu nepavyksta, susisiekite su svetainės administratoriumi.

      ", "emailnotmatch": "El. paštas nesutampa", "enterthewordsabove": "Įvesti aukščiau rodomus žodžius", "erroraccesscontrolalloworigin": "Kryžminis veiksmas buvo atmestas. Patikrinkite: https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", diff --git a/www/core/components/login/lang/nl.json b/www/core/components/login/lang/nl.json index 58ecafd8352..e7a6095f334 100644 --- a/www/core/components/login/lang/nl.json +++ b/www/core/components/login/lang/nl.json @@ -4,14 +4,14 @@ "cancel": "Annuleer", "checksiteversion": "Controleer of je site minstens Moodle 2.4 of nieuwe gebruikt.", "confirmdeletesite": "Weet je zeker dat je de site {{sitename}} wil verwijderen?", - "connect": "Verbind", + "connect": "Verbinden!", "connecttomoodle": "Verbinden met Moodle", "contactyouradministrator": "Neem contact op met je site-beheerder voor meer hulp.", "contactyouradministratorissue": "Vraag aan je site-beheerder om volgend probleem te onderzoeken: {{$a}}", "createaccount": "Maak mijn nieuwe account aan", "createuserandpass": "Kies een gebruikersnaam en wachtwoord", "credentialsdescription": "Geef je gebruikersnaam en wachtwoord op om je aan te melden", - "emailconfirmsent": "

      Als het goed is, is er een e-mail verzonden naar {{$a}}

      \n

      Daarin staan eenvoudige instructies voor het voltooien van de registratie.

      \n

      Indien je moeilijkheden blijft ondervinden, neem dan contact op met je sitebeheerder.

      ", + "emailconfirmsent": "

      Er zou een e-mail gestuurd moeten zijn naar jouw adres {{$a}}

      Het bericht bevat eenvoudige instructies om je registratie te voltooien.

      Als je problemen blijft ondervinden, neem dan contact op met de sitebeheerder.

      ", "emailnotmatch": "E-mailadressen komen niet overeen", "enterthewordsabove": "Vul hier bovenstaande woorden in", "erroraccesscontrolalloworigin": "De Cross-Origin call die je probeerde uit te voeren, werd geweigerd. Controleer https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", diff --git a/www/core/components/login/lang/pt-br.json b/www/core/components/login/lang/pt-br.json index 4616c7df369..b4fd6c29e8a 100644 --- a/www/core/components/login/lang/pt-br.json +++ b/www/core/components/login/lang/pt-br.json @@ -4,14 +4,14 @@ "cancel": "Cancelar", "checksiteversion": "Verifique se seu site usa Moodle 2.4 ou superior.", "confirmdeletesite": "Você tem certeza que quer excluir o site {{sitename}}?", - "connect": "Conectar", + "connect": "Conectar!", "connecttomoodle": "Conectar ao moodle", "contactyouradministrator": "Contate o administrador do site para ter mais ajuda.", "contactyouradministratorissue": "Por favor, pergunte ao administrador para verificar o seguinte problema: {{$a}}", "createaccount": "Cadastrar este novo usuário", "createuserandpass": "Escolha seu usuário e senha", "credentialsdescription": "Por favor, informe seu nome de usuário e senha para efetuar o login", - "emailconfirmsent": "

      Uma mensagem foi enviada para o seu endereço {{$a}}

      Esta mensagem contém instruções para completar a sua inscrição.

      Se você encontrar dificuldades contate o administrador.

      ", + "emailconfirmsent": "

      Um e-mail irá ser enviado para o seu endereço em {{$a}}

      Ele irá conter instruções fáceis para completar seu registro.

      Se você continua a ter dificuldades, contate o administrador do site.

      ", "emailnotmatch": "Os e-mail não coincidem", "enterthewordsabove": "Digite as palavras acima", "erroraccesscontrolalloworigin": "A chamada de Cross-Origin que você está tentando executar foi rejeitada. Por favor, verifique https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", diff --git a/www/core/components/login/lang/pt.json b/www/core/components/login/lang/pt.json index 18f6c36e508..dd9183399d6 100644 --- a/www/core/components/login/lang/pt.json +++ b/www/core/components/login/lang/pt.json @@ -4,14 +4,14 @@ "cancel": "Cancelar", "checksiteversion": "Verifique se seu site usa o Moodle 2.4 ou posterior.", "confirmdeletesite": "Tem a certeza que pretende remover o site {{sitename}}?", - "connect": "Ligar", + "connect": "Ligar!", "connecttomoodle": "Ligação ao Moodle", "contactyouradministrator": "Contacte o administrador do site para obter mais ajuda.", "contactyouradministratorissue": "Por favor, solicite ao administrador que verifique o seguinte problema: {{$a}}", "createaccount": "Criar a minha conta", "createuserandpass": "Escolha um nome de utilizador e senha", "credentialsdescription": "Por favor, digite o nome de utilizador e senha para entrar", - "emailconfirmsent": "

      Acaba de ser enviada uma mensagem para o seu endereço {{$a}}, com instruções fáceis para completar a sua inscrição.

      Se tiver alguma dificuldade em completar o registo, contacte o administrador do site.

      ", + "emailconfirmsent": "

      Um e-mail deve ter sido enviado para o seu endereço {{$a}}

      . Contém instruções fáceis para concluir o seu registo. Se continuar a ter dificuldades, entre em contacto com o administrador do site.

      ", "emailnotmatch": "Os e-mails não coincidem", "enterthewordsabove": "Insira as palavras indicadas acima", "erroraccesscontrolalloworigin": "A acção de Cross-Origin que tentou executar foi rejeitada. Por favor, consulte mais informações em https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", diff --git a/www/core/components/login/lang/ro.json b/www/core/components/login/lang/ro.json index 89df7badaa7..a4f365b2206 100644 --- a/www/core/components/login/lang/ro.json +++ b/www/core/components/login/lang/ro.json @@ -2,7 +2,7 @@ "authenticating": "Autentificare", "cancel": "Anulează", "confirmdeletesite": "Sunteți sigur că doriți sa ștergeți siteul {{sitename}}?", - "connect": "Conectează", + "connect": "Conectare!", "connecttomoodle": "Conectare la Moodle", "createaccount": "Creează noul meu cont", "createuserandpass": "Alege un nume de utilizator şi o parolă", diff --git a/www/core/components/login/lang/ru.json b/www/core/components/login/lang/ru.json index d17e0a4046c..6be9fe5e183 100644 --- a/www/core/components/login/lang/ru.json +++ b/www/core/components/login/lang/ru.json @@ -4,14 +4,14 @@ "cancel": "Отмена", "checksiteversion": "Убедитесь, что ваш сайт использует Moodle 2.4 или более позднюю версию.", "confirmdeletesite": "Вы уверены, что хотите удалить сайт {{sitename}}?", - "connect": "Подключить", + "connect": "Подключено!", "connecttomoodle": "Подключение к Moodle", "contactyouradministrator": "Свяжитесь с администратором вашего сайта для дальнейшей помощи.", "contactyouradministratorissue": "Пожалуйста, попросите администратора вашего сайта проверить следующую проблему: {{$a}}", "createaccount": "Сохранить", "createuserandpass": "Выберите имя пользователя и пароль", "credentialsdescription": "Пожалуйста, укажите Ваш логин и пароль для входа.", - "emailconfirmsent": "На указанный Вами адрес электронной почты ({{$a}}) было отправлено письмо с простыми инструкциями для завершения регистрации.\n Если у вас появятся проблемы с регистрацией, свяжитесь с администратором сайта.", + "emailconfirmsent": "

      Электронное письмо должно было быть отправлено вам на{{$a}}

      Оно содержит простые инструкции по завершению вашей регистрации

      Если вы продолжаете испытывать трудности , свяжитесь с администратором сайта

      ", "emailnotmatch": "Адреса электронной почты не совпадают", "enterthewordsabove": "Напишите слова, которые Вы видите выше", "erroraccesscontrolalloworigin": "Запрос «Cross-Origin», который вы пытаетесь выполнить, отклонён. Пожалуйста, проверьте https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", diff --git a/www/core/components/login/lang/sv.json b/www/core/components/login/lang/sv.json index 7c9441ed69f..acc32c5b042 100644 --- a/www/core/components/login/lang/sv.json +++ b/www/core/components/login/lang/sv.json @@ -2,7 +2,7 @@ "authenticating": "Autentisera", "cancel": "Avbryt", "confirmdeletesite": "Är du säker på att du vill ta bort webbsidan {{sitename}}?", - "connect": "Anslut", + "connect": "Anslut!", "connecttomoodle": "Anslut till Moodle", "createaccount": "Skapa mitt nya konto", "createuserandpass": "Skapa ett nytt användarnamn och lösenord för att logga in med.", diff --git a/www/core/components/login/lang/uk.json b/www/core/components/login/lang/uk.json index 1cf7ee28a74..2b307f2b7ca 100644 --- a/www/core/components/login/lang/uk.json +++ b/www/core/components/login/lang/uk.json @@ -4,14 +4,14 @@ "cancel": "Скасувати", "checksiteversion": "Переконайтеся, що ваш сайт використовує Moodle 2.4 або більш пізньої версії.", "confirmdeletesite": "Видалити сайт {{sitename}}?", - "connect": "З’єднання", + "connect": "З'єднано!", "connecttomoodle": "Підключитись до Moodle", "contactyouradministrator": "Зверніться до адміністратора сайту для подальшої допомоги.", "contactyouradministratorissue": "Будь ласка, зверніться до адміністратора, щоб перевірити наступне питання: {{$a}}", "createaccount": "Створити запис", "createuserandpass": "Створити користувача для входу в систему", "credentialsdescription": "Будь ласка, введіть Ваше ім'я користувача та пароль, щоб увійти в систему.", - "emailconfirmsent": "На зазначену Вами адресу електронної пошти ({{$a}}) було відправлено листа з інструкціями із завершення реєстрації. Якщо у Вас з'являться проблеми з реєстрацією, зв'яжіться з адміністратором сайту.", + "emailconfirmsent": "

      Лист повинен бути відправлений на Вашу електронну адресу в {{$a}}

      Він містить прості інструкції для завершення реєстрації.

      Якщо ви продовжуєте зазнавати труднощів, зверніться до адміністратора сайту.

      ", "emailnotmatch": "Email не співпадають", "enterthewordsabove": "Введіть символи, які бачите вище", "erroraccesscontrolalloworigin": "Cross-Origin дзвінок був відхилений. Будь ласка, перевірте https://docs.moodle.org/dev/Moodle_Mobile_development_using_Chrome_or_Chromium", diff --git a/www/core/components/question/lang/ca.json b/www/core/components/question/lang/ca.json index e1a03ea46a2..e31c6bbe967 100644 --- a/www/core/components/question/lang/ca.json +++ b/www/core/components/question/lang/ca.json @@ -17,5 +17,5 @@ "questionmessage": "Pregunta {{$a}}: {{$b}}", "questionno": "Pregunta {{$a}}", "requiresgrading": "Cal puntuar", - "unknown": "Desconegut" + "unknown": "No es pot determinar l'estat" } \ No newline at end of file diff --git a/www/core/components/question/lang/cs.json b/www/core/components/question/lang/cs.json index 9ea18cca89c..bbc66f32d73 100644 --- a/www/core/components/question/lang/cs.json +++ b/www/core/components/question/lang/cs.json @@ -17,5 +17,5 @@ "questionmessage": "Úloha {{$a}}: {{$b}}", "questionno": "Úloha {{$a}}", "requiresgrading": "Vyžaduje hodnocení", - "unknown": "Neznámý" + "unknown": "Stav nelze určit" } \ No newline at end of file diff --git a/www/core/components/question/lang/da.json b/www/core/components/question/lang/da.json index 79f4c5e3532..814efe57ff1 100644 --- a/www/core/components/question/lang/da.json +++ b/www/core/components/question/lang/da.json @@ -16,5 +16,5 @@ "questionmessage": "Spørgsmål {{$a}}: {{$b}}", "questionno": "Spørgsmål {{$a}}", "requiresgrading": "Kræver bedømmelse", - "unknown": "Ukendt" + "unknown": "Kan ikke bestemme status" } \ No newline at end of file diff --git a/www/core/components/question/lang/de-du.json b/www/core/components/question/lang/de-du.json index 2ed28aab7df..f1b850bbd90 100644 --- a/www/core/components/question/lang/de-du.json +++ b/www/core/components/question/lang/de-du.json @@ -17,5 +17,5 @@ "questionmessage": "Frage {{$a}}: {{$b}}", "questionno": "Frage {{$a}}", "requiresgrading": "Bewertung notwendig", - "unknown": "Unbekannt" + "unknown": "Der Status kann nicht bestimmt werden." } \ No newline at end of file diff --git a/www/core/components/question/lang/de.json b/www/core/components/question/lang/de.json index d9fdecb1c77..8e1a1ff2bc6 100644 --- a/www/core/components/question/lang/de.json +++ b/www/core/components/question/lang/de.json @@ -17,5 +17,5 @@ "questionmessage": "Frage {{$a}}: {{$b}}", "questionno": "Frage {{$a}}", "requiresgrading": "Bewertung notwendig", - "unknown": "Unbekannt" + "unknown": "Der Status kann nicht bestimmt werden." } \ No newline at end of file diff --git a/www/core/components/question/lang/el.json b/www/core/components/question/lang/el.json index 1742851bebf..283d84af335 100644 --- a/www/core/components/question/lang/el.json +++ b/www/core/components/question/lang/el.json @@ -15,5 +15,5 @@ "partiallycorrect": "Μερικώς σωστή", "questionmessage": "Ερώτηση {{$a}}: {{$b}}", "questionno": "Ερώτηση {{$a}}", - "unknown": "Άγνωστο" + "unknown": "Δεν είναι δυνατός ο προσδιορισμός της κατάστασης" } \ No newline at end of file diff --git a/www/core/components/question/lang/es-mx.json b/www/core/components/question/lang/es-mx.json index b22d4a1edc0..c9008738aea 100644 --- a/www/core/components/question/lang/es-mx.json +++ b/www/core/components/question/lang/es-mx.json @@ -17,5 +17,5 @@ "questionmessage": "Pregunta {{$a}}: {{$b}}", "questionno": "Pregunta {{$a}}", "requiresgrading": "Requiere re-calificar", - "unknown": "Desconocido" + "unknown": "No se puede determinar el estatus" } \ No newline at end of file diff --git a/www/core/components/question/lang/es.json b/www/core/components/question/lang/es.json index 0449551dad0..d42f0b106e2 100644 --- a/www/core/components/question/lang/es.json +++ b/www/core/components/question/lang/es.json @@ -17,5 +17,5 @@ "questionmessage": "Pregunta {{$a}}: {{$b}}", "questionno": "Pregunta {{$a}}", "requiresgrading": "Requiere calificación", - "unknown": "Desconocido" + "unknown": "No se puede determinar el estado." } \ No newline at end of file diff --git a/www/core/components/question/lang/eu.json b/www/core/components/question/lang/eu.json index c34ee004508..d47acec2068 100644 --- a/www/core/components/question/lang/eu.json +++ b/www/core/components/question/lang/eu.json @@ -17,5 +17,5 @@ "questionmessage": "{{$a}} galdera: {{$b}}", "questionno": "{{$a}} galdera", "requiresgrading": "Kalifikazioa behar du", - "unknown": "Ezezaguna" + "unknown": "Ezin da egoera zehaztu" } \ No newline at end of file diff --git a/www/core/components/question/lang/fi.json b/www/core/components/question/lang/fi.json index 28a18792039..3797eba9dc6 100644 --- a/www/core/components/question/lang/fi.json +++ b/www/core/components/question/lang/fi.json @@ -17,5 +17,5 @@ "questionmessage": "Kysymys {{$a}}: {{$b}}", "questionno": "Kysymys {{$a}}", "requiresgrading": "Vaatii arvioinnin", - "unknown": "Tuntematon" + "unknown": "Statusta ei pysty määrittelemään" } \ No newline at end of file diff --git a/www/core/components/question/lang/fr.json b/www/core/components/question/lang/fr.json index 5ae8c00f527..53fa708cca6 100644 --- a/www/core/components/question/lang/fr.json +++ b/www/core/components/question/lang/fr.json @@ -17,5 +17,5 @@ "questionmessage": "Question {{$a}} : {{$b}}", "questionno": "Question {{$a}}", "requiresgrading": "Nécessite évaluation", - "unknown": "Inconnu" + "unknown": "Impossible de déterminer l'état" } \ No newline at end of file diff --git a/www/core/components/question/lang/it.json b/www/core/components/question/lang/it.json index 528a77907a4..364ddbf3b09 100644 --- a/www/core/components/question/lang/it.json +++ b/www/core/components/question/lang/it.json @@ -13,5 +13,5 @@ "questionmessage": "Domanda {{$a}}: {{$b}}", "questionno": "Domanda {{$a}}", "requiresgrading": "Richiede valutazione", - "unknown": "Sconosciuto" + "unknown": "Non è possibile determinare lo stato" } \ No newline at end of file diff --git a/www/core/components/question/lang/lt.json b/www/core/components/question/lang/lt.json index 0bb22bfebaf..4e598e09955 100644 --- a/www/core/components/question/lang/lt.json +++ b/www/core/components/question/lang/lt.json @@ -17,5 +17,5 @@ "questionmessage": "Klausimas {{$a}}: {{$b}}", "questionno": "Klausimas {{$a}}", "requiresgrading": "Reikia vertinimo", - "unknown": "Nežinoma" + "unknown": "Negalima nustatyti statuso" } \ No newline at end of file diff --git a/www/core/components/question/lang/mr.json b/www/core/components/question/lang/mr.json index 89252ddc2f0..c61ac1fdd5a 100644 --- a/www/core/components/question/lang/mr.json +++ b/www/core/components/question/lang/mr.json @@ -11,5 +11,5 @@ "notanswered": "आत्ताप्रर्यत उत्तर नाही", "partiallycorrect": "अंशतः बरोबर", "questionmessage": "प्रश्न {{$a}}: {{$b}}", - "unknown": "अनोळखी" + "unknown": "स्थिती निर्धारित करू शकत नाही" } \ No newline at end of file diff --git a/www/core/components/question/lang/nl.json b/www/core/components/question/lang/nl.json index 098aa4c11ae..18382e872c6 100644 --- a/www/core/components/question/lang/nl.json +++ b/www/core/components/question/lang/nl.json @@ -17,5 +17,5 @@ "questionmessage": "Vraag {{$a}}: {{$b}}", "questionno": "Vraag {{$a}}", "requiresgrading": "Beoordelen vereist", - "unknown": "Onbekend" + "unknown": "Kan status niet bepalen" } \ No newline at end of file diff --git a/www/core/components/question/lang/pt-br.json b/www/core/components/question/lang/pt-br.json index 281e4738904..4f7986546d1 100644 --- a/www/core/components/question/lang/pt-br.json +++ b/www/core/components/question/lang/pt-br.json @@ -17,5 +17,5 @@ "questionmessage": "Questão {{$a}}: {{$b}}", "questionno": "Questão {{$a}}", "requiresgrading": "Requer avaliação", - "unknown": "Desconhecido" + "unknown": "Não pôde determinar o estado" } \ No newline at end of file diff --git a/www/core/components/question/lang/pt.json b/www/core/components/question/lang/pt.json index 3b03d04306b..abe2dc4c3bd 100644 --- a/www/core/components/question/lang/pt.json +++ b/www/core/components/question/lang/pt.json @@ -17,5 +17,5 @@ "questionmessage": "Pergunta {{$a}}: {{$b}}", "questionno": "Pergunta {{$a}}", "requiresgrading": "Requer avaliação", - "unknown": "Desconhecido(a)" + "unknown": "Não é possível determinar o estado" } \ No newline at end of file diff --git a/www/core/components/question/lang/ru.json b/www/core/components/question/lang/ru.json index e3530a7d3f7..526190033e0 100644 --- a/www/core/components/question/lang/ru.json +++ b/www/core/components/question/lang/ru.json @@ -17,5 +17,5 @@ "questionmessage": "Вопрос {{$a}}: {{$b}}", "questionno": "Вопрос {{$a}}", "requiresgrading": "Требуется оценивание", - "unknown": "неизвестно" + "unknown": "Нельзя определить статус" } \ No newline at end of file diff --git a/www/core/components/question/lang/uk.json b/www/core/components/question/lang/uk.json index bb6c5913eed..a4c6af3fe0f 100644 --- a/www/core/components/question/lang/uk.json +++ b/www/core/components/question/lang/uk.json @@ -17,5 +17,5 @@ "questionmessage": "Питання {{$a}}: {{$b}}", "questionno": "Питання {{$a}}", "requiresgrading": "Потрібно оцінити", - "unknown": "Невідоме" + "unknown": "Неможливо визначити статус" } \ No newline at end of file diff --git a/www/core/components/settings/lang/it.json b/www/core/components/settings/lang/it.json index 9af3d726bc1..d5786fa4cf0 100644 --- a/www/core/components/settings/lang/it.json +++ b/www/core/components/settings/lang/it.json @@ -5,7 +5,7 @@ "cordovadevicemodel": "Modello del dispositivo Cordova", "cordovadeviceosversion": "Versione SO del dispositivo Cordova", "cordovadeviceplatform": "Piattaforma del dispositivo Cordova", - "cordovadeviceuuid": "Uuid del dispositivo Cordova", + "cordovadeviceuuid": "UUID del dispositivo Cordova", "cordovaversion": "Versione Cordova", "credits": "Riconoscimenti", "currentlanguage": "Lingua in uso", @@ -19,6 +19,7 @@ "displayformat": "Formato di visualizzazione", "enabledebugging": "Abilita debugging", "enabledownloadsection": "Abilita scaricamento sezioni", + "enablerichtexteditor": "Abilita editor di testo", "enablesyncwifi": "Sincronizza solo tramite Wi-Fi", "errordeletesitefiles": "Si è verificato un errore durante l'eliminazione dei file del sito.", "errorsyncsite": "Si è verificato un errore durante la sincronizzazione dei dati dal sito. Per favore verifica la connessione internet e riprova.", @@ -34,6 +35,7 @@ "navigatorlanguage": "Navigator language", "navigatoruseragent": "Navigator userAgent", "networkstatus": "Stato della connessione internet", + "privacypolicy": "Privacy policy", "processorsettings": "Impostazioni gestore", "reportinbackground": "Invia errori automaticamente", "settings": "Impostazioni", diff --git a/www/core/components/sharedfiles/lang/ca.json b/www/core/components/sharedfiles/lang/ca.json index af0c921ccaf..56cb9344708 100644 --- a/www/core/components/sharedfiles/lang/ca.json +++ b/www/core/components/sharedfiles/lang/ca.json @@ -4,7 +4,7 @@ "errorreceivefilenosites": "No hi ha llocs desats. Afegiu un lloc per poder compartir fitxers amb l'aplicació.", "nosharedfiles": "No hi ha fitxers compartits desats en aquest lloc.", "nosharedfilestoupload": "No hi ha fitxers per pujar. Si voleu pujar un fitxer des d'un altra aplicació, busqueu-lo i feu clic al botó «Obre a».", - "rename": "Canvia el nom", + "rename": "Reanomena", "replace": "Reemplaça", "sharedfiles": "Fitxers compartits", "successstorefile": "S'ha desat el fitxer amb èxit. Podeu seleccionar-lo i pujar-lo als vostres fitxers privats o adjuntar-lo a alguna activitat." diff --git a/www/core/components/sharedfiles/lang/cs.json b/www/core/components/sharedfiles/lang/cs.json index 51a81eabae1..b6aee213eea 100644 --- a/www/core/components/sharedfiles/lang/cs.json +++ b/www/core/components/sharedfiles/lang/cs.json @@ -5,7 +5,7 @@ "nosharedfiles": "Na tomto webu nejsou uložené žádné sdílené soubory.", "nosharedfilestoupload": "Nemáte žádné nahrané soubory. Pokud chcete nahrát soubor z jiné aplikace, vyhledejte tento soubor a klikněte na tlačítko \"Otevřít v\".", "rename": "Přejmenovat", - "replace": "Přepsat", + "replace": "Nahradit", "sharedfiles": "Sdílené soubory", "successstorefile": "Soubor byl úspěšně uložen. Vyberte soubor, který chcete nahrát do vašich soukromých souborů nebo připojit ji do některých činností." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/de-du.json b/www/core/components/sharedfiles/lang/de-du.json index 805c3ab0df5..676d8abb42d 100644 --- a/www/core/components/sharedfiles/lang/de-du.json +++ b/www/core/components/sharedfiles/lang/de-du.json @@ -5,7 +5,7 @@ "nosharedfiles": "Keine geteilten Dateien auf dieser Website", "nosharedfilestoupload": "Du hast hier noch keine Datei zum Hochladen. Wenn du eine Datei aus einer anderen App hochladen möchtest, suche diese Datei und tippe auf die Taste 'Öffnen in'.", "rename": "Umbenennen", - "replace": "Ersetze", + "replace": "Ersetzen", "sharedfiles": "Geteilte Dateien", "successstorefile": "Die Datei wurde gespeichert. Du kannst die Datei in den Bereich 'Meine Dateien' hochladen oder bei Aktivitäten verwenden." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/de.json b/www/core/components/sharedfiles/lang/de.json index 080a8c40675..7b756fa2cd7 100644 --- a/www/core/components/sharedfiles/lang/de.json +++ b/www/core/components/sharedfiles/lang/de.json @@ -5,7 +5,7 @@ "nosharedfiles": "Keine geteilten Dateien auf dieser Website", "nosharedfilestoupload": "Sie haben hier noch keine Datei zum Hochladen. Wenn Sie eine Datei aus einer anderen App hochladen möchten, suchen Sie diese Datei und tippen Sie auf die Taste 'Öffnen in'.", "rename": "Umbenennen", - "replace": "Ersetze", + "replace": "Ersetzen", "sharedfiles": "Geteilte Dateien", "successstorefile": "Die Datei wurde gespeichert. Sie können die Datei in den Bereich 'Meine Dateien' hochladen oder bei Aktivitäten verwenden." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/es-mx.json b/www/core/components/sharedfiles/lang/es-mx.json index fb7d0207356..555162bdf2e 100644 --- a/www/core/components/sharedfiles/lang/es-mx.json +++ b/www/core/components/sharedfiles/lang/es-mx.json @@ -5,7 +5,7 @@ "nosharedfiles": "No hay archivos compartidos almacenados en este sitio.", "nosharedfilestoupload": "Usted no tiene archivos para subir aquí. Si Usted desea subir un archivo desde otra App, localice ese archivo y haga click en el botón para 'Abrir en'.", "rename": "Renombrar", - "replace": "Reemplazar", + "replace": "Remplazar", "sharedfiles": "Archivos compartidos", "successstorefile": "Archivo almacenado exitosamente. Seleccione el archivo a subir a sus archivos privados o para usar en una actividad." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/eu.json b/www/core/components/sharedfiles/lang/eu.json index abcab3e1fd0..b47185ca190 100644 --- a/www/core/components/sharedfiles/lang/eu.json +++ b/www/core/components/sharedfiles/lang/eu.json @@ -5,7 +5,7 @@ "nosharedfiles": "Ez dago partekatutako fitxategirik gune honetan.", "nosharedfilestoupload": "Ez duzu igotzeko fitxategirik hemen. Beste app baten bitartez fitxategia igo nahi baduzu, fitxategia aurkitu eta ondoren 'Ireki honekin' botoia sakatu.", "rename": "Berrizendatu", - "replace": "Ordezkatu", + "replace": "Ordeztu", "sharedfiles": "Partekatutako fitxategiak", "successstorefile": "Fitxategia ondo gorde da. Orain fitxategi hau aukeratu dezakezu zure gune pribatura igo edo jarduera batean erabiltzeko." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/fi.json b/www/core/components/sharedfiles/lang/fi.json index 7f53de1de9c..a26bdc92b06 100644 --- a/www/core/components/sharedfiles/lang/fi.json +++ b/www/core/components/sharedfiles/lang/fi.json @@ -4,7 +4,7 @@ "errorreceivefilenosites": "Yhtään sivustoa ei ole lisätty. Ole hyvä ja lisää sivusto ennen kuin jaat tiedostoja sovelluksella.", "nosharedfiles": "Tällä sivustolla ei ole yhtään jaettuja tiedostoja.", "nosharedfilestoupload": "Sinulla ei ole yhtään tiedostoa lähetettäväksi. Jos haluat lähettää tiedoston toisesta sovelluksesta, niin valitse tiedosto ja paina \"avaa sovelluksessa\"-painiketta ja valitse Moodle Mobile app.", - "rename": "Nimeä uudelleen", + "rename": "Uudelleennimeä", "replace": "Korvaa", "sharedfiles": "Jaetut tiedosto", "successstorefile": "Tiedosto tallennettiin onnistuneesti. Nyt voit valita tämän tiedoston lähettääksesi sen yksityisiin tiedostoihisi tai liittääksesi sen johonkin aktiviteettiin." diff --git a/www/core/components/sharedfiles/lang/hr.json b/www/core/components/sharedfiles/lang/hr.json index ef26809f0d5..d688c037b6c 100644 --- a/www/core/components/sharedfiles/lang/hr.json +++ b/www/core/components/sharedfiles/lang/hr.json @@ -1,5 +1,5 @@ { "rename": "Preimenuj", - "replace": "Zamijenite", + "replace": "Zamijeni", "sharedfiles": "Dijeljene datoteke" } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/it.json b/www/core/components/sharedfiles/lang/it.json index 875611dd996..b20c6ab9f7e 100644 --- a/www/core/components/sharedfiles/lang/it.json +++ b/www/core/components/sharedfiles/lang/it.json @@ -1,5 +1,5 @@ { - "rename": "Rinomina", + "rename": "Rinomna", "replace": "Sostituisci", "sharedfiles": "File condivisi" } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/lt.json b/www/core/components/sharedfiles/lang/lt.json index 2e51ae1b0ed..ef379410c73 100644 --- a/www/core/components/sharedfiles/lang/lt.json +++ b/www/core/components/sharedfiles/lang/lt.json @@ -4,8 +4,8 @@ "errorreceivefilenosites": "Svetainės nėra saugomos. Prieš dalintis failu, pridėkite svetainės nuorodą.", "nosharedfiles": "Šioje svetainėje nepatalpinti bendro naudojimo failai.", "nosharedfilestoupload": "Nėra įkeltų failų. Jeigu norite juos įkelti iš kitos programėlės, pažymėkite ir paspauskite mygtuką „Atidaryti“.", - "rename": "Pervardyti", - "replace": "Keisti", + "rename": "Pervadinti", + "replace": "Pakeisti", "sharedfiles": "Bendro naudojimo failai", "successstorefile": "Failas sėkmingai patalpintas. Galite jį perkelti į savo asmeninį aplanką arba įkelti tam tikrosiose veiklose." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/mr.json b/www/core/components/sharedfiles/lang/mr.json index 8bc47f71d48..669675992d6 100644 --- a/www/core/components/sharedfiles/lang/mr.json +++ b/www/core/components/sharedfiles/lang/mr.json @@ -4,7 +4,7 @@ "errorreceivefilenosites": "संचयित केलेल्या कोणत्याही साइट नाहीत कृपया अॅपसह फाइल सामायिक करण्यापूर्वी साइट जोडा", "nosharedfiles": "या साइटवर संचयित केलेल्या कोणत्याही सामायिक केलेल्या फायली नाहीत.", "nosharedfilestoupload": "येथे अपलोड करण्यासाठी आपल्याकडे एकही फाइल नाही. आपण दुसर्या अॅपमधून फाइल अपलोड करू इच्छित असाल तर ती फाइल शोधा आणि 'इन-इन' बटणावर क्लिक करा.", - "rename": "परत नाव द्या.", + "rename": "पुनर्नामित करा", "replace": "पुनर्स्थित करा", "sharedfiles": "सामायिक केलेल्या फायली", "successstorefile": "फाइल यशस्वीरित्या संग्रहित केली. आता आपण ही फाईल आपल्या खाजगी फाइल्सवर अपलोड करण्यासाठी किंवा काही क्रियाकलापांमध्ये संलग्न करण्यासाठी ती निवडू शकता." diff --git a/www/core/components/sharedfiles/lang/pt.json b/www/core/components/sharedfiles/lang/pt.json index a181fc1b944..ccb7b68c710 100644 --- a/www/core/components/sharedfiles/lang/pt.json +++ b/www/core/components/sharedfiles/lang/pt.json @@ -4,7 +4,7 @@ "errorreceivefilenosites": "Não existem sites armazenados. Adicione um site antes de partilhar um ficheiro com a aplicação.", "nosharedfiles": "Não existem quaisquer ficheiros partilhados armazenados neste site.", "nosharedfilestoupload": "Não existem ficheiros para fazer o carregamento. Se pretender carregar um ficheiro de outra aplicação, localize o ficheiro e clique no botão 'Abrir em'.", - "rename": "Renomear", + "rename": "Mudar nome", "replace": "Substituir", "sharedfiles": "Ficheiros partilhados", "successstorefile": "Ficheiro armazenado com sucesso. Selecione este ficheiro para enviá-lo para os seus ficheiros privados ou usá-lo em atividades." diff --git a/www/core/components/sharedfiles/lang/ru.json b/www/core/components/sharedfiles/lang/ru.json index acd7586df1c..cf8b8797df4 100644 --- a/www/core/components/sharedfiles/lang/ru.json +++ b/www/core/components/sharedfiles/lang/ru.json @@ -5,7 +5,7 @@ "nosharedfiles": "На этом сайте нет открытых для доступа файлов.", "nosharedfilestoupload": "У Вас нет файлов для загрузки на сервер. Если Вы хотите загрузить на сервер файл из другого приложения, найдите файл и нажмите кнопку «Открыть в».", "rename": "Переименовать", - "replace": "Заменить", + "replace": "Переместить", "sharedfiles": "Файлы в открытом доступе", "successstorefile": "Файл успешно сохранён. Выберите файл для загрузки на сервер в свои личные файлы или для использования в активном элементе." } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/tr.json b/www/core/components/sharedfiles/lang/tr.json index 76c25af6f7c..94ea98f2214 100644 --- a/www/core/components/sharedfiles/lang/tr.json +++ b/www/core/components/sharedfiles/lang/tr.json @@ -1,5 +1,5 @@ { - "rename": "Ad değiştir", + "rename": "Yeniden adlandır", "replace": "Değiştir", "sharedfiles": "Paylaşılan dosyalar" } \ No newline at end of file diff --git a/www/core/components/sharedfiles/lang/uk.json b/www/core/components/sharedfiles/lang/uk.json index f16da3ef448..6a2a6c61255 100644 --- a/www/core/components/sharedfiles/lang/uk.json +++ b/www/core/components/sharedfiles/lang/uk.json @@ -5,7 +5,7 @@ "nosharedfiles": "Немає загальних файлів, що зберігаються на цьому сайті.", "nosharedfilestoupload": "У вас немає файлів для завантаження. Якщо ви хочете завантажити файл з іншої програми, знайдіть цей файл і натисніть кнопку «Відкрити\".", "rename": "Перейменувати", - "replace": "Замінити", + "replace": "Перемістити", "sharedfiles": "Розшарити файли", "successstorefile": "Файл успішно збережений. Тепер ви можете вибрати цей файл, щоб завантажити його на ваші особисті файли або прикріпити його в деяких видах діяльності." } \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/ca.json b/www/core/components/sidemenu/lang/ca.json index d2e61d92b7b..321730fec1f 100644 --- a/www/core/components/sidemenu/lang/ca.json +++ b/www/core/components/sidemenu/lang/ca.json @@ -2,7 +2,7 @@ "appsettings": "Paràmetres de l'aplicació", "changesite": "Canvia de lloc", "help": "Ajuda", - "logout": "Surt", + "logout": "Desconnecta", "mycourses": "Els meus cursos", "togglemenu": "Canvia menú", "website": "Lloc web" diff --git a/www/core/components/sidemenu/lang/cs.json b/www/core/components/sidemenu/lang/cs.json index 68c7fe8de79..7de80a2bb9b 100644 --- a/www/core/components/sidemenu/lang/cs.json +++ b/www/core/components/sidemenu/lang/cs.json @@ -1,8 +1,8 @@ { "appsettings": "Nastavení aplikace", "changesite": "Změnit stránky", - "help": "Pomoc", - "logout": "Odhlásit se", + "help": "Nápověda", + "logout": "Odhlásit", "mycourses": "Moje kurzy", "togglemenu": "Přepnout nabídku", "website": "Webová stránka" diff --git a/www/core/components/sidemenu/lang/de-du.json b/www/core/components/sidemenu/lang/de-du.json index ba2e726d700..4f3285f040c 100644 --- a/www/core/components/sidemenu/lang/de-du.json +++ b/www/core/components/sidemenu/lang/de-du.json @@ -2,7 +2,7 @@ "appsettings": "Einstellungen", "changesite": "Website wechseln", "help": "Hilfe", - "logout": "Logout", + "logout": "Abmelden", "mycourses": "Meine Kurse", "togglemenu": "Menü umschalten", "website": "Website im Browser" diff --git a/www/core/components/sidemenu/lang/de.json b/www/core/components/sidemenu/lang/de.json index ba2e726d700..4f3285f040c 100644 --- a/www/core/components/sidemenu/lang/de.json +++ b/www/core/components/sidemenu/lang/de.json @@ -2,7 +2,7 @@ "appsettings": "Einstellungen", "changesite": "Website wechseln", "help": "Hilfe", - "logout": "Logout", + "logout": "Abmelden", "mycourses": "Meine Kurse", "togglemenu": "Menü umschalten", "website": "Website im Browser" diff --git a/www/core/components/sidemenu/lang/el.json b/www/core/components/sidemenu/lang/el.json index 114771adbff..2e0168f9e01 100644 --- a/www/core/components/sidemenu/lang/el.json +++ b/www/core/components/sidemenu/lang/el.json @@ -2,7 +2,7 @@ "appsettings": "Ρυθμίσεις εφαρμογής", "changesite": "Αλλαγή ιστότοπου", "help": "Βοήθεια", - "logout": "Έξοδος", + "logout": "Αποσύνδεση", "mycourses": "Τα μαθήματά μου", "togglemenu": "Αλλαγή μενού", "website": "Ιστότοπος" diff --git a/www/core/components/sidemenu/lang/es-mx.json b/www/core/components/sidemenu/lang/es-mx.json index fb36a0997ba..e2079172694 100644 --- a/www/core/components/sidemenu/lang/es-mx.json +++ b/www/core/components/sidemenu/lang/es-mx.json @@ -2,7 +2,7 @@ "appsettings": "Configuraciones del App", "changesite": "Cambiar sitio", "help": "Ayuda", - "logout": "Salir", + "logout": "Salir del sitio", "mycourses": "Mis cursos", "togglemenu": "Alternar menú", "website": "Página web" diff --git a/www/core/components/sidemenu/lang/es.json b/www/core/components/sidemenu/lang/es.json index 72371e44a02..e826092d764 100644 --- a/www/core/components/sidemenu/lang/es.json +++ b/www/core/components/sidemenu/lang/es.json @@ -2,7 +2,7 @@ "appsettings": "Configuración de la aplicación", "changesite": "Cambiar de sitio", "help": "Ayuda", - "logout": "Cerrar sesión", + "logout": "Salir", "mycourses": "Mis cursos", "togglemenu": "Cambiar menú", "website": "Página web" diff --git a/www/core/components/sidemenu/lang/eu.json b/www/core/components/sidemenu/lang/eu.json index c5757719d6e..d6c4be2b4ea 100644 --- a/www/core/components/sidemenu/lang/eu.json +++ b/www/core/components/sidemenu/lang/eu.json @@ -2,7 +2,7 @@ "appsettings": "App-aren ezarpenak", "changesite": "Aldatu gunea", "help": "Laguntza", - "logout": "Saioa amaitu", + "logout": "Irten", "mycourses": "Nire ikastaroak", "togglemenu": "Aldatu menua", "website": "Webgunea" diff --git a/www/core/components/sidemenu/lang/fa.json b/www/core/components/sidemenu/lang/fa.json index 34bdcc7018f..7d4184a0d64 100644 --- a/www/core/components/sidemenu/lang/fa.json +++ b/www/core/components/sidemenu/lang/fa.json @@ -1,8 +1,8 @@ { "appsettings": "تنظیمات برنامه", "changesite": "خروج", - "help": "راهنمایی", - "logout": "خروج از سایت", + "help": "راهنما", + "logout": "خروج", "mycourses": "درس‌های من", "website": "پایگاه اینترنتی" } \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/he.json b/www/core/components/sidemenu/lang/he.json index df2620a0194..defec49d009 100644 --- a/www/core/components/sidemenu/lang/he.json +++ b/www/core/components/sidemenu/lang/he.json @@ -2,7 +2,7 @@ "appsettings": "הגדרות יישומון", "changesite": "התנתק", "help": "עזרה", - "logout": "התנתקות", + "logout": "התנתק", "mycourses": "הקורסים שלי", "togglemenu": "החלפת מצב תפריט", "website": "אתר אינטרנט" diff --git a/www/core/components/sidemenu/lang/it.json b/www/core/components/sidemenu/lang/it.json index 9e368b1ef6f..b86c1c18949 100644 --- a/www/core/components/sidemenu/lang/it.json +++ b/www/core/components/sidemenu/lang/it.json @@ -2,7 +2,7 @@ "appsettings": "Impostazioni app", "changesite": "Cambia sito", "help": "Aiuto", - "logout": "Esci", + "logout": "Logout", "mycourses": "I miei corsi", "togglemenu": "Attiva/disattiva menu", "website": "Sito web" diff --git a/www/core/components/sidemenu/lang/lt.json b/www/core/components/sidemenu/lang/lt.json index 4f3f66ea9f3..0f0cb015df4 100644 --- a/www/core/components/sidemenu/lang/lt.json +++ b/www/core/components/sidemenu/lang/lt.json @@ -1,9 +1,9 @@ { "appsettings": "Programėlės nustatymai", "changesite": "Pakeisti svetainę", - "help": "Žinynas", - "logout": "Atsijungti", - "mycourses": "Mano kursai", + "help": "Pagalba", + "logout": "Pakeisti svetainę", + "mycourses": "Mano mokymo programos", "togglemenu": "Perjungti", "website": "Interneto svetainė" } \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/mr.json b/www/core/components/sidemenu/lang/mr.json index 9f0dbf261ce..091098f633d 100644 --- a/www/core/components/sidemenu/lang/mr.json +++ b/www/core/components/sidemenu/lang/mr.json @@ -2,8 +2,8 @@ "appsettings": "अॅप सेटिंग्ज", "changesite": "साइट बदला", "help": "मदत", - "logout": "लॉग-आउट", - "mycourses": "माझे कोर्सेस", + "logout": "बाहेर पडा", + "mycourses": "माझे अभ्यासक्रम", "togglemenu": "मेनू बदला", "website": "वेबसाइट" } \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/nl.json b/www/core/components/sidemenu/lang/nl.json index 8a50f17cc30..d06e70ec6d8 100644 --- a/www/core/components/sidemenu/lang/nl.json +++ b/www/core/components/sidemenu/lang/nl.json @@ -2,7 +2,7 @@ "appsettings": "App instellingen", "changesite": "Naar andere site", "help": "Help", - "logout": "Log uit", + "logout": "Afmelden", "mycourses": "Mijn cursussen", "togglemenu": "Menu schakelen", "website": "Website" diff --git a/www/core/components/sidemenu/lang/pt.json b/www/core/components/sidemenu/lang/pt.json index 479ba8e4f48..f972c409f74 100644 --- a/www/core/components/sidemenu/lang/pt.json +++ b/www/core/components/sidemenu/lang/pt.json @@ -2,7 +2,7 @@ "appsettings": "Configurações da aplicação", "changesite": "Mudar de site", "help": "Ajuda", - "logout": "Sair", + "logout": "Terminar sessão", "mycourses": "As minhas disciplinas", "togglemenu": "Alternar menu", "website": "Site" diff --git a/www/core/components/sidemenu/lang/ro.json b/www/core/components/sidemenu/lang/ro.json index 1c5f17d9e01..ea5d1d106e0 100644 --- a/www/core/components/sidemenu/lang/ro.json +++ b/www/core/components/sidemenu/lang/ro.json @@ -2,7 +2,7 @@ "appsettings": "Setările aplicației", "changesite": "Schimbați siteul", "help": "Ajutor", - "logout": "Ieşire", + "logout": "Schimbați siteul", "mycourses": "Cursurile mele", "togglemenu": "Meniul pentru comutare", "website": "Website" diff --git a/www/core/components/sidemenu/lang/ru.json b/www/core/components/sidemenu/lang/ru.json index 950becebe07..6965e316d2d 100644 --- a/www/core/components/sidemenu/lang/ru.json +++ b/www/core/components/sidemenu/lang/ru.json @@ -1,8 +1,8 @@ { "appsettings": "Настройки приложения", "changesite": "Сменить сайт", - "help": "Справка", - "logout": "Выход", + "help": "Помощь", + "logout": "Выйти", "mycourses": "Мои курсы", "togglemenu": "Переключить меню", "website": "Сайт" diff --git a/www/core/components/sidemenu/lang/tr.json b/www/core/components/sidemenu/lang/tr.json index ace500a4db3..57800da7afa 100644 --- a/www/core/components/sidemenu/lang/tr.json +++ b/www/core/components/sidemenu/lang/tr.json @@ -1,7 +1,7 @@ { "changesite": "Çıkış", "help": "Yardım", - "logout": "Çıkış yap", + "logout": "Çıkış", "mycourses": "Derslerim", "website": "Websitesi" } \ No newline at end of file diff --git a/www/core/components/sidemenu/lang/uk.json b/www/core/components/sidemenu/lang/uk.json index 21328fec9b5..2442161b325 100644 --- a/www/core/components/sidemenu/lang/uk.json +++ b/www/core/components/sidemenu/lang/uk.json @@ -2,7 +2,7 @@ "appsettings": "Налаштування додатку", "changesite": "Змінити сайт", "help": "Допомога", - "logout": "Вихід", + "logout": "Вийти", "mycourses": "Мої курси", "togglemenu": "Перемикання меню", "website": "Веб-сайт" diff --git a/www/core/components/user/lang/cs.json b/www/core/components/user/lang/cs.json index a6f990b5aba..864b51d0010 100644 --- a/www/core/components/user/lang/cs.json +++ b/www/core/components/user/lang/cs.json @@ -11,7 +11,7 @@ "emailagain": "E-mail (znovu)", "firstname": "Křestní jméno", "interests": "Zájmy", - "invaliduser": "Neplatný uživatel", + "invaliduser": "Neplatný uživatel.", "lastname": "Příjmení", "manager": "Manažer", "newpicture": "Nový obrázek", diff --git a/www/core/components/user/lang/da.json b/www/core/components/user/lang/da.json index 907d22761b1..8c8d0025f47 100644 --- a/www/core/components/user/lang/da.json +++ b/www/core/components/user/lang/da.json @@ -11,7 +11,7 @@ "emailagain": "E-mail (igen)", "firstname": "Fornavn", "interests": "Interesser", - "invaliduser": "Ugyldig bruger", + "invaliduser": "Ugyldig bruger.", "lastname": "Efternavn", "manager": "Manager", "newpicture": "Nyt billede", diff --git a/www/core/components/user/lang/de-du.json b/www/core/components/user/lang/de-du.json index 426119b3458..be0c5129bac 100644 --- a/www/core/components/user/lang/de-du.json +++ b/www/core/components/user/lang/de-du.json @@ -11,7 +11,7 @@ "emailagain": "E-Mail-Adresse (wiederholen)", "firstname": "Vorname", "interests": "Persönliche Interessen", - "invaliduser": "Ungültige Nutzer/in", + "invaliduser": "Nutzer/in ungültig", "lastname": "Nachname", "manager": "Manager/in", "newpicture": "Neues Foto", diff --git a/www/core/components/user/lang/de.json b/www/core/components/user/lang/de.json index 740e942be55..df9365a4086 100644 --- a/www/core/components/user/lang/de.json +++ b/www/core/components/user/lang/de.json @@ -11,7 +11,7 @@ "emailagain": "E-Mail-Adresse (wiederholen)", "firstname": "Vorname", "interests": "Persönliche Interessen", - "invaliduser": "Ungültige Nutzer/in", + "invaliduser": "Nutzer/in ungültig", "lastname": "Nachname", "manager": "Manager/in", "newpicture": "Neues Foto", diff --git a/www/core/components/user/lang/el.json b/www/core/components/user/lang/el.json index 2e66b93a534..8744d621afd 100644 --- a/www/core/components/user/lang/el.json +++ b/www/core/components/user/lang/el.json @@ -19,7 +19,7 @@ "phone2": "Κινητό τηλέφωνο", "roles": "Ρόλοι", "sendemail": "Email", - "student": "Φοιτητής", + "student": "Μαθητής", "teacher": "Διδάσκων χωρίς δικαιώματα αλλαγής", "viewprofile": "Επισκόπηση του προφίλ", "webpage": "Ιστοσελίδα" diff --git a/www/core/components/user/lang/es-mx.json b/www/core/components/user/lang/es-mx.json index 5a299d64eba..b3395df0711 100644 --- a/www/core/components/user/lang/es-mx.json +++ b/www/core/components/user/lang/es-mx.json @@ -11,7 +11,7 @@ "emailagain": "Correo (de nuevo)", "firstname": "Nombre", "interests": "Intereses", - "invaliduser": "Usuario no válido", + "invaliduser": "Usuario inválido.", "lastname": "Apellido(s)", "manager": "Mánager", "newpicture": "Imagen nueva", diff --git a/www/core/components/user/lang/eu.json b/www/core/components/user/lang/eu.json index e19aa7863bf..01b8fc25ec6 100644 --- a/www/core/components/user/lang/eu.json +++ b/www/core/components/user/lang/eu.json @@ -11,7 +11,7 @@ "emailagain": "E-posta (berriro)", "firstname": "Izena", "interests": "Interesguneak", - "invaliduser": "Erabiltzaile baliogabea", + "invaliduser": "Erabiltzailea ez da zuzena.", "lastname": "Deitura", "manager": "Kudeatzailea", "newpicture": "Irudi berria", diff --git a/www/core/components/user/lang/fa.json b/www/core/components/user/lang/fa.json index b156d092804..c1b57de96c4 100644 --- a/www/core/components/user/lang/fa.json +++ b/www/core/components/user/lang/fa.json @@ -1,7 +1,7 @@ { "address": "آدرس", "city": "شهر/شهرک", - "contact": "تماس", + "contact": "مخاطب", "country": "کشور", "description": "توضیح تکلیف", "details": "جزئیات", diff --git a/www/core/components/user/lang/fi.json b/www/core/components/user/lang/fi.json index 66f6786ab08..c4688ff9945 100644 --- a/www/core/components/user/lang/fi.json +++ b/www/core/components/user/lang/fi.json @@ -1,7 +1,7 @@ { "address": "Osoite", "city": "Paikkakunta", - "contact": "Yhteystieto", + "contact": "Yhteystiedot", "country": "Maa", "description": "Kuvaus", "details": "Käyttäjätiedot", @@ -11,7 +11,7 @@ "emailagain": "Sähköposti (varmistus)", "firstname": "Etunimi", "interests": "Kiinnostukset", - "invaliduser": "Virheellinen käyttäjä", + "invaliduser": "Virheellinen käyttäjä.", "lastname": "Sukunimi", "manager": "Hallinoija", "newpicture": "Uusi kuva", diff --git a/www/core/components/user/lang/fr.json b/www/core/components/user/lang/fr.json index 2391c86e714..1ed191df289 100644 --- a/www/core/components/user/lang/fr.json +++ b/www/core/components/user/lang/fr.json @@ -11,7 +11,7 @@ "emailagain": "Courriel (confirmation)", "firstname": "Prénom", "interests": "Centres d'intérêt", - "invaliduser": "Utilisateur non valide", + "invaliduser": "Utilisateur non valide.", "lastname": "Nom", "manager": "Gestionnaire", "newpicture": "Nouvelle image", @@ -19,7 +19,7 @@ "phone2": "Téléphone mobile", "roles": "Rôles", "sendemail": "Courriel", - "student": "Participants", + "student": "Étudiant", "teacher": "Enseignant non-éditeur", "viewprofile": "Consulter le profil", "webpage": "Page Web" diff --git a/www/core/components/user/lang/he.json b/www/core/components/user/lang/he.json index cfd73b8aa8f..8c3c7ed4ae4 100644 --- a/www/core/components/user/lang/he.json +++ b/www/core/components/user/lang/he.json @@ -1,7 +1,7 @@ { "address": "כתובת", "city": "ישוב", - "contact": "ליצירת קשר", + "contact": "צור קשר", "country": "ארץ", "description": "תיאור", "details": "פרטים", @@ -11,7 +11,7 @@ "emailagain": "דואר אלקטרוני (שוב)", "firstname": "שם פרטי", "interests": "תחומי עניין", - "invaliduser": "משתמש שגוי", + "invaliduser": "משתמש לא תקף.", "lastname": "שם משפחה", "manager": "מנהל", "newpicture": "תמונה חדשה", diff --git a/www/core/components/user/lang/hr.json b/www/core/components/user/lang/hr.json index 5c86b11673e..eed8cc24c07 100644 --- a/www/core/components/user/lang/hr.json +++ b/www/core/components/user/lang/hr.json @@ -10,7 +10,7 @@ "emailagain": "E-pošta (ponovno)", "firstname": "Ime", "interests": "Interesi", - "invaliduser": "Neispravan korisnik", + "invaliduser": "Neispravan korisnik.", "lastname": "Prezime", "manager": "Menadžer", "newpicture": "Nova slika", diff --git a/www/core/components/user/lang/it.json b/www/core/components/user/lang/it.json index e5ac1a11ae9..206fa800347 100644 --- a/www/core/components/user/lang/it.json +++ b/www/core/components/user/lang/it.json @@ -11,13 +11,14 @@ "emailagain": "Indirizzo email (ripeti)", "firstname": "Nome", "interests": "Interessi", - "invaliduser": "Utente non valido", + "invaliduser": "Utente non valido.", "lastname": "Cognome", "manager": "Manager", "newpicture": "Nuova immagine", "phone1": "Telefono", "phone2": "Cellulare", "roles": "Ruoli", + "sendemail": "Email", "student": "Studente", "teacher": "Docente non editor", "viewprofile": "Visualizza", diff --git a/www/core/components/user/lang/ja.json b/www/core/components/user/lang/ja.json index 848efaba470..1d661257fae 100644 --- a/www/core/components/user/lang/ja.json +++ b/www/core/components/user/lang/ja.json @@ -1,7 +1,7 @@ { "address": "住所", "city": "都道府県", - "contact": "連絡先", + "contact": "コンタクト", "country": "国", "description": "説明", "details": "詳細", diff --git a/www/core/components/user/lang/lt.json b/www/core/components/user/lang/lt.json index e42242ef453..45d867d2243 100644 --- a/www/core/components/user/lang/lt.json +++ b/www/core/components/user/lang/lt.json @@ -1,7 +1,7 @@ { "address": "Adresas", "city": "Miestas / miestelis", - "contact": "Kontaktas", + "contact": "Kontaktai", "country": "Šalis", "description": "Aprašas", "details": "Detalės", @@ -11,7 +11,7 @@ "emailagain": "El. paštas (dar kartą)", "firstname": "Vardas", "interests": "Pomėgiai", - "invaliduser": "Klaidingas naudotojas", + "invaliduser": "Netinkamas vartotojas.", "lastname": "Pavardė", "manager": "Valdytojas", "newpicture": "Naujas paveikslėlis", diff --git a/www/core/components/user/lang/nl.json b/www/core/components/user/lang/nl.json index 046d955bfba..9e9b2898795 100644 --- a/www/core/components/user/lang/nl.json +++ b/www/core/components/user/lang/nl.json @@ -11,7 +11,7 @@ "emailagain": "E-mail (nogmaals)", "firstname": "Voornaam", "interests": "Interesses", - "invaliduser": "Ongeldige gebruiker", + "invaliduser": "Ongeldige gebuiker", "lastname": "Achternaam", "manager": "Manager", "newpicture": "Nieuwe foto", diff --git a/www/core/components/user/lang/pt-br.json b/www/core/components/user/lang/pt-br.json index d65c2b3eccb..5333df70209 100644 --- a/www/core/components/user/lang/pt-br.json +++ b/www/core/components/user/lang/pt-br.json @@ -11,7 +11,7 @@ "emailagain": "Confirmar endereço de e-mail", "firstname": "Nome", "interests": "Interesses", - "invaliduser": "Usuário inválido", + "invaliduser": "Usuário inválido.", "lastname": "Sobrenome", "manager": "Gerente", "newpicture": "Nova imagem", diff --git a/www/core/components/user/lang/ro.json b/www/core/components/user/lang/ro.json index e1c0f7bd929..5e7dcf168ec 100644 --- a/www/core/components/user/lang/ro.json +++ b/www/core/components/user/lang/ro.json @@ -11,14 +11,14 @@ "emailagain": "Email (reintroduceţi)", "firstname": "Prenume", "interests": "Interese", - "invaliduser": "Utilizator incorect", + "invaliduser": "Utilizator necunoscut.", "lastname": "Nume", "manager": "Manager", "newpicture": "Imagine nouă", "phone1": "Telefon", "phone2": "Mobil", "roles": "Roluri", - "student": "Cursant", + "student": "Student", "teacher": "Profesor asistent", "viewprofile": "Vezi profilul", "webpage": "Pagină Web" diff --git a/www/core/components/user/lang/ru.json b/www/core/components/user/lang/ru.json index daf0d377974..52f3063394d 100644 --- a/www/core/components/user/lang/ru.json +++ b/www/core/components/user/lang/ru.json @@ -11,7 +11,7 @@ "emailagain": "Адрес электронной почты (еще раз)", "firstname": "Имя", "interests": "Интересы", - "invaliduser": "Некорректный пользователь", + "invaliduser": "Неправильный пользователь", "lastname": "Фамилия", "manager": "Управляющий", "newpicture": "Новое изображение", diff --git a/www/core/components/user/lang/sv.json b/www/core/components/user/lang/sv.json index 239dbb9c6af..ffbb8e5f6d9 100644 --- a/www/core/components/user/lang/sv.json +++ b/www/core/components/user/lang/sv.json @@ -11,14 +11,14 @@ "emailagain": "E-post (igen)", "firstname": "Förnamn", "interests": "Intressen", - "invaliduser": "Ogiltig användare", + "invaliduser": "Ogiltig användare.", "lastname": "Efternamn", "manager": "Manager", "newpicture": "Ny bild", "phone1": "Telefon", "phone2": "Mobiltelefon", "roles": "Roller", - "student": "Student/elev/deltagare/lärande", + "student": "Student", "teacher": "Icke editerande lärare", "viewprofile": "Visa profil", "webpage": "Webbsida" diff --git a/www/core/components/user/lang/tr.json b/www/core/components/user/lang/tr.json index b4220cb1697..8f97f30864f 100644 --- a/www/core/components/user/lang/tr.json +++ b/www/core/components/user/lang/tr.json @@ -1,7 +1,7 @@ { "address": "Adres", "city": "Şehir", - "contact": "İletişim", + "contact": "Kişi", "country": "Ülke", "description": "Tanıtım metni", "details": "Detaylar", @@ -10,7 +10,7 @@ "emailagain": "E-posta (tekrar)", "firstname": "Adı", "interests": "İlgi alanları", - "invaliduser": "Geçersiz kullanıcı", + "invaliduser": "Geçersiz kullanıcı.", "lastname": "Soyadı", "manager": "Yönetici", "newpicture": "Yeni resim", diff --git a/www/core/components/user/lang/uk.json b/www/core/components/user/lang/uk.json index 0e672d1bb8f..178340d0536 100644 --- a/www/core/components/user/lang/uk.json +++ b/www/core/components/user/lang/uk.json @@ -11,7 +11,7 @@ "emailagain": "Електронна пошта (повторно)", "firstname": "Ім'я", "interests": "Інтереси", - "invaliduser": "Неправильний користувач", + "invaliduser": "Невірний користувач.", "lastname": "Прізвище", "manager": "Менеджер", "newpicture": "Новий малюнок", diff --git a/www/core/lang/ca.json b/www/core/lang/ca.json index b23cee38c33..1f3fc3d0a3d 100644 --- a/www/core/lang/ca.json +++ b/www/core/lang/ca.json @@ -40,7 +40,7 @@ "days": "dies", "decsep": ",", "delete": "Suprimeix", - "deleting": "S'està suprimint", + "deleting": "S'està eliminant", "description": "Descripció", "dfdaymonthyear": "DD-MM-YYYY", "dfdayweekmonth": "ddd, D MMM", @@ -84,9 +84,9 @@ "hour": "hora", "hours": "hores", "humanreadablesize": "{{size}} {{unit}}", - "image": "Imatge ({{$a.MIMETYPE2}})", + "image": "Imatge", "imageviewer": "Visor d'imatges", - "info": "Info", + "info": "Informació", "ios": "iOS", "labelsep": ":", "lastmodified": "Darrera modificació", @@ -136,7 +136,7 @@ "nocomments": "Sense comentaris", "nograde": "Sense qualificació", "none": "Cap", - "nopasswordchangeforced": "No podeu continuar sense canviar la contrasenya, però no està disponible cap pàgina on pugueu canviar-la. Contacteu amb l'administració del vostre Moodle.", + "nopasswordchangeforced": "No podeu continuar sense canviar la contrasenya.", "nopermissions": "Actualment no teniu permisos per a fer això ({{$a}})", "noresults": "Sense resultats", "notapplicable": "n/a", @@ -164,7 +164,7 @@ "retry": "Reintenta", "save": "Desa", "search": "Cerca...", - "searching": "Cerca a", + "searching": "S'està cercant", "searchresults": "Resultats de la cerca", "sec": "segon", "secs": "segons", diff --git a/www/core/lang/cs.json b/www/core/lang/cs.json index 6618ee88568..cb3d3f4d57c 100644 --- a/www/core/lang/cs.json +++ b/www/core/lang/cs.json @@ -94,9 +94,9 @@ "hour": "hodina", "hours": "hodin", "humanreadablesize": "{{size}} {{unit}}", - "image": "Obrázek ({{$a.MIMETYPE2}})", + "image": "Obrázek", "imageviewer": "Prohlížeč obrázků", - "info": "Info", + "info": "Informace", "ios": "iOS", "labelsep": ": ", "lastdownloaded": "Poslední stažení", @@ -147,7 +147,7 @@ "nocomments": "Bez komentářů", "nograde": "Bez známky", "none": "Žádný", - "nopasswordchangeforced": "Nemůžete pokračovat dál bez změny hesla, ale stránka pro jeho změnu není k dispozici. Kontaktujte správce Vašeho eLearningu Moodle.", + "nopasswordchangeforced": "Nelze pokračovat beze změny hesla.", "nopermissions": "Je mi líto, ale momentálně nemáte oprávnění vykonat tuto operaci ({{$a}})", "noresults": "Žádné výsledky", "notapplicable": "n/a", @@ -176,13 +176,13 @@ "retry": "Opakovat", "save": "Uložit", "search": "Hledat", - "searching": "Hledat v", + "searching": "Hledání", "searchresults": "Výsledky hledání", "sec": "sek.", "secs": "sekund", "seemoredetail": "Více podrobností...", "send": "odeslat", - "sending": "Odesílání", + "sending": "Odeslání", "serverconnection": "Chyba spojení se serverem", "show": "Zobrazit", "showmore": "Zobrazit více...", diff --git a/www/core/lang/da.json b/www/core/lang/da.json index b01137523ea..2d3f3c102cb 100644 --- a/www/core/lang/da.json +++ b/www/core/lang/da.json @@ -80,9 +80,9 @@ "hour": "time", "hours": "timer", "humanreadablesize": "{{size}} {{unit}}", - "image": "Billede ({{$a.MIMETYPE2}})", + "image": "Billede", "imageviewer": "Billedfremviser", - "info": "Info", + "info": "Information", "ios": "iOS", "labelsep": ":", "lastdownloaded": "Sidst downloadet", @@ -132,7 +132,7 @@ "nocomments": "Ingen kommentarer", "nograde": "Ingen karakter", "none": "Ingen", - "nopasswordchangeforced": "Du kan ikke fortsætte uden at ændre din adgangskode, men der er ingen tilgængelig side at ændre den på. Kontakt din Moodleadministrator.", + "nopasswordchangeforced": "Du kan ikke fortsætte uden at ændre din adgangskode.", "nopermissions": "Beklager, men dette ({{$a}}) har du ikke tilladelse til.", "noresults": "Ingen resultater", "notapplicable": "n/a", @@ -161,7 +161,7 @@ "retry": "Prøv igen", "save": "Gem", "search": "Søg...", - "searching": "Søg i", + "searching": "Søger", "searchresults": "Søgeresultater", "sec": "sekunder", "secs": "sekunder", diff --git a/www/core/lang/de-du.json b/www/core/lang/de-du.json index fdb9780331e..a8b620dbc46 100644 --- a/www/core/lang/de-du.json +++ b/www/core/lang/de-du.json @@ -49,7 +49,7 @@ "decsep": ",", "delete": "Löschen", "deletedoffline": "Offline gelöscht", - "deleting": "Lösche", + "deleting": "Löschen ...", "description": "Beschreibung", "dfdaymonthyear": "DD.MM.YYYY", "dfdayweekmonth": "ddd, D. MMM", @@ -93,9 +93,9 @@ "hour": "Stunde", "hours": "Stunden", "humanreadablesize": "{{size}} {{unit}}", - "image": "Bilddatei ({{$a.MIMETYPE2}})", + "image": "Bild", "imageviewer": "Bildanzeige", - "info": "Informationen", + "info": "Info", "ios": "iOS", "labelsep": ":", "lastdownloaded": "Zuletzt heruntergeladen", @@ -133,7 +133,7 @@ "nocomments": "Noch keine Kommentare", "nograde": "Keine Bewertung", "none": "Keine", - "nopasswordchangeforced": "Ohne die Änderung des Kennworts können Sie nicht weitermachen. Falls die Seite zur Änderung des Kennworts nicht verfügbar ist, wenden Sie sich an den Administrator der Website.", + "nopasswordchangeforced": "Du kannst nicht weitermachen, ohne das Kennwort zu ändern.", "nopermissions": "Entschuldigung, aber du besitzt derzeit keine Rechte, dies zu tun ({{$a}}).", "noresults": "Keine Ergebnisse", "notapplicable": "n/a", @@ -162,13 +162,13 @@ "retry": "Neu versuchen", "save": "Sichern", "search": "Suchen", - "searching": "Suche in", + "searching": "Suchen", "searchresults": "Suchergebnisse", "sec": "Sekunde", "secs": "Sekunden", "seemoredetail": "Klicke hier, um weitere Details sichtbar zu machen", "send": "Senden", - "sending": "wird gesendet", + "sending": "Senden", "serverconnection": "Fehler beim Verbinden zum Server", "show": "Anzeigen", "showmore": "Mehr anzeigen ...", diff --git a/www/core/lang/de.json b/www/core/lang/de.json index f480c9096df..71dfb4541c2 100644 --- a/www/core/lang/de.json +++ b/www/core/lang/de.json @@ -50,7 +50,7 @@ "defaultvalue": "Standard ({{$a}})", "delete": "Löschen", "deletedoffline": "Offline gelöscht", - "deleting": "Lösche", + "deleting": "Löschen ...", "description": "Beschreibung", "dfdaymonthyear": "DD.MM.YYYY", "dfdayweekmonth": "ddd, D. MMM", @@ -94,9 +94,9 @@ "hour": "Stunde", "hours": "Stunden", "humanreadablesize": "{{size}} {{unit}}", - "image": "Bilddatei ({{$a.MIMETYPE2}})", + "image": "Bild", "imageviewer": "Bildanzeige", - "info": "Informationen", + "info": "Info", "ios": "iOS", "labelsep": ": ", "lastdownloaded": "Zuletzt heruntergeladen", @@ -147,7 +147,7 @@ "nocomments": "Noch keine Kommentare", "nograde": "Keine Bewertung", "none": "Keine", - "nopasswordchangeforced": "Ohne die Änderung des Kennworts können Sie nicht weitermachen. Falls die Seite zur Änderung des Kennworts nicht verfügbar ist, wenden Sie sich an den Administrator der Website.", + "nopasswordchangeforced": "Sie können nicht weitermachen, ohne das Kennwort zu ändern.", "nopermissions": "Sie besitzen derzeit keine Rechte, dies zu tun ({{$a}}).", "noresults": "Keine Ergebnisse", "notapplicable": "n/a", @@ -176,13 +176,13 @@ "retry": "Neu versuchen", "save": "Speichern", "search": "Suchen", - "searching": "Suche in", + "searching": "Suchen", "searchresults": "Suchergebnisse", "sec": "Sekunde", "secs": "Sekunden", "seemoredetail": "Hier klicken, um weitere Details sichtbar zu machen", "send": "Senden", - "sending": "wird gesendet", + "sending": "Senden", "serverconnection": "Fehler beim Verbinden zum Server", "show": "Anzeigen", "showmore": "Mehr anzeigen ...", diff --git a/www/core/lang/el.json b/www/core/lang/el.json index d4614970a0d..cd7e675c22d 100644 --- a/www/core/lang/el.json +++ b/www/core/lang/el.json @@ -40,7 +40,7 @@ "days": "ημέρες", "decsep": ",", "delete": "Διαγραφή", - "deleting": "Διαγραφή", + "deleting": "Γίνεται διαγραφή", "description": "Κείμενο εισαγωγής", "dfdaymonthyear": "MM-DD-YYYY", "dfdayweekmonth": "ddd, D MMM", @@ -135,7 +135,7 @@ "nocomments": "Χωρίς Σχόλια", "nograde": "Δεν υπάρχει βαθμός", "none": "Κανένας", - "nopasswordchangeforced": "You cannot proceed without changing your password, however there is no available page for changing it. Please contact your Moodle Administrator.", + "nopasswordchangeforced": "Δεν μπορείτε να προχωρήσετε χωρίς να αλλάξετε τον κωδικό πρόσβασής σας.", "nopermissions": "Συγνώμη, αλλά επί του τρεχόντως δεν έχετε το δικαίωμα να το κάνετε αυτό ({{$a}})", "noresults": "Κανένα αποτέλεσμα", "notapplicable": "n/a", @@ -163,13 +163,13 @@ "retry": "Προσπαθήστε ξανά", "save": "Αποθήκευση", "search": "Αναζήτηση", - "searching": "Αναζήτηση σε", + "searching": "Αναζήτηση", "searchresults": "Αποτελέσματα αναζήτησης", "sec": "δευτερόλεπτο", "secs": "δευτερόλεπτα", "seemoredetail": "Κάντε κλικ εδώ για να δείτε περισσότερες λεπτομέρειες", "send": "Αποστολή", - "sending": "Αποστέλλεται", + "sending": "Αποστολή", "show": "Προβολή", "showmore": "Περισσότερα...", "site": "ιστοχώρος", diff --git a/www/core/lang/es-mx.json b/www/core/lang/es-mx.json index dec5e554e6d..02944b4d54b 100644 --- a/www/core/lang/es-mx.json +++ b/www/core/lang/es-mx.json @@ -94,9 +94,9 @@ "hour": "hora", "hours": "horas", "humanreadablesize": "{{size}} {{unit}}", - "image": "Imagen ({{$a.MIMETYPE2}})", + "image": "Imagen", "imageviewer": "Visor de imágenes", - "info": "Info", + "info": "Información", "ios": "iOS", "labelsep": ":", "lastdownloaded": "Última descarga", @@ -147,7 +147,7 @@ "nocomments": "No hay comentarios", "nograde": "No hay calificación", "none": "Ninguno/a", - "nopasswordchangeforced": "No puede seguir sin cambiar su contraseña, sin embargo no existe ninguna página disponible para cambiarla. Por favor contacte con su administrador de Moodle.", + "nopasswordchangeforced": "Usted no puede proceder sin cambiar su contraseña.", "nopermissions": "Lo sentimos, pero por el momento no tiene permiso para hacer eso ({{$a}})", "noresults": "Sin resultados", "notapplicable": "no disp.", @@ -176,7 +176,7 @@ "retry": "Reintentar", "save": "Guardar", "search": "Buscar", - "searching": "Buscar en", + "searching": "Buscando", "searchresults": "Resultados de la búsqueda", "sec": "segundos", "secs": "segundos", diff --git a/www/core/lang/es.json b/www/core/lang/es.json index 487e2748d35..691578bbbab 100644 --- a/www/core/lang/es.json +++ b/www/core/lang/es.json @@ -40,7 +40,7 @@ "days": "días", "decsep": ",", "delete": "Eliminar", - "deleting": "Eliminando", + "deleting": "Borrando", "description": "Descripción", "dfdaymonthyear": "MM-DD-YYYY", "dfdayweekmonth": "ddd, D MMM", @@ -84,9 +84,9 @@ "hour": "hora", "hours": "horas", "humanreadablesize": "{{size}} {{unit}}", - "image": "Imagen ({{$a.MIMETYPE2}})", + "image": "Imagen", "imageviewer": "Visor de imágenes", - "info": "Info", + "info": "Información", "ios": "iOs", "labelsep": ":", "lastmodified": "Última modificación", @@ -136,7 +136,7 @@ "nocomments": "No hay comentarios", "nograde": "No hay calificación", "none": "Ninguna", - "nopasswordchangeforced": "No puede seguir sin cambiar su contraseña, sin embargo no existe ninguna página disponible para cambiarla. Por favor contacte a su administrador de Moodle.", + "nopasswordchangeforced": "No puede continuar sin cambiar su contraseña.", "nopermissions": "Lo sentimos, pero por el momento no tiene permiso para hacer eso ({{$a}})", "noresults": "Sin resultados", "notapplicable": "n/a", @@ -165,7 +165,7 @@ "retry": "Reintentar", "save": "Guardar", "search": "Buscar", - "searching": "Buscar en", + "searching": "Buscando", "searchresults": "Resultados de la búsqueda", "sec": "segundos", "secs": "segundos", diff --git a/www/core/lang/eu.json b/www/core/lang/eu.json index 8d2a5e021d6..90cca8a4bd4 100644 --- a/www/core/lang/eu.json +++ b/www/core/lang/eu.json @@ -93,9 +93,9 @@ "hour": "ordu", "hours": "ordu(ak)", "humanreadablesize": "{{size}} {{unit}}", - "image": "Irudia ({{$a.MIMETYPE2}})", + "image": "Irudia", "imageviewer": "Irudi ikuskatzailea", - "info": "Info", + "info": "Informazioa", "ios": "iOS", "labelsep": " :", "lastdownloaded": "Azkenik jaitsita", @@ -146,7 +146,7 @@ "nocomments": "Iruzkinik ez", "nograde": "Kalifikaziorik ez", "none": "Bat ere ez", - "nopasswordchangeforced": "Ezin duzu aurrera egin pasahitza aldatu gabe, baina ez dago aldatzeko inongo orririk. Mesedez, jarri harremanetan zure Moodle Kudeatzailearekin.", + "nopasswordchangeforced": "Ezin duzu jarraitu zure pasahitza aldatu gabe.", "nopermissions": "Sentitzen dugu, baina oraingoz ez duzu hori egiteko baimenik ({{$a}})", "noresults": "Emaitzarik ez", "notapplicable": "ezin da aplikatu", @@ -175,7 +175,7 @@ "retry": "Berriz saiatu", "save": "Gorde", "search": "Bilatu...", - "searching": "Bilatu hemen", + "searching": "Bilatzen", "searchresults": "Bilaketaren emaitzak", "sec": "seg", "secs": "segundu", diff --git a/www/core/lang/fi.json b/www/core/lang/fi.json index e78624b9ee5..35bfe440f9e 100644 --- a/www/core/lang/fi.json +++ b/www/core/lang/fi.json @@ -80,7 +80,7 @@ "hide": "Piilota", "hour": "tunti", "hours": "tuntia", - "image": "Kuva ({{$a.MIMETYPE2}})", + "image": "Kuva", "info": "Taustatieto", "labelsep": ":", "lastdownloaded": "Viimeksi ladattu", @@ -118,7 +118,7 @@ "nocomments": "Ei kommentteja", "nograde": "Ei arvosanaa", "none": "Ei yhtään", - "nopasswordchangeforced": "Sinun täytyy muuttaa salasanaasi jatkaaksesi. Salasanan muuttamiseen ei kuitenkaan ole sivua, joten ota yhteyttä Moodlen ylläpitäjään.", + "nopasswordchangeforced": "Et voi jatkaa ennen kuin vaihdat salasanasi.", "nopermissions": "Sinulla ei ole oikeutta tehdä kyseistä operaatiota ({{$a}})", "noresults": "Ei tuloksia", "notice": "Ilmoitus", @@ -144,7 +144,7 @@ "retry": "Yritä uudelleen", "save": "Tallenna", "search": "Etsi", - "searching": "Etsi kohteesta", + "searching": "Hakee", "searchresults": "Haun tulokset", "sec": "sekunti", "secs": "sekuntia", diff --git a/www/core/lang/fr.json b/www/core/lang/fr.json index d600f0cc3c2..336b563ee2b 100644 --- a/www/core/lang/fr.json +++ b/www/core/lang/fr.json @@ -50,7 +50,7 @@ "defaultvalue": "Défaut ({{$a}})", "delete": "Supprimer", "deletedoffline": "Supprimé en local", - "deleting": "En cours de suppression", + "deleting": "Suppression", "description": "Description", "dfdaymonthyear": "DD-MM-YYYY", "dfdayweekmonth": "ddd, D MMM", @@ -94,9 +94,9 @@ "hour": "heure", "hours": "heures", "humanreadablesize": "{{size}} {{unit}}", - "image": "Image ({{$a.MIMETYPE2}})", + "image": "Image", "imageviewer": "Lecteur d'images", - "info": "Information", + "info": "Info", "ios": "iOS", "labelsep": " ", "lastdownloaded": "Dernier téléchargement", @@ -147,7 +147,7 @@ "nocomments": "Aucun commentaire", "nograde": "Pas de note", "none": "Aucun", - "nopasswordchangeforced": "Vous ne pouvez pas continuer sans modifier votre mot de passe. Cependant, il n'y a aucun moyen disponible de le modifier. Veuillez contacter l'administrateur de votre Moodle.", + "nopasswordchangeforced": "Vous ne pouvez pas continuer sans changer votre mot de passe.", "nopermissions": "Désolé, vous n'avez actuellement pas les droits d'accès requis pour effectuer ceci ({{$a}})", "noresults": "Pas de résultat", "notapplicable": "n/a", @@ -176,7 +176,7 @@ "retry": "Essayer à nouveau", "save": "Enregistrer", "search": "Rechercher", - "searching": "Rechercher dans", + "searching": "Recherche", "searchresults": "Résultats de la recherche", "sec": "s", "secs": "s", diff --git a/www/core/lang/he.json b/www/core/lang/he.json index 6f5bf4ba135..8ce79af493c 100644 --- a/www/core/lang/he.json +++ b/www/core/lang/he.json @@ -52,7 +52,7 @@ "hide": "הסתרה", "hour": "שעה", "hours": "שעות", - "image": "תמונת ({{$a.MIMETYPE2}})", + "image": "תמונה", "imageviewer": "מציג תמונות", "info": "מידע", "labelsep": ":", @@ -130,7 +130,7 @@ "secs": "שניות", "seemoredetail": "הקליקו כאן כדי לראות פרטים נוספים", "send": "שליחה", - "sending": "שולחים", + "sending": "שולח", "serverconnection": "שגיאה בהתחברות לשרת", "show": "הצגה", "site": "מערכת", diff --git a/www/core/lang/hr.json b/www/core/lang/hr.json index 1f02e1ac4ee..0721786b591 100644 --- a/www/core/lang/hr.json +++ b/www/core/lang/hr.json @@ -55,8 +55,8 @@ "hour": "sat", "hours": "sat(a)", "humanreadablesize": "{{size}} {{unit}}", - "image": "Slika ({{$a.MIMETYPE2}})", - "info": "Informacija", + "image": "Slika", + "info": "Info", "ios": "iOS", "labelsep": ":", "lastmodified": "Zadnji puta izmijenjeno", @@ -111,7 +111,7 @@ "restore": "Vraćanje iz kopije", "save": "Pohrani", "search": "Pretraži", - "searching": "Traži u", + "searching": "Pretraga", "searchresults": "Rezultati pretraživanja", "sec": "sek", "secs": "s", diff --git a/www/core/lang/it.json b/www/core/lang/it.json index f1db6e95216..52245441e0f 100644 --- a/www/core/lang/it.json +++ b/www/core/lang/it.json @@ -1,11 +1,16 @@ { + "accounts": "Account", "allparticipants": "Tutti i partecipanti", "android": "Android", "areyousure": "Sei sicuro?", "back": "Indietro", "cancel": "Annulla", "cannotconnect": "Impossibile connettersi: verificare che l'URL sia corretto e che il sito usi Moodle 2.4 o versioni successive.", - "cannotdownloadfiles": "Nel servizio Mobile Lo scaricamento di file è disabilitato. Per favore contatta l'amministratore del sito.", + "cannotdownloadfiles": "Lo scaricamento di file è disabilitato. Per favore contatta l'amministratore del sito.", + "captureaudio": "Registra audio", + "capturedimage": "Foto scattata.", + "captureimage": "Scatta foto", + "capturevideo": "Registra video", "category": "Categoria", "choose": "Seleziona", "choosedots": "Scegli...", @@ -28,20 +33,24 @@ "completion-alt-manual-y-override": "Completato: {{$a.modname}} (impostato da {{$a.overrideuser}}). Selezionare per contrassegnare come non completato.", "confirmcanceledit": "Sei sicuro di abbandonare questa pagina? Tutte le modifiche saranno perdute.", "confirmdeletefile": "Sei sicuro di voler eliminare questo file?", + "confirmloss": "Sei sicuro? Le modifiche andranno perdute.", "confirmopeninbrowser": "Desideri aprirlo nel browser?", "content": "Contenuto", "continue": "Continua", "course": "Corso", "coursedetails": "Dettagli corso", + "currentdevice": "Dispositivo attuale", "date": "Data", "day": "giorno", "days": "giorni", "decsep": ",", "defaultvalue": "Default ({{$a}})", "delete": "Elimina", - "deleting": "Eliminazione", + "deleting": "Eliminazione in corso", "description": "Commento", + "dfdaymonthyear": "DD-MM-YYYY", "dfdayweekmonth": "ddd, D MMM", + "dffulldate": "dddd, D MMMM YYYY h[:]mm A", "dflastweekdate": "ddd", "dfmediumdate": "LLL", "dftimedate": "h[:]mm A", @@ -53,14 +62,17 @@ "errorchangecompletion": "Si è verificato un errore durante la modifica dello stato di completamento. Per favore riprova.", "errordeletefile": "Si è verificato un errore durante l'eliminazione del file. Per favore riprova.", "errordownloading": "Si è verificato un errore durante lo scaricamento del file.", - "errordownloadingsomefiles": "Si è verificato un errore durante lo scaricamento dei file del modulo. Possono mancare alcuni file.", + "errordownloadingsomefiles": "Si è verificato un errore durante lo scaricamento dei file. E' possibile che manchino alcuni file.", "errorfileexistssamename": "Un file con lo stesso nome è già presente.", "errorinvalidresponse": "E' stata ricevuta una risposta non valida. Se l'errore persiste, contatta l'amministratore del sito.", + "errorloadingcontent": "Si è verificato un errore durante il caricamento del contenuto.", "erroropenfilenoapp": "Si è verificato un errore durante l'apertura del file: non sono disponibili app per aprire questo tipo di file.", - "erroropenfilenoextension": "Si è verificato un errore durante l'apertura del file: il file non ha estensione.", + "erroropenfilenoextension": "Si è verificato un errore durante l'apertura del file: il file non ha un'estensione.", "erroropenpopup": "L'attività tenta di aprirsi in una finestra popup. Le popup non sono supportate nella app.", - "errorrenamefile": "Si è verificato un errore durante la modifca del nome del file. Per favore riprova.", + "errorrenamefile": "Si è verificato un errore durante la modifica del nome del file. Per favore riprova.", + "errorsync": "Si è verificato un errore durante la sincronizzazione. Per favore riprova.", "filename": "Nome del file", + "filenameexist": "Un file con lo stesso non è già presente: {{$a}}", "folder": "Cartella", "forcepasswordchangenotice": "È necessario cambiare la password per proseguire.", "fulllistofcourses": "Tutti i corsi", @@ -72,9 +84,9 @@ "hour": "ora", "hours": "ore", "humanreadablesize": "{{size}} {{unit}}", - "image": "Immagine ({{$a.MIMETYPE2}})", + "image": "Immagine", "imageviewer": "Visualizzatore di immagini", - "info": "Informazione", + "info": "Informazioni", "ios": "iOS", "labelsep": ": ", "lastmodified": "Ultima modifica", @@ -83,7 +95,7 @@ "list": "Elenco", "listsep": ";", "loading": "Caricamento in corso", - "lostconnection": "La connessione è stata perduta. Il tuo token non è più valido.", + "lostconnection": "Il token di autenticazione non è valido o è scaduto. Devi autenticarti nuovamente.", "maxsizeandattachments": "Dimensione massima per i file nuovi: {{$a.size}}, numero massimo di allegati: {{$a.attachments}}", "min": "min.", "mins": "min.", @@ -128,6 +140,7 @@ "noresults": "Nessun risultato", "notapplicable": "n/d", "notice": "Nota", + "notsent": "Non inviato", "now": "adesso", "numwords": "{{$a}} parole", "offline": "Questo compito non richiede consegne online", @@ -145,18 +158,18 @@ "quotausage": "Hai utilizzato {{$a.used}} su un massimo di {{$a.total}}", "refresh": "Aggiorna", "required": "La risposta è obbligatoria", - "requireduserdatamissing": "Nel profilo di questo utente mancano alcuni dati. Per favore compila i dati mancanti in Moodle e riprova.
      {{$a}}", + "requireduserdatamissing": "Nel profilo di questo utente mancano alcuni dati. Per favore compila i dati mancanti e riprova.
      {{$a}}", "restore": "Ripristino", "retry": "Riprova", "save": "Salva", "search": "Cerca", - "searching": "Cerca in", + "searching": "Ricerca in corso", "searchresults": "Risultati della ricerca", "sec": "secondo", "secs": "secondi", "seemoredetail": "Clicca qui per ulteriori dettagli", "send": "invia", - "sending": "Invio in corso", + "sending": "Invio in c orso", "serverconnection": "Si è verificato un errore durante la connessione al server", "show": "Visualizza", "site": "Sito", @@ -174,8 +187,9 @@ "time": "Data/Ora", "timesup": "Tempo scaduto!", "today": "Oggi", + "tryagain": "Riprova", "twoparagraphs": "{{p1}}

      {{p2}}", - "unexpectederror": "Si è verificato un errore inatteso. Riprova chiudendo e riaprendo l'applicazione", + "unexpectederror": "Si è verificato un errore inatteso. Riprova chiudendo e riaprendo l'applicazione.", "unknown": "Sconosciuto", "unlimited": "Nessun limite", "unzipping": "Decompressione in corso", diff --git a/www/core/lang/ja.json b/www/core/lang/ja.json index 2ff87c2b09f..522e29f4c84 100644 --- a/www/core/lang/ja.json +++ b/www/core/lang/ja.json @@ -45,7 +45,7 @@ "decsep": ".", "defaultvalue": "デフォルト ({{$a}})", "delete": "削除", - "deleting": "削除", + "deleting": "消去中", "description": "説明", "dfdaymonthyear": "YYYY/MM/DD", "dfdayweekmonth": "MMM月D日(ddd)", @@ -89,9 +89,9 @@ "hour": "時間", "hours": "時間", "humanreadablesize": "{{size}} {{unit}}", - "image": "イメージ ({{$a.MIMETYPE2}})", + "image": "画像", "imageviewer": "画像ビューア", - "info": "インフォメーション", + "info": "情報", "ios": "iOS", "labelsep": ":", "lastmodified": "最終更新日時", @@ -128,7 +128,7 @@ "nocomments": "コメントなし", "nograde": "評点なし", "none": "なし", - "nopasswordchangeforced": "あなたはパスワードを変更せずに次へ進むことはできません。しかし、パスワードを変更するため利用できるページがありません。あなたのMoodle管理者にご連絡ください。", + "nopasswordchangeforced": "パスワードを変更するまで続きを実行できません。", "nopermissions": "申し訳ございません、現在、あなたは 「 {{$a}} 」を実行するためのパーミッションがありません。", "noresults": "該当データはありません。", "notapplicable": "なし", @@ -157,7 +157,7 @@ "retry": "再実行", "save": "保存", "search": "検索 ...", - "searching": "検索:", + "searching": "検索中", "searchresults": "検索結果", "sec": "秒", "secs": "秒", @@ -191,7 +191,7 @@ "unexpectederror": "不明なエラー。アプリを閉じて再起動してみてください。", "unicodenotsupported": "本サイトでは一部の絵文字がサポートされていません。それらは送信されたメッセージから削除されます。", "unicodenotsupportedcleanerror": "Unicode文字をクリアする際に空のテキストがありました。", - "unknown": "不明", + "unknown": "不明な", "unlimited": "無制限", "unzipping": "未展開の", "upgraderunning": "サイトはアップグレード中です。後ほどお試しください。", diff --git a/www/core/lang/ko.json b/www/core/lang/ko.json index bc82cd3ab0a..0ebce63b730 100644 --- a/www/core/lang/ko.json +++ b/www/core/lang/ko.json @@ -45,7 +45,7 @@ "decsep": ".", "delete": "삭제", "deletedoffline": "오프라인에서 삭제됨", - "deleting": "삭제하기", + "deleting": "삭제 중", "description": "설명", "dfdaymonthyear": "MM-DD-YYYY", "dfdayweekmonth": "ddd, D MMM", @@ -89,9 +89,9 @@ "hour": "시", "hours": "시간", "humanreadablesize": "{{size}} {{unit}}", - "image": "이미지 ({{$a.MIMETYPE2}})", + "image": "이미지", "imageviewer": "이미지 뷰어", - "info": "안내", + "info": "정보", "ios": "iOS", "labelsep": " :", "lastdownloaded": "마지막으로 다운로드 한 파일", @@ -129,7 +129,7 @@ "nocomments": "덧글 없음", "nograde": "성적 없음", "none": "없음", - "nopasswordchangeforced": "비밀번호 변경없이는 계속할 수 없습니다만 암호를 변경할 방법이 없습니다. 무들 관리자에게 연락하기 바랍니다.", + "nopasswordchangeforced": "암호를 변경하지 않고 계속 진행할 수 없습니다.", "nopermissions": "죄송합니다만 그 ({{$a}})를 할만한 권한이 없습니다.", "noresults": "결과 없음", "notapplicable": "n/a", diff --git a/www/core/lang/lt.json b/www/core/lang/lt.json index cea16642f54..0f8dcd41c03 100644 --- a/www/core/lang/lt.json +++ b/www/core/lang/lt.json @@ -42,7 +42,7 @@ "days": "dienos", "decsep": ".", "delete": "Naikinti", - "deleting": "Naikinama", + "deleting": "Trinama", "description": "Aprašas", "dfdaymonthyear": "MM-DD-MMMM", "dfdayweekmonth": "ddd, D MMM", @@ -83,7 +83,7 @@ "hour": "valanda", "hours": "valandos", "humanreadablesize": "{{dydis}} {{vienetai}}", - "image": "Paveiksliukas ({{$a.MIMETYPE2}})", + "image": "Paveiksliukas", "imageviewer": "Paveiksliukų peržiūra", "info": "Informacija", "ios": "iOS", @@ -134,7 +134,7 @@ "nocomments": "Jokių komentarų", "nograde": "Nėra įverčio", "none": "Nei vienas", - "nopasswordchangeforced": "Negalite tęsti nepakeitę slaptažodžio, tačiau nėra slaptažodžio keitimo puslapio. Susisiekite su „Moodle“ administratoriumi.", + "nopasswordchangeforced": "Nepakeitus slaptažodžio, negalima tęsti.", "nopermissions": "Atsiprašome, tačiau šiuo metu jūs neturite teisės atlikti šio veiksmo", "noresults": "Nėra rezultatų", "notapplicable": "netaikoma", @@ -163,7 +163,7 @@ "retry": "Bandykite dar kartą", "save": "Įrašyti", "search": "Paieška", - "searching": "Ieškoti", + "searching": "Ieškoma", "searchresults": "Ieškos rezultatai", "sec": "sek.", "secs": "sek.", @@ -195,7 +195,7 @@ "twoparagraphs": "{{p1}}

      {{p2}}", "uhoh": "Uh oh!", "unexpectederror": "Klaida. Uždarykite programėlę ir bandykite atidaryti dar kartą", - "unknown": "Nežinoma", + "unknown": "Nežinomas", "unlimited": "Neribota", "unzipping": "Išskleidžiama", "upgraderunning": "Naujinama svetainės versija, bandykite vėliau.", diff --git a/www/core/lang/mr.json b/www/core/lang/mr.json index 86f109a304f..6c6d86be04a 100644 --- a/www/core/lang/mr.json +++ b/www/core/lang/mr.json @@ -31,7 +31,7 @@ "days": "दिवस", "decsep": ".", "delete": "मिटवणे", - "deleting": "काढून टाकत आहे...", + "deleting": "हटवत आहे", "description": "प्रस्तावना", "dfdaymonthyear": "MM-DD-YYYY", "dfdayweekmonth": "ddd, D MMM", @@ -74,7 +74,7 @@ "humanreadablesize": "{{size}} {{unit}}", "image": "प्रतिमा", "imageviewer": "प्रतिमा दर्शक", - "info": "माहीती", + "info": "माहिती", "ios": "iOS", "lastdownloaded": "अंतिम डाउनलोड केलेले", "lastmodified": "शेवटचा बदललेले", @@ -99,7 +99,7 @@ "no": "नाही", "nograde": "श्रेणी दिलेली नाहि", "none": "काहीही नाही", - "nopasswordchangeforced": "पासवर्ड बदलल्याशिवाय तुम्ही पुढे जाऊच शकत नाही.जर त्यासाठी पान उपलब्ध नसेल तर मुडल व्यवस्थापकाशी संपर्क साधा.", + "nopasswordchangeforced": "आपण आपला पासवर्ड न बदलता पुढे जाऊ शकत नाही.", "noresults": "निकाल नाही.", "notapplicable": "n/a", "notice": "पूर्वसुचना", @@ -123,7 +123,7 @@ "retry": "पुन्हा प्रयत्न करा", "save": "जतन करा", "search": "शोध", - "searching": "यात शोधत आहे..", + "searching": "शोधत आहे", "searchresults": "निकाल शोधा.", "sec": "सेकंद", "secs": "सेकन्दस", @@ -153,7 +153,7 @@ "unexpectederror": "अनपेक्षित त्रुटी कृपया पुन्हा प्रयत्न करण्यासाठी अनुप्रयोग बंद करा आणि पुन्हा उघडा", "unicodenotsupported": "या साइटवर काही इमोजी समर्थित नाहीत. जेव्हा संदेश पाठविला जातो तेव्हा असे अक्षरे काढून टाकले जातील.", "unicodenotsupportedcleanerror": "युनिकोड वर्ण साफ करताना रिक्त मजकूर सापडला.", - "unknown": "अनोळखी", + "unknown": "अज्ञात", "unlimited": "अमर्याद", "unzipping": "अनझिप चालू आहे", "userdeleted": "ह्या युजरचे खाते काढून टाकण्यात आले आहे.", diff --git a/www/core/lang/nl.json b/www/core/lang/nl.json index 4d33d5aa84f..9fb77663e6b 100644 --- a/www/core/lang/nl.json +++ b/www/core/lang/nl.json @@ -50,7 +50,7 @@ "defaultvalue": "Standaard ({{$a}})", "delete": "Verwijder", "deletedoffline": "Offline verwijderd", - "deleting": "Verwijderen", + "deleting": "Verwijderen.", "description": "Inleidende tekst", "dfdaymonthyear": "MM-DD-JJJJ", "dfdayweekmonth": "ddd, D, MMM", @@ -94,9 +94,9 @@ "hour": "uur", "hours": "uren", "humanreadablesize": "{{size}} {{unit}}", - "image": "Afbeelding ({{$a.MIMETYPE2}})", + "image": "Afbeelding", "imageviewer": "Afbeeldingsviewer", - "info": "Informatie", + "info": "Info", "ios": "iOS", "labelsep": ": ", "lastdownloaded": "Laatste download", @@ -147,7 +147,7 @@ "nocomments": "Geen commentaren", "nograde": "Nog geen cijfer", "none": "Geen", - "nopasswordchangeforced": "Je kunt niet verdergaan zonder je wachtwoord te wijzigen, hoewel er geen pagina voorzien is om dat te doen. Neem contact op met je Moodlebeheerder", + "nopasswordchangeforced": "Je kunt niet verdergaan zonder je wachtwoord te veranderen.", "nopermissions": "Sorry, maar je hebt nu niet het recht om dat te doen ({{$a}}).", "noresults": "Geen resultaat", "notapplicable": "n/a", @@ -176,13 +176,13 @@ "retry": "Probeer opnieuw", "save": "Bewaar", "search": "Zoeken...", - "searching": "Zoek in", + "searching": "Zoeken", "searchresults": "Zoekresultaten", "sec": "seconde", "secs": "seconden", "seemoredetail": "Klik hier om meer details te zien", "send": "Stuur", - "sending": "Versturen", + "sending": "Sturen", "serverconnection": "Fout bij het verbinden met de server", "show": "Toon", "showmore": "Toon meer...", diff --git a/www/core/lang/pt-br.json b/www/core/lang/pt-br.json index 1e51736dc9a..7f38452fd52 100644 --- a/www/core/lang/pt-br.json +++ b/www/core/lang/pt-br.json @@ -93,9 +93,9 @@ "hour": "hora", "hours": "horas", "humanreadablesize": "{{size}} {{unit}}", - "image": "Imagem ({{$a.MIMETYPE2}})", + "image": "Imagem", "imageviewer": "Visualizador de imagens", - "info": "Informação", + "info": "Informações", "ios": "iOS", "labelsep": ": ", "lastdownloaded": "Descarregada última vez em", @@ -146,7 +146,7 @@ "nocomments": "Nenhum comentário", "nograde": "Nenhuma nota", "none": "Nenhum", - "nopasswordchangeforced": "Você não pode continuar sem mudar sua senha. Mas infelizmente não existe uma página para esse propósito.\nPor favor contate o Administrador Moodle.", + "nopasswordchangeforced": "Você não pode proceder sem mudar sua senha.", "nopermissions": "Você não tem permissão para {{$a}}", "noresults": "Sem resultados", "notapplicable": "n/a", @@ -175,7 +175,7 @@ "retry": "Tentar novamente", "save": "Gravar", "search": "Buscar", - "searching": "Buscar em", + "searching": "Procurando", "searchresults": "Resultados da busca", "sec": "segundo", "secs": "segundos", diff --git a/www/core/lang/pt.json b/www/core/lang/pt.json index 67fcf1f43cc..a700c3b0372 100644 --- a/www/core/lang/pt.json +++ b/www/core/lang/pt.json @@ -93,9 +93,9 @@ "hour": "hora", "hours": "horas", "humanreadablesize": "{{size}} {{unit}}", - "image": "Imagem ({{$a.MIMETYPE2}})", + "image": "Imagem", "imageviewer": "Visualizador de imagens", - "info": "Informação", + "info": "Informações", "ios": "iOS", "labelsep": ": ", "lastdownloaded": "Descarregada última vez em", @@ -146,7 +146,7 @@ "nocomments": "Sem comentários", "nograde": "Nenhuma nota", "none": "Nenhum", - "nopasswordchangeforced": "Não consegue prosseguir sem modificar a senha, entretanto não existe nenhuma página disponível para a mudar. Por favor contate o Administrador do site Moodle.", + "nopasswordchangeforced": "Não pode prosseguir sem alterar sua senha.", "nopermissions": "Atualmente, não tem permissões para realizar a operação {{$a}}", "noresults": "Sem resultados", "notapplicable": "n/a", @@ -156,7 +156,7 @@ "numwords": "{{$a}} palavra(s)", "offline": "Inativo", "online": "Inativo", - "openfullimage": "Clique aqui para exibir a imagem em tamanho real", + "openfullimage": "Clique aqui para mostrar a imagem em tamanho real", "openinbrowser": "Abrir no navegador", "othergroups": "Outros grupos", "pagea": "Página {{$a}}", @@ -175,7 +175,7 @@ "retry": "Tentar novamente", "save": "Gravar", "search": "Procurar", - "searching": "Pesquisar em", + "searching": "A procurar", "searchresults": "Procurar resultados", "sec": "segundo", "secs": "segundos", @@ -209,7 +209,7 @@ "unexpectederror": "Erro inesperado. Por favor, feche e abra a aplicação e tente de novo.", "unicodenotsupported": "Alguns emojis não são suportados neste site. Estes caracteres serão removidos quando a mensagem for enviada.", "unicodenotsupportedcleanerror": "Foi encontrado texto vazio ao limpar caracteres Unicode.", - "unknown": "Desconhecido(a)", + "unknown": "Desconhecido", "unlimited": "Ilimitado(a)", "unzipping": "A descomprimir", "upgraderunning": "O site está em processo de atualização, por favor, tente novamente mais tarde.", diff --git a/www/core/lang/ro.json b/www/core/lang/ro.json index 7b5dcb8fd94..fc16444530c 100644 --- a/www/core/lang/ro.json +++ b/www/core/lang/ro.json @@ -32,7 +32,7 @@ "days": "zile", "decsep": ",", "delete": "Şterge", - "deleting": "În curs de ştergere", + "deleting": "Se șterge", "description": "Text introductiv", "dfdayweekmonth": "zzz, Z LLL", "dflastweekdate": "zzz", @@ -61,9 +61,9 @@ "hour": "oră", "hours": "ore", "humanreadablesize": "{{mărime}} {{unitate}}", - "image": "Imagine ({{$a.MIMETYPE2}})", + "image": "Imagine", "imageviewer": "Vizualizator pentru imagini", - "info": "Informaţii", + "info": "Info", "ios": "iOS", "labelsep": ":", "lastmodified": "Modificat ultima dată", @@ -135,7 +135,7 @@ "restore": "Restaurează", "save": "Salvare", "search": "Caută", - "searching": "Căutare în", + "searching": "Căutare", "searchresults": "Rezultate căutare", "sec": "sec", "secs": "secs", diff --git a/www/core/lang/ru.json b/www/core/lang/ru.json index 38a36c3a343..439fa026a83 100644 --- a/www/core/lang/ru.json +++ b/www/core/lang/ru.json @@ -90,9 +90,9 @@ "hour": "ч.", "hours": "час.", "humanreadablesize": "{{size}} {{unit}}", - "image": "Изображение ({{$a.MIMETYPE2}})", + "image": "Изображение", "imageviewer": "Средство отображения изображений", - "info": "информация", + "info": "Информация", "ios": "iOS", "labelsep": ":", "lastdownloaded": "Последнее загруженное", @@ -143,7 +143,7 @@ "nocomments": "Нет комментариев", "nograde": "Без оценки", "none": "Пусто", - "nopasswordchangeforced": "Вы не можете продолжать работу без смены пароля, однако страница для его изменения не доступна. Пожалуйста, свяжитесь с администратором сайта.", + "nopasswordchangeforced": "Вы не можете продолжить, не поменяв свой пароль.", "nopermissions": "Извините, но у Вас нет прав сделать это ({{$a}})", "noresults": "Нет результатов", "notapplicable": "н/д", @@ -171,7 +171,7 @@ "retry": "Попробовать снова", "save": "Сохранить", "search": "Найти", - "searching": "Искать в", + "searching": "Поиск", "searchresults": "Результаты поиска", "sec": "сек.", "secs": "сек.", @@ -205,7 +205,7 @@ "unexpectederror": "Неизвестная ошибка. Пожалуйста, закройте, затем ещё раз откройте приложение и попробуйте снова.", "unicodenotsupported": "Некоторые смайлики не поддерживаются на этом сайте. Такие символы будут удалены при отправке сообщения.", "unicodenotsupportedcleanerror": "Был обнаружен пустой текст при очистке символов Unicode.", - "unknown": "неизвестно", + "unknown": "Неизвестно", "unlimited": "Неограничено", "unzipping": "Распаковка", "upgraderunning": "Сайт обновляется, повторите попытку позже.", diff --git a/www/core/lang/sv.json b/www/core/lang/sv.json index b7b29163b67..9e1650a7532 100644 --- a/www/core/lang/sv.json +++ b/www/core/lang/sv.json @@ -32,7 +32,7 @@ "days": "dagar", "decsep": ",", "delete": "Ta bort", - "deleting": "Tar bort", + "deleting": "ta bort", "description": "Introduktion", "dfdayweekmonth": "ddd, D MMM", "dflastweekdate": "ddd", @@ -61,9 +61,9 @@ "hour": "timme", "hours": "timmar", "humanreadablesize": "{{size}} {{unit}}", - "image": "Bild ({{$a.MIMETYPE2}})", + "image": "Bild", "imageviewer": "Bildvisare", - "info": "Information", + "info": "Info", "ios": "IOS", "labelsep": ":", "lastmodified": "Senast modifierad", @@ -136,7 +136,7 @@ "restore": "Återställ", "save": "Spara", "search": "Sök...", - "searching": "Sök i ", + "searching": "Söker", "searchresults": "Sökresultat", "sec": "Sekund", "secs": "Sekunder", diff --git a/www/core/lang/tr.json b/www/core/lang/tr.json index 63b18dc274b..ce482b4945b 100644 --- a/www/core/lang/tr.json +++ b/www/core/lang/tr.json @@ -49,7 +49,7 @@ "hide": "Gizle", "hour": "saat", "hours": "saat", - "image": "Görüntü ({{$a.MIMETYPE2}})", + "image": "Resim", "info": "Bilgi", "ios": "İOS", "labelsep": ":", @@ -118,7 +118,7 @@ "restore": "Geri yükle", "save": "Kaydet", "search": "Arama...", - "searching": "Aranan", + "searching": "Aranıyor", "searchresults": "Arama sonuçları", "sec": "sn", "secs": "sn", diff --git a/www/core/lang/uk.json b/www/core/lang/uk.json index c0c83dbfdbf..007814b1131 100644 --- a/www/core/lang/uk.json +++ b/www/core/lang/uk.json @@ -84,9 +84,9 @@ "hour": "година", "hours": "години", "humanreadablesize": "{{size}} {{unit}}", - "image": "Зображення ({{$a.MIMETYPE2}})", + "image": "Зображення", "imageviewer": "Переглядач зображень", - "info": "Інформація", + "info": "Інфо", "ios": "iOS", "labelsep": ":", "lastmodified": "Остання зміна", @@ -123,7 +123,7 @@ "nocomments": "Немає коментарів", "nograde": "Без оцінки", "none": "Не вибрано", - "nopasswordchangeforced": "Ви не можете перейти не змінивши ваш пароль, але не вказано ніякої сторінки для цього процесу. Будь ласка, зверніться до вашого Адміністратора.", + "nopasswordchangeforced": "Ви не можете продовжити без зміни пароля.", "nopermissions": "Вибачте, але ваші поточні права не дозволяють вам цього робити ({{$a}})", "noresults": "Без результатів", "notapplicable": "n/a", @@ -152,13 +152,13 @@ "retry": "Повторити", "save": "Зберегти", "search": "Знайти", - "searching": "Шукати в", + "searching": "Пошук", "searchresults": "Результати пошуку", "sec": "сек", "secs": "сек", "seemoredetail": "Деталі...", "send": "Відіслати", - "sending": "Відсилання", + "sending": "Відправка", "serverconnection": "Помилка з’єднання з сервером", "show": "Показати", "showmore": "Показати більше", @@ -186,7 +186,7 @@ "unexpectederror": "Неочікувана помилка. Будь ласка, закрийте і знову відкрийте додаток, щоб спробувати ще раз", "unicodenotsupported": "Деякі Emoji не підтримуються на цьому сайті. Такі символи будуть видалені, коли повідомлення буде відправлено.", "unicodenotsupportedcleanerror": "Порожній текст був знайдений при чищенні Unicode символів.", - "unknown": "Невідоме", + "unknown": "Невідомо", "unlimited": "Не обмежено", "unzipping": "Розпакування", "upgraderunning": "Сайт оновлюється, повторіть спробу пізніше.", From 7a7a5f3bd5b6000c77cb61a4e7820f78f464992f Mon Sep 17 00:00:00 2001 From: Juan Leyva Date: Wed, 28 Feb 2018 16:43:11 +0100 Subject: [PATCH 31/31] MOBILE-2369 languages: Include korean --- www/config.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/www/config.json b/www/config.json index 54aaeaffb99..5f48a1643e9 100644 --- a/www/config.json +++ b/www/config.json @@ -6,7 +6,7 @@ "versionname" : "3.4.1", "cache_expiration_time" : 300000, "default_lang" : "en", - "languages": {"ar": "عربي", "bg": "Български", "ca": "Català", "cs": "Čeština", "da": "Dansk", "de": "Deutsch", "de-du": "Deutsch - Du", "el": "Ελληνικά", "en": "English", "es": "Español", "es-mx": "Español - México", "eu": "Euskara", "fa": "فارسی", "fi": "Suomi", "fr" : "Français", "he" : "עברית", "hu": "magyar", "it": "Italiano", "ja": "日本語", "lt" : "Lietuvių", "mr": "मराठी", "nl": "Nederlands", "pl": "Polski", "pt-br": "Português - Brasil", "pt": "Português - Portugal", "ro": "Română", "ru": "Русский", "sr-cr": "Српски", "sr-lt": "Srpski", "sv": "Svenska", "tr" : "Türkçe", "uk" : "Українська", "zh-cn" : "简体中文", "zh-tw" : "正體中文"}, + "languages": {"ar": "عربي", "bg": "Български", "ca": "Català", "cs": "Čeština", "da": "Dansk", "de": "Deutsch", "de-du": "Deutsch - Du", "el": "Ελληνικά", "en": "English", "es": "Español", "es-mx": "Español - México", "eu": "Euskara", "fa": "فارسی", "fi": "Suomi", "fr" : "Français", "he" : "עברית", "hu": "magyar", "it": "Italiano", "ja": "日本語", "ko" : "한국어", "lt" : "Lietuvių", "mr": "मराठी", "nl": "Nederlands", "pl": "Polski", "pt-br": "Português - Brasil", "pt": "Português - Portugal", "ro": "Română", "ru": "Русский", "sr-cr": "Српски", "sr-lt": "Srpski", "sv": "Svenska", "tr" : "Türkçe", "uk" : "Українська", "zh-cn" : "简体中文", "zh-tw" : "正體中文"}, "wsservice" : "moodle_mobile_app", "wsextservice" : "local_mobile", "demo_sites": {"student": {"url": "https://school.demo.moodle.net", "username": "student", "password": "moodle"}, "teacher": {"url": "https://school.demo.moodle.net", "username": "teacher", "password": "moodle"}},