Update from 1.11.x

pull/3413/head
Julio Montoya 5 years ago
parent a1a590a6fb
commit 9c513d0517
  1. 154
      public/main/dropbox/dropbox_class.inc.php
  2. 1
      public/main/dropbox/dropbox_functions.inc.php
  3. 1
      public/main/dropbox/index.php
  4. 3
      public/main/dropbox/recover_dropbox_files.php
  5. 96
      public/main/lang/arabic/trad4all.inc.php
  6. 4
      public/main/lang/basque/trad4all.inc.php
  7. 8
      public/main/lang/brazilian/trad4all.inc.php
  8. 4
      public/main/lang/catalan/trad4all.inc.php
  9. 161
      public/main/lang/english/trad4all.inc.php
  10. 196
      public/main/lang/french/trad4all.inc.php
  11. 2
      public/main/lang/galician/trad4all.inc.php
  12. 25
      public/main/lang/german/trad4all.inc.php
  13. 2
      public/main/lang/greek/trad4all.inc.php
  14. 25
      public/main/lang/italian/trad4all.inc.php
  15. 4
      public/main/lang/slovak/trad4all.inc.php
  16. 239
      public/main/lang/slovenian/trad4all.inc.php
  17. 161
      public/main/lang/spanish/trad4all.inc.php
  18. 1
      public/main/plagiarism/compilatio/upload.php
  19. 5
      public/main/webservices/api/v2.php
  20. 3
      src/CourseBundle/Component/CourseCopy/CourseRestorer.php

@ -1,4 +1,5 @@
<?php <?php
/* For licensing terms, see /license.txt */ /* For licensing terms, see /license.txt */
/** /**
@ -183,9 +184,9 @@ class Dropbox_Work
$id = intval($id); $id = intval($id);
// Get the data from DB // Get the data from DB
$sql = "SELECT uploader_id, filename, filesize, title, description, author, upload_date, last_upload_date, cat_id $sql = 'SELECT uploader_id, filename, filesize, title, description, author, upload_date, last_upload_date, cat_id
FROM ".Database::get_course_table(TABLE_DROPBOX_FILE)." FROM '.Database::get_course_table(TABLE_DROPBOX_FILE)."
WHERE c_id = $course_id AND id = ".$id.""; WHERE c_id = $course_id AND id = ".$id.'';
$result = Database::query($sql); $result = Database::query($sql);
$res = Database::fetch_array($result, 'ASSOC'); $res = Database::fetch_array($result, 'ASSOC');
@ -213,7 +214,7 @@ class Dropbox_Work
// Getting the feedback on the work. // Getting the feedback on the work.
if ('viewfeedback' == $action && $this->id == $_GET['id']) { if ('viewfeedback' == $action && $this->id == $_GET['id']) {
$feedback2 = []; $feedback2 = [];
$sql = "SELECT * FROM ".Database::get_course_table(TABLE_DROPBOX_FEEDBACK)." $sql = 'SELECT * FROM '.Database::get_course_table(TABLE_DROPBOX_FEEDBACK)."
WHERE c_id = $course_id AND file_id='".$id."' WHERE c_id = $course_id AND file_id='".$id."'
ORDER BY feedback_id ASC"; ORDER BY feedback_id ASC";
$result = Database::query($sql); $result = Database::query($sql);
@ -351,7 +352,7 @@ class Dropbox_SentWork extends Dropbox_Work
Database::query($sql); Database::query($sql);
// If work already exists no error is generated // If work already exists no error is generated
/** /*
* Poster is already added when work is created - not so good to split logic. * Poster is already added when work is created - not so good to split logic.
*/ */
if ($user_id != $user) { if ($user_id != $user) {
@ -369,7 +370,7 @@ class Dropbox_SentWork extends Dropbox_Work
if (($ownerid = $this->uploader_id) > $mailId) { if (($ownerid = $this->uploader_id) > $mailId) {
$ownerid = getUserOwningThisMailing($ownerid); $ownerid = getUserOwningThisMailing($ownerid);
} }
if (($recipid = $rec["id"]) > $mailId) { if (($recipid = $rec['id']) > $mailId) {
$recipid = $ownerid; // mailing file recipient = mailing id, not a person $recipid = $ownerid; // mailing file recipient = mailing id, not a person
} }
api_item_property_update( api_item_property_update(
@ -399,8 +400,8 @@ class Dropbox_SentWork extends Dropbox_Work
// Fill in recipients array // Fill in recipients array
$this->recipients = []; $this->recipients = [];
$sql = "SELECT dest_user_id, feedback_date, feedback $sql = 'SELECT dest_user_id, feedback_date, feedback
FROM ".Database::get_course_table(TABLE_DROPBOX_POST)." FROM '.Database::get_course_table(TABLE_DROPBOX_POST)."
WHERE c_id = $course_id AND file_id = ".intval($id); WHERE c_id = $course_id AND file_id = ".intval($id);
$result = Database::query($sql); $result = Database::query($sql);
while ($res = Database::fetch_array($result, 'ASSOC')) { while ($res = Database::fetch_array($result, 'ASSOC')) {
@ -493,22 +494,6 @@ class Dropbox_Person
} }
} }
/**
* Deletes all the received work of this person.
*/
public function deleteAllReceivedWork()
{
$course_id = api_get_course_int_id();
// Delete entries in person table concerning received works
foreach ($this->receivedWork as $w) {
$sql = "DELETE FROM ".Database::get_course_table(TABLE_DROPBOX_PERSON)."
WHERE c_id = $course_id AND user_id='".$this->userId."' AND file_id='".$w->id."'";
Database::query($sql);
}
// Check for unused files
removeUnusedFiles();
}
/** /**
* Deletes all the received categories and work of this person. * Deletes all the received categories and work of this person.
* *
@ -521,15 +506,15 @@ class Dropbox_Person
$course_id = api_get_course_int_id(); $course_id = api_get_course_int_id();
$id = intval($id); $id = intval($id);
$sql = "DELETE FROM ".Database::get_course_table(TABLE_DROPBOX_FILE)." $sql = 'DELETE FROM '.Database::get_course_table(TABLE_DROPBOX_FILE)."
WHERE c_id = $course_id AND cat_id = '".$id."' "; WHERE c_id = $course_id AND cat_id = '".$id."' ";
Database::query($sql); Database::query($sql);
$sql = "DELETE FROM ".Database::get_course_table(TABLE_DROPBOX_CATEGORY)." $sql = 'DELETE FROM '.Database::get_course_table(TABLE_DROPBOX_CATEGORY)."
WHERE c_id = $course_id AND cat_id = '".$id."' "; WHERE c_id = $course_id AND cat_id = '".$id."' ";
Database::query($sql); Database::query($sql);
$sql = "DELETE FROM ".Database::get_course_table(TABLE_DROPBOX_POST)." $sql = 'DELETE FROM '.Database::get_course_table(TABLE_DROPBOX_POST)."
WHERE c_id = $course_id AND cat_id = '".$id."' "; WHERE c_id = $course_id AND cat_id = '".$id."' ";
Database::query($sql); Database::query($sql);
@ -567,25 +552,6 @@ class Dropbox_Person
removeUnusedFiles(); // Check for unused files removeUnusedFiles(); // Check for unused files
} }
/**
* Deletes all the sent dropbox files of this person.
*/
public function deleteAllSentWork()
{
$course_id = api_get_course_int_id();
//delete entries in person table concerning sent works
foreach ($this->sentWork as $w) {
$sql = "DELETE FROM ".Database::get_course_table(TABLE_DROPBOX_PERSON)."
WHERE
c_id = $course_id AND
user_id='".$this->userId."' AND
file_id='".$w->id."'";
Database::query($sql);
removeMoreIfMailing($w->id);
}
removeUnusedFiles(); // Check for unused files
}
/** /**
* Deletes a sent dropbox file of this person with id=$id. * Deletes a sent dropbox file of this person with id=$id.
* *
@ -612,104 +578,10 @@ class Dropbox_Person
} }
//$file_id = $this->sentWork[$index]->id; //$file_id = $this->sentWork[$index]->id;
// Delete entries in person table concerning sent works // Delete entries in person table concerning sent works
$sql = "DELETE FROM ".Database::get_course_table(TABLE_DROPBOX_PERSON)." $sql = 'DELETE FROM '.Database::get_course_table(TABLE_DROPBOX_PERSON)."
WHERE c_id = $course_id AND user_id='".$this->userId."' AND file_id='".$id."'"; WHERE c_id = $course_id AND user_id='".$this->userId."' AND file_id='".$id."'";
Database::query($sql); Database::query($sql);
removeMoreIfMailing($id); removeMoreIfMailing($id);
removeUnusedFiles(); // Check for unused files removeUnusedFiles(); // Check for unused files
} }
/**
* Updates feedback for received work of this person with id=$id.
*
* @param string $id
* @param string $text
*
* @return bool
*/
public function updateFeedback($id, $text)
{
$course_id = api_get_course_int_id();
$_course = api_get_course_info();
$id = intval($id);
// index check
$found = false;
$wi = -1;
foreach ($this->receivedWork as $w) {
$wi++;
if ($w->id == $id) {
$found = true;
break;
} // foreach (... as $wi -> $w) gives error 221! (no idea why...)
}
if (!$found) {
return false;
}
$feedback_date = api_get_utc_datetime();
$this->receivedWork[$wi]->feedback_date = $feedback_date;
$this->receivedWork[$wi]->feedback = $text;
$params = [
'feedback_date' => $feedback_date,
'feedback' => $text,
];
Database::update(
Database::get_course_table(TABLE_DROPBOX_POST),
$params,
[
'c_id = ? AND dest_user_id = ? AND file_id = ?' => [
$course_id,
$this->userId,
$id,
],
]
);
// Update item_property table
$mailId = get_mail_id_base();
if (($ownerid = $this->receivedWork[$wi]->uploader_id) > $mailId) {
$ownerid = getUserOwningThisMailing($ownerid);
}
api_item_property_update(
$_course,
TOOL_DROPBOX,
$this->receivedWork[$wi]->id,
'DropboxFileUpdated',
$this->userId,
null,
$ownerid
);
}
/**
* Filter the received work.
*
* @param string $type
* @param string $value
*/
public function filter_received_work($type, $value)
{
$new_received_work = [];
$mailId = get_mail_id_base();
foreach ($this->receivedWork as $work) {
switch ($type) {
case 'uploader_id':
if ($work->uploader_id == $value ||
($work->uploader_id > $mailId &&
getUserOwningThisMailing($work->uploader_id) == $value)
) {
$new_received_work[] = $work;
}
break;
default:
$new_received_work[] = $work;
break;
}
}
$this->receivedWork = $new_received_work;
}
} }

@ -1,4 +1,5 @@
<?php <?php
/* For licensing terms, see /license.txt */ /* For licensing terms, see /license.txt */
use ChamiloSession as Session; use ChamiloSession as Session;

@ -1,4 +1,5 @@
<?php <?php
/* For licensing terms, see /license.txt */ /* For licensing terms, see /license.txt */
// The file that contains all the initialisation stuff (and includes all the configuration stuff) // The file that contains all the initialisation stuff (and includes all the configuration stuff)

@ -1,4 +1,5 @@
<?php <?php
/* For licensing terms, see /license.txt */ /* For licensing terms, see /license.txt */
require_once 'dropbox_init.inc.php'; require_once 'dropbox_init.inc.php';
@ -19,7 +20,7 @@ if (!api_is_allowed_to_session_edit(false, true)) {
echo Display::page_subheader(get_lang('Recover dropbox files')); echo Display::page_subheader(get_lang('Recover dropbox files'));
if (isset($_GET['recover_id']) && !empty($_GET['recover_id'])) { if (isset($_GET['recover_id']) && !empty($_GET['recover_id'])) {
$recover_id = intval($_GET['recover_id']); $recover_id = (int) $_GET['recover_id'];
$sql = "INSERT INTO $person_tbl VALUES('$course_id', $recover_id, $user_id)"; $sql = "INSERT INTO $person_tbl VALUES('$course_id', $recover_id, $user_id)";
$result = Database::query($sql); $result = Database::query($sql);

@ -648,9 +648,9 @@ $CourseVisibilityModified = "معدّل ( تفاصيل أكثر حول نظام
$WorkEmailAlert = "التنبيه على المواضيع الجديدة بواسطة البريد الالكتروني"; $WorkEmailAlert = "التنبيه على المواضيع الجديدة بواسطة البريد الالكتروني";
$WorkEmailAlertActivate = "تفعيل التنبيه بواسطة الايميل في حالة وجود موضوع جديد"; $WorkEmailAlertActivate = "تفعيل التنبيه بواسطة الايميل في حالة وجود موضوع جديد";
$WorkEmailAlertDeactivate = "تعطيل التنبيه بواسطة الايميل في حالة وجود موضوع جديد"; $WorkEmailAlertDeactivate = "تعطيل التنبيه بواسطة الايميل في حالة وجود موضوع جديد";
$DropboxEmailAlert = "ارسال اشعار عبر البريد للمستخدمين عند استلام ملف في مستودع الملفات"; $DropboxEmailAlert = "ارسال اشعار عبر البريد للمستخدمين عند استلام ملف من اداة مشاركة الملفات";
$DropboxEmailAlertActivate = "الاشعار بالبريد للمستخدمين عند استلام ملف في مستودع الملفات"; $DropboxEmailAlertActivate = "الاشعار بالبريد للمستخدمين عند استلام ملف من اداة مشاركة الملفات";
$DropboxEmailAlertDeactivate = "تعطيل الاشعار بالبريد عند استلام ملف في مستودع الملفات"; $DropboxEmailAlertDeactivate = "تعطيل الاشعار بالبريد عند استلام ملف من اداة مشاركة الملفات";
$AllowUserEditAgenda = "السماح للمستخدمين في تحرير التقويم"; $AllowUserEditAgenda = "السماح للمستخدمين في تحرير التقويم";
$AllowUserEditAgendaActivate = "تفعيل امكانية تحرير التقويم في المقرر من قبل المستخدمين"; $AllowUserEditAgendaActivate = "تفعيل امكانية تحرير التقويم في المقرر من قبل المستخدمين";
$AllowUserEditAgendaDeactivate = "تعطيل تحرير التقويم من قبل الطلبة"; $AllowUserEditAgendaDeactivate = "تعطيل تحرير التقويم من قبل الطلبة";
@ -830,7 +830,7 @@ $EnableIframeInclusionComment = "ان السماح بذكل سوف يحسن ام
$AddedToLPCannotBeAccessed = "هذا التمرين سوف يتم تضمينه في مسار التعلم، ولذا لا يمكن الوصول اليه من قبل الطلبة بشكل مباشر، واذا اردت ان تضع نفس التمرين متوفرا في اداة التمارين فعليك ان تعمل نسخة من التمرين الحالي عبر ايقونة النسخ"; $AddedToLPCannotBeAccessed = "هذا التمرين سوف يتم تضمينه في مسار التعلم، ولذا لا يمكن الوصول اليه من قبل الطلبة بشكل مباشر، واذا اردت ان تضع نفس التمرين متوفرا في اداة التمارين فعليك ان تعمل نسخة من التمرين الحالي عبر ايقونة النسخ";
$EnableIframeInclusionTitle = "HTML في محرر iframes السماح باضافة"; $EnableIframeInclusionTitle = "HTML في محرر iframes السماح باضافة";
$MailTemplateRegistrationMessage = "عزيري ((firstname)) ((lastname)),\n\nانت مسجل في ((sitename)) مع الاعدادات التالية:\n\nاسم المستخدم : ((username))\nرمز المرور : ((password))\n\nعنوان الموقع ((sitename)) هو : ((url))\n\nاذا واجهتك مشكلة، فعليك ان تتواصل معنا.\n\nمع وافر التقدير والاحترام \n((admin_name)) ((admin_surname))."; $MailTemplateRegistrationMessage = "عزيري ((firstname)) ((lastname)),\n\nانت مسجل في ((sitename)) مع الاعدادات التالية:\n\nاسم المستخدم : ((username))\nرمز المرور : ((password))\n\nعنوان الموقع ((sitename)) هو : ((url))\n\nاذا واجهتك مشكلة، فعليك ان تتواصل معنا.\n\nمع وافر التقدير والاحترام \n((admin_name)) ((admin_surname)).";
$Explanation = "بمجرد نفرك على زر \"انشاء مقرر\"، فانه سوف يتم انشاء مقرر مع قسم للاختبارات والواجبات والمقررات ومستودع الملفات والتقويم والمزيد، ان تسجيل الدخول كمدرس سوف يمنحك صلاحيات التحرير في المقرر"; $Explanation = "بمجرد نفرك على زر \"انشاء مقرر\"، فانه سوف يتم انشاء مقرر مع قسم للاختبارات والواجبات والمقررات ومشاركة الملفات والتقويم والمزيد، ان تسجيل الدخول كمدرس سوف يمنحك صلاحيات التحرير في المقرر";
$CodeTaken = " رمز المقرر هذا تم استخدامه مسبقا. <br/ > استخدم <b> زر الرجوع </b> في المتصفح وحاول مرة أخرى"; $CodeTaken = " رمز المقرر هذا تم استخدامه مسبقا. <br/ > استخدم <b> زر الرجوع </b> في المتصفح وحاول مرة أخرى";
$ExerciceEx = " نموذج اختبار"; $ExerciceEx = " نموذج اختبار";
$Antique = " Irony"; $Antique = " Irony";
@ -1582,15 +1582,15 @@ $UseDocumentTitleComment = " سيسمح هذا باستخدام عنوانا ل
$StudentPublications = " منشورات الطالب"; $StudentPublications = " منشورات الطالب";
$PermanentlyRemoveFilesTitle = " لا يمكن استرجاع الملفات المحذوفة"; $PermanentlyRemoveFilesTitle = " لا يمكن استرجاع الملفات المحذوفة";
$PermanentlyRemoveFilesComment = " .عند حذف ملفا في أداة المستندات يتم حذفه نهائيا. لا يمكن استرجاع الملف"; $PermanentlyRemoveFilesComment = " .عند حذف ملفا في أداة المستندات يتم حذفه نهائيا. لا يمكن استرجاع الملف";
$DropboxMaxFilesizeTitle = "مستودع الملفات: اقصى حجم لملف المستند"; $DropboxMaxFilesizeTitle = "مشاركة الملفات: اقصى حجم لملف المستند";
$DropboxMaxFilesizeComment = "ما مدى حجم مستودع الملفات (بالميكابايت)؟"; $DropboxMaxFilesizeComment = "ما مدى حجم المستندات في اداة مشاركة الملفات (بالميكابايت)؟";
$DropboxAllowOverwriteTitle = "مستودع الملفات: هل يمكن ان يتم استبدال الملفات في حال كان الاسم متشابه"; $DropboxAllowOverwriteTitle = "مشاركة الملفات: هل يمكن ان يتم استبدال الملفات في حال كان الاسم متشابه";
$DropboxAllowOverwriteComment = "في حال كان اسم الملف موجود فعلا فهل يتم استبداله بالملف الجديد؟ اذا اخترت نعم فسوف تفقد خاصية الاصدارات"; $DropboxAllowOverwriteComment = "في حال كان اسم الملف موجود فعلا فهل يتم استبداله بالملف الجديد؟ اذا اخترت نعم فسوف تفقد خاصية الاصدارات";
$DropboxAllowJustUploadTitle = "مستودع الملفات: رفع الملف الى المساحة الشخصية لك في مستودع الملفات"; $DropboxAllowJustUploadTitle = "مشاركة الملفات: رفع الملف الى المساحة الشخصية لك في اداة مشاركة الملفات";
$DropboxAllowJustUploadComment = "السماح للمستخدمين في رفع المستندات الى مستودع الملفات الخاص بهم من دون ارسال الملفات لانفسهم"; $DropboxAllowJustUploadComment = "السماح للمعلمين في رفع المستندات الى اداة مشاركة الملفات من دون ارسال الملفات لانفسهم";
$DropboxAllowStudentToStudentTitle = "مستودع الملفات: الطالب <-> الطالب"; $DropboxAllowStudentToStudentTitle = "مشاركة الملفات: الطالب <-> الطالب";
$DropboxAllowStudentToStudentComment = "السماح بارسال المستندات الى المستخدمين (الند للند). لكن قد يستخدم المستخدمين هذه الخاصية في امور غير ملائمة مثل ارسال ملفات صوتية وارسال حلول الواجبات. اذا لم تفعل هذه الخاصية فان المستخدمين سوف يرسلون المستندات الى المعلم فقط"; $DropboxAllowStudentToStudentComment = "السماح بارسال المستندات الى بقية المستخدمين (الند للند). لكن قد يستخدم المستخدمين هذه الخاصية في امور غير ملائمة مثل ارسال ملفات صوتية وارسال حلول الواجبات. اذا لم تفعل هذه الخاصية فان المستخدمين سوف يرسلون المستندات الى المعلم فقط";
$DropboxAllowMailingTitle = "مستودع الملفات: السماح بارسال البريد"; $DropboxAllowMailingTitle = "مشاركة الملفات: السماح بارسال البريد";
$DropboxAllowMailingComment = "مع خاصية البريد فانك يمكنك ارسال مستند شخصي لكل طالب على حدة"; $DropboxAllowMailingComment = "مع خاصية البريد فانك يمكنك ارسال مستند شخصي لكل طالب على حدة";
$PermissionsForNewDirs = "السماحية لأدلة جديدة"; $PermissionsForNewDirs = "السماحية لأدلة جديدة";
$PermissionsForNewDirsComment = "إن القدرة على تعريف الرخص المسموحة المسندة لكل دليل جديد سوف تحسن المستوي الأمني مقابل أي هجوم من القراصنة (الهكر) الذين يحملونها بمحتويات خطره علي بوابتك بالانترنت. الإعداد الافتراضي (0770) يجب أن يكون بما فيه الكفاية حتى يؤمن مستوى حمايةِ معقولِ لخادم (السيرفر). تَستعملُ الصيغة المعطاة المصطلح يونيكسَ من مالك المجموعة الآخرين لإعطاء تصاريح بالكتابة والقراءة."; $PermissionsForNewDirsComment = "إن القدرة على تعريف الرخص المسموحة المسندة لكل دليل جديد سوف تحسن المستوي الأمني مقابل أي هجوم من القراصنة (الهكر) الذين يحملونها بمحتويات خطره علي بوابتك بالانترنت. الإعداد الافتراضي (0770) يجب أن يكون بما فيه الكفاية حتى يؤمن مستوى حمايةِ معقولِ لخادم (السيرفر). تَستعملُ الصيغة المعطاة المصطلح يونيكسَ من مالك المجموعة الآخرين لإعطاء تصاريح بالكتابة والقراءة.";
@ -1613,7 +1613,7 @@ $PleaseEnterNoticeTitle = " الرجاء إعطاء عنوانا للملاحظ
$PleaseEnterLinkName = " الرجاء إعطاء اسم الرابط"; $PleaseEnterLinkName = " الرجاء إعطاء اسم الرابط";
$InsertThisLink = " قم بإدراج هذا اللرابط"; $InsertThisLink = " قم بإدراج هذا اللرابط";
$FirstPlace = " المكان الأول"; $FirstPlace = " المكان الأول";
$DropboxAllowGroupTitle = "مستودع الملفات: السماح للمجموعة"; $DropboxAllowGroupTitle = "مشاركة الملفات: السماح للمجموعة";
$DropboxAllowGroupComment = "يمكن للمستخدمين ارسال الملفات للمجاميع"; $DropboxAllowGroupComment = "يمكن للمستخدمين ارسال الملفات للمجاميع";
$ClassDeleted = " لقد تم حذف الفصل"; $ClassDeleted = " لقد تم حذف الفصل";
$ClassesDeleted = " لقد تم حذف الفصول"; $ClassesDeleted = " لقد تم حذف الفصول";
@ -3256,7 +3256,7 @@ $Document = "مستند";
$Learnpath = " مسار تعليمي"; $Learnpath = " مسار تعليمي";
$Link = "رابط"; $Link = "رابط";
$Announcement = "التبليغات"; $Announcement = "التبليغات";
$Dropbox = "مستودع الملفات"; $Dropbox = "مشاركة الملفات";
$Quiz = " تمارين"; $Quiz = " تمارين";
$Chat = "محادثة"; $Chat = "محادثة";
$Conference = "إجتماع"; $Conference = "إجتماع";
@ -3713,7 +3713,7 @@ $DeleteSelected = "حذف المختار";
$SetVisible = "مجموعة مرئية"; $SetVisible = "مجموعة مرئية";
$SetInvisible = "مجموعة غير مرئية"; $SetInvisible = "مجموعة غير مرئية";
$ChooseLink = "اختر نوع الارتباط"; $ChooseLink = "اختر نوع الارتباط";
$LMSDropbox = "مستودع الملفات"; $LMSDropbox = "مشاركة الملفات";
$ChooseExercise = "اختر التمرين"; $ChooseExercise = "اختر التمرين";
$AddResult = "أضف النتائج"; $AddResult = "أضف النتائج";
$BackToOverview = "الرجوع للعرض الكامل"; $BackToOverview = "الرجوع للعرض الكامل";
@ -3897,7 +3897,7 @@ $RequestDenied = "لقد تم حظر المكالمة";
$UsageDatacreated = "Usage data created"; $UsageDatacreated = "Usage data created";
$SessionView = "عرض المقررات وفقا للمواسم"; $SessionView = "عرض المقررات وفقا للمواسم";
$CourseView = "عرض قائمة بجميع المقررات"; $CourseView = "عرض قائمة بجميع المقررات";
$DropboxFileAdded = "تم اضافة ملف الى مستودع الملفات"; $DropboxFileAdded = "تم اضافة ملف الى اداة مشاركة الملفات";
$NewMessageInForum = "نشر رسالة جديدة في المنتدى"; $NewMessageInForum = "نشر رسالة جديدة في المنتدى";
$FolderCreated = "تم إنشاء مجلد جديد"; $FolderCreated = "تم إنشاء مجلد جديد";
$AgendaAdded = "اضافة حدث"; $AgendaAdded = "اضافة حدث";
@ -4700,8 +4700,8 @@ $MailingNonMailingError = "لا يمكن استبدال الإرسال بعدم
$MailingSelectNoOther = "لا يمكن دمج الإرسال مع مستلمات أخرى"; $MailingSelectNoOther = "لا يمكن دمج الإرسال مع مستلمات أخرى";
$MailingJustUploadSelectNoOther = "هكذا، لا يمكن دمج التحميل مع مستلمات أخرى"; $MailingJustUploadSelectNoOther = "هكذا، لا يمكن دمج التحميل مع مستلمات أخرى";
$PlatformUnsubscribeComment = "من خلال تفعيل هذا الخيار، فانك تسمح لاي مستخدم من ازالة حسابه وبياناته من النظام، وهذه الخاصية تنفع في النظام المفتوح ذو التسجيل التلقائي"; $PlatformUnsubscribeComment = "من خلال تفعيل هذا الخيار، فانك تسمح لاي مستخدم من ازالة حسابه وبياناته من النظام، وهذه الخاصية تنفع في النظام المفتوح ذو التسجيل التلقائي";
$NewDropboxFileUploaded = "تم ارسال ملف جديد الى مستودع الملفات"; $NewDropboxFileUploaded = "تم ارسال ملف جديد الى اداة مشاركة الملفات";
$NewDropboxFileUploadedContent = "تم ارسال ملف جديد الى مستودع الملفات"; $NewDropboxFileUploadedContent = "تم ارسال ملف جديد الى اداة مشاركة الملفات";
$AddEdit = "اضافة / تعديل"; $AddEdit = "اضافة / تعديل";
$ErrorNoFilesInFolder = "هذا المجلد فارغ"; $ErrorNoFilesInFolder = "هذا المجلد فارغ";
$EditingExerciseCauseProblemsInLP = "تعديل التمارين سوف يسبب المشاكل في مسار التعلم"; $EditingExerciseCauseProblemsInLP = "تعديل التمارين سوف يسبب المشاكل في مسار التعلم";
@ -4753,8 +4753,10 @@ $GlossaryManagement = "إدارة المصطلح";
$TermMoved = "تم نقل المصطلح"; $TermMoved = "تم نقل المصطلح";
$HFor = "Help Forums"; $HFor = "Help Forums";
$ForContent = "The forum is a written and asynchronous discussion tool. Where email allows one-to-one dialogue, forums allow public or semi-public (group) dialogue.</p><p>Technically speaking, the users need only their browser to use Chamilo forums.</P><p>To organise forums, click on 'Forum Administration'. Discussions are organised in sets and subsets as following:</p><p><b>Category > Forum > Topic > Answers</b></p>To structure your users discussions, it is necessary to organise categories and forums beforehand, leaving the creation of topics and answers to them. By default, the Chamilo forum only contains the category 'Public', a sample forum and a sample topic.</p><p>The first thing you should do is deleting the sample topic and modify the first forum name. Then, you can create, in the 'public' category, other forums, by by themes, to fit your learning scenario requirements.</p><p>Don't mix Categories and forums, and don't forget that an empty category (without forums) does not appear on the student view.</p><p>The description of a forum can be the list of its members, the definition of a goal, a task, a theme...</p> <p>Group forums should not be created through Forum tool but through Groups tool. There you will be allowed to decide whether your group forums are private or public.</p> <b>Pedagogically advanced use</b> <p>Some teachers / trainers use the forum to post corrections. One student/trainee publishes a paper. The teacher corrects it using the edit button (yellow pencil) then the WYSYWIG editor to correct it (use colors and underline to show errors and corrections for instance) and the other students/trainees benefit of this correction."; $ForContent = "The forum is a written and asynchronous discussion tool. Where email allows one-to-one dialogue, forums allow public or semi-public (group) dialogue.</p><p>Technically speaking, the users need only their browser to use Chamilo forums.</P><p>To organise forums, click on 'Forum Administration'. Discussions are organised in sets and subsets as following:</p><p><b>Category > Forum > Topic > Answers</b></p>To structure your users discussions, it is necessary to organise categories and forums beforehand, leaving the creation of topics and answers to them. By default, the Chamilo forum only contains the category 'Public', a sample forum and a sample topic.</p><p>The first thing you should do is deleting the sample topic and modify the first forum name. Then, you can create, in the 'public' category, other forums, by by themes, to fit your learning scenario requirements.</p><p>Don't mix Categories and forums, and don't forget that an empty category (without forums) does not appear on the student view.</p><p>The description of a forum can be the list of its members, the definition of a goal, a task, a theme...</p> <p>Group forums should not be created through Forum tool but through Groups tool. There you will be allowed to decide whether your group forums are private or public.</p> <b>Pedagogically advanced use</b> <p>Some teachers / trainers use the forum to post corrections. One student/trainee publishes a paper. The teacher corrects it using the edit button (yellow pencil) then the WYSYWIG editor to correct it (use colors and underline to show errors and corrections for instance) and the other students/trainees benefit of this correction.";
$HDropbox = "مساعدة مستودع الملفات"; $HDropbox = "المساعدة في مشاركة الملفات";
$DropboxContent = "<p>The dropbox is a Content Management Tool dedicated to peer-to-peer data exchange.Any file type is accepted : Word, Excel, PDF etc. It will manage versions in the sens that it will avoid destruction of a document by a document having the same name.</p><p>The dropbox shows the files that were sent to you (the received folder)and the files that you sent to other members of this course (the sent folder).</p><p>If the list of received or sent files gets too long, you can delete allor some files from the list. The file itself is not removed as long asthe other party can see it.</p><p>To send a document to more than one person, you need to use CTRL+clic in the multiple select box. The multiple select box is the form field showing the list of members.</p>"; $DropboxContent = "تمثل مشاركة الملفات اداة لادارة المحتوى تهدف الى تسهيل تبادل البيانات بين المستخدمين، اذ انها تتقبل اي نوع من الملفات، وتستبدل الملفات ذات الاسم المتشابه. ويسمح للمتعلمين بارسال الملفات الى المعلم فقط، ما لم يتم استثناء ذلك من قبل مدير النظام، في حين ان مدير المقرر يستطيع ارسال الملفات الى جميع المستخدمين في المقرر، كذلك يستطيع مدير النظام ان يخصص هذه الاداة بان يجعل الطلبة يستلمون الملفات فقط من دون ان يكونون قادرين على ارسال الملفات
في مجلد الوارد يتم عرض الملفات التي تم ارسالها اليك وفي مجلد الصادر يتم عرض الملفات التي ارسلتها الى بقية المستخدمين في المقرر
لغرض ارسال ملف الى اكثر من شخص، فانه يتوجد عليك استمرار النقر على زر (كونترول) ثم تحديد الاختيار المتعدد";
$HHome = "Help Course Home Page"; $HHome = "Help Course Home Page";
$HomeContent = "<p>The course home page shows a series of tools : an introduction text, a course description, a Documents manager etc. This page is modular : you can hide / show any tool in one clic. Hidden tools can be reactivated at any time.</p><b>Navigation</b><p>To browse your course, you have 2 navigation tools. One on top left is a tree showing where you are and how deep you are in the course. On top right, you can access to a tool through its icon in one clic. Whether you select your course code on left (always UPPER CASE) or the house icon on the right, you will reach the home page of your course. </p><b>Best practice</b><p>To motivate your students, it is important that your course area is a dynamic area. This will indicate that there is 'somebody behind the screen'. A quick way to give this feeling is to edit the Introduction text (clic on yellow pencil) at least evey week to tell latest news, forthcoming deadlines and so on.</p><p>To build your course, it might proove relevant to follow these steps:<ol><li>In Course Settings, check Course Acces : Private and Subscription : Denied. This way, nobody can enter your course area during building process,</li><li>Show all the tools clicking on the grey link below the ones situated at the bottom of the page,</li><li>Use the tools you need to 'fill' your area with content, events, guidelines, tests etc.,</li><li>Hide all tools : your home page is empty in Student view,</li><li>Use the Path tool to structure the way students will visit it and learn with it. This way, you use the other tools, but you don't show them at first sight.</li><li>Click on the eye icon besides the path you created : this path will then show on your home page,</li><li>The preparation of your course area is over. Your home page shows an introdution text followed by one link only and this link drives students through the course. Clic on Student view (top right) to see things from a student point of view.<I></I></li></ol>"; $HomeContent = "<p>The course home page shows a series of tools : an introduction text, a course description, a Documents manager etc. This page is modular : you can hide / show any tool in one clic. Hidden tools can be reactivated at any time.</p><b>Navigation</b><p>To browse your course, you have 2 navigation tools. One on top left is a tree showing where you are and how deep you are in the course. On top right, you can access to a tool through its icon in one clic. Whether you select your course code on left (always UPPER CASE) or the house icon on the right, you will reach the home page of your course. </p><b>Best practice</b><p>To motivate your students, it is important that your course area is a dynamic area. This will indicate that there is 'somebody behind the screen'. A quick way to give this feeling is to edit the Introduction text (clic on yellow pencil) at least evey week to tell latest news, forthcoming deadlines and so on.</p><p>To build your course, it might proove relevant to follow these steps:<ol><li>In Course Settings, check Course Acces : Private and Subscription : Denied. This way, nobody can enter your course area during building process,</li><li>Show all the tools clicking on the grey link below the ones situated at the bottom of the page,</li><li>Use the tools you need to 'fill' your area with content, events, guidelines, tests etc.,</li><li>Hide all tools : your home page is empty in Student view,</li><li>Use the Path tool to structure the way students will visit it and learn with it. This way, you use the other tools, but you don't show them at first sight.</li><li>Click on the eye icon besides the path you created : this path will then show on your home page,</li><li>The preparation of your course area is over. Your home page shows an introdution text followed by one link only and this link drives students through the course. Clic on Student view (top right) to see things from a student point of view.<I></I></li></ol>";
$HOnline = "Help Live Conferencing system"; $HOnline = "Help Live Conferencing system";
@ -5095,7 +5097,7 @@ $ResourcesAdded = "تم إضافة المصادر";
$ExternalResources = "مصادر خارجية"; $ExternalResources = "مصادر خارجية";
$CourseResources = "مصادر المقرر"; $CourseResources = "مصادر المقرر";
$ExternalLink = "روابط خاريجة"; $ExternalLink = "روابط خاريجة";
$DropboxAdd = "اضافة مستودع الملفات الى هذا القسم"; $DropboxAdd = "اضافة مشاركة الملفات الى هذا القسم";
$AddAssignmentPage = "أضف صفحة نشرات الطلاب إلى هذا الفصل"; $AddAssignmentPage = "أضف صفحة نشرات الطلاب إلى هذا الفصل";
$ShowDelete = "أظهر / حذف"; $ShowDelete = "أظهر / حذف";
$IntroductionText = "مقدمة المقرر"; $IntroductionText = "مقدمة المقرر";
@ -5673,7 +5675,7 @@ $UploadedDate = "تاريخ الرفع";
$Filename = "اسم الملف"; $Filename = "اسم الملف";
$Recover = "استعادة"; $Recover = "استعادة";
$Recovered = "تمت الاستعادة"; $Recovered = "تمت الاستعادة";
$RecoverDropboxFiles = "استعادة ملفات مستودع الملفات"; $RecoverDropboxFiles = "استعادة ملفات اداة مشاركة الملفات";
$ForumCategory = "فئة المنتدى"; $ForumCategory = "فئة المنتدى";
$YouCanAccessTheExercise = "الذهاب للاختبار"; $YouCanAccessTheExercise = "الذهاب للاختبار";
$YouHaveBeenRegisteredToCourseX = "تم تسجيلك في مقرر %s"; $YouHaveBeenRegisteredToCourseX = "تم تسجيلك في مقرر %s";
@ -5706,7 +5708,7 @@ $ToolGlossary = "قاموس المصطلحات";
$ToolAttendance = "الحضور"; $ToolAttendance = "الحضور";
$ToolCalendarEvent = "التقويم"; $ToolCalendarEvent = "التقويم";
$ToolForum = "المنتديات"; $ToolForum = "المنتديات";
$ToolDropbox = "مستودع الملفات"; $ToolDropbox = "مشاركة الملفات";
$ToolUser = "المستخدمين"; $ToolUser = "المستخدمين";
$ToolGroup = "المجموعات"; $ToolGroup = "المجموعات";
$ToolChat = "الدردشة"; $ToolChat = "الدردشة";
@ -7285,7 +7287,7 @@ $BadgesManagement = "ادارة الاوسمة";
$CurrentBadges = "الاوسم الحالية"; $CurrentBadges = "الاوسم الحالية";
$SaveBadge = "حفظ الوسام"; $SaveBadge = "حفظ الوسام";
$BadgeMeasuresXPixelsInPNG = "PNG قياس الوسام 200×200 بكسل بصيغة"; $BadgeMeasuresXPixelsInPNG = "PNG قياس الوسام 200×200 بكسل بصيغة";
$SetTutor = "تعيين كمعلم"; $ConvertToCourseAssistant = "تعيين كمعلم";
$UniqueAnswerImage = "اجابة واحدة للصورة"; $UniqueAnswerImage = "اجابة واحدة للصورة";
$TimeSpentByStudentsInCoursesGroupedByCode = "الوقت المبذول من قبل الطلبة في المقرر، مقسما وفقا للرمز"; $TimeSpentByStudentsInCoursesGroupedByCode = "الوقت المبذول من قبل الطلبة في المقرر، مقسما وفقا للرمز";
$TestResultsByStudentsGroupesByCode = "نتائج الاختبار وفقا لمجاميع الطلبة ووفقا للرمز"; $TestResultsByStudentsGroupesByCode = "نتائج الاختبار وفقا لمجاميع الطلبة ووفقا للرمز";
@ -7410,8 +7412,8 @@ $CertificateHideExportLinkStudentTitle = "الشهادات: اخفاء رابط
$CertificateHideExportLinkStudentComment = "عند تفعيل ذلك فان الطلبة لن يتمكنوا من تصدير شهاداتهم الى ملف بي دي اف. السبب في ذلك لان HTML ملف البي دي اف قد يكون ذو جودة منخفضة مقارنة بعرض الشهادة في الموقع"; $CertificateHideExportLinkStudentComment = "عند تفعيل ذلك فان الطلبة لن يتمكنوا من تصدير شهاداتهم الى ملف بي دي اف. السبب في ذلك لان HTML ملف البي دي اف قد يكون ذو جودة منخفضة مقارنة بعرض الشهادة في الموقع";
$CertificateHideExportLinkTitle = "الشهادات: اخفاء رابط التصدير الى ملف بي دي اف عن الجميع"; $CertificateHideExportLinkTitle = "الشهادات: اخفاء رابط التصدير الى ملف بي دي اف عن الجميع";
$CertificateHideExportLinkComment = "تفعيل هذا الخيار سوف يؤدي الى الغاء امكانية تصدير الشهادات الى ملف بي دي اف لجميع المستخدمين بضمنهم الطلبة"; $CertificateHideExportLinkComment = "تفعيل هذا الخيار سوف يؤدي الى الغاء امكانية تصدير الشهادات الى ملف بي دي اف لجميع المستخدمين بضمنهم الطلبة";
$DropboxHideCourseCoachTitle = "مستودع الملفات: اخفاء معلم المقرر"; $DropboxHideCourseCoachTitle = "مشاركة الملفات: اخفاء معلم المقرر";
$DropboxHideCourseCoachComment = "اخفاء معلم المقرر للموسم في مستودع الملفات عندما يتم ارسال مستند من قبل المعلم للطلبة"; $DropboxHideCourseCoachComment = "اخفاء معلم المقرر للموسم في اداة مشاركة الملفات عندما يتم ارسال مستند من قبل المعلم للطلبة";
$SSOForceRedirectTitle = "تسجيل الدخول المنفرد: فرض اعادة التوجيه"; $SSOForceRedirectTitle = "تسجيل الدخول المنفرد: فرض اعادة التوجيه";
$SSOForceRedirectComment = "ان تفعيل هذا الخيار سوف يفرض على المستخدمين ان يتم توثيق معلوماتهم عبر المنصة الرئيسية، قم بتفعيل ذلك فقط اذا قد قمت فعلا بتهيئة اعدادات تسجيل الدخول المنفرد بشكل صحيح، والا فسوف تمنع نفسك من تسجيل الدخول الى النظام مرة ثانية، وعند SSO حدوث ذلك عليك الولوج الى قاعدة البيانات وتغيير اعدادات"; $SSOForceRedirectComment = "ان تفعيل هذا الخيار سوف يفرض على المستخدمين ان يتم توثيق معلوماتهم عبر المنصة الرئيسية، قم بتفعيل ذلك فقط اذا قد قمت فعلا بتهيئة اعدادات تسجيل الدخول المنفرد بشكل صحيح، والا فسوف تمنع نفسك من تسجيل الدخول الى النظام مرة ثانية، وعند SSO حدوث ذلك عليك الولوج الى قاعدة البيانات وتغيير اعدادات";
$SessionCourseOrderingTitle = "الترتيب اليدوي لمقررات الموسم"; $SessionCourseOrderingTitle = "الترتيب اليدوي لمقررات الموسم";
@ -7489,7 +7491,7 @@ $DocumentsDefaultVisibilityDefinedInCourseComment = "مرئية المستند
$HtmlPurifierWikiTitle = "HTMLPurifier في الويكي"; $HtmlPurifierWikiTitle = "HTMLPurifier في الويكي";
$HtmlPurifierWikiComment = "ان تفعيل هذا الخيار في الويكي سوف يزيد الحماية لكن يقلل من خصائص التنسيق"; $HtmlPurifierWikiComment = "ان تفعيل هذا الخيار في الويكي سوف يزيد الحماية لكن يقلل من خصائص التنسيق";
$ClickOrDropFilesHere = "انقر او قم باسقاط الملفات"; $ClickOrDropFilesHere = "انقر او قم باسقاط الملفات";
$RemoveTutorStatus = "ازالة مكانة المعلم"; $RemoveCourseAssistantStatus = "ازالة مكانة المعلم";
$ImportGradebookInCourse = "استيراد دفتر الدرجات من المقرر الاساس"; $ImportGradebookInCourse = "استيراد دفتر الدرجات من المقرر الاساس";
$InstitutionAddressTitle = "عنوان المنظمة"; $InstitutionAddressTitle = "عنوان المنظمة";
$InstitutionAddressComment = "العنوان"; $InstitutionAddressComment = "العنوان";
@ -7578,8 +7580,8 @@ $ShowFullSkillNameOnSkillWheelTitle = "عرض الاسم الكامل للمها
$ShowFullSkillNameOnSkillWheelComment = "على عجلة المهارات سوف يعرض اسم المهارة عندما يكون لها رمز مختصر"; $ShowFullSkillNameOnSkillWheelComment = "على عجلة المهارات سوف يعرض اسم المهارة عندما يكون لها رمز مختصر";
$DBPort = "المنفذ"; $DBPort = "المنفذ";
$CreatedBy = "تم انشاؤه بواسطة"; $CreatedBy = "تم انشاؤه بواسطة";
$DropboxHideGeneralCoachTitle = "اخفاء المعلم العام في مستودع الملفات"; $DropboxHideGeneralCoachTitle = "اخفاء المعلم العام في اداة مشاركة الملفات";
$DropboxHideGeneralCoachComment = "اخفاء اسم المعلم العام في اداة مستودع الملفات عندما يقوم المعلم العام برفع الملف"; $DropboxHideGeneralCoachComment = "اخفاء اسم المعلم العام في اداة مشاركة الملفات عندما يقوم المعلم العام برفع الملف";
$UploadMyAssignment = "رفع واجبي"; $UploadMyAssignment = "رفع واجبي";
$Inserted = "تم ادراجه"; $Inserted = "تم ادراجه";
$YourBroswerDoesNotSupportWebRTC = "متصفحك لا يدعم بث الفيديو"; $YourBroswerDoesNotSupportWebRTC = "متصفحك لا يدعم بث الفيديو";
@ -8477,4 +8479,40 @@ $CompilatioSeeReport = "معاينة التقرير";
$CompilatioNonToAnalyse = "اختياراتك لا تتضمن عمل يمكن تحليله، فقط الاعمال التي تدار بواسطة خادم كومبيلاتيو يمكن ارسالها"; $CompilatioNonToAnalyse = "اختياراتك لا تتضمن عمل يمكن تحليله، فقط الاعمال التي تدار بواسطة خادم كومبيلاتيو يمكن ارسالها";
$CompilatioComunicationAjaxImpossible = "من المستحيل الاتصال بخادم كوبيلاتو، يرجى المحاولة لاحقا"; $CompilatioComunicationAjaxImpossible = "من المستحيل الاتصال بخادم كوبيلاتو، يرجى المحاولة لاحقا";
$UserClassExplanation = "معلومات: قائمة الصفوف ادناه تتضمن قائمة الصفوف التي سجلت فيها، واذا كانت القائمة فارغة فاستخدم رمز + لاضافة الصفوف"; $UserClassExplanation = "معلومات: قائمة الصفوف ادناه تتضمن قائمة الصفوف التي سجلت فيها، واذا كانت القائمة فارغة فاستخدم رمز + لاضافة الصفوف";
$InsertTwoNames = "قم بادراج اسمين";
$AddRightLogo = "اضافة شعار على الجانب الايمن";
$LearnpathUseScoreAsProgress = "استخدام النقاط كتقدم";
$LearnpathUseScoreAsProgressComment = "استخدام النقاط في مسار التعلم كمؤشر للتقدم، وهذا سيعدل سلوك ملف السكورم ويؤدي الى تحسين العرض المرئي للمتعلم";
$Planned = "مخطط";
$InProgress = "قيد التقدم";
$Cancelled = "ملغي";
$Finished = "منتهي";
$SessionStatus = "حالة الموسم";
$UpdateSessionStatus = "تحديث حالة الموسم";
$SessionListCustom = "قائمة مخصصة";
$NoStatus = "لا توجد حالة";
$CAS3Text = "CAS 3";
$GoBackToVideo = "العودة الى الفيديو";
$UseLearnpathScoreAsProgress = "استخدام النقاط في حساب التقدم";
$UseLearnpathScoreAsProgressInfo = "SCO يؤدي هذا الاختيار الى حساب التقدم في مسار التعلم بالاستناد الى النقاط التي يستلمها النظام من ملف";
$ThereIsASequenceResourceLinkedToThisCourseYouNeedToDeleteItFirst = "يوجد مورد يستخدم التسلسل في هذا المقرر، يتوجب عليك حذفه اولا";
$QuizPreventBackwards = "منع الرجوع الى الاسئلة السابقة";
$UploadPlugin = "رفع المكون الاضافي";
$PluginUploadPleaseRememberUploadingThirdPartyPluginsCanBeDangerous = "تذكر بان رفع المكونات الاضافية من طرف ثالث يمكن ان يؤدي الى الاضرار بالنظام والخادم، تحقق دائما من تنصيب المكونات الاضافية من مصادر موثوقة يمكنك الاعتماد عليها في توفير الدعم الفني";
$PluginUploadingTwiceWillReplacePreviousFiles = "رفع المكون الاضافي ذاته سوف يؤدي الى استبدال القديم ، كذلك فان رفع المكونات الاضافية من اطراف خارجية قد يؤدي الى حدوث اضرار";
$UploadNewPlugin = "اختيار المكون الاضافي الجديد";
$PluginUploadIsNotEnabled = "رفع المكونات الاضافية الخارجية غير مفعل، تحقق من تفعيل خيار رفع المكون الاضافي في ملف اعدادات النظام";
$PluginUploaded = "تم رفع المكون الاضافي";
$PluginOfficial = "رسمي";
$PluginThirdParty = "طرف ثالث";
$ErrorPluginOfficialCannotBeUploaded = "هذا المكون الاضافي يحتوي على نفس الاسم للمكون الاضافي الرسمي والذي لا يمكن استبداله، يرجى تغيير اسم المكون الاضافي";
$AllSessionsShort = "الجميع";
$ActiveSessionsShort = "مفعل";
$ClosedSessionsShort = "مغلق";
$FirstnameLastnameCourses = "مقررات من %s %s";
$CanNotSubscribeToCourseUserSessionExpired = "لا يمكنك الاستمرار بالتسجيل في المقرر لان الموسم قد انتهى";
$CertificateOfAchievement = "شهادة الانجاز";
$CertificateOfAchievementByDay = "شهادة الانجاز وفقا لليوم";
$ReducedReport = "تقرير مختصر";
$NotInCourse = "مقررات خارجية";
?> ?>

@ -7215,4 +7215,8 @@ $DataTableSearch = "Bilatu";
$HideColumn = "Ezkutatu zutabea"; $HideColumn = "Ezkutatu zutabea";
$DisplayColumn = "Erakutsi zutabea"; $DisplayColumn = "Erakutsi zutabea";
$LegalAgreementAccepted = "Lege hitzarmena onartu da"; $LegalAgreementAccepted = "Lege hitzarmena onartu da";
$TimeSpentInLp = "Ikasgaian emandako denbora";
$IHaveFinishedTheLessonsNotifyTheTeacher = "Bukatu ditut ikastaroko ikasgaiak. Irakasleari jakinaraztea";
$TimeSpentTimeRequired = "Erabilitako denbora / Behar izandako denbora";
$ProgressSpentInLp = "Aurrerapena edukietan";
?> ?>

@ -7156,7 +7156,7 @@ $BadgesManagement = "Gestão de emblemas";
$CurrentBadges = "Emblemas atuais"; $CurrentBadges = "Emblemas atuais";
$SaveBadge = "Salvar emblemas"; $SaveBadge = "Salvar emblemas";
$BadgeMeasuresXPixelsInPNG = "Emblema mede 200x200 pixels em PNG"; $BadgeMeasuresXPixelsInPNG = "Emblema mede 200x200 pixels em PNG";
$SetTutor = "Definir como professor"; $ConvertToCourseAssistant = "Definir como professor";
$UniqueAnswerImage = "Image resposta única"; $UniqueAnswerImage = "Image resposta única";
$TimeSpentByStudentsInCoursesGroupedByCode = "Tempo gasto por alunos nos cursos, agrupados por código"; $TimeSpentByStudentsInCoursesGroupedByCode = "Tempo gasto por alunos nos cursos, agrupados por código";
$TestResultsByStudentsGroupesByCode = "Resultados de exames por grupos de alunos, por código"; $TestResultsByStudentsGroupesByCode = "Resultados de exames por grupos de alunos, por código";
@ -7357,7 +7357,7 @@ $DocumentsDefaultVisibilityDefinedInCourseComment = "A visibilidade do documento
$HtmlPurifierWikiTitle = "HTMLPurifier no Wiki"; $HtmlPurifierWikiTitle = "HTMLPurifier no Wiki";
$HtmlPurifierWikiComment = "Ativar purificador de HTML na ferramenta wiki (vai aumentar a segurança, mas reduzir características de estilo)"; $HtmlPurifierWikiComment = "Ativar purificador de HTML na ferramenta wiki (vai aumentar a segurança, mas reduzir características de estilo)";
$ClickOrDropFilesHere = "Clique ou soltar arquivos"; $ClickOrDropFilesHere = "Clique ou soltar arquivos";
$RemoveTutorStatus = "Remover o status tutor"; $RemoveCourseAssistantStatus = "Remover o status tutor";
$ImportGradebookInCourse = "Importar livro de notas de campo de base"; $ImportGradebookInCourse = "Importar livro de notas de campo de base";
$InstitutionAddressTitle = "Endereço Instituição"; $InstitutionAddressTitle = "Endereço Instituição";
$InstitutionAddressComment = "Endereço"; $InstitutionAddressComment = "Endereço";
@ -8330,4 +8330,8 @@ $CompilatioSeeReport = "Ver relatório";
$CompilatioNonToAnalyse = "Sua seleção não contém trabalhos para analisar. Somente trabalhos gerenciados pelo Compilatio e ainda não digitalizados podem ser enviados."; $CompilatioNonToAnalyse = "Sua seleção não contém trabalhos para analisar. Somente trabalhos gerenciados pelo Compilatio e ainda não digitalizados podem ser enviados.";
$CompilatioComunicationAjaxImpossible = "A comunicação AJAX com o servidor de compilação é impossível. Tente novamente mais tarde."; $CompilatioComunicationAjaxImpossible = "A comunicação AJAX com o servidor de compilação é impossível. Tente novamente mais tarde.";
$UserClassExplanation = "Informações: A lista de turmas abaixo contém a lista de turmas que você já se matriculou em seu curso. Se esta lista estiver vazia, use o + verde acima para adicionar classes."; $UserClassExplanation = "Informações: A lista de turmas abaixo contém a lista de turmas que você já se matriculou em seu curso. Se esta lista estiver vazia, use o + verde acima para adicionar classes.";
$InsertTwoNames = "Insira seus dois nomes";
$AddRightLogo = "Adicione o logotipo certo";
$LearnpathUseScoreAsProgress = "Usar pontuação como progresso";
$LearnpathUseScoreAsProgressComment = "Use a pontuação retornada, pelo único SCO neste caminho de aprendizado, como o indicador de progresso na barra de progresso. Isso modifica o comportamento do SCORM no sentido estrito, mas melhora o feedback visual para o aluno.";
?> ?>

@ -7598,7 +7598,7 @@ $CannotUpdateSkill = "No es pot actualitzar la competència";
$BadgesManagement = "Gestionar les insígnies"; $BadgesManagement = "Gestionar les insígnies";
$CurrentBadges = "Insígnies actuals"; $CurrentBadges = "Insígnies actuals";
$SaveBadge = "Guardar insígnia"; $SaveBadge = "Guardar insígnia";
$SetTutor = "Establir com a tutor"; $ConvertToCourseAssistant = "Establir com a tutor";
$TimeSpentByStudentsInCoursesGroupedByCode = "Temps dedicat pels estudiants en els cursos, agrupats per codi"; $TimeSpentByStudentsInCoursesGroupedByCode = "Temps dedicat pels estudiants en els cursos, agrupats per codi";
$TestResultsByStudentsGroupesByCode = "Resultats d'exercicis per grups d'estudiants, per codi"; $TestResultsByStudentsGroupesByCode = "Resultats d'exercicis per grups d'estudiants, per codi";
$TestResultsByStudents = "Resultats dels exercicis per estudiants"; $TestResultsByStudents = "Resultats dels exercicis per estudiants";
@ -7758,7 +7758,7 @@ $DocumentsDefaultVisibilityDefinedInCourseComment = "La visibilitat per defecte
$HtmlPurifierWikiTitle = "HTMLPurifier en el wiki"; $HtmlPurifierWikiTitle = "HTMLPurifier en el wiki";
$HtmlPurifierWikiComment = "Activar HTMLPurifier en l'eina de wiki (augmentarà la seguretat però reduirà les opcions d'estil)"; $HtmlPurifierWikiComment = "Activar HTMLPurifier en l'eina de wiki (augmentarà la seguretat però reduirà les opcions d'estil)";
$ClickOrDropFilesHere = "Feu clic o deixar fitxers"; $ClickOrDropFilesHere = "Feu clic o deixar fitxers";
$RemoveTutorStatus = "Treure el status de tutor"; $RemoveCourseAssistantStatus = "Treure el status de tutor";
$ImportGradebookInCourse = "Importar les avaluacions des del curs base"; $ImportGradebookInCourse = "Importar les avaluacions des del curs base";
$InstitutionAddressTitle = "Adreça de la institució"; $InstitutionAddressTitle = "Adreça de la institució";
$InstitutionAddressComment = "Adreça"; $InstitutionAddressComment = "Adreça";

@ -751,13 +751,13 @@ $ToExportLearnpathWithQuizYouHaveToSelectQuiz = "If you want to export a course
$ArchivesDirectoryNotWriteableContactAdmin = "The app/cache/ directory, used by this tool, is not writeable. Please contact your platform administrator."; $ArchivesDirectoryNotWriteableContactAdmin = "The app/cache/ directory, used by this tool, is not writeable. Please contact your platform administrator.";
$DestinationCourse = "Target course"; $DestinationCourse = "Target course";
$ConvertToMultipleAnswer = "Convert to multiple answer"; $ConvertToMultipleAnswer = "Convert to multiple answer";
$CasMainActivateComment = "Enabling CAS authentication will allow users to authenticate with their CAS credentials.<br/>Go to <a href='settings.php?category=CAS'>Plugin</a> to add a configurable 'CAS Login' button for your Chamilo campus."; $CasMainActivateComment = "Enabling CAS authentication will allow users to authenticate with their CAS credentials.<br/>Go to <a href='settings.php?category=CAS'>Plugin</a> to add a configurable 'CAS Login' button for your Chamilo campus. Or you can force CAS authentication by setting cas[force_redirect] in app/config/auth.conf.php.";
$UsersRegisteredInAnyGroup = "Users registered in any group"; $UsersRegisteredInAnyGroup = "Users registered in any group";
$Camera = "Camera"; $Camera = "Camera";
$Microphone = "Microphone"; $Microphone = "Microphone";
$DeleteStream = "Delete stream"; $DeleteStream = "Delete stream";
$Record = "Record"; $Record = "Record";
$NoFileAvailable = "No File availible"; $NoFileAvailable = "No File available";
$RecordingOnlyForTeachers = "Recording only for trainers"; $RecordingOnlyForTeachers = "Recording only for trainers";
$UsersNow = "Users at the moment:"; $UsersNow = "Users at the moment:";
$StartConference = "Start conference"; $StartConference = "Start conference";
@ -1743,7 +1743,7 @@ $PublicPagesComplyToWAIComment = "WAI (Web Accessibility Initiative) is an initi
$VersionCheck = "Version check"; $VersionCheck = "Version check";
$SessionOverview = "Session overview"; $SessionOverview = "Session overview";
$SubscribeUserIfNotAllreadySubscribed = "Add user in the course only if not yet in"; $SubscribeUserIfNotAllreadySubscribed = "Add user in the course only if not yet in";
$UnsubscribeUserIfSubscriptionIsNotInFile = "Remove user from course if his name is not in the list"; $UnsubscribeUserIfSubscriptionIsNotInFile = "Remove users from any courses that are not mentioned explicitly in this file";
$DeleteSelectedSessions = "Delete selected sessions"; $DeleteSelectedSessions = "Delete selected sessions";
$CourseListInSession = "Courses in this session"; $CourseListInSession = "Courses in this session";
$UnsubscribeCoursesFromSession = "Unsubscribe selected courses from this session"; $UnsubscribeCoursesFromSession = "Unsubscribe selected courses from this session";
@ -3739,7 +3739,7 @@ $ViewResult = "Assessment details";
$NoResultsInEvaluation = "No results in evaluation for now"; $NoResultsInEvaluation = "No results in evaluation for now";
$AddStudent = "Add learners"; $AddStudent = "Add learners";
$ImportResult = "Import marks"; $ImportResult = "Import marks";
$ImportFileLocation = "Import marks in an assessment"; $ImportFileLocation = "Import file";
$FileType = "File type"; $FileType = "File type";
$ExampleCSVFile = "Example CSV file"; $ExampleCSVFile = "Example CSV file";
$ExampleXMLFile = "Example XML file"; $ExampleXMLFile = "Example XML file";
@ -6494,7 +6494,7 @@ $Untitled = "Untitled";
$CantDeleteReadonlyFiles = "Cannot delete files that are configured in read-only mode."; $CantDeleteReadonlyFiles = "Cannot delete files that are configured in read-only mode.";
$InvalideUserDetected = "Invalid user detected."; $InvalideUserDetected = "Invalid user detected.";
$InvalideGroupDetected = "Invalid group detected."; $InvalideGroupDetected = "Invalid group detected.";
$OverviewOfFilesInThisZip = "Overview of diles in this Zip"; $OverviewOfFilesInThisZip = "Overview of files in this Zip";
$TestLimitsAdded = "Tests limits added"; $TestLimitsAdded = "Tests limits added";
$AddLimits = "Add limits"; $AddLimits = "Add limits";
$Unlimited = "Unlimited"; $Unlimited = "Unlimited";
@ -6821,7 +6821,7 @@ $CAS2Text = "CAS 2";
$SAMLText = "SAML"; $SAMLText = "SAML";
$CasMainProtocolComment = "The protocol with which we connect to the CAS server"; $CasMainProtocolComment = "The protocol with which we connect to the CAS server";
$CasUserAddActivateTitle = "Enable CAS user addition"; $CasUserAddActivateTitle = "Enable CAS user addition";
$CasUserAddActivateComment = "Enable CAS user addition"; $CasUserAddActivateComment = "Enable CAS user addition. To create the user account from the LDAP directory, the extldap_config and extldap_user_correspondance tables must be filled in in app/config/auth.conf.php";
$CasUserAddLoginAttributeTitle = "Add CAS user login"; $CasUserAddLoginAttributeTitle = "Add CAS user login";
$CasUserAddLoginAttributeComment = "Add CAS user login details when registering a new user"; $CasUserAddLoginAttributeComment = "Add CAS user login details when registering a new user";
$CasUserAddEmailAttributeTitle = "Add CAS user e-mail"; $CasUserAddEmailAttributeTitle = "Add CAS user e-mail";
@ -7049,7 +7049,7 @@ $LdapDescriptionComment = " <div class=\"alert alert-info\">
$ShibbolethMainActivateTitle = "<h3>Shibboleth authentication</h3>"; $ShibbolethMainActivateTitle = "<h3>Shibboleth authentication</h3>";
$ShibbolethMainActivateComment = "<p>First of all, you have to configure Shibboleth for your web server.</p>To configure it for Chamilo<h5>edit file main/auth/shibboleth/config/aai.class.php</h5><p>Modify object &#36;result values with the name of your Shibboleth attributes</p><ul><li>&#36;result-&gt;unique_id = 'mail';</li><li>&#36;result-&gt;firstname = 'cn';</li><li>&#36;result-&gt;lastname = 'uid';</li><li>&#36;result-&gt;email = 'mail';</li><li>&#36;result-&gt;language = '-';</li><li>&#36;result-&gt;gender = '-';</li><li>&#36;result-&gt;address = '-';</li><li>&#36;result-&gt;staff_category = '-';</li><li>&#36;result-&gt;home_organization_type = '-'; </li><li>&#36;result-&gt;home_organization = '-';</li><li>&#36;result-&gt;affiliation = '-';</li><li>&#36;result-&gt;persistent_id = '-';</li><li>...</li></ul><br/>Go to <a href='settings.php?category=Shibboleth'>Plugin</a> to add a configurable 'Shibboleth Login' button for your Chamilo campus."; $ShibbolethMainActivateComment = "<p>First of all, you have to configure Shibboleth for your web server.</p>To configure it for Chamilo<h5>edit file main/auth/shibboleth/config/aai.class.php</h5><p>Modify object &#36;result values with the name of your Shibboleth attributes</p><ul><li>&#36;result-&gt;unique_id = 'mail';</li><li>&#36;result-&gt;firstname = 'cn';</li><li>&#36;result-&gt;lastname = 'uid';</li><li>&#36;result-&gt;email = 'mail';</li><li>&#36;result-&gt;language = '-';</li><li>&#36;result-&gt;gender = '-';</li><li>&#36;result-&gt;address = '-';</li><li>&#36;result-&gt;staff_category = '-';</li><li>&#36;result-&gt;home_organization_type = '-'; </li><li>&#36;result-&gt;home_organization = '-';</li><li>&#36;result-&gt;affiliation = '-';</li><li>&#36;result-&gt;persistent_id = '-';</li><li>...</li></ul><br/>Go to <a href='settings.php?category=Shibboleth'>Plugin</a> to add a configurable 'Shibboleth Login' button for your Chamilo campus.";
$LdapDescriptionTitle = "<h3>LDAP autentication</h3>"; $LdapDescriptionTitle = "<h3>LDAP autentication</h3>";
$FacebookMainActivateTitle = "<h3>Facebook authentication</h3>"; $FacebookMainActivateTitle = "Facebook authentication";
$FacebookMainActivateComment = "<p><h5>Create your Facebook Application</h5>First of all, you have to create a Facebook Application (see <a href='https://developers.facebook.com/apps'>https://developers.facebook.com/apps</a>) with your Facebook account. In the Facebook Apps settings, the site URL value should be the URL of this campus. Enable the Web OAuth Login option. And add the site URL of your campus to the Valid OAuth redirect URIs field</p><p>Uncomment the line <code>&#36;_configuration['facebook_auth'] = 1;</code> to enable the Facebook Auth.</p><p>Then, edit the <code>app/config/auth.conf.php</code> file and enter '<code>appId</code>' and '<code>secret</code>' values for <code>&#36;facebook_config</code>.</p><p>Go to <a href='settings.php?category=Plugins'>Plugins</a> to add a configurable <em>Facebook Login</em> button for your Chamilo campus.</p>"; $FacebookMainActivateComment = "<p><h5>Create your Facebook Application</h5>First of all, you have to create a Facebook Application (see <a href='https://developers.facebook.com/apps'>https://developers.facebook.com/apps</a>) with your Facebook account. In the Facebook Apps settings, the site URL value should be the URL of this campus. Enable the Web OAuth Login option. And add the site URL of your campus to the Valid OAuth redirect URIs field</p><p>Uncomment the line <code>&#36;_configuration['facebook_auth'] = 1;</code> to enable the Facebook Auth.</p><p>Then, edit the <code>app/config/auth.conf.php</code> file and enter '<code>appId</code>' and '<code>secret</code>' values for <code>&#36;facebook_config</code>.</p><p>Go to <a href='settings.php?category=Plugins'>Plugins</a> to add a configurable <em>Facebook Login</em> button for your Chamilo campus.</p>";
$AnnouncementForGroup = "Announcement for a group"; $AnnouncementForGroup = "Announcement for a group";
$AllGroups = "All groups"; $AllGroups = "All groups";
@ -7161,10 +7161,10 @@ $SessionadminAutosubscribeTitle = "Session admin autosubscribe";
$SessionadminAutosubscribeComment = "Session administrator autosubscribe - not available yet"; $SessionadminAutosubscribeComment = "Session administrator autosubscribe - not available yet";
$ToolVisibleByDefaultAtCreationTitle = "Tool visible at course creation"; $ToolVisibleByDefaultAtCreationTitle = "Tool visible at course creation";
$ToolVisibleByDefaultAtCreationComment = "Select the tools that will be visible when creating the courses - not yet available"; $ToolVisibleByDefaultAtCreationComment = "Select the tools that will be visible when creating the courses - not yet available";
$casAddUserActivatePlatform = "CAS internal setting"; $casAddUserActivatePlatform = "Create a user account for any new CAS-authenticated user, from scratch";
$casAddUserActivateLDAP = "CAS internal setting"; $casAddUserActivateLDAP = "Create a user account for any new CAS-authenticated user, from LDAP";
$UpdateUserInfoCasWithLdapTitle = "CAS internal setting"; $UpdateUserInfoCasWithLdapTitle = "Update CAS-authenticated user account information from LDAP";
$UpdateUserInfoCasWithLdapComment = "CAS internal setting"; $UpdateUserInfoCasWithLdapComment = "Makes sure the user firstname, lastname and email address are the same as current values in the LDAP directory";
$InstallExecution = "Installation process execution"; $InstallExecution = "Installation process execution";
$UpdateExecution = "Update process execution"; $UpdateExecution = "Update process execution";
$PleaseWaitThisCouldTakeAWhile = "Please wait. This could take a while..."; $PleaseWaitThisCouldTakeAWhile = "Please wait. This could take a while...";
@ -7250,7 +7250,7 @@ $BadgesManagement = "Badges management";
$CurrentBadges = "Current badges"; $CurrentBadges = "Current badges";
$SaveBadge = "Save badge"; $SaveBadge = "Save badge";
$BadgeMeasuresXPixelsInPNG = "Badge measures 200x200 pixels in PNG"; $BadgeMeasuresXPixelsInPNG = "Badge measures 200x200 pixels in PNG";
$SetTutor = "Set as coach"; $ConvertToCourseAssistant = "Convert to assistant";
$UniqueAnswerImage = "Unique answer image"; $UniqueAnswerImage = "Unique answer image";
$TimeSpentByStudentsInCoursesGroupedByCode = "Time spent by students in courses, grouped by code"; $TimeSpentByStudentsInCoursesGroupedByCode = "Time spent by students in courses, grouped by code";
$TestResultsByStudentsGroupesByCode = "Tests results by student groups, by code"; $TestResultsByStudentsGroupesByCode = "Tests results by student groups, by code";
@ -7451,7 +7451,7 @@ $DocumentsDefaultVisibilityDefinedInCourseComment = "The default document visibi
$HtmlPurifierWikiTitle = "HTMLPurifier in Wiki"; $HtmlPurifierWikiTitle = "HTMLPurifier in Wiki";
$HtmlPurifierWikiComment = "Enable HTML purifier in the wiki tool (will increase security but reduce style features)"; $HtmlPurifierWikiComment = "Enable HTML purifier in the wiki tool (will increase security but reduce style features)";
$ClickOrDropFilesHere = "Click or drop files"; $ClickOrDropFilesHere = "Click or drop files";
$RemoveTutorStatus = "Remove tutor status"; $RemoveCourseAssistantStatus = "Remove assistant role";
$ImportGradebookInCourse = "Import gradebook from base course"; $ImportGradebookInCourse = "Import gradebook from base course";
$InstitutionAddressTitle = "Institution address"; $InstitutionAddressTitle = "Institution address";
$InstitutionAddressComment = "Address"; $InstitutionAddressComment = "Address";
@ -8446,4 +8446,137 @@ $CompilatioSeeReport = "See report";
$CompilatioNonToAnalyse = "Your selection contains no jobs to analyze. Only jobs managed by Compilatio and not already scanned can be sent."; $CompilatioNonToAnalyse = "Your selection contains no jobs to analyze. Only jobs managed by Compilatio and not already scanned can be sent.";
$CompilatioComunicationAjaxImpossible = "AJAX communication with the Compilatio server impossible. Please retry later."; $CompilatioComunicationAjaxImpossible = "AJAX communication with the Compilatio server impossible. Please retry later.";
$UserClassExplanation = "Information: The list of classes below contains the list of classes you have already registered in your course. If this list is empty, use the + green above to add classes."; $UserClassExplanation = "Information: The list of classes below contains the list of classes you have already registered in your course. If this list is empty, use the + green above to add classes.";
?> $InsertTwoNames = "Insert your two names";
$AddRightLogo = "Add right logo";
$LearnpathUseScoreAsProgress = "Use score as progress";
$LearnpathUseScoreAsProgressComment = "Use the score returned, by the only SCO in this learning path, as the progress indicator in the progress bar. This modifies the SCORM behaviour in the strict sense, but improves visual feedback to the learner.";
$Planned = "Planned";
$InProgress = "In progress";
$Cancelled = "Cancelled";
$Finished = "Finished";
$SessionStatus = "Session status";
$UpdateSessionStatus = "Update session status";
$SessionListCustom = "Custom list";
$NoStatus = "No status";
$CAS3Text = "CAS 3";
$GoBackToVideo = "Go back to video";
$UseLearnpathScoreAsProgress = "Use score as progress";
$UseLearnpathScoreAsProgressInfo = "Some SCORM learning paths, specifically those with one single SCO, can report their progress as the SCO's score (cmi.core.score.raw). By checking this option (only available for single SCO learning paths), Chamilo will show the progress based on the score received from the SCO item. Beware that, by using this trick, you lose the ability to get any real score from the item.";
$ThereIsASequenceResourceLinkedToThisCourseYouNeedToDeleteItFirst = "There is a sequence resource linked to this course. You must delete this link first.";
$QuizPreventBackwards = "Prevent moving backwards to previous questions";
$UploadPlugin = "Upload plugin";
$PluginUploadPleaseRememberUploadingThirdPartyPluginsCanBeDangerous = "Please remember that uploading third party plugins can be harmful to both your portal and your server. Always ensure you install plugins from secure sources or that you can count on professional support from their developers.";
$PluginUploadingTwiceWillReplacePreviousFiles = "Uploading the same plugin more than once will overwrite the previous plugin files. As in the first upload, uploading a third party plugin can have harmful effects.";
$UploadNewPlugin = "Select the new plugin";
$PluginUploadIsNotEnabled = "The third party plugins upload is not enabled. Make sure the 'plugin_upload_enable' is set to 'true' in the platform configuration file.";
$PluginUploaded = "Plugin uploaded";
$PluginOfficial = "Official";
$PluginThirdParty = "Third party";
$ErrorPluginOfficialCannotBeUploaded = "Your plugin has the same name as an official plugin. Official plugins cannot be overwritten. Please change your plugin's zip file name.";
$AllSessionsShort = "All";
$ActiveSessionsShort = "Active";
$ClosedSessionsShort = "Closed";
$FirstnameLastnameCourses = "Courses of %s %s";
$CanNotSubscribeToCourseUserSessionExpired = "You can not subscrive to the course any more because your session has expired.";
$CertificateOfAchievement = "Certificate of achievement";
$CertificateOfAchievementByDay = "Certificate of achievement by day";
$ReducedReport = "Reduced report";
$NotInCourse = "Outside courses";
$LearnpathCategory = "Learnpaths category";
$MailTemplates = "Mail templates";
$AnEmailToResetYourPasswordHasBeenSent = "An email to reset your password has been sent.";
$TotalNumberOfAvailableCourses = "Total number of available courses";
$NumberOfMatchingCourses = "Number of matching courses";
$SessionsByDate = "Sessions by date";
$GeneralStats = "Global statistics";
$Weeks = "Weeks";
$SessionCount = "Sessions count";
$SessionsPerWeek = "Sessions per week";
$AverageUserPerSession = "Average number of users per session";
$AverageSessionPerGeneralCoach = "Average number of sessions per general session coach";
$SessionsPerCategory = "Sessions per category";
$SessionsPerLanguage = "Sessions per language";
$CountOfSessions = "Number of sessions";
$CourseInSession = "Courses in sessions";
$UserStats = "Users statistics";
$TotalNumberOfStudents = "Total number of students";
$UsersCreatedInTheSelectedPeriod = "Users created in the selected period";
$UserByLanguage = "Users per language";
$Count = "Count";
$SortKeys = "Sort by";
$SubscriptionCount = "Subscription count";
$VoteCount = "Vote count";
$ExportAsCompactCSV = "Export as compact CSV";
$PromotedMessages = "Promoted messages";
$SendToGroupTutors = "Publish for group tutors";
$GroupSurveyX = "Group survey for %s";
$HelloXGroupX = "Hi %s <br/><br/>As group tutor for the group %s you are invited to participate at the following survey :";
$SurveyXMultiplicated = "Survey %s multiplicated";
$SurveyXNotMultiplicated = "Survey %s not multiplicated";
$ExportSurveyResults = "Export survey results";
$PointAverage = "Average score";
$TotalScore = "Score Sum";
$ExportResults = "Export results";
$QuizBrowserCheckOK = "Your browser has been verified. You can safely proceed.";
$QuizBrowserCheckKO = "Your browser could not be verified. Please try again, or try another browser or device before starting your test.";
$PartialCorrect = "Partially correct";
$XAnswersSavedByUsersFromXTotal = "%d / %d answers saved.";
$TestYourBrowser = "Test your browser";
$DraggableQuestionIntro = "Sort the following options from the list as you see fit by dragging them to the lower areas. You can put them back in this area to modify your answer.";
$AverageTrainingTime = "Average time in the course";
$UsersActiveInATest = "Users active in a test";
$SurveyQuestionSelectiveDisplay = "Selective display";
$SurveyQuestionSelectiveDisplayComment = "This question, when located on a single survey page with a first multiple choice question, will only show if the first *option* of the first question is selected. For example, 'Did you go on holiday?' -> if answering the first option 'Yes', the selective display question will appear with a list of possible holiday locations to select from.";
$SurveyQuestionMultipleChoiceWithOther = "Multiple choice with free text";
$SurveyQuestionMultipleChoiceWithOtherComment = "Offer some pre-defined options, then let the user answer by text if no option matches.";
$Multiplechoiceother = "Multiple choice with 'other' option";
$SurveyOtherAnswerSpecify = "Other...";
$SurveyOtherAnswer = "Please specify:";
$UserXPostedADocumentInCourseX = "User %s has posted a document in the Assignments tool in the course %s";
$DownloadDocumentsFirst = "Download documents first";
$FileXHasNoData = "File %s is empty or only contains empty lines.";
$FileXHasYNonEmptyLines = "File %s has %d non-empty lines.";
$DuplicatesOnlyXUniqueUserNames = "There are duplicates: only %d unique user names were extracted.";
$NoLineMatchedAnyActualUserName = "No line matched any actual user name.";
$OnlyXLinesMatchedActualUsers = "Only %d lines matched actual users.";
$TheFollowingXLinesDoNotMatchAnyActualUser = "The following %d line(s) do not match any actual user:";
$XUsersAreAboutToBeAnonymized = "%d users are about to be anonymized :";
$LoadingXUsers = "Loading %d users...";
$AnonymizingXUsers = "Anonymizing %d users...";
$AllXUsersWereAnonymized = "All %d users were anonymized.";
$OnlyXUsersWereAnonymized = "Only %d users were anonymized.";
$AttemptedAnonymizationOfTheseXUsersFailed = "Attempted anonymization of the following %d users failed:";
$PleaseUploadListOfUsers = "Please upload a text file listing the users to be anonymized, one username per line.";
$InternalInconsistencyXUsersFoundForYUserNames = "Internal inconsistency found : %d users found from %d submitted usernames. Please start over.";
$BulkAnonymizeUsers = "Anonymise users list";
$UsernameList = "Username list";
$UsersAboutToBeAnonymized = "Users about to be anonymized:";
$CouldNotReadFile = "Could not read file.";
$CouldNotReadFileLines = "Could not read file lines.";
$CertificatesSessions = "Certificates in sessions";
$SessionFilterReport = "Filter certificates in sessions";
$UpdateUserListXMLCSV = "Update user list";
$DonateToTheProject = "Chamilo is an Open Source project and this portal is provided to our community free of charge by the Chamilo Association, which pursues the goal of improving the availability of a quality education around the globe.<br /><br />
However, developing Chamilo and providing this service are expensive and having a little bit of help from you would go a long way to ensure these services improve faster over time.<br /><br />
Creating a course on this portal is one of the most resource-intensive operation. Please consider making a contribution to the Chamilo Association before creating this course to help keep this service free for all!";
$MyStudentPublications = "My assignments";
$AddToEditor = "Add to editor";
$ImageURL = "Image URL";
$PixelWidth = "px width";
$AddImageWithZoom = "Add image with zoom";
$DeleteInAllLanguages = "Delete in all languages";
$MyStudentsSchedule = "My students schedule";
$QuizConfirmSavedAnswers = "I accept the number of saved responses in this section.";
$QuizConfirmSavedAnswersHelp = "If you are not satisfied, do not check the acceptance box and consult the course manager or the platform administrator.";
$TCReport = "Student's superior follow up";
$TIReport = "General Coaches planning";
$StudentPublicationsSent = "Sent or past assignments";
$PendingStudentPublications = "Pending assignments";
$MyStudentPublicationsTitle = "All Assignments";
$MyStudentPublicationsExplanation = "You will find below all your assignment from all the courses and session in which you are registered.";
$RequiredCourses = "Required courses";
$SimpleCourseList = "Standard List";
$AdminCourseList = "Management List";
$AnonymizeUserSessions = "Anonymize user's sessions";
$ContinueLastImport = "Continue last import";
?>

@ -743,7 +743,7 @@ $ToExportLearnpathWithQuizYouHaveToSelectQuiz = "Si vous désirez exporter un co
$ArchivesDirectoryNotWriteableContactAdmin = "Le répertoire app/cache/, utilisé par cet outil, ne dispose pas des accès en écriture. Veuillez contacter l'administrateur de la plateforme à ce sujet."; $ArchivesDirectoryNotWriteableContactAdmin = "Le répertoire app/cache/, utilisé par cet outil, ne dispose pas des accès en écriture. Veuillez contacter l'administrateur de la plateforme à ce sujet.";
$DestinationCourse = "Cours de destination"; $DestinationCourse = "Cours de destination";
$ConvertToMultipleAnswer = "Convertir en question à réponses multiples (QRM)"; $ConvertToMultipleAnswer = "Convertir en question à réponses multiples (QRM)";
$CasMainActivateComment = "Activer l'authentification CAS permettra aux utilisateurs de s'identifier à l'aide de leur compte CAS<br/>Vous trouverez dans les <a href='settings.php?category=CAS'>Plugin</a> un bouton 'Login CAS', paramétrable, qui s'ajoutera sur la page d'accueil de votre campus Chamilo."; $CasMainActivateComment = "Activer l'authentification CAS permettra aux utilisateurs de s'identifier à l'aide de leur compte CAS<br/>Vous trouverez dans les <a href='settings.php?category=CAS'>Plugin</a> un bouton 'Login CAS', paramétrable, qui s'ajoutera sur la page d'accueil de votre campus Chamilo. Alternativement, vous pouvez forcer l'authentification CAS en définissant cas[force_redirect] dans app/config/auth.conf.php.";
$UsersRegisteredInAnyGroup = "Utilisateurs enregistrés dans n'importe quel groupe"; $UsersRegisteredInAnyGroup = "Utilisateurs enregistrés dans n'importe quel groupe";
$Camera = "Caméra"; $Camera = "Caméra";
$Microphone = "Micro"; $Microphone = "Micro";
@ -1735,7 +1735,7 @@ $PublicPagesComplyToWAIComment = "WAI (Web Accessibility Initiative) est une ini
$VersionCheck = "Vérification de la version"; $VersionCheck = "Vérification de la version";
$SessionOverview = "Résumé de la session"; $SessionOverview = "Résumé de la session";
$SubscribeUserIfNotAllreadySubscribed = "Inscrire l'utilsateur s'il n'est pas déjà inscrit"; $SubscribeUserIfNotAllreadySubscribed = "Inscrire l'utilsateur s'il n'est pas déjà inscrit";
$UnsubscribeUserIfSubscriptionIsNotInFile = "Désinscrire l'utilisateur s'il n'est pas dans le fichier"; $UnsubscribeUserIfSubscriptionIsNotInFile = "Désinscrire l'utilisateur de tous les cours auxquels il n'est pas explicitement inscrit dans le fichier";
$DeleteSelectedSessions = "Supprimer les sessions sélectionnées"; $DeleteSelectedSessions = "Supprimer les sessions sélectionnées";
$CourseListInSession = "Liste des cours de cette session"; $CourseListInSession = "Liste des cours de cette session";
$UnsubscribeCoursesFromSession = "Supprimer les cours sélectionnés de cette session"; $UnsubscribeCoursesFromSession = "Supprimer les cours sélectionnés de cette session";
@ -2174,16 +2174,16 @@ $ShowTeacherDataComment = "Afficher les données de l'enseignant (nom et courrie
$HTMLText = "HTML"; $HTMLText = "HTML";
$PageLink = "Lien externes"; $PageLink = "Lien externes";
$DisplayTermsConditions = "Afficher la page de termes & conditions sur la page d'enregistrement. Requiert que le visiteur accepte ces termes et conditions pour s'enregistrer."; $DisplayTermsConditions = "Afficher la page de termes & conditions sur la page d'enregistrement. Requiert que le visiteur accepte ces termes et conditions pour s'enregistrer.";
$AllowTermsAndConditionsTitle = "Activer les termes et conditions"; $AllowTermsAndConditionsTitle = "Activer les conditions d'utilisation";
$AllowTermsAndConditionsComment = "Activer la page de termes et conditions permet d'introduire un aspect légal à l'usage du campus. Ces termes et conditions peuvent être édités à partir de la page d'administration (par langue) et pourront être affichés aux utilisateurs selon les options sélectionnées."; $AllowTermsAndConditionsComment = "Activer la page de conditions d'utilisation permet d'introduire un aspect légal à l'usage du campus. Ces conditions d'utilisation peuvent être édités à partir de la page d'administration (par langue) et pourront être affichés aux utilisateurs selon les options sélectionnées.";
$Load = "Charger"; $Load = "Charger";
$AllVersions = "Toutes les versions"; $AllVersions = "Toutes les versions";
$EditTermsAndConditions = "Éditer les termes et conditions"; $EditTermsAndConditions = "Éditer les conditions d'utilisation";
$ExplainChanges = "Expliquer les modifications"; $ExplainChanges = "Expliquer les modifications";
$TermAndConditionNotSaved = "Termes et conditions non sauvegardés"; $TermAndConditionNotSaved = "Conditions d'utilisation non sauvegardées";
$TheSubLanguageHasBeenRemoved = "Le jargon a été supprimé"; $TheSubLanguageHasBeenRemoved = "Le jargon a été supprimé";
$AddTermsAndConditions = "Ajouter des termes et conditions"; $AddTermsAndConditions = "Ajouter des conditions d'utilisation";
$TermAndConditionSaved = "Termes et conditions sauvés"; $TermAndConditionSaved = "Conditions d'utilisation sauvegardées";
$ListSessionCategory = "Liste des catégories de sessions"; $ListSessionCategory = "Liste des catégories de sessions";
$AddSessionCategory = "Ajouter catégorie"; $AddSessionCategory = "Ajouter catégorie";
$SessionCategoryName = "Titre de la catégorie"; $SessionCategoryName = "Titre de la catégorie";
@ -2220,7 +2220,7 @@ $SpecialExports = "Exports spéciaux";
$SpecialCreateFullBackup = "Créer un export spécial complet"; $SpecialCreateFullBackup = "Créer un export spécial complet";
$SpecialLetMeSelectItems = "Sélection manuelle des composants"; $SpecialLetMeSelectItems = "Sélection manuelle des composants";
$AllowCoachsToEditInsideTrainingSessions = "Autoriser les formateurs à éditer le contenu des sessions de cours"; $AllowCoachsToEditInsideTrainingSessions = "Autoriser les formateurs à éditer le contenu des sessions de cours";
$AllowCoachsToEditInsideTrainingSessionsComment = "Autoriser les formateurs à éditer le conteni des sessions de cours (modifier les documents, parcours, exercices, liens, etc)"; $AllowCoachsToEditInsideTrainingSessionsComment = "Autoriser les formateurs à éditer le contenu des sessions de cours (modifier les documents, parcours, exercices, liens, etc)";
$ShowSessionDataTitle = "Afficher les informations de la session"; $ShowSessionDataTitle = "Afficher les informations de la session";
$ShowSessionDataComment = "Afficher informations sur la session dans la page de cours de l'utilisateur"; $ShowSessionDataComment = "Afficher informations sur la session dans la page de cours de l'utilisateur";
$SubscribeSessionsToCategory = "Ajouter des sessions dans une catégorie"; $SubscribeSessionsToCategory = "Ajouter des sessions dans une catégorie";
@ -3729,7 +3729,7 @@ $ViewResult = "Visualisation des résultats";
$NoResultsInEvaluation = "Aucune note actuellement pour cette activité"; $NoResultsInEvaluation = "Aucune note actuellement pour cette activité";
$AddStudent = "Ajout utilisateurs"; $AddStudent = "Ajout utilisateurs";
$ImportResult = "Import résultats"; $ImportResult = "Import résultats";
$ImportFileLocation = "Importer une feuille de notes"; $ImportFileLocation = "Importer un fichier";
$FileType = "Type de fichier"; $FileType = "Type de fichier";
$ExampleCSVFile = "Fichier CSV d'exemple"; $ExampleCSVFile = "Fichier CSV d'exemple";
$ExampleXMLFile = "Fichier XML d'exemple"; $ExampleXMLFile = "Fichier XML d'exemple";
@ -4019,7 +4019,7 @@ $EditExtendProfile = "Modifier le profil étendu";
$EditInformation = "Modifier information"; $EditInformation = "Modifier information";
$RegisterUser = "Valider mon inscription"; $RegisterUser = "Valider mon inscription";
$IHaveReadAndAgree = "J'ai lu et accepte les"; $IHaveReadAndAgree = "J'ai lu et accepte les";
$ByClickingRegisterYouAgreeTermsAndConditions = "En cliquant sur le bouton \"Valider mon inscription\" ci-dessous, vous marquez votre accord avec les termes et conditions de ce site."; $ByClickingRegisterYouAgreeTermsAndConditions = "En cliquant sur le bouton \"Valider mon inscription\" ci-dessous, vous marquez votre accord avec les conditions d'utilisation de ce site.";
$LostPass = "Vous avez oublié votre mot de passe?"; $LostPass = "Vous avez oublié votre mot de passe?";
$EnterEmailUserAndWellSendYouPassword = "Entrez votre nom d'utilisateur ou l'adresse avec laquelle vous vous êtes enregistré et nous vous enverrons votre mot de passe par courriel."; $EnterEmailUserAndWellSendYouPassword = "Entrez votre nom d'utilisateur ou l'adresse avec laquelle vous vous êtes enregistré et nous vous enverrons votre mot de passe par courriel.";
$NoUserAccountWithThisEmailAddress = "Désolé, nous n'avons trouvé aucune trace d'un compte avec ce nom d'utilisateur et/ou cette adresse de courriel."; $NoUserAccountWithThisEmailAddress = "Désolé, nous n'avons trouvé aucune trace d'un compte avec ce nom d'utilisateur et/ou cette adresse de courriel.";
@ -6041,8 +6041,8 @@ $CopyFailed = "La copie a échoué";
$CopyMade = "La copie a été effectuée"; $CopyMade = "La copie a été effectuée";
$OverwritenFile = "Le fichier a été remplacé"; $OverwritenFile = "Le fichier a été remplacé";
$MyFiles = "Mes fichiers"; $MyFiles = "Mes fichiers";
$AllowUsersCopyFilesTitle = "Permet aux utilisateurs de copier des fichiers à partir d'un cours de votre dossier personnel"; $AllowUsersCopyFilesTitle = "Permet aux utilisateurs de copier des fichiers, à partir d'un cours, dans son dossier personnel";
$AllowUsersCopyFilesComment = "Permet aux utilisateurs de copier des fichiers à partir d'un cours de votre dossier personnel, visible à travers les réseaux sociaux ou par l'intermédiaire de l'éditeur HTML lorsqu'ils ne font pas partis d'un cours"; $AllowUsersCopyFilesComment = "Permet aux utilisateurs de copier des fichiers, à partir d'un cours, dans leur dossier personnel, visible à travers les réseaux sociaux ou par l'intermédiaire de l'éditeur HTML lorsqu'ils ne font pas partis d'un cours";
$PreviewImage = "Afficher l'image"; $PreviewImage = "Afficher l'image";
$UpdateImage = "Actualiser l'image"; $UpdateImage = "Actualiser l'image";
$EnableTimeLimits = "Activer les limites de temps"; $EnableTimeLimits = "Activer les limites de temps";
@ -6062,10 +6062,10 @@ $ExamTracking = "Suivi d'examens";
$NoAttempt = "Aucune tentative"; $NoAttempt = "Aucune tentative";
$PassExam = "Réussi"; $PassExam = "Réussi";
$CreateCourseRequest = "Créer une demande de cours"; $CreateCourseRequest = "Créer une demande de cours";
$TermsAndConditions = "Termes et Conditions"; $TermsAndConditions = "Conditions d'utilisation";
$ReadTermsAndConditions = "Lire les Termes et Conditions"; $ReadTermsAndConditions = "Lire les conditions d'utilisation";
$IAcceptTermsAndConditions = "J'ai lu et j'accepte les Termes et Conditions"; $IAcceptTermsAndConditions = "J'ai lu et j'accepte les Conditions d'utilisation";
$YouHaveToAcceptTermsAndConditions = "Vous devez accepter nos Termes et Conditions pour continuer."; $YouHaveToAcceptTermsAndConditions = "Vous devez accepter nos Conditions d'utilisation pour continuer.";
$CourseRequestCreated = "Votre demande d'inscription à un nouveau cours a été envoyée correctement. Vous recevrez une réponse prochainement, dans un ou deux jours."; $CourseRequestCreated = "Votre demande d'inscription à un nouveau cours a été envoyée correctement. Vous recevrez une réponse prochainement, dans un ou deux jours.";
$ReviewCourseRequests = "Réviser les demandes de cours"; $ReviewCourseRequests = "Réviser les demandes de cours";
$AcceptedCourseRequests = "Demandes de cours acceptées"; $AcceptedCourseRequests = "Demandes de cours acceptées";
@ -6106,8 +6106,8 @@ $CourseRequestAcceptedEmailSubject = "%s La demande pour le cours %s a été app
$CourseRequestAcceptedEmailText = "Votre demande pour le cours %s a été approuvée. Un nouveau cours %s a été créé et vous y êtes enregistré en tant qu'enseignant.\n\nVous pouvez accéder à votre nouveau cours ici: %s"; $CourseRequestAcceptedEmailText = "Votre demande pour le cours %s a été approuvée. Un nouveau cours %s a été créé et vous y êtes enregistré en tant qu'enseignant.\n\nVous pouvez accéder à votre nouveau cours ici: %s";
$CourseRequestRejectedEmailSubject = "%s La demande pour le cours %s a été rejetée"; $CourseRequestRejectedEmailSubject = "%s La demande pour le cours %s a été rejetée";
$CourseRequestRejectedEmailText = "Nous sommes désolés de vous informer que votre demande pour le cours %s a été rejetée pour ne pas correspondre à nos Termes et Conditions."; $CourseRequestRejectedEmailText = "Nous sommes désolés de vous informer que votre demande pour le cours %s a été rejetée pour ne pas correspondre à nos Termes et Conditions.";
$CourseValidationTermsAndConditionsLink = "Demandes de cours - lien vers les termes et conditions"; $CourseValidationTermsAndConditionsLink = "Demandes de cours - lien vers les conditions d'utilisation";
$CourseValidationTermsAndConditionsLinkComment = "URL vers un document de \"Termes et conditions\" valides pour les demandes de cours. Si l'adresse est configurée, l'utilisateur devrait lire et accepter ces termes et conditions avant d'envoyer une demande de cours. Si vous activez le module \"Termes et conditions\" de Chamilo et que vous voulez plutôt utiliser ceux-là, laissez le champ suivant vide."; $CourseValidationTermsAndConditionsLinkComment = "URL vers un document de Conditions d'utilisation valide pour les demandes de cours. Si l'adresse est configurée, l'utilisateur devrait lire et accepter ces Conditions d'utilisation avant d'envoyer une demande de cours. Si vous activez la fonctionnalité \"Conditions d'utilisation\" de Chamilo et que vous voulez plutôt utiliser ceux-là, laissez le champ suivant vide.";
$CourseCreationFailed = "Le cours n'a pas été créé à cause d'une erreur interne."; $CourseCreationFailed = "Le cours n'a pas été créé à cause d'une erreur interne.";
$CourseRequestCreationFailed = "La demande de cours n'a pas été enregistrée à cause d'une erreur interne."; $CourseRequestCreationFailed = "La demande de cours n'a pas été enregistrée à cause d'une erreur interne.";
$CourseRequestEdit = "Éditer une demande de cours"; $CourseRequestEdit = "Éditer une demande de cours";
@ -6419,7 +6419,7 @@ $UsersEdited = "Utilisateurs mis à jour.";
$CourseHome = "Page d'accueil du cours"; $CourseHome = "Page d'accueil du cours";
$ComingSoon = "Très bientôt..."; $ComingSoon = "Très bientôt...";
$DummyCourseOnlyOnTestServer = "Contenu de cours de démo - seulement disponible sur les plateformes de test."; $DummyCourseOnlyOnTestServer = "Contenu de cours de démo - seulement disponible sur les plateformes de test.";
$ThereAreNotSelectedCoursesOrCoursesListIsEmpty = "Aucun cours n'a été sélectionné ou la list de cours est vide."; $ThereAreNotSelectedCoursesOrCoursesListIsEmpty = "Aucun cours n'a été sélectionné ou la liste de cours est vide.";
$CodeTwiceInFile = "Un code a été utilisé deux fois dans le fichier, ce qui n'est pas autorisé. Les codes de cours devraient être uniques."; $CodeTwiceInFile = "Un code a été utilisé deux fois dans le fichier, ce qui n'est pas autorisé. Les codes de cours devraient être uniques.";
$CodeExists = "Ce code existe déjà."; $CodeExists = "Ce code existe déjà.";
$UnkownCategoryCourseCode = "La catégorie n'a pas été trouvée."; $UnkownCategoryCourseCode = "La catégorie n'a pas été trouvée.";
@ -6808,7 +6808,7 @@ $CAS2Text = "CAS 2";
$SAMLText = "SAML"; $SAMLText = "SAML";
$CasMainProtocolComment = "Le protocole par lequel on se connecte au serveur CAS"; $CasMainProtocolComment = "Le protocole par lequel on se connecte au serveur CAS";
$CasUserAddActivateTitle = "Activer la création d'utilisateurs via CAS"; $CasUserAddActivateTitle = "Activer la création d'utilisateurs via CAS";
$CasUserAddActivateComment = "Permet la création de nouveaux utilisateurs via CAS"; $CasUserAddActivateComment = "Permet la création de nouveaux utilisateurs via CAS. Pour créer le compte utilisateur à partir de l'annuaire LDAP, les tableau extldap_config et extldap_user_correspondance doivent être bien renseignés dans app/config/auth.conf.php";
$CasUserAddLoginAttributeTitle = "Ajout du login utilisateur"; $CasUserAddLoginAttributeTitle = "Ajout du login utilisateur";
$CasUserAddLoginAttributeComment = "Enregistrer le login CAS de l'utilisateur lors de la création"; $CasUserAddLoginAttributeComment = "Enregistrer le login CAS de l'utilisateur lors de la création";
$CasUserAddEmailAttributeTitle = "Ajouter courriel utilisateur CAS"; $CasUserAddEmailAttributeTitle = "Ajouter courriel utilisateur CAS";
@ -6997,7 +6997,7 @@ $LdapDescriptionComment = "<div class='normal-message'> <br /><ul><li>Authentifi
$ShibbolethMainActivateTitle = "<h3>Configuration de l'authentification Shibboleth</h3>"; $ShibbolethMainActivateTitle = "<h3>Configuration de l'authentification Shibboleth</h3>";
$ShibbolethMainActivateComment = "<p>Vous devez, en premier lieu, configurer Shibboleth pour votre serveur web. Pour le configurer pour Chamilo.</p><h5>éditez le fichier main/auth/shibboleth/config/aai.class.php</h5><p>Modifiez les valeurs de l'objet &#36;result avec les nom des attributs retourné par votre serveur Shibboleth.</p>Les valeurs à modifier sont<ul><li>&#36;result-&gt;unique_id = 'mail';</li><li>&#36;result-&gt;firstname = 'cn';</li><li>&#36;result-&gt;lastname = 'uid';</li><li>&#36;result-&gt;email = 'mail';</li><li>&#36;result-&gt;language = '-';</li><li>&#36;result-&gt;gender = '-';</li><li>&#36;result-&gt;address = '-';</li><li>&#36;result-&gt;staff_category = '-';</li><li>&#36;result-&gt;home_organization_type = '-'; </li><li>&#36;result-&gt;home_organization = '-';</li><li>&#36;result-&gt;affiliation = '-';</li><li>&#36;result-&gt;persistent_id = '-';</li><li>...</li></ul><br/>Vous trouverez dans les <a href='settings.php?category=Shibboleth'>Plugin</a> un bouton 'Login Shibboleth', paramétrable, qui s'ajoutera sur la page d'accueil de votre campus Chamilo."; $ShibbolethMainActivateComment = "<p>Vous devez, en premier lieu, configurer Shibboleth pour votre serveur web. Pour le configurer pour Chamilo.</p><h5>éditez le fichier main/auth/shibboleth/config/aai.class.php</h5><p>Modifiez les valeurs de l'objet &#36;result avec les nom des attributs retourné par votre serveur Shibboleth.</p>Les valeurs à modifier sont<ul><li>&#36;result-&gt;unique_id = 'mail';</li><li>&#36;result-&gt;firstname = 'cn';</li><li>&#36;result-&gt;lastname = 'uid';</li><li>&#36;result-&gt;email = 'mail';</li><li>&#36;result-&gt;language = '-';</li><li>&#36;result-&gt;gender = '-';</li><li>&#36;result-&gt;address = '-';</li><li>&#36;result-&gt;staff_category = '-';</li><li>&#36;result-&gt;home_organization_type = '-'; </li><li>&#36;result-&gt;home_organization = '-';</li><li>&#36;result-&gt;affiliation = '-';</li><li>&#36;result-&gt;persistent_id = '-';</li><li>...</li></ul><br/>Vous trouverez dans les <a href='settings.php?category=Shibboleth'>Plugin</a> un bouton 'Login Shibboleth', paramétrable, qui s'ajoutera sur la page d'accueil de votre campus Chamilo.";
$LdapDescriptionTitle = "Identification LDAP"; $LdapDescriptionTitle = "Identification LDAP";
$FacebookMainActivateTitle = "<h3>Configuration de l'authentification via Facebook</h3>"; $FacebookMainActivateTitle = "Configuration de l'authentification via Facebook";
$FacebookMainActivateComment = "<p><h5>Créez votre application Facebook</h5>Vous devez, d'abord, créer une application Facebook (cf. <a href='https://developers.facebook.com/apps'>https://developers.facebook.com/apps</a>) avec votre compte Facebook.<br/> $FacebookMainActivateComment = "<p><h5>Créez votre application Facebook</h5>Vous devez, d'abord, créer une application Facebook (cf. <a href='https://developers.facebook.com/apps'>https://developers.facebook.com/apps</a>) avec votre compte Facebook.<br/>
<h5>Éditez le fichier app/config/configuration.php</h5>Et décommentez la ligne &#36;_configuration['facebook_auth'] = 1;<br/> <h5>Éditez le fichier app/config/configuration.php</h5>Et décommentez la ligne &#36;_configuration['facebook_auth'] = 1;<br/>
<h5>Éditez le fichier app/config/auth.conf.php<br/></h5>Entrez les valeurs 'appId' et 'secret', fournies par Facebook, pour la variable &#36;facebook_config.<br/> <h5>Éditez le fichier app/config/auth.conf.php<br/></h5>Entrez les valeurs 'appId' et 'secret', fournies par Facebook, pour la variable &#36;facebook_config.<br/>
@ -7110,13 +7110,13 @@ $ScormCumulativeSessionTimeComment = "Si activé, le temps de session pour les p
$SessionAdminPageAfterLoginTitle = "Page après connexion pour les admins de session"; $SessionAdminPageAfterLoginTitle = "Page après connexion pour les admins de session";
$SessionAdminPageAfterLoginComment = "Cette page s'affichera aux administrateurs de sessions après connexion (login)"; $SessionAdminPageAfterLoginComment = "Cette page s'affichera aux administrateurs de sessions après connexion (login)";
$SessionadminAutosubscribeTitle = "Auto-inscription d'administrateurs de session"; $SessionadminAutosubscribeTitle = "Auto-inscription d'administrateurs de session";
$SessionadminAutosubscribeComment = "Auto-inscription d'administrateurs de session - pas encore disponibile"; $SessionadminAutosubscribeComment = "Auto-inscription d'administrateurs de session - pas encore disponible";
$ToolVisibleByDefaultAtCreationTitle = "Outils visibles à la création du cours"; $ToolVisibleByDefaultAtCreationTitle = "Outils visibles à la création du cours";
$ToolVisibleByDefaultAtCreationComment = "Sélectionnez les outils qui seront visibles à la création des cours - pas encore disponible"; $ToolVisibleByDefaultAtCreationComment = "Sélectionnez les outils qui seront visibles à la création des cours - pas encore disponible";
$casAddUserActivatePlatform = "Paramètres internes CAS"; $casAddUserActivatePlatform = "Créer un compte utilisateur pour tout nouvel utilisateur authentifié par CAS, à partir de son seul identifiant CAS";
$casAddUserActivateLDAP = "Paramètres internes CAS"; $casAddUserActivateLDAP = "Créer un compte utilisateur pour tout nouvel utilisateur authentifié par CAS, à partir de l'annuaire LDAP";
$UpdateUserInfoCasWithLdapTitle = "Paramètres internes CAS"; $UpdateUserInfoCasWithLdapTitle = "Tenir le compte de l'utilisateur à jour à partir du LDAP";
$UpdateUserInfoCasWithLdapComment = "Paramètres internes CAS"; $UpdateUserInfoCasWithLdapComment = "Tient à jour les valeurs des champs prénom, nom et adresse de courriel de l'utilisateur en lisant son enregistrement dans l'annuaire LDAP. Les tableau extldap_config et extldap_user_correspondance doivent être bien renseignés dans app/config/auth.conf.php";
$InstallExecution = "Exécution du processus d'installation"; $InstallExecution = "Exécution du processus d'installation";
$UpdateExecution = "Exécution du processus de mise à jour"; $UpdateExecution = "Exécution du processus de mise à jour";
$PleaseWaitThisCouldTakeAWhile = "Veuillez patienter, cette opération peut prendre un certain temps..."; $PleaseWaitThisCouldTakeAWhile = "Veuillez patienter, cette opération peut prendre un certain temps...";
@ -7202,7 +7202,7 @@ $BadgesManagement = "Gérer les badges";
$CurrentBadges = "Badges actuels"; $CurrentBadges = "Badges actuels";
$SaveBadge = "Enregistrer le badge"; $SaveBadge = "Enregistrer le badge";
$BadgeMeasuresXPixelsInPNG = "Propriétés recommandées du badge: 200x200 pixels au format PNG"; $BadgeMeasuresXPixelsInPNG = "Propriétés recommandées du badge: 200x200 pixels au format PNG";
$SetTutor = "Faire coach"; $ConvertToCourseAssistant = "Convertir en assistant";
$UniqueAnswerImage = "Sélection d'image"; $UniqueAnswerImage = "Sélection d'image";
$TimeSpentByStudentsInCoursesGroupedByCode = "Temps passé par les étudiants dans les cours, regroupés par code"; $TimeSpentByStudentsInCoursesGroupedByCode = "Temps passé par les étudiants dans les cours, regroupés par code";
$TestResultsByStudentsGroupesByCode = "Résultats des tests par les groupes d'étudiants, par code"; $TestResultsByStudentsGroupesByCode = "Résultats des tests par les groupes d'étudiants, par code";
@ -7403,7 +7403,7 @@ $DocumentsDefaultVisibilityDefinedInCourseComment = "Visibilité par défaut des
$HtmlPurifierWikiTitle = "HTMLPurifier dans le wiki"; $HtmlPurifierWikiTitle = "HTMLPurifier dans le wiki";
$HtmlPurifierWikiComment = "Activer HTMLPurifier dans l'outil de wiki (augmente la sécurité mais réduit les options de style visuel)"; $HtmlPurifierWikiComment = "Activer HTMLPurifier dans l'outil de wiki (augmente la sécurité mais réduit les options de style visuel)";
$ClickOrDropFilesHere = "Cliquez ou déplacez un ou plusieurs fichiers ici"; $ClickOrDropFilesHere = "Cliquez ou déplacez un ou plusieurs fichiers ici";
$RemoveTutorStatus = "Retirer le statut de coach"; $RemoveCourseAssistantStatus = "Retirer le rôle d'assistant";
$ImportGradebookInCourse = "Importer cahiers de notes depuis cours de base"; $ImportGradebookInCourse = "Importer cahiers de notes depuis cours de base";
$InstitutionAddressTitle = "Adresse de l'institution"; $InstitutionAddressTitle = "Adresse de l'institution";
$InstitutionAddressComment = "L'adresse, en toutes lettres"; $InstitutionAddressComment = "L'adresse, en toutes lettres";
@ -7470,7 +7470,7 @@ $PreventMultipleSimultaneousLoginComment = "Empêche les utilisateurs de se conn
$ShowAdditionalColumnsInStudentResultsPageTitle = "Colonnes additionnelles cahier de notes"; $ShowAdditionalColumnsInStudentResultsPageTitle = "Colonnes additionnelles cahier de notes";
$ShowAdditionalColumnsInStudentResultsPageComment = "Montrer des colonnes additionnelles dans la vue étudiant du cahier de notes: meilleur score de tous les étudiants, classement relatif de l'étudiant par rapport aux autres et moyenne des scores de tous les étudiants réunis."; $ShowAdditionalColumnsInStudentResultsPageComment = "Montrer des colonnes additionnelles dans la vue étudiant du cahier de notes: meilleur score de tous les étudiants, classement relatif de l'étudiant par rapport aux autres et moyenne des scores de tous les étudiants réunis.";
$CourseCatalogIsPublicTitle = "Publier le catalogue de cours"; $CourseCatalogIsPublicTitle = "Publier le catalogue de cours";
$CourseCatalogIsPublicComment = "Rend le catalogue de cours disponibile pour tout le monde, sans besoin d'être inscrit sur la plateforme."; $CourseCatalogIsPublicComment = "Rend le catalogue de cours disponible pour tout le monde, sans besoin d'être inscrit sur la plateforme.";
$ResetPasswordTokenTitle = "Clef de réinitialisation du mot de passe"; $ResetPasswordTokenTitle = "Clef de réinitialisation du mot de passe";
$ResetPasswordTokenComment = "Cette option permet de générer une clef à usage unique et auto-destructive envoyée par courriel à l'utilisateur pour qu'il puisse changer son mot de passe durant une période de temps limitée."; $ResetPasswordTokenComment = "Cette option permet de générer une clef à usage unique et auto-destructive envoyée par courriel à l'utilisateur pour qu'il puisse changer son mot de passe durant une période de temps limitée.";
$ResetPasswordTokenLimitTitle = "Limite de clef de réinitialisation du mot de passe"; $ResetPasswordTokenLimitTitle = "Limite de clef de réinitialisation du mot de passe";
@ -8162,7 +8162,7 @@ $WebFolderRefreshSucceeded = "Les styles et fichiers statiques du répertoire we
$WebFolderRefreshFailed = "Les styles et fichiers statiques du répertoire web/ n'ont pas pu être mis à jour, probablement à cause de problèmes de permissions. Assurez-vous que l'utilisateur système de votre serveur web puisse écrire dans le répertoire web/."; $WebFolderRefreshFailed = "Les styles et fichiers statiques du répertoire web/ n'ont pas pu être mis à jour, probablement à cause de problèmes de permissions. Assurez-vous que l'utilisateur système de votre serveur web puisse écrire dans le répertoire web/.";
$CopyTextToClipboard = "Copier le texte"; $CopyTextToClipboard = "Copier le texte";
$WeNeedYouToAcceptOurTreatmentOfYourData = "Nous avons besoin que vous acceptiez notre traitement de vos données afin de vous fournir ce service. Si vous souhaitez créer un compte, veuillez en accepter les termes et cliquer sur Envoyer. Si vous n'acceptez pas, aucune donnée personnelle ne sera traitée par nous à votre sujet."; $WeNeedYouToAcceptOurTreatmentOfYourData = "Nous avons besoin que vous acceptiez notre traitement de vos données afin de vous fournir ce service. Si vous souhaitez créer un compte, veuillez en accepter les termes et cliquer sur Envoyer. Si vous n'acceptez pas, aucune donnée personnelle ne sera traitée par nous à votre sujet.";
$NoTermsAndConditionsAvailable = "Aucune condition d'utilisation disponible"; $NoTermsAndConditionsAvailable = "Aucune Condition d'utilisation disponible";
$Skype = "Skype"; $Skype = "Skype";
$PersonalDataOfficerName = "Nom du délégué à la protection des données personnelles"; $PersonalDataOfficerName = "Nom du délégué à la protection des données personnelles";
$PersonalDataOfficerRole = "Rôle du délégué à la protection des données personnelles"; $PersonalDataOfficerRole = "Rôle du délégué à la protection des données personnelles";
@ -8378,4 +8378,136 @@ $CompilatioSeeReport = "Voir le rapport";
$CompilatioNonToAnalyse = "Votre sélection ne contient aucun travaux à analyser. Seul les travaux gérés par Compilatio et non déjà analysés peuvent être envoyés."; $CompilatioNonToAnalyse = "Votre sélection ne contient aucun travaux à analyser. Seul les travaux gérés par Compilatio et non déjà analysés peuvent être envoyés.";
$CompilatioComunicationAjaxImpossible = "Communication AJAX avec le serveur Compilatio impossible. Veuillez reessayer ultérieurement."; $CompilatioComunicationAjaxImpossible = "Communication AJAX avec le serveur Compilatio impossible. Veuillez reessayer ultérieurement.";
$UserClassExplanation = "Information : La liste des classes ci-dessous contient la liste des classes que vous avez déjà inscrits à votre cours. Si cette liste est vide, utilisez le + vert ci-dessus pour ajouter des classes."; $UserClassExplanation = "Information : La liste des classes ci-dessous contient la liste des classes que vous avez déjà inscrits à votre cours. Si cette liste est vide, utilisez le + vert ci-dessus pour ajouter des classes.";
?> $InsertTwoNames = "Saisir vos deux noms";
$AddRightLogo = "Intégrer le logo en haut à droite";
$LearnpathUseScoreAsProgress = "Utiliser le score comme avancement";
$LearnpathUseScoreAsProgressComment = "Utiliser le score renvoyé, par le seul SCO de ce parcours d'apprentissage, comme indicateur de progression dans la barre de progression. Cela modifie le comportement SCORM au sens strict, mais améliore le retour visuel pour l'apprenant.";
$Planned = "prévue";
$InProgress = "en cours";
$Cancelled = "annulée";
$Finished = "terminée";
$SessionStatus = "Statut";
$UpdateSessionStatus = "Actualisation du statut des sessions";
$SessionListCustom = "Liste personnalisée";
$NoStatus = "Sans statut";
$CAS3Text = "CAS 3";
$GoBackToVideo = "Retour à la vidéo";
$UseLearnpathScoreAsProgress = "Utiliser le score comme progrès";
$UseLearnpathScoreAsProgressInfo = "Certains parcours SCORM (en particulier ceux avec un seul SCO) peuvent rapporter leur progrès sous forme du score (cmi.core.score.raw), ce qui permet de visualiser le progrès dans Chamilo. Activer cette option si ce parcours SCORM utilise cette stratégie. Attention, en utilisant le score comme progrès, la possibilité d'obtenir le vrai score via cmi.core.score.raw sera perdue.";
$ThereIsASequenceResourceLinkedToThisCourseYouNeedToDeleteItFirst = "Il y a une ressource de séquence liée à ce cours. Vous devez d'abord éliminer ce lien.";
$QuizPreventBackwards = "Interdire le retour en arrière dans les questions précédentes";
$UploadPlugin = "Envoyer un plugin";
$PluginUploadPleaseRememberUploadingThirdPartyPluginsCanBeDangerous = "Merci de prendre vos précautions avant d'envoyer un nouveau plugin sur votre serveur. Les plugins non officiels peuvent avoir des conséquences négatives sur votre portail et sur votre serveur. Assurez-vous toujours d'installer un plugin depuis une source sûre ou de pouvoir compter sur le support professionnel immédiat de ses développeurs.";
$PluginUploadingTwiceWillReplacePreviousFiles = "Envoyer un même plugin plus d'une fois aura pour effet d'écraser les fichiers antérieurs du plugin. Comme pour le premier envoi, envoyer un plugin non-vérifié comporte des risques.";
$UploadNewPlugin = "Sélectionnez le nouveau plugin";
$PluginUploadIsNotEnabled = "Le dépôt de nouveaux plugins n'est pas activé. Assurez-vous que l'option 'plugin_upload_enable' est mise à 'true' dans le fichier de configuration de la plateforme.";
$PluginUploaded = "Plugin envoyé";
$PluginOfficial = "Officiel";
$PluginThirdParty = "Plugin tiers";
$ErrorPluginOfficialCannotBeUploaded = "Votre plugin a le même nom qu'un plugin officiel. Les plugins officiels ne peuvent pas être remplacés. Merci de renommer le fichier zip et le répertoire de votre plugin.";
$AllSessionsShort = "Toutes";
$ActiveSessionsShort = "Actives";
$ClosedSessionsShort = "Fermées";
$FirstnameLastnameCourses = "Cours de %s %s";
$CanNotSubscribeToCourseUserSessionExpired = "Vous ne pouvez plus vous inscrire à des cours car votre session a expiré.";
$CertificateOfAchievement = "Certificat de réalisation";
$CertificateOfAchievementByDay = "Certificat de réalisation par jour";
$ReducedReport = "Rapport réduit";
$NotInCourse = "En dehors des cours";
$LearnpathCategory = "Catégorie de parcours";
$MailTemplates = "Modèles de courriels";
$AnEmailToResetYourPasswordHasBeenSent = "Un mail pour réinitialiser votre mot de passe vous a été envoyé.";
$TotalNumberOfAvailableCourses = "Nombre total de cours disponibles";
$NumberOfMatchingCourses = "Nombre de cours correspondant à la recherche";
$SessionsByDate = "Sessions par dates";
$GeneralStats = "Statistiques générales";
$Weeks = "Semaines";
$SessionCount = "Nombre de sessions";
$SessionsPerWeek = "Sessions par semaine";
$AverageUserPerSession = "Nombre moyen d'utilisateurs par session";
$AverageSessionPerGeneralCoach = "Nombre de sessions par tuteur général de session";
$SessionsPerCategory = "Sessions par catégorie";
$SessionsPerLanguage = "Sessions par langue";
$CountOfSessions = "Nombre de sessions";
$CourseInSession = "Cours dans les sessions";
$UserStats = "Statistiques utilisateurs";
$TotalNumberOfStudents = "Nombre total d'étudiants";
$UsersCreatedInTheSelectedPeriod = "Utilisateurs créés durant la période sélectionnée";
$UserByLanguage = "Utilisateurs par langue";
$Count = "Nombre";
$SortKeys = "Trier par";
$SubscriptionCount = "Nombre d'inscrits";
$VoteCount = "Nombre de vote";
$ExportAsCompactCSV = "Export CSV compact";
$PromotedMessages = "Messages importants";
$SendToGroupTutors = "Publier aux tuteurs du groupe";
$GroupSurveyX = "Enquête du groupe %s";
$HelloXGroupX = "Bonjour %s<br/><br/>En tant que tuteur du groupe %s vous êtes invité à participer à l'enquête suivante :";
$SurveyXMultiplicated = "Enquête %s démultipliée";
$SurveyXNotMultiplicated = "Enquête %s non démultipliée";
$ExportSurveyResults = "Exporter les résultats des enquêtes";
$PointAverage = "Moyenne des scores";
$TotalScore = "Somme des scores";
$ExportResults = "Exporter les résultats";
$QuizBrowserCheckOK = "Votre navigateur a été vérifié. Vous pouvez continuer en toute sécurité.";
$QuizBrowserCheckKO = "Votre navigateur n'a pas pu être vérifié. Essayez à nouveau ou essayez un autre navigateur ou dispositif avant de commencer votre test.";
$PartialCorrect = "Partiellement correct";
$XAnswersSavedByUsersFromXTotal = "%d / %s réponses enregistrées.";
$TestYourBrowser = "Testez votre navigateur";
$DraggableQuestionIntro = "Ordonnez les options suivantes dans la liste selon ce qui vous semble le plus approprié, en les glissant-déplaçant dans les cadres ci-dessous. Vous pouvez les remettre à leur place originale à tout moment pour modifier votre réponse.";
$AverageTrainingTime = "Temps moyen dans le cours";
$UsersActiveInATest = "Utilisateurs actifs dans un test";
$SurveyQuestionSelectiveDisplay = "Affichage sélectif";
$SurveyQuestionSelectiveDisplayComment = "Cette question, lorsqu'elle est située sur une page isolée avec une première question de type oui/non, ne s'affichera que si la première option de la première question est sélectionnée. Par exemple, 'Êtes-vous parti en vacances?' -> seulement si la réponse est oui, la question sélective apparaîtra avec une liste d'endroits de vacances à sélectionner.";
$SurveyQuestionMultipleChoiceWithOther = "Choix multiple avec texte libre";
$SurveyQuestionMultipleChoiceWithOtherComment = "Offrez des options pré-définies, mais laissez la possibilité à l'utilisateur/trice de répondre avec un texte libre si aucune option ne lui convient.";
$Multiplechoiceother = "Question à réponse unique avec option 'Autre'";
$SurveyOtherAnswerSpecify = "Autre...";
$SurveyOtherAnswer = "Merci de spécifier :";
$UserXPostedADocumentInCourseX = "%s a publié un document dans l'outil travaux dans le cours %s";
$DownloadDocumentsFirst = "Télécharger d'abord la pièce jointe";
$FileXHasNoData = "Le fichier %s est vide ou ne contient que des lignes vides.";
$FileXHasYNonEmptyLines = "Le fichier %s contient %d lignes non vides.";
$DuplicatesOnlyXUniqueUserNames = "Il existe des doublons: seuls %d noms d'utilisateur uniques ont été extraits.";
$NoLineMatchedAnyActualUserName = "Aucune ligne ne correspond à un nom d'utilisateur réel.";
$OnlyXLinesMatchedActualUsers = "Seules %d lignes correspondent aux utilisateurs réels.";
$TheFollowingXLinesDoNotMatchAnyActualUser = "La ou les %d lignes suivantes ne correspondent à aucun utilisateur réel:";
$XUsersAreAboutToBeAnonymized = "%d utilisateurs sont sur le point d'être anonymisés:";
$LoadingXUsers = "Chargement de %d utilisateurs ...";
$AnonymizingXUsers = "Anonymisation de %d utilisateurs ...";
$AllXUsersWereAnonymized = "Tous les %d utilisateurs ont été anonymisés.";
$OnlyXUsersWereAnonymized = "Seuls %d utilisateurs ont été anonymisés.";
$AttemptedAnonymizationOfTheseXUsersFailed = "La tentative d'anonymisation des %d utilisateurs suivants a échoué :";
$PleaseUploadListOfUsers = "Veuillez télécharger un fichier texte répertoriant les utilisateurs à anonymiser, un nom d'utilisateur par ligne.";
$InternalInconsistencyXUsersFoundForYUserNames = "Incohérence interne trouvée : %d utilisateurs trouvés à partir de %d noms d'utilisateur soumis. Veuillez recommencer.";
$BulkAnonymizeUsers = "Anonymiser utilisateurs par CSV";
$UsernameList = "Liste de nom d'utilisateur";
$UsersAboutToBeAnonymized = "Utilisateurs sur le point d'être anonymiser :";
$CouldNotReadFile = "Impossible de lire le fichier";
$CouldNotReadFileLines = "Impossible de lire les lignes du fichier.";
$CertificatesSessions = "Certificats en sessions";
$SessionFilterReport = "Filtrer les certificats dans les sessions";
$UpdateUserListXMLCSV = "Mise à jour d'utilisateurs";
$DonateToTheProject = "Chamilo est un projet Open Source et ce portail est offert gratuitement à la communauté par l'Association Chamilo, dont l'objectif est d'améliorer la disponibilité d'une éducation de qualité partout dans le monde.<br /><br />
Développer Chamilo et fournir ce service de portail gratuit sont néanmoins des tâches coûteuses, et un peu d'aide de votre part permettrait de soutenir nos efforts et de faire progresser le projet Chamilo plus rapidement sur le long terme.<br /><br />
Créer un cours sur ce portail est, par ailleurs, l'un des éléments qui consomme le plus de ressources. Merci de considérer le fait de contribuer de manière symbolique au projet et nous aider à maintenir ce service gratuit pour tous en nous faisant don de quelques euros avant de créer ce cours!";
$MyStudentPublications = "Mes travaux";
$AddToEditor = "Ajouter à l'éditeur";
$ImageURL = "URL de l'image";
$PixelWidth = "largeur en px";
$AddImageWithZoom = "Ajouter image avec zoom";
$DeleteInAllLanguages = "Supprimer dans toutes les langues";
$MyStudentsSchedule = "Horaire de mes élèves";
$QuizConfirmSavedAnswers = "J'accepte le nombre de réponses enregistrées dans cette section.";
$QuizConfirmSavedAnswersHelp = "Si vous n'êtes pas satisfait, ne cochez pas la case d'acceptation et consultez le responsable du cours ou l'administrateur de la plateforme.";
$TCReport = "Suivi des supérieurs d'apprenants";
$TIReport = "Calendrier d'occupation des tuteurs généraux";
$StudentPublicationsSent = "Travaux envoyés ou finis";
$PendingStudentPublications = "Travaux en cours";
$MyStudentPublicationsTitle = "Tous les travaux";
$MyStudentPublicationsExplanation = "Vous trouverez ci-dessous tous vos travaux de tous les cours ou les sessions où vous êtes inscrits.";
$RequiredCourses = "Cours requis";
$SimpleCourseList = "Liste standard";
$AdminCourseList = "Gestion administrative";
$AnonymizeUserSessions = "Anonymiser les sessions de l'utilisateur";
?>

@ -7220,7 +7220,7 @@ $BadgesManagement = "Xestionar as insigneas";
$CurrentBadges = "Insigneas actuais"; $CurrentBadges = "Insigneas actuais";
$SaveBadge = "Gardar insignea"; $SaveBadge = "Gardar insignea";
$BadgeMeasuresXPixelsInPNG = "Medidas da insignea 200x200 pixeles en formato PNG"; $BadgeMeasuresXPixelsInPNG = "Medidas da insignea 200x200 pixeles en formato PNG";
$SetTutor = "Facer titor"; $ConvertToCourseAssistant = "Facer titor";
$UniqueAnswerImage = "Resposta de imaxe única"; $UniqueAnswerImage = "Resposta de imaxe única";
$TimeSpentByStudentsInCoursesGroupedByCode = "Tempo adicado polos estudantes nos cursos, agrupados por códigos"; $TimeSpentByStudentsInCoursesGroupedByCode = "Tempo adicado polos estudantes nos cursos, agrupados por códigos";
$TestResultsByStudentsGroupesByCode = "Resultados de exercicios por grupos de estudantes, por códigos"; $TestResultsByStudentsGroupesByCode = "Resultados de exercicios por grupos de estudantes, por códigos";

@ -20,7 +20,7 @@ $AchievedSkillInCourseX = "Bisher im Kurs erworbene Fähigkeiten %s";
$SkillsReport = "Fähigkeitenübersicht"; $SkillsReport = "Fähigkeitenübersicht";
$AssignedUsersListToStudentBoss = "User nach zugeordnetem Vorgesetzten"; $AssignedUsersListToStudentBoss = "User nach zugeordnetem Vorgesetzten";
$AssignUsersToBoss = "User Vorgesetzten zuordnen"; $AssignUsersToBoss = "User Vorgesetzten zuordnen";
$RoleStudentBoss = "Vorgesetzter der Studenten"; $RoleStudentBoss = "Vorgesetzter";
$CosecantCsc = "Kosekans:\t\t\t\tcsc(x)"; $CosecantCsc = "Kosekans:\t\t\t\tcsc(x)";
$HyperbolicCosecantCsch = "Hyperbelartige kosekans:\t\tcsch(x)"; $HyperbolicCosecantCsch = "Hyperbelartige kosekans:\t\tcsch(x)";
$ArccosecantArccsc = "Arkuskosekans:\t\t\tarccsc(x)"; $ArccosecantArccsc = "Arkuskosekans:\t\t\tarccsc(x)";
@ -581,6 +581,7 @@ $Forbidden = "Nicht erlaubt";
$CourseAccessConfigTip = "In der Grundeinstellung ist ein Kurs auch anderen zugänglich. Wenn Sie den Zugriff einschränken möchten, öffnen Sie die Selbst-Registrierung während einer Registrierungsfrist (z.B. eine Woche) und bitten Sie die Benutzer sich einzuschreiben. Im Anschluss sperren Sie die Selbst-Registrierung und überprüfen die Kursteilnehmerliste auf 'Trittbrettfahrer'."; $CourseAccessConfigTip = "In der Grundeinstellung ist ein Kurs auch anderen zugänglich. Wenn Sie den Zugriff einschränken möchten, öffnen Sie die Selbst-Registrierung während einer Registrierungsfrist (z.B. eine Woche) und bitten Sie die Benutzer sich einzuschreiben. Im Anschluss sperren Sie die Selbst-Registrierung und überprüfen die Kursteilnehmerliste auf 'Trittbrettfahrer'.";
$OpenToTheWorld = "Offen - Zugang erlaubt für alle"; $OpenToTheWorld = "Offen - Zugang erlaubt für alle";
$OpenToThePlatform = "Offen - Zugang für alle Portal-Benutzer"; $OpenToThePlatform = "Offen - Zugang für alle Portal-Benutzer";
$StudentXIsNotSubscribedToCourse = "%s ist nicht zu diesem Kurs zugeteilt.";
$TipLang = "Diese Sprache wird für alle Besucher Ihrer Webseite gültig sein."; $TipLang = "Diese Sprache wird für alle Besucher Ihrer Webseite gültig sein.";
$Vid = "Video"; $Vid = "Video";
$Work = "Unterlagen für Kurseilnehmer"; $Work = "Unterlagen für Kurseilnehmer";
@ -912,7 +913,7 @@ $DeleteAllAttendances = "Alle erstellten Anwesenheiten löschen";
$AssignSessionsTo = "Kurs-Session zuordnen zu"; $AssignSessionsTo = "Kurs-Session zuordnen zu";
$Upload = "Upload"; $Upload = "Upload";
$MailTemplateRegistrationTitle = "Neue Benutzer auf ((sitename))"; $MailTemplateRegistrationTitle = "Neue Benutzer auf ((sitename))";
$Unsubscribe = "Abmelden"; $Unsubscribe = "Account löschen";
$AlreadyRegisteredToCourse = "Bereits im Kurs registriert"; $AlreadyRegisteredToCourse = "Bereits im Kurs registriert";
$ShowFeedback = "Antworten zeigen"; $ShowFeedback = "Antworten zeigen";
$GiveFeedback = "Antwort schreiben/bearbeiten"; $GiveFeedback = "Antwort schreiben/bearbeiten";
@ -7245,7 +7246,7 @@ $BadgesManagement = "Abzeichen-Verwaltung";
$CurrentBadges = "Aktuelle Abzeichen"; $CurrentBadges = "Aktuelle Abzeichen";
$SaveBadge = "Abzeichen speichern"; $SaveBadge = "Abzeichen speichern";
$BadgeMeasuresXPixelsInPNG = "Abzeichen misst 200 x 200 Pixel in PNG"; $BadgeMeasuresXPixelsInPNG = "Abzeichen misst 200 x 200 Pixel in PNG";
$SetTutor = "Als Trainer festlegen"; $ConvertToCourseAssistant = "Als Trainer festlegen";
$UniqueAnswerImage = "Bild für eindeutige Antwort"; $UniqueAnswerImage = "Bild für eindeutige Antwort";
$TimeSpentByStudentsInCoursesGroupedByCode = "Zeitaufwand von Kursteilnehmern in Kursen, gruppiert nach Code"; $TimeSpentByStudentsInCoursesGroupedByCode = "Zeitaufwand von Kursteilnehmern in Kursen, gruppiert nach Code";
$TestResultsByStudentsGroupesByCode = "Testergebnisse von Kursteilnehmergruppen, nach Code"; $TestResultsByStudentsGroupesByCode = "Testergebnisse von Kursteilnehmergruppen, nach Code";
@ -7446,7 +7447,7 @@ $DocumentsDefaultVisibilityDefinedInCourseComment = "Die Standard-Dokumentsichtb
$HtmlPurifierWikiTitle = "HTMLPurifier im Wiki"; $HtmlPurifierWikiTitle = "HTMLPurifier im Wiki";
$HtmlPurifierWikiComment = "HTML Purifier im Wiki-Tool aktivieren (erhöht die Sicherheit, aber reduziert Stil-Funktionen)"; $HtmlPurifierWikiComment = "HTML Purifier im Wiki-Tool aktivieren (erhöht die Sicherheit, aber reduziert Stil-Funktionen)";
$ClickOrDropFilesHere = "Dateien anklicken oder ablegen"; $ClickOrDropFilesHere = "Dateien anklicken oder ablegen";
$RemoveTutorStatus = "Trainerstatus entfernen"; $RemoveCourseAssistantStatus = "Trainerstatus entfernen";
$ImportGradebookInCourse = "Ergebnisspiegel von Basiskurs importieren"; $ImportGradebookInCourse = "Ergebnisspiegel von Basiskurs importieren";
$InstitutionAddressTitle = "Adresse der Institution"; $InstitutionAddressTitle = "Adresse der Institution";
$InstitutionAddressComment = "Adresse"; $InstitutionAddressComment = "Adresse";
@ -7470,7 +7471,7 @@ $AreYouSureToSubscribe = "Sind Sie sicher, dass Sie sich registrieren möchten?"
$CheckYourEmailAndFollowInstructions = "Überprüfen Sie Ihre E-Mails und folgen Sie den Anweisungen."; $CheckYourEmailAndFollowInstructions = "Überprüfen Sie Ihre E-Mails und folgen Sie den Anweisungen.";
$LinkExpired = "Der Link ist abgelaufen, bitte versuchen Sie es erneut."; $LinkExpired = "Der Link ist abgelaufen, bitte versuchen Sie es erneut.";
$ResetPasswordInstructions = "Anweisungen zum Ändern des Kennworts"; $ResetPasswordInstructions = "Anweisungen zum Ändern des Kennworts";
$ResetPasswordCommentWithUrl = "Sie erhalten diese Nachricht, weil Sie (oder jemand der vorgibt, Sie zu sein) angefordert hat, ein neues Kennwort für Sie zu generieren."; $ResetPasswordCommentWithUrl = "Sie erhalten diese Nachricht, weil Sie (oder jemand der vorgibt, Sie zu sein) angefordert hat, ein neues Kennwort für Sie zu generieren.<br>Um ein neues Passwort zu setzen, klicken Sie bitte auf den Link:<p>%s<p>Wenn Sie diese Anfrage nicht getätigt haben, können Sie diese Nachricht ignorieren. Sollten Sie weiterhin diese Nachricht erhalten, kontakieren Sie bitte den Portal-Administrator.";
$CronRemindCourseExpirationActivateTitle = "Erinnerungs-Cron zum Kursablaufdatum"; $CronRemindCourseExpirationActivateTitle = "Erinnerungs-Cron zum Kursablaufdatum";
$CronRemindCourseExpirationActivateComment = "Erinnerungs-Cron zum Kursablaufdatum aktivieren"; $CronRemindCourseExpirationActivateComment = "Erinnerungs-Cron zum Kursablaufdatum aktivieren";
$CronRemindCourseExpirationFrequencyTitle = "Frequenz für den Erinnerungs-Cron zum Kursablaufdatum"; $CronRemindCourseExpirationFrequencyTitle = "Frequenz für den Erinnerungs-Cron zum Kursablaufdatum";
@ -7969,6 +7970,10 @@ $NewPasswordRequirementMaxXLowercase = "Maximale %s Kleinbuchstaben";
$NewPasswordRequirementMaxXUppercase = "Maximale %s Großbuchstaben"; $NewPasswordRequirementMaxXUppercase = "Maximale %s Großbuchstaben";
$NewPasswordRequirementMaxXNumeric = "Maximale %s numerische (0-9) Zeichen"; $NewPasswordRequirementMaxXNumeric = "Maximale %s numerische (0-9) Zeichen";
$NewPasswordRequirementMaxXLength = "Maximale %s Zeichen insgesamt"; $NewPasswordRequirementMaxXLength = "Maximale %s Zeichen insgesamt";
$YouCantNotEditThisQuestionBecauseAlreadyExistAnswers = "Diese Frage kann nicht mehr bearbeitet werden, da schon Antworten dazu abgegeben wurden.";
$Avatar = "Benutzerbild";
$ReadingComprehensionLevelX = "%s Wörter pro Minute";
$UpdateTitleInLps = "Diese Überschrift in Lernpfaden ersetzen";
$SendEmailToTeacherWhenStudentStartQuiz = "E-Mail an den Tutor senden, wenn der Lernende eine Übung startet"; $SendEmailToTeacherWhenStudentStartQuiz = "E-Mail an den Tutor senden, wenn der Lernende eine Übung startet";
$SendEmailToTeacherWhenStudentEndQuiz = "E-Mail an den Tutor senden, wenn der Lernende eine Übung beendet hat"; $SendEmailToTeacherWhenStudentEndQuiz = "E-Mail an den Tutor senden, wenn der Lernende eine Übung beendet hat";
$SendEmailToTeacherWhenStudentEndQuizOnlyIfOpenQuestion = "E-Mail an den Tutor senden, wenn der Lernende eine Übung beendet hat, aber nur wenn er eine offene Frage beantwortet hat"; $SendEmailToTeacherWhenStudentEndQuizOnlyIfOpenQuestion = "E-Mail an den Tutor senden, wenn der Lernende eine Übung beendet hat, aber nur wenn er eine offene Frage beantwortet hat";
@ -7984,7 +7989,17 @@ Benutzer %s hat eine Follow-up-Nachricht zum Lernenden %s gesendet.<br/><br/>
Die Nachricht ist an %s sichtbar"; Die Nachricht ist an %s sichtbar";
$PersonalDataReport = "Persönliche Daten"; $PersonalDataReport = "Persönliche Daten";
$MoreDataAvailableInTheDatabaseButTrunkedForEfficiencyReasons = "Es gibt noch weitere Daten in der Datenbank, zur Übersichtlichkeit werden diese ausgeblendet.";
$FromTimeX = "Von %s"; $FromTimeX = "Von %s";
$ToTimeX = "bis %s"; $ToTimeX = "bis %s";
$SubscribeUsersToAllForumNotifications = "Automatisch alle Benutzer anmelden"; $SubscribeUsersToAllForumNotifications = "Automatisch alle Benutzer anmelden";
$Planned = "geplannt";
$InProgress = "laufend";
$Cancelled = "abgesagt";
$Finished = "beendet";
$SessionStatus = "Stand";
$UpdateSessionStatus = "Sitzungsstand aktualisieren";
$SessionListCustom = "Überblick";
$NoStatus = "kein Status";
$CAS3Text = "CAS 3";
?> ?>

@ -7158,7 +7158,7 @@ $BadgesManagement = "Διαχείρηση Badges";
$CurrentBadges = "Υπάρχον badges"; $CurrentBadges = "Υπάρχον badges";
$SaveBadge = "Αποθήκευση Badge"; $SaveBadge = "Αποθήκευση Badge";
$BadgeMeasuresXPixelsInPNG = "Μέγεθος Badge 200x200 pixel σε PNG"; $BadgeMeasuresXPixelsInPNG = "Μέγεθος Badge 200x200 pixel σε PNG";
$SetTutor = "Ορισμός καθηγητή"; $ConvertToCourseAssistant = "Ορισμός καθηγητή";
$UniqueAnswerImage = "Μοναδική εικόνα απάντησης"; $UniqueAnswerImage = "Μοναδική εικόνα απάντησης";
$TimeSpentByStudentsInCoursesGroupedByCode = " $TimeSpentByStudentsInCoursesGroupedByCode = "
Ο χρόνος που δαπανάται από τους μαθητές στα μαθήματα, ομαδοποίηση ανά κωδικό"; Ο χρόνος που δαπανάται από τους μαθητές στα μαθήματα, ομαδοποίηση ανά κωδικό";

@ -7269,7 +7269,7 @@ $BadgesManagement = "Gestione Badges";
$CurrentBadges = "Badges correnti"; $CurrentBadges = "Badges correnti";
$SaveBadge = "Salva il badge"; $SaveBadge = "Salva il badge";
$BadgeMeasuresXPixelsInPNG = "Il badge misura 200 x 200 px, in PNG."; $BadgeMeasuresXPixelsInPNG = "Il badge misura 200 x 200 px, in PNG.";
$SetTutor = "Imposta come istruttore"; $ConvertToCourseAssistant = "Imposta come istruttore";
$UniqueAnswerImage = "Immagine risposta unica"; $UniqueAnswerImage = "Immagine risposta unica";
$TimeSpentByStudentsInCoursesGroupedByCode = "Tempo trascorso dagli studenti nei corsi, raggruppati per codice"; $TimeSpentByStudentsInCoursesGroupedByCode = "Tempo trascorso dagli studenti nei corsi, raggruppati per codice";
$TestResultsByStudentsGroupesByCode = "Risultati dei test per gruppi studente, per codice"; $TestResultsByStudentsGroupesByCode = "Risultati dei test per gruppi studente, per codice";
@ -7470,7 +7470,7 @@ $DocumentsDefaultVisibilityDefinedInCourseComment = "Visibilità predefinita del
$HtmlPurifierWikiTitle = "HTML Purifier nel Wiki"; $HtmlPurifierWikiTitle = "HTML Purifier nel Wiki";
$HtmlPurifierWikiComment = "Abilita la pulizia del codice HTML nello strumento wiki (incrementa la sicurezza ma riduce la formattazione)"; $HtmlPurifierWikiComment = "Abilita la pulizia del codice HTML nello strumento wiki (incrementa la sicurezza ma riduce la formattazione)";
$ClickOrDropFilesHere = "Fai click o rilascia i files"; $ClickOrDropFilesHere = "Fai click o rilascia i files";
$RemoveTutorStatus = "Rimuovi lo stato del tutor"; $RemoveCourseAssistantStatus = "Rimuovi lo stato del tutor";
$ImportGradebookInCourse = "Importa registro voti da un corso"; $ImportGradebookInCourse = "Importa registro voti da un corso";
$InstitutionAddressTitle = "Indirizzo dell'Istituto"; $InstitutionAddressTitle = "Indirizzo dell'Istituto";
$InstitutionAddressComment = "Indirizzo"; $InstitutionAddressComment = "Indirizzo";
@ -7553,8 +7553,8 @@ $ShowFullSkillNameOnSkillWheelTitle = "Mostra il nome completo della competenza
$ShowFullSkillNameOnSkillWheelComment = "Sulla ruota delle competenze, mostra il nome della competenza quando ha un codice breve"; $ShowFullSkillNameOnSkillWheelComment = "Sulla ruota delle competenze, mostra il nome della competenza quando ha un codice breve";
$DBPort = "Porta"; $DBPort = "Porta";
$CreatedBy = "Creato da"; $CreatedBy = "Creato da";
$DropboxHideGeneralCoachTitle = "-"; $DropboxHideGeneralCoachTitle = "Nascondi tutor generale nella condivisione dei documenti";
$DropboxHideGeneralCoachComment = "-"; $DropboxHideGeneralCoachComment = "Nascondi il nome del tutor generale nello strumento di condivisione dei documenti quando ha caricato il documento.";
$UploadMyAssignment = "Carica il mio compito"; $UploadMyAssignment = "Carica il mio compito";
$Inserted = "Inserito"; $Inserted = "Inserito";
$YourBroswerDoesNotSupportWebRTC = "Il tuo browser non supporta nativamente la trasmissione video"; $YourBroswerDoesNotSupportWebRTC = "Il tuo browser non supporta nativamente la trasmissione video";
@ -7656,7 +7656,24 @@ $LastXDays = "Ultimi %s giorni";
$ExportBadges = "Esporta i badge"; $ExportBadges = "Esporta i badge";
$LanguagesDisableAllExceptDefault = "Abilita solo la lingua d default della piattaforma"; $LanguagesDisableAllExceptDefault = "Abilita solo la lingua d default della piattaforma";
$ThereAreUsersUsingThisLanguagesDisableItManually = "Alcuni utenti usano questa lingua: è necessario disabilitarla manualmente"; $ThereAreUsersUsingThisLanguagesDisableItManually = "Alcuni utenti usano questa lingua: è necessario disabilitarla manualmente";
$MessagingAllowSendPushNotificationTitle = "Consentire l'invio di notifiche all'applicazione Chamilo Messaging mobile";
$MessagingAllowSendPushNotificationComment = "Inviare notifiche tramite Firebase Console di Google";
$MessagingGDCProjectNumberTitle = "ID del mittente di Firebase Console per Messaggistica Cloud";
$MessagingGDCProjectNumberComment = "Devi registrare un progetto su Google Firebase Console";
$Overwrite = "Sovrascrivere";
$TheLogoMustBeSizeXAndFormatY = "Il logo deve avere dimensioni %s px e nel formato %s";
$ResetToTheOriginalLogo = "Logo originale recuperato";
$NewLogoUpdated = "Nuovo caricamento del logo";
$CurrentLogo = "Logo attivo";
$FollowedStudentBosses = "Tutor che ha seguito gli studenti"; $FollowedStudentBosses = "Tutor che ha seguito gli studenti";
$DatabaseManager = "Gestore database";
$RedirectToForumList = "Reindirizza all'elenco dei forum";
$AdditionallyYouHaveObtainedTheFollowingSkills = "Hai inoltre acquisito le seguenti competenze"; $AdditionallyYouHaveObtainedTheFollowingSkills = "Hai inoltre acquisito le seguenti competenze";
$AnotherAttempt = "Fai un altro tentativo";
$MyLocation = "La mia posizione";
$Quote = "Citazione";
$YouAreATeacherOfThisCourse = "Sei un insegnante di questo corso";
$ForumStartDate = "Data di pubblicazione";
$ModeratedForum = "Forum moderato";
$ExportToChamiloFormat = "Esporta un Modulo didattico"; $ExportToChamiloFormat = "Esporta un Modulo didattico";
?> ?>

@ -7322,7 +7322,7 @@ $BadgesManagement = "Správa odznakov";
$CurrentBadges = "Aktuálne odznaky"; $CurrentBadges = "Aktuálne odznaky";
$SaveBadge = "Uložiť odznak"; $SaveBadge = "Uložiť odznak";
$BadgeMeasuresXPixelsInPNG = "Rozmery odznaku 200x200 bodov v PNG"; $BadgeMeasuresXPixelsInPNG = "Rozmery odznaku 200x200 bodov v PNG";
$SetTutor = "Nastaviť ako tréner"; $ConvertToCourseAssistant = "Nastaviť ako tréner";
$UniqueAnswerImage = "Jedinečná obrázková odpoveď"; $UniqueAnswerImage = "Jedinečná obrázková odpoveď";
$TimeSpentByStudentsInCoursesGroupedByCode = "Čas študentov strávený v kurzoch, zoskupené podľa kódu"; $TimeSpentByStudentsInCoursesGroupedByCode = "Čas študentov strávený v kurzoch, zoskupené podľa kódu";
$TestResultsByStudentsGroupesByCode = "Výsledky testov podľa študentských skupiny, podľa kódu"; $TestResultsByStudentsGroupesByCode = "Výsledky testov podľa študentských skupiny, podľa kódu";
@ -7461,7 +7461,7 @@ $DocumentsDefaultVisibilityDefinedInCourseComment = "Predvolená viditeľnosť d
$HtmlPurifierWikiTitle = "HTML Čistič vo Wiki"; $HtmlPurifierWikiTitle = "HTML Čistič vo Wiki";
$HtmlPurifierWikiComment = "Povoliť HTML čistič v Wiki nástroji (zvýši bezpečnosť, ale znížiť vlastnosti štýlu)"; $HtmlPurifierWikiComment = "Povoliť HTML čistič v Wiki nástroji (zvýši bezpečnosť, ale znížiť vlastnosti štýlu)";
$ClickOrDropFilesHere = "Kliknúť alebo pustiť súbory"; $ClickOrDropFilesHere = "Kliknúť alebo pustiť súbory";
$RemoveTutorStatus = "Odstrániť stav lektora"; $RemoveCourseAssistantStatus = "Odstrániť stav lektora";
$InstitutionAddressTitle = "Adresa inštitúcie"; $InstitutionAddressTitle = "Adresa inštitúcie";
$InstitutionAddressComment = "Adresa"; $InstitutionAddressComment = "Adresa";
$LatestLoginInCourse = "Posledný prístup do kurzu"; $LatestLoginInCourse = "Posledný prístup do kurzu";

@ -1026,14 +1026,14 @@ $StudentsQualified = "Kvalificirani uporabniki";
$StudentsNotQualified = "Uporabnik ni kvalificiran"; $StudentsNotQualified = "Uporabnik ni kvalificiran";
$NamesAndLastNames = "Imena in priimki"; $NamesAndLastNames = "Imena in priimki";
$MaxScore = "Največji rezultat"; $MaxScore = "Največji rezultat";
$QualificationCanNotBeGreaterThanMaxScore = "Kvalifikacija ne more biti večja od največjega rezultata"; $QualificationCanNotBeGreaterThanMaxScore = "Ocena ne more preseči največjega rezultata";
$ThreadStatistics = "Statistika niti"; $ThreadStatistics = "Statistika niti";
$Thread = "Nit"; $Thread = "Nit";
$NotifyMe = "Obvesti me"; $NotifyMe = "Obvesti me";
$ConfirmUserQualification = "Potrdi uporabnikovo kvalifikacijo"; $ConfirmUserQualification = "Potrdi uporabnikovo kvalifikacijo";
$NotChanged = "Brez spremembe"; $NotChanged = "Brez spremembe";
$QualifyThreadGradebook = "Kvalificiraj nit (redovalnica)"; $QualifyThreadGradebook = "Kvalificiraj nit (redovalnica)";
$QualifyNumeric = "Numerična kvalifikacija"; $QualifyNumeric = "Številčna ocena";
$AlterQualifyThread = "Spremeni kvalifikajsko nit"; $AlterQualifyThread = "Spremeni kvalifikajsko nit";
$ForumMoved = "Forum je bil prestavljen"; $ForumMoved = "Forum je bil prestavljen";
$YouMustAssignWeightOfQualification = "Dodeliti je potrebno utež kvalifikaciji"; $YouMustAssignWeightOfQualification = "Dodeliti je potrebno utež kvalifikaciji";
@ -2796,7 +2796,7 @@ $Number = "Št.";
$Weighting = "Utež"; $Weighting = "Utež";
$ChooseQuestionType = "Za kreiranje novega vprašanja, izberite vrsto vprašanja iz zgonjega"; $ChooseQuestionType = "Za kreiranje novega vprašanja, izberite vrsto vprašanja iz zgonjega";
$MatchesTo = "Ustreza"; $MatchesTo = "Ustreza";
$CorrectTest = "Več podrobnosti"; $CorrectTest = "Uveljavi oceno";
$ViewTest = "Poglej"; $ViewTest = "Poglej";
$NotAttempted = "Brez poskusa"; $NotAttempted = "Brez poskusa";
$AddElem = "+ element"; $AddElem = "+ element";
@ -3532,7 +3532,7 @@ $CourseSettings = "Nastavitve tečaja";
$EmailNotifications = "E-poštno obveščanje"; $EmailNotifications = "E-poštno obveščanje";
$UserRights = "Pravice uporabnikov"; $UserRights = "Pravice uporabnikov";
$Theming = "Tema"; $Theming = "Tema";
$Qualification = "Kvalifikacija"; $Qualification = "Oceni";
$OnlyNumbers = "Zgolj numerične vrednosti"; $OnlyNumbers = "Zgolj numerične vrednosti";
$ReorderOptions = "Menjaj vrstni red možnosti"; $ReorderOptions = "Menjaj vrstni red možnosti";
$EditUserFields = "Uredi uporabniška polja"; $EditUserFields = "Uredi uporabniška polja";
@ -4644,10 +4644,10 @@ $FeedbackError = "Napaka pri povratnih informacijah";
$PleaseTypeText = "Vnesite besedilo ..."; $PleaseTypeText = "Vnesite besedilo ...";
$YouAreNotAllowedToDownloadThisFile = "Nimate dovoljenja za prenos te datoteke."; $YouAreNotAllowedToDownloadThisFile = "Nimate dovoljenja za prenos te datoteke.";
$CheckAtLeastOneFile = "Izberite vsaj eno datoteko."; $CheckAtLeastOneFile = "Izberite vsaj eno datoteko.";
$ReceivedFileDeleted = "Prejeta datoteka je bila odstranjena."; $ReceivedFileDeleted = "Izbrane datoteke so bile odstranjene.";
$SentFileDeleted = "Poslana datoteka je bila odstranjena."; $SentFileDeleted = "Poslana datoteka je bila odstranjena.";
$FilesMoved = "Izbrane datoteke so bile premaknjene."; $FilesMoved = "Izbrane datoteke so bile premaknjene.";
$ReceivedFileMoved = "Prejeta datoteka je bila premaknjena."; $ReceivedFileMoved = "Izbrane datoteke so bile prestavljene.";
$SentFileMoved = "Poslana datoteka je bila premaknjena"; $SentFileMoved = "Poslana datoteka je bila premaknjena";
$NotMovedError = "Datoteka (datoteke) ne morejo biti odstranjene."; $NotMovedError = "Datoteka (datoteke) ne morejo biti odstranjene.";
$AddNewCategory = "Dodaj novo kategorijo"; $AddNewCategory = "Dodaj novo kategorijo";
@ -7191,7 +7191,7 @@ $BadgesManagement = "Upravljanje značk";
$CurrentBadges = "Trenutne značke"; $CurrentBadges = "Trenutne značke";
$SaveBadge = "Shrani značko"; $SaveBadge = "Shrani značko";
$BadgeMeasuresXPixelsInPNG = "Značka meri 200x200 pikslov v PNG formatu."; $BadgeMeasuresXPixelsInPNG = "Značka meri 200x200 pikslov v PNG formatu.";
$SetTutor = "Nastavi za tutorja"; $ConvertToCourseAssistant = "Nastavi za tutorja";
$UniqueAnswerImage = "Slika enoličnega odgovora"; $UniqueAnswerImage = "Slika enoličnega odgovora";
$TimeSpentByStudentsInCoursesGroupedByCode = "Porabljen čas tečajnikov v tečajih, po kodi"; $TimeSpentByStudentsInCoursesGroupedByCode = "Porabljen čas tečajnikov v tečajih, po kodi";
$TestResultsByStudentsGroupesByCode = "Rezultati testov po skupinah tečajnikov, po kodi"; $TestResultsByStudentsGroupesByCode = "Rezultati testov po skupinah tečajnikov, po kodi";
@ -7392,7 +7392,7 @@ $DocumentsDefaultVisibilityDefinedInCourseComment = "Privzeta vidnost dokumentov
$HtmlPurifierWikiTitle = "HTMLPurifier v področju Wiki-ja"; $HtmlPurifierWikiTitle = "HTMLPurifier v področju Wiki-ja";
$HtmlPurifierWikiComment = "Omogoči HTML Purifier v orodju Wiki (poveča se varnost, vendar je možnost zmanjšanja učinka stilov na samo besedilo)"; $HtmlPurifierWikiComment = "Omogoči HTML Purifier v orodju Wiki (poveča se varnost, vendar je možnost zmanjšanja učinka stilov na samo besedilo)";
$ClickOrDropFilesHere = "Kliknite ali izpustite datoteko"; $ClickOrDropFilesHere = "Kliknite ali izpustite datoteko";
$RemoveTutorStatus = "Odstrani vlogo tutorja"; $RemoveCourseAssistantStatus = "Odstrani vlogo tutorja";
$ImportGradebookInCourse = "Uvozi redovalnico iz osnovnega tečaja"; $ImportGradebookInCourse = "Uvozi redovalnico iz osnovnega tečaja";
$InstitutionAddressTitle = "Naslov organizacije"; $InstitutionAddressTitle = "Naslov organizacije";
$InstitutionAddressComment = "Naslov"; $InstitutionAddressComment = "Naslov";
@ -7576,6 +7576,8 @@ $LastXDays = "Zadnjih %s dni";
$ExportBadges = "Izvozi značke"; $ExportBadges = "Izvozi značke";
$LanguagesDisableAllExceptDefault = "Onemogoči vse jezike razen privzetega jezika platforme"; $LanguagesDisableAllExceptDefault = "Onemogoči vse jezike razen privzetega jezika platforme";
$ThereAreUsersUsingThisLanguagesDisableItManually = "Aktivni uporabniki trenutno uporabljajo ta jezik. Prosim, onemogočite ga ročno."; $ThereAreUsersUsingThisLanguagesDisableItManually = "Aktivni uporabniki trenutno uporabljajo ta jezik. Prosim, onemogočite ga ročno.";
$MessagingAllowSendPushNotificationTitle = "Dovoli potisna sporočila za Chamilo Messaging mobilno app";
$MessagingAllowSendPushNotificationComment = "Pošlji potisno sporočilo preko Google Firebase Console (Firebase Cloud Messaging)";
$MessagingGDCProjectNumberTitle = "Številka projekta Google Developer Console"; $MessagingGDCProjectNumberTitle = "Številka projekta Google Developer Console";
$MessagingGDCProjectNumberComment = "Projekt MORATE registrirati na <a href=\"https://console.developers.google.com/\">Google Developer Console</a>"; $MessagingGDCProjectNumberComment = "Projekt MORATE registrirati na <a href=\"https://console.developers.google.com/\">Google Developer Console</a>";
$MessagingGDCApiKeyTitle = "API Key Google Developer Console za Google Cloud Messaging"; $MessagingGDCApiKeyTitle = "API Key Google Developer Console za Google Cloud Messaging";
@ -7676,7 +7678,10 @@ $WorksInSessionReport = "Poročilo o nalogah v seji";
$Files = "Datoteke"; $Files = "Datoteke";
$AssignedTo = "Dodeljen k"; $AssignedTo = "Dodeljen k";
$UpdatedByX = "Spremenil %s"; $UpdatedByX = "Spremenil %s";
$AssignedChangeFromXToY = "Zadolženec je bil spremenjen: iz %s na %s";
$RequestConfirmation = "Potrditev zahteve"; $RequestConfirmation = "Potrditev zahteve";
$ChangeAssign = "Zamenjaj zadolženca";
$ToBeAssigned = "Za dodelitev";
$StatusNew = "Nov"; $StatusNew = "Nov";
$StatusPending = "V čakanju"; $StatusPending = "V čakanju";
$StatusUnconfirmed = "Nepotrjen"; $StatusUnconfirmed = "Nepotrjen";
@ -7711,6 +7716,7 @@ $Source = "Vir";
$SrcPlatform = "Platforma"; $SrcPlatform = "Platforma";
$SrcEmail = "E-pošta"; $SrcEmail = "E-pošta";
$SrcPhone = "Telefon"; $SrcPhone = "Telefon";
$SrcPresential = "Predstavitev";
$TicketXCreated = "Zahtevek %s je bil ustvarjen"; $TicketXCreated = "Zahtevek %s je bil ustvarjen";
$ShowLinkTicketNotificationTitle = "Prikaži povezavo za ustvarjanje zahtevka"; $ShowLinkTicketNotificationTitle = "Prikaži povezavo za ustvarjanje zahtevka";
$ShowLinkTicketNotificationComment = "Prikaže uporabnikom povezavo preko katere se ustvari zahtevek ne desni strani okna portala"; $ShowLinkTicketNotificationComment = "Prikaže uporabnikom povezavo preko katere se ustvari zahtevek ne desni strani okna portala";
@ -7727,6 +7733,7 @@ $DownloadTasksPackage = "Prenesi paket z nalogami";
$UploadCorrectionsPackage = "Naloži paket s popravami"; $UploadCorrectionsPackage = "Naloži paket s popravami";
$IconsModeSVGTitle = "SVG način ikon"; $IconsModeSVGTitle = "SVG način ikon";
$IconsModeSVGComment = "Z aktiviranjem te možnosti omogočite prikaz ikon, ki vsebujejo verzijo SVG v vektorskem in ne v klasičnem bitnem (PNG) načinu. Možnost omogoča boljšo kvaliteto ikon, vendar se kljub temu na nekaterih mesti lahko pojavijo problemi pri prikazu velikosti samih ikon, hkrati pa lahko nastane problem pri uporabi nekaterih iskalnikov, ki ne podpirajo prikaza te vrste datotek."; $IconsModeSVGComment = "Z aktiviranjem te možnosti omogočite prikaz ikon, ki vsebujejo verzijo SVG v vektorskem in ne v klasičnem bitnem (PNG) načinu. Možnost omogoča boljšo kvaliteto ikon, vendar se kljub temu na nekaterih mesti lahko pojavijo problemi pri prikazu velikosti samih ikon, hkrati pa lahko nastane problem pri uporabi nekaterih iskalnikov, ki ne podpirajo prikaza te vrste datotek.";
$FilterByTags = "Filter po oznakah";
$ImportFromMoodle = "Uvozi iz Moodle"; $ImportFromMoodle = "Uvozi iz Moodle";
$ImportFromMoodleInfo = "Uvozi Moodle datoteko tečaja (.mbz) v ta Chamilo tečaj"; $ImportFromMoodleInfo = "Uvozi Moodle datoteko tečaja (.mbz) v ta Chamilo tečaj";
$ImportFromMoodleInstructions = "Uvoz z zmožnostjo uvoza Moodle-ovih tečajev lahko ne podpira vseh vsebin definiranih v Moodle, hkrati pa vse zmožnosti niso nujno enake in se obnašajo drugače na Chamilo platformi. Ta možnost smatramo kot zmožnost v razvoju. Preverite <a href=\"https://support.chamilo.org/projects/chamilo-18/wiki/Moodle_import\">https://support.chamilo.org/projects/chamilo-18/wiki/Moodle_import</a> glede dodatnih informacij."; $ImportFromMoodleInstructions = "Uvoz z zmožnostjo uvoza Moodle-ovih tečajev lahko ne podpira vseh vsebin definiranih v Moodle, hkrati pa vse zmožnosti niso nujno enake in se obnašajo drugače na Chamilo platformi. Ta možnost smatramo kot zmožnost v razvoju. Preverite <a href=\"https://support.chamilo.org/projects/chamilo-18/wiki/Moodle_import\">https://support.chamilo.org/projects/chamilo-18/wiki/Moodle_import</a> glede dodatnih informacij.";
@ -7750,6 +7757,7 @@ $Government = "Vladna organizacija";
$Template = "Predloga"; $Template = "Predloga";
$Palette = "Paleta"; $Palette = "Paleta";
$Colors = "Barve"; $Colors = "Barve";
$Mask = "Maska";
$Icon = "Ikona"; $Icon = "Ikona";
$DesignWithBadgeStudio = "Ustvarjeno z Badge Studio"; $DesignWithBadgeStudio = "Ustvarjeno z Badge Studio";
$UseThisBadge = "Uporabi to značko"; $UseThisBadge = "Uporabi to značko";
@ -7774,6 +7782,8 @@ $TicketMsgWelcome = "Dobrodošli v razdelku VAŠIH zahtevkov. Tu lahko spremljat
$TicketNoHistory = "Brez zgodovine"; $TicketNoHistory = "Brez zgodovine";
$RecalculateResults = "Preračunaj rezultate"; $RecalculateResults = "Preračunaj rezultate";
$XParenthesisDeleted = "%s (odstranjeno)"; $XParenthesisDeleted = "%s (odstranjeno)";
$AvailableAlsoInMainPortal = "Na voljo tudi preko glavnega portala";
$EditCourseCategoryToURL = "Uredi kategorije tečajev za en URL";
$VisibleToSelf = "Vidno zgolj samemu sebi"; $VisibleToSelf = "Vidno zgolj samemu sebi";
$VisibleToOthers = "Vidno tudi ostalim"; $VisibleToOthers = "Vidno tudi ostalim";
$UpgradeVersion = "Nadgradi inačico Chamilo LMS"; $UpgradeVersion = "Nadgradi inačico Chamilo LMS";
@ -7782,26 +7792,36 @@ $Removing = "Odstranjujem";
$CheckForCRSTables = "Preveri tabele iz predhodnih različic"; $CheckForCRSTables = "Preveri tabele iz predhodnih različic";
$YourPasswordCannotBeTheSameAsYourEmail = "Geslo ne more biti enako e-poštnemu naslovu"; $YourPasswordCannotBeTheSameAsYourEmail = "Geslo ne more biti enako e-poštnemu naslovu";
$YourPasswordCannotContainYourUsername = "Geslo ne sme vsebovati vašega uporabniškega imena"; $YourPasswordCannotContainYourUsername = "Geslo ne sme vsebovati vašega uporabniškega imena";
$WordTwoCharacterClasses = "Uporabi različne vrste znakov";
$TooManyRepetitions = "Preveč ponovitev"; $TooManyRepetitions = "Preveč ponovitev";
$YourPasswordContainsSequences = "Tvoje geslo vsebuje sekvenco"; $YourPasswordContainsSequences = "Tvoje geslo vsebuje sekvenco";
$PasswordVeryWeak = "Zelo šibko"; $PasswordVeryWeak = "Zelo šibko";
$UserXHasBeenAssignedToBoss = "Dodeljeni ste bili učečemu %s";
$ShortName = "Kratko ime"; $ShortName = "Kratko ime";
$Portal = "Portal"; $Portal = "Portal";
$Destination = "Cilj"; $Destination = "Cilj";
$UserTestingEMailConf = "Preverjanje e-poštnih nastavitev";
$CMS = "CMS"; $CMS = "CMS";
$SendLegalSubject = "Pravni pogoji";
$SendLegalDescriptionToUrlX = "Prosim da potrdite pravne pogoje tule: %s";
$ExerciseInvisibleInSession = "Vaja/naloga nevidna v seji"; $ExerciseInvisibleInSession = "Vaja/naloga nevidna v seji";
$YouNeedToConfirmYourAgreementCheckYourEmail = "Najprej morate potrditi svoje strinjanje z našimi pravnimi pogoji. Prosimo, da preverite svoj e-poštni nabiralnik.";
$ErrorImportingFile = "Napaka pri uvozu arhiva"; $ErrorImportingFile = "Napaka pri uvozu arhiva";
$Imported = "Uvoženo";
$ImportAsCSV = "Uvozi iz CSV datoteke"; $ImportAsCSV = "Uvozi iz CSV datoteke";
$EditThread = "Uredi nit"; $EditThread = "Uredi nit";
$AddFiles = "Dodaj datoteke"; $AddFiles = "Dodaj datoteke";
$GroupForums = "Forumi skupine"; $GroupForums = "Forumi skupine";
$Generate = "Generiraj";
$Ticket = "Zahtevek"; $Ticket = "Zahtevek";
$InvalidApiKey = "Neustrezen API ključ"; $InvalidApiKey = "Neustrezen API ključ";
$NoAnnouncement = "Ni obvestil"; $NoAnnouncement = "Ni obvestil";
$NoForum = "Ni forumov"; $NoForum = "Ni forumov";
$GoToExercise = "Pojdi na vaje/teste"; $GoToExercise = "Pojdi na vaje/teste";
$ForumDissociate = "Razdruži forum";
$NoLPFound = "Ne najdem nobene učne poti"; $NoLPFound = "Ne najdem nobene učne poti";
$InviteesCantBeTutors = "Povabljeni ne morejo biti tutorji"; $InviteesCantBeTutors = "Povabljeni ne morejo biti tutorji";
$InvalidAction = "Napačna aktivnost";
$TicketWasThisAnswerSatisfying = "Je ta odgovor zadovoljiv ?"; $TicketWasThisAnswerSatisfying = "Je ta odgovor zadovoljiv ?";
$IfYouAreSureTheTicketWillBeClosed = "Če si prepričan, bo zahtevek zaključen (zaprt)."; $IfYouAreSureTheTicketWillBeClosed = "Če si prepričan, bo zahtevek zaključen (zaprt).";
$Priorities = "Prioritete"; $Priorities = "Prioritete";
@ -7921,12 +7941,19 @@ $BestScoreInLearningPath = "Najboljši rezultat v učni poti";
$BestScoreNotInLearningPath = "Najboljši rezultat izven učnih poti"; $BestScoreNotInLearningPath = "Najboljši rezultat izven učnih poti";
$ReSendConfirmationMail = "Ponovno pošlji potrditveno sporočilo"; $ReSendConfirmationMail = "Ponovno pošlji potrditveno sporočilo";
$UserConfirmedNowYouCanLogInThePlatform = "Potrditev uporabnika je bila uspešna. Seaj se lahko prijavite v platformo."; $UserConfirmedNowYouCanLogInThePlatform = "Potrditev uporabnika je bila uspešna. Seaj se lahko prijavite v platformo.";
$YouHaveBeenSubscribedToCourseXTheStartDateXAndCommentX = "Vpisani ste bili v tečaj %s z datumom začetka %s in %s";
$YourSessionTimeIsExpired = "Čas tvoje seje je potekel"; $YourSessionTimeIsExpired = "Čas tvoje seje je potekel";
$ThisEmailWasSentViaCourseX = "To e-sporočilo je bilo poslano preko tečaja %s"; $ThisEmailWasSentViaCourseX = "To e-sporočilo je bilo poslano preko tečaja %s";
$ThisEmailWasSentViaCourseXInSessionX = "To e-sporočilo je bilo poslano preko tečaja %s iz seje %s."; $ThisEmailWasSentViaCourseXInSessionX = "To e-sporočilo je bilo poslano preko tečaja %s iz seje %s.";
$Diagram = "Diagram"; $Diagram = "Diagram";
$CareerXDoesntHaveADiagram = "Kariera %s ne vsebuje diagrama."; $CareerXDoesntHaveADiagram = "Kariera %s ne vsebuje diagrama.";
$ExerciseCategoryAllSessionsReport = "Poročilo vaj/testov po kategorijah za vse seje";
$MailConfirmation = "Zahteva potrditev z e-poštnim sporočilom"; $MailConfirmation = "Zahteva potrditev z e-poštnim sporočilom";
$RegistrationConfirmation = "Potrditev registracije";
$AccountNotConfirmed = "Vaš račun je neaktiven, ker ga še niste potrdili. Preverite svoj e-poštni predal in sledite navodil v prejetem sporočilu ali pa uporabite spodnjo povezavo za ponovno pošiljanje porditvenega e-sporočila.";
$RegistrationConfirmationEmailMessage = "Za dokončanje postopka vaše registracije v platformo morate potrditi novo kreiran račun s klikom na naslednjo povezavo";
$ConfirmationForNewAccount = "Potrditev za novo kreiran račun";
$YouNeedConfirmYourAccountViaEmailToAccessThePlatform = "Pred dostopom na platformo morate potrditi kreiranje računa preko vsebine e-poštnega sporočila.";
$UrlAlreadyExists = "Ta URL že obstaja."; $UrlAlreadyExists = "Ta URL že obstaja.";
$ErrorAddCloudLink = "Pri dodajanju povezave do datoteke v oblaku je prišlo do napake."; $ErrorAddCloudLink = "Pri dodajanju povezave do datoteke v oblaku je prišlo do napake.";
$AddCloudLink = "Dodaj povezo k datoteki v oblaku."; $AddCloudLink = "Dodaj povezo k datoteki v oblaku.";
@ -7938,23 +7965,36 @@ $PleaseEnterCloudLinkName = "Podajte ime za to oblačno povezavo.";
$CloudLinkModified = "Povezava na oblačno datoteko je bila ažurirana."; $CloudLinkModified = "Povezava na oblačno datoteko je bila ažurirana.";
$NotValidDomain = "Domena ni veljavna. Mora biti nekaj od naslednjega:"; $NotValidDomain = "Domena ni veljavna. Mora biti nekaj od naslednjega:";
$ValidDomainList = "Seznam veljavnih domen"; $ValidDomainList = "Seznam veljavnih domen";
$NotValidURL = "URL format zapisa je napačen. Primer pričakovanega formata: http://dropbox.com/sh/loremipsum/loremipsum?dl=0";
$FileExtension = "Datotečna končnica"; $FileExtension = "Datotečna končnica";
$GoogleTranslateApiReturnedEmptyAnswer = "Google Translate API uporabljen za izvajanje te storitve je kot odgovor na zahtevo vrnil prazen niz. Preverite ali povprašanje ali je vaš translate_app_google_key nastavitev ustrezna, ali pa za to prijazno povprašajte upravitelja te platforme.";
$SendManuallyPendingAnnouncements = "Pošlji čakajoče objave ročno";
$SessionTemplate = "Predloga seje"; $SessionTemplate = "Predloga seje";
$CloudFileLink = "Povezava oblačne datoteke"; $CloudFileLink = "Povezava oblačne datoteke";
$ResetFieldX = "Ponastavi %s"; $ResetFieldX = "Ponastavi %s";
$MyGeneralCertificate = "Moj globalen certifikat";
$ScoreNote = "Beležka"; $ScoreNote = "Beležka";
$ScoreTest = "Test"; $ScoreTest = "Test";
$MessageTracking = "Sledenje sporočil"; $MessageTracking = "Sledenje sporočil";
$MessagesExchangeBetweenXAndY = "Izmenjava sporočil med %s in %s"; $MessagesExchangeBetweenXAndY = "Izmenjava sporočil med %s in %s";
$YouWillReceivedASecondEmail = "Prejeli boste drugo e-sporočilo z vašim geslom"; $YouWillReceivedASecondEmail = "Prejeli boste drugo e-sporočilo z vašim geslom";
$YouReceivedAnEmailWithTheUsername = "Morali ste prejeli še eno e-poštno sporočilo z vašim uporabniškim imenom.";
$TheScormPackageWillBeUpdatedYouMustUploadTheFileWithTheSameName = "Naložiti morate .zip datoteko z enakim imenom kot je ime prvotni SCORM datoteki.";
$YourChoice = "Tvoja izbira";
$NewDocumentAddedToCourseX = "Nov dokument je bil dodan v tečaj %s";
$DocumentXHasBeenAddedToDocumentInYourCourseXByUserX = "Nov dokument je bil dodan v orodje Dokumenti vašega tečaja %s s strani %s";
$PendingSurveys = "Čakajoči vprašalniki";
$NoPendingSurveys = "Ni čakajočih vprašalnikov"; $NoPendingSurveys = "Ni čakajočih vprašalnikov";
$HottestSessions = "Najpopularnejše seje"; $HottestSessions = "Najpopularnejše seje";
$LPItemCanBeAccessed = "Element je viden - predpogoji so izpolnjeni";
$ItemXBlocksThisElement = "Element %s preprečuje ta korak"; $ItemXBlocksThisElement = "Element %s preprečuje ta korak";
$YourResultAtXBlocksThisElement = "Vaš rezultat %s onemogoča izvajanje tega koraka.";
$RegistrationRoleWhatDoYouWantToDo = "Kaj bi želel storiti?"; $RegistrationRoleWhatDoYouWantToDo = "Kaj bi želel storiti?";
$RegistrationRoleFollowCourses = "Slediti tečajem"; $RegistrationRoleFollowCourses = "Slediti tečajem";
$RegistrationRoleTeachCourses = "Poučevati v tečaju"; $RegistrationRoleTeachCourses = "Poučevati v tečaju";
$ExploreMoreCourses = "Razišči več tečajev"; $ExploreMoreCourses = "Razišči več tečajev";
$ExportToChamiloFormat = "Izvoz v Chamilo obliki"; $ExportToChamiloFormat = "Izvoz v Chamilo obliki";
$CoursesComingSoon = "Tečaji, ki bodo kmalu tu";
$SalePrice = "Prodajna cena"; $SalePrice = "Prodajna cena";
$BuyNow = "Kupi"; $BuyNow = "Kupi";
$DocumentGroupCollaborationMode = "Sodelovalni način"; $DocumentGroupCollaborationMode = "Sodelovalni način";
@ -7963,6 +8003,22 @@ $DocumentGroupShareMode = "Deljen način";
$SessionDurationXDaysTotal = "Ta seja ima omejitev trajanja na %s dni"; $SessionDurationXDaysTotal = "Ta seja ima omejitev trajanja na %s dni";
$LastMonth = "Zadnji mesec"; $LastMonth = "Zadnji mesec";
$ThisMonth = "Ta mesec"; $ThisMonth = "Ta mesec";
$AddCustomToolsIntro = "Na tem mestu lahko dodate uvodno besedilo tega orodja v pomoč obiskovalcem. Enostavno kliknite na ikono za urejanje in dodajte nekaj besedila. Ta privzeti opis je učečim neviden, dokler ga ne spremenite.";
$TheDocumentAutoLaunchSettingIsOnStudentsWillBeRedirectToTheDocumentTool = "Možnost avtomatičnega zagona dokumenta je omogočena. Učeči bo avtomatično preusmerjen v orodje dokumentov.";
$DocumentAutoLaunch = "Avtomatični zagon za dokumente";
$RedirectToTheDocumentList = "Preusmeritev na seznam dokumentov";
$TheExerciseAutoLaunchSettingIsONStudentsWillBeRedirectToTheExerciseList = "Možnost avtomatičnega zagona testov je omogočena. Učeči bodo avtomatično preusmerjeni na seznam testov/vaj.";
$PostedExpirationDate = "Objavljen je bil rok za oddajo naloge (vidno učečemu)";
$BossAlertMsgSentToUserXTitle = "Nadaljne sporočilo o učeči/učečem %s";
$BossAlertUserXSentMessageToUserYWithLinkZ = "Pozdravljen,<br /><br />
uporabnik $s je poslal sledeče sporočilo o učečem %s.<br /><br />
Sporočilo je vidno tule %s";
$include_services = "Vključi storitve";
$culqi_enable = "Omogoči Culqi";
$SelectedUsersDisabled = "Vsi izbrani uporabniki so bili onemogočeni";
$SomeUsersNotDisabled = "Nekateri izmed izbranih uporabnikov niso bili onemogočeni. Priporočamo, da jih poiščete z naprednim iskanjem in jih preverite.";
$SelectedUsersEnabled = "Vsi izbrani uporabniki so bili omogočeni";
$SomeUsersNotEnabled = "Nekateri izmed izbranih uporabnikov niso bili omogočeni. Priporočamo, da jih poiščete z naprednim iskanjem in jih preverite";
$EncryptedData = "Kriptirani podatki"; $EncryptedData = "Kriptirani podatki";
$RandomData = "Naključni podatki"; $RandomData = "Naključni podatki";
$PersonalDataReport = "Osebni podatki"; $PersonalDataReport = "Osebni podatki";
@ -7991,6 +8047,7 @@ $PersonalDataIntroductionText = "Mi spoštujemo vašo zasebnost! Ta stran vklju
$YourDegreeOfCertainty = "Vaša stonpja prepričanosti v odgovor"; $YourDegreeOfCertainty = "Vaša stonpja prepričanosti v odgovor";
$DegreeOfCertaintyThatMyAnswerIsCorrect = "Stopnja prepričanosti, da se bo moj odogovor pravilen odgovor"; $DegreeOfCertaintyThatMyAnswerIsCorrect = "Stopnja prepričanosti, da se bo moj odogovor pravilen odgovor";
$IncorrectAnswersX = "Nepravilni odgovori: %s"; $IncorrectAnswersX = "Nepravilni odgovori: %s";
$KindRegards = "Z lepimi pozdravi,";
$DoNotReply = "Prosimo, ne odgovarjanje"; $DoNotReply = "Prosimo, ne odgovarjanje";
$ResultAccomplishedTest = "Rezultati opravljenega testa"; $ResultAccomplishedTest = "Rezultati opravljenega testa";
$YourResultsByDiscipline = "Tvoji rezultati po disciplinah"; $YourResultsByDiscipline = "Tvoji rezultati po disciplinah";
@ -8000,6 +8057,7 @@ $DegreeOfCertaintyVerySure = "Zelo prepričan";
$DegreeOfCertaintyVerySureDescription = "Vaš odgovor je bil pravilen in bili ste z 80% verjetnostjo prepričani v pravilnost odgovora, Čestitamo!"; $DegreeOfCertaintyVerySureDescription = "Vaš odgovor je bil pravilen in bili ste z 80% verjetnostjo prepričani v pravilnost odgovora, Čestitamo!";
$DegreeOfCertaintyPrettySure = "Prepričan"; $DegreeOfCertaintyPrettySure = "Prepričan";
$DegreeOfCertaintyPrettySureDescription = "Vaš odgovor je bil pravilen vendar vanj niste bili popolnoma prepričani ( prepričani z verjetnostjo med 60 in 70%)."; $DegreeOfCertaintyPrettySureDescription = "Vaš odgovor je bil pravilen vendar vanj niste bili popolnoma prepričani ( prepričani z verjetnostjo med 60 in 70%).";
$DegreeOfCertaintyDeclaredIgnorance = "Očitno nepoznavanje";
$DegreeOfCertaintyDeclaredIgnoranceDescription = "Niste vedeli odgovora na vprašanje - zgolj s 50% verjetnostjo prepričani v odgovor."; $DegreeOfCertaintyDeclaredIgnoranceDescription = "Niste vedeli odgovora na vprašanje - zgolj s 50% verjetnostjo prepričani v odgovor.";
$DegreeOfCertaintyUnsure = "Neprepričan"; $DegreeOfCertaintyUnsure = "Neprepričan";
$DegreeOfCertaintyUnsureDescription = "Vaš odgovor je bil napačen, vendar ste bili v pravilen odgovor prepričani z verjetnostjo med 60% in 70%"; $DegreeOfCertaintyUnsureDescription = "Vaš odgovor je bil napačen, vendar ste bili v pravilen odgovor prepričani z verjetnostjo med 60% in 70%";
@ -8018,20 +8076,121 @@ $TotalHours = "Skupaj ur";
$MinutesPerDay = "Minut na dan"; $MinutesPerDay = "Minut na dan";
$ClassroomActivity = "Aktivnost v razredu"; $ClassroomActivity = "Aktivnost v razredu";
$OneDay = "1 dan"; $OneDay = "1 dan";
$UserXAnonymized = "Informacija o uporabniku %s je bila anonimizirana.";
$CannotAnonymizeUserX = "Ne moremo anonimizirati informacije o uporabniku %s. Poskusite znova ali pa preverite dnevnik napak.";
$NoPermissionToAnonymizeUserX = "Nimate dovoljenja za anonimizacijo informacije o uporabniku %s. Potrebujete enaka dovoljenja kot so namenjena brisanju uporabnika.";
$Anonymize = "Anonimiziraj"; $Anonymize = "Anonimiziraj";
$XQuestions = "%d vprašanj"; $XQuestions = "%d vprašanj";
$WebFolderRefreshSucceeded = "Elementi mape web/ (styles, assests) so bili osveženi.";
$WebFolderRefreshFailed = "Vsebine mape web/ (styles, assets) ni mogoče osvežiti, verjetno zaradi nezadostnih dovoljenj. Zagotovite, da je mapa web/ zapisljiva s strani vašega spletnega strežnika.";
$CopyTextToClipboard = "Kopiraj besedilo"; $CopyTextToClipboard = "Kopiraj besedilo";
$WeNeedYouToAcceptOurTreatmentOfYourData = "Da vam lahko zagotovimo ta servis, morate sprejeti naše pogoje obravnave vaših osebnih podatkov. Če želite ustvariti uporabniški račun vas prosimo, da pregledata in sprejmete pogoje in kliknete gumb za potrditev. Če pogojev ne sprejemte, s strani naše platforme ali upravljalcev, ne bo o vas zabeležen noben podatek.";
$NoTermsAndConditionsAvailable = "Pogoji rabe niso na voljo";
$Skype = "Skype"; $Skype = "Skype";
$PersonalDataOfficerName = "Pooblaščena oseba za varstvo osebnih podatkov (DPO/GDPR)"; $PersonalDataOfficerName = "Pooblaščena oseba za varstvo osebnih podatkov (DPO/GDPR)";
$PersonalDataOfficerRole = "Vloga pooblaščena osebe za varstvo osebnih podatkov (DPO/GDPR)"; $PersonalDataOfficerRole = "Vloga pooblaščena osebe za varstvo osebnih podatkov (DPO/GDPR)";
$TotalLPTime = "Skupen čas v učnih poteh"; $TotalLPTime = "Skupen čas v učnih poteh";
$AddStatus = "Dodaj status"; $AddStatus = "Dodaj status";
$AddProject = "Dodaj projekt";
$AddPriority = "Dodaj prioriteto";
$NotAccepted = "Zavrnjeno";
$UserPermissions = "Uporabniška dovoljenja";
$ExportToPdf = "Izvozi v PDF";
$GoToThread = "Pojdi na nit";
$TimeDifference = "Časovna diferenca";
$SessionAdministrator = "Upravitelj seje";
$UploadTmpDirInfo = "Začasna mapa za nalaganje datotek je prosr na strežniku, kamor se nalagajo datoteke predenj se filtrirajo in obravnavajo s strani strežnikove skripte (PHP).";
$GenerateCustomReport = "Generiraj prilagojeno poročilo";
$ToDo = "Narediti";
$PleaseEnterURL = "Vnesite URL";
$AddMultipleUsersToCalendar = "Dodaj več uporabnikov k koledarju";
$UpdateCalendar = "Ažuriraj koledar";
$ControlPoint = "Kontrolna točka";
$MessageQuestionCertainty = "Sledite spodnjim navodilom za dostop do rezutatov testa ali vaje %s.<br />
<ol><li>Prijavite se v platformo (uporabniško ime/geslo) na : %s</li><li>Uporabite naslednjo povezavo: %s</li></ol>";
$SessionMinDuration = "Min trajanja seje";
$CanNotTranslate = "Ne morem prevesti";
$AddSkills = "Dodaj veščine";
$Dictionary = "Slovar";
$CategoryExists = "Kategorija obstaja";
$DependsOnGradebook = "Odvisno od redovalnice";
$ThisGradebookDoesntHaveDependencies = "Ta redovalnica nima odvisnosti";
$CourseIntroductionsAllImportedSuccessfully = "Vsi opisi tečajev se bili uspešno uvoženi.";
$FilterSessions = "Filtriraj seje";
$SyncDatabaseWithSchema = "Sinhroniziraj podatkovno zbirko s shemo";
$UserRequestWaitingForAction = "Uporabnik čaka na aktivnost v zvezi z zahtevo glede svojih osebnih podatkov";
$TheUserXIsWaitingForAnActionGoHereX = "Uporabnik %s čaka na aktivnost v zvezi z njegovim zahtevkom o osebnih podatkih. \n\n. Za upravljanje zahevkov, ki se tičejo osebnih podatkov uporabnikov, uporabite naslednjo povezavo: %s";
$RequestType = "Vrsta zahtevka";
$DeleteAccount = "Odstrani račun";
$RequestDate = "Datum zahtevka";
$RemoveTerms = "Odstrani pravni dogovor o pogojih rabe";
$InformationRightToBeForgottenLinkX = "Več podatkov o pravicah uporabnikov do pravice o pozabi si lahko ogledate na naslednjih straneh: %s";
$ExplanationDeleteLegal = "Prosimo, da nam poveste zakaj umikate dovoljenja, ki ste nam jih predhodno odobrili, in s tem omogočite izvedbo zahtevanega postopka na čim bolj gladek način.";
$ExplanationDeleteAccount = "Prosim da v tem polju pojasnite razloge za vašo željo po odstranitvi računa";
$WhyYouWantToDeleteYourLegalAgreement = "Spodaj lahko zahtevate preklic vseh vaših soglasja, podanih pri registraciji v portal, ali da se vaš račun z vsemi vašimi podatki v celoti odstrani.<br />
V primeru zahteve po preklicu soglasij, jih boste pri naslednjem dostopu do vsebin portala morali podati ponovno, sicer ne boste imeli možnosti dostopa, ker vam sočasno ne moremo zagotavljati osebnega virtualnega okolja in ne obravnavati osebnih podatkov.<br />
V primeru odstranitve računa, se hkrati odstranijo vsi vpisi v tečaje in vsi podatki, ki so povezani z računom. Prosimo, da skrbno pretehtate možnosti, preden izberete eno od danih možnosti, da bi se izognili morebitnim zdajšnim in bodočim nesporazumom,ki bi morebiti nastopili z dejansko izgubo vseh vaših podatkov.";
$PersonalDataPrivacy = "Zaščita osebnih podatkov";
$RequestForAccountDeletion = "Zahteva za odstranitev uporabniškega računa";
$TheUserXAskedForAccountDeletionWithJustificationXGoHereX = "Uporabnica/uporabnik %s ja zaprosil-a za odstranitev svojega računa z obrazložitvijo: \"%s\". Zahtevek lahko obravnavate tule: %s";
$TheUserXAskedLegalConsentWithdrawalWithJustificationXGoHereX = "Uporabnica/uporabnik je zaprosil za preklic svojih soglasij v skladu s pravnimi pogoji portala z obrazložitvijo: \"%s\". Zahtevek lahko obravnavate tule: %s";
$RequestForLegalConsentWithdrawal = "Zahteva za umik soglasja pod zakonskimi pogoji";
$Terms_and_conditionFields = "Polja pogojev rabe";
$ContentNotAccessibleRequestFromDataPrivacyOfficer = "Ta vsebina vam ni dostopna direktno zaradi pravilnika o dostopu do podatkov, ki se tičejo tečaja. Če potrebujete dostop do teh podatkov, se prosimo, obrnite na informacijskega pooblaščenca, kot je navedeno v pogojih rabe.";
$LearningCalendar = "Učni koledar";
$ControlPointAdded = "Kontrolna točka je bila dodana";
$NumberDaysAccumulatedInCalendar = "Število dni zbranih v koledarju";
$DifferenceOfDaysAndCalendar = "Razlika med dnevi in koledarjem";
$CourseId = "ID tečaja";
$MoreDataAvailableInTheDatabaseButTrunkedForEfficiencyReasons = "Več podatkov je na voljo v podatkovni zbirki vendar je količina na tem mestu zaradi učinkovitosti zmanjšana.";
$SendAnnouncementCopyToMyself = "Pošlji kopijo e-poštnega sporočila tudi meni";
$CourseHoursDuration = "Trajanje tečaja (h)";
$AnnouncementWillBeSentTo = "Obvestilo bo poslano k";
$OutstandingStudents = "Nadprovprečni učeči";
$PercentileScoresDistribution = "Procentualna porazdelitev rezultatov";
$ProgressObtainedFromLPProgressAndTestsAverage = "Opomba: ta napredek je določen na osnovi kombinacije napredka v učnih poteh in povprečnega rezultata testov";
$CreateNewSurveyDoodle = "Ustvari nov vprašalnik vrste Doodle";
$RemoveMultiplicateQuestions = "Odstrani podvojena vprašanja";
$MultiplicateQuestions = "Podvojena vprašanja";
$QuestionForNextClass = "Vprašanja za naslednjo učno uro";
$NewExerciseAttemptDisabled = "Sistem trenutno ne dovoljuje izvrševanje testa/vaje. Pridite naokoli kasneje.";
$PersonalDataOfficer = "Informacijski pooblaščenec (za varstvo osebnih podatkov)";
$MaxNumberSubscribedStudentsReached = "Največje število učečih je že bilo doseženo. Ni več mogoče vpisati dodatnih.";
$UserXAddedToCourseX = "Uporabnik %s je bil vpisan v tečaj %s";
$LpMinTimeDescription = "Najkraji čas (v minutah), ki ga mora učeči prebiti v učni poti da dobi dostop do naslednje.";
$LpMinTimeWarning = "V učni poti nisi porabil predpisanega minimalnega časa!";
$YouHaveSpentXTime = "Porabili ste %s";
$TimeSpentInLp = "Čas porabljen v učni poti";
$StudentXFinishedLp = "Učeči %s je dokončal svoje učne poti.";
$IHaveFinishedTheLessonsNotifyTheTeacher = "Končal sem z lekcijo, obvesti učitelja";
$TheStudentXHasFinishedTheCourseYLearningPaths = "<b>%s</b> je končal(a) z učno potjo v tečaju <b>%s</b>";
$ThisQuestionExistsInAnotherExercisesWarning = "Vprašanje je uporabljeno tudi v drugem testu. Če boste nadaljevali z urejanjem, bodo spremembe vplivale na vse teste, v katerih je to vprašanje vsebovano.";
$TimeSpentTimeRequired = "Porabljen čas / potreben čas";
$ProgressSpentInLp = "Napredek";
$InSessionXYouHadTheFollowingResults = "V seji %s so vaši rezultati naslednji";
$TimeSpent = "Porabljen čas";
$NumberOfVisits = "Število obiskov";
$GlobalProgress = "Globalni napredek";
$AttestationOfAttendance = "Potrjevanje udeležbe";
$DontShowScoreOnlyWhenUserFinishesAllAttemptsButShowFeedbackEachAttempt = "Ne prikaži rezultatov(zgolj ko uporabnik dokonča vse poskuse) temveč pri vsakem poskusu prikaži zgolj povratne informacije.";
$ExerciseRankingMode = "Način rangiranja: Ne prikaže podrobnosti rezultatov po posameznih vprašanjih temveč le uvrstivev/rang v primerjavi z dosežki ostalih reševalcev testa.";
$BackToTop = "Nazaj na vrh"; $BackToTop = "Nazaj na vrh";
$PersonalDataTreatmentTitleHelp = "Kaj prištevamo med osebne podatke?";
$PersonalDataCollectionTitleHelp = "Zakaj zbiramo te podatke?"; $PersonalDataCollectionTitleHelp = "Zakaj zbiramo te podatke?";
$PersonalDataRecordingTitleHelp = "Kje shranjujemo podatke? (na katerem sistemu, pri katerem ponudniku, katera podjetja imajo dostop do teh storitev in strežnikov, ...)";
$PersonalDataOrganizationTitleHelp = "Kako so podatki strukturirani? Kje je meja, do katere organizacija ščiti varnost zasebnih podatkov? ... Ali imate vzpostavljen proces za zagotavljanje varnosti za preprečevanje morebitnim napadalcem/hekerjem pridobivanja podatkov po principu \"first-attempt\" ? So podatki šifrirani?";
$PersonalDataStructureTitleHelp = "Kako so podatki strukturirani v tej programski opremi? (en razdelek/stran, kjer so dostopni vsi podatki, ali obstaja kategorizacija / označevanje(labeliranje), ...)";
$PersonalDataConservationTitleHelp = "Kako dolgo shranjujemo podatke? Ali beležimo podatke, ki potečejo kljub temu, da je račun aktiven? Koliko časa od kar je uporabnik zadnjič uporabil sistem, še hranimo njegove podatke ?";
$PersonalDataAdaptationTitleHelp = "Katere spremebe lahko izvršimo na pridobljenih podatkih? Katere spremembe lahko izvršimo, ne da bi vplivali na delovanje storitev platforme?"; $PersonalDataAdaptationTitleHelp = "Katere spremebe lahko izvršimo na pridobljenih podatkih? Katere spremembe lahko izvršimo, ne da bi vplivali na delovanje storitev platforme?";
$PersonalDataExtractionTitleHelp = "V kakšen namen uporabljamo pridobljene podatke (izločanje iz platforme, uporaba v drugih internih procesih) ter kateri podatki so to ?"; $PersonalDataExtractionTitleHelp = "V kakšen namen uporabljamo pridobljene podatke (izločanje iz platforme, uporaba v drugih internih procesih) ter kateri podatki so to ?";
$PersonalDataConsultationTitleHelp = "Kdo lahko vrši vpogled v podatke? S kakšnim namenom?"; $PersonalDataConsultationTitleHelp = "Kdo lahko vrši vpogled v podatke? S kakšnim namenom?";
$PersonalDataUsageTitleHelp = "Kako in s kakšnim namenom uporabljamo osebne podatke?"; $PersonalDataUsageTitleHelp = "Kako in s kakšnim namenom uporabljamo osebne podatke?";
$PersonalDataCommunicationTitleHelp = "S kom jih (lahko) delimo? Ob kakšnih priložnostih? S kokašnim postopkom (varnim ali ne) ?";
$PersonalDataInterconnectionTitleHelp = "Ali imamo še kakšen sistem, ki s Chamilo platformo deli podatke? Kakšen je proces interakcije med temi sistemi? Kateri podatki se izmenjujejo in na kakšen način?";
$PersonalDataLimitationTitleHelp = "Katere oz. kakšne so meje, ki jih nikoli ne bomo prekoračili pri odnosu (spoštovanju) do vaših osebnih podatkov? Kako daleč pri tem (lahko) gremo?";
$PersonalDataDeletionTitleHelp = "Po kolikšnem času trajno odstranimo podatke? (dogodki, zadnje prijave, zadnje rabe, kontakti, ...). Kakšen je proces uničevanja?";
$PersonalDataDestructionTitleHelp = "Kaj se zgodi, če so podatki nenamenma uničeni kot rezultat tehnične napake? (recimo: nepooblaščeno brisanje, izguba materialov, dokumentacije, ..";
$PersonalDataProfilingTitleHelp = "Za kakšne namene shranjujemo in procesiramo podatke? Ali jih uporabljamo za omejevanje dostopa določenih uporabnikov do delov aplikacije (selekcioniranje, neenaka obravnava, pozitivna/negativna diskriminacija, ... )?";
$SearchUsersByName = "Po imenu"; $SearchUsersByName = "Po imenu";
$GlobalChat = "Klepet"; $GlobalChat = "Klepet";
$AskRevision = "Povprašaj po popravku"; $AskRevision = "Povprašaj po popravku";
@ -8044,12 +8203,14 @@ $SeeAllCommunities = "Poglej vse skupnosti";
$HideForumNotifications = "Skrij obvestila foruma"; $HideForumNotifications = "Skrij obvestila foruma";
$Forum_categoryFields = "Polja kategorij foruma"; $Forum_categoryFields = "Polja kategorij foruma";
$Forum_postFields = "Polja objav foruma"; $Forum_postFields = "Polja objav foruma";
$ExerciseShowOnlyGlobalScoreAndCorrectAnswers = "Prikaže le končen rezultat testa(ne posameznih rezultatov po vprašanjih) ter zgolj pravilne odgovore: vprašanje označi s pravilno/nepravilno, pri vsakem pa poda le pravilen odgovor";
$FromTimeX = "Od %s"; $FromTimeX = "Od %s";
$ToTimeX = "Za %s"; $ToTimeX = "Za %s";
$SurveyInviteLink = "Povezava vabila evalvacijskega vprašalnika"; $SurveyInviteLink = "Povezava vabila evalvacijskega vprašalnika";
$RevisionProposed = "Predlog popravka"; $RevisionProposed = "Predlog popravka";
$SessionsPlanCalendar = "Koledar načrta seje"; $SessionsPlanCalendar = "Koledar načrta seje";
$QuizQuestionsLimitPerDay = "Omejitev dnevnega števila vprašanj"; $QuizQuestionsLimitPerDay = "Omejitev dnevnega števila vprašanj";
$QuizQuestionsLimitPerDayComment = "Če je vrednost nastavljena na več kot 0, ta možnost onemogoči tečajniku pristop k testu, če skupna vsota vprašanj v dnevu opravljenih testov in izbranega testa presega nastavljeno omejitev. Primer: če je omejitev nastavljana na 50 in je tečajnik predhodno na dan že reševal 2 testa, ki vsebujeta po 20 vprašanj, tečajnik ne more več opraviti še ene izvedbe testa z 20 vprašanji (20+20+20=60>50), lahko pa izvede test, ki vsebuje 10 vprašanj (20+20+10=50 <=50).";
$QuizQuestionsLimitPerDayXReached = "Oprostite, za današnji dan ste dosegli največje možno število vprašanj (%s). Vabimo vas, da poskusite znova jutri."; $QuizQuestionsLimitPerDayXReached = "Oprostite, za današnji dan ste dosegli največje možno število vprašanj (%s). Vabimo vas, da poskusite znova jutri.";
$VoteLike = "Všeč mi je"; $VoteLike = "Všeč mi je";
$VoteDislike = "Ni mi všeč"; $VoteDislike = "Ni mi všeč";
@ -8064,5 +8225,67 @@ $LeaveAMessage = "Pusti sporočilo";
$OrphanQuestion = "Osamlo vprašanje"; $OrphanQuestion = "Osamlo vprašanje";
$WelcomeToPortalXInCourseSessionX = "Dobrodošli v portal %s k tečaju seje: %s"; $WelcomeToPortalXInCourseSessionX = "Dobrodošli v portal %s k tečaju seje: %s";
$WelcomeToPortalXInCourseSessionXCoursePartOfCareerX = "Dobrodošli v portal %s k tečaju %s, delu kariernega izobraževanja %s"; $WelcomeToPortalXInCourseSessionXCoursePartOfCareerX = "Dobrodošli v portal %s k tečaju %s, delu kariernega izobraževanja %s";
$YourNextModule = "Vaš naslednji modul";
$FirstLesson = "Prva lekcija"; $FirstLesson = "Prva lekcija";
$ScormStartAttemptDate = "Datum";
$LoginsByDate = "Prijave po datumih";
$AllowHtaccessScormImport = "Dovoli htaccess pri uvozih SCORM paketov";
$ExerciseAutoEvaluationAndRankingMode = "Način samodejnega ocenjevanja in rangiranje";
$YouAreReceivingACopyBecauseYouAreACourseCoach = "Kopijo prejemate ker ste v tečaju vlogi coach-a";
$GenerateReport = "Generiraj poročilo";
$VersionFromVersionFile = "Različica iz datoteke različic";
$VersionFromConfigFile = "Različica iz nastavitvene datoteke";
$TheVersionFromTheVersionFileIsUpdatedWithEachVersionIfMainInstallDirectoryIsPresent = "Različica iz datoteke version.php je osvežena z vsako različico, vendar je dotopna le v primeru obstoja mape main/install/.";
$TheVersionFromTheConfigurationFileShowsOnTheAdminPageButHasToBeChangedManuallyOnUpgrade = "Različica iz nastavitvene datoteke je prikazana na primarni upravljalčevi strani (Administracija pltforme), vendar mora biti v tej datoteki spremenjena ročno ob vsaki nadgraditvi.";
$ResultsConfigurationPage = "Nastavitev strani z rezultati";
$HideExpectedAnswer = "Skrij stolpec s pričakovanim odgovorom";
$HideTotalScore = "Skrij skupni rezultat";
$HideQuestionScore = "Skrij rezultat posameznega vprašanja";
$SaveAnswers = "Shrani odgovore";
$SaveAllAnswers = "Pred-napolni polja odgovorov z odgovori prejšnjega poskusa";
$SubscribeUsersToAllForumNotifications = "Avtomatično vpiši vse uporabnike k prejemu obvestil vseh forumov";
$MinStartDate = "Prva povezava";
$MaxEndDate = "Zadnja povezava";
$TotalDuration = "Celoten porabljen čas";
$RealisationCertificate = "Certifikat dosežkov";
$SurveysReport = "Poročila vprašalnikov";
$EnterYourNewPassword = "Vpišite svoje novo geslo";
$RepeatYourNewPassword = "Vpišite svoje geslo še enkrat, da se zmajša možnost napake pri vnosu";
$CompilatioDocumentTextNotImage = "Preverite, da vsebuje besedilo (ne zgolj slik)";
$CompilatioDocumentNotCorrupt = "in da ni okvarjen";
$CompilatioWaitingAnalysis = "Čakajoča analiza";
$CompilatioAwaitingAnalysis = "Čakam na analizo";
$CompilatioAnalysisEnding = "Končujem analizo";
$CompilatioProtectedPdfVerification = "Če je datoteka v PDF obliki preverite, da ni zaščitena pred spreminjanjem.";
$CompilatioSeeReport = "Poglej poročilo";
$UserClassExplanation = "Info: Seznam razredov spodaj vključuje razrede v katere ste že vpisani v vašem tečaju. Če je seznam praze, uporabite +zelen zgoraj za dodajanje želenih razredov.";
$LearnpathUseScoreAsProgress = "Uporabi rezultat kot napredek";
$Planned = "Planirano";
$InProgress = "V izvajanju";
$Cancelled = "Preklicano";
$Finished = "Končano";
$SessionStatus = "Stanje seje";
$UpdateSessionStatus = "Aktualiziraj stanje seje";
$NoStatus = "Ni statusa";
$GoBackToVideo = "Nazaj na video";
$UseLearnpathScoreAsProgress = "Uporabi rezultat kot napredek";
$QuizPreventBackwards = "Onemogoče prehod nazaj k prejšnjemu vprašanju";
$UploadPlugin = "Naloži vtič";
$PluginUploadPleaseRememberUploadingThirdPartyPluginsCanBeDangerous = "Ne pozabite, da je nalaganje vtičev tretjih oseb lahko škodljivo za delovanje vaše storitve in vašega strežnika. Vedno se prepričajte, da nalagate vtiče iz varnih in zanesljivih virov ali da lahko računate na profesionalno pomoč razvijalcev te programske opreme.";
$PluginUploadingTwiceWillReplacePreviousFiles = "Ponovno nalaganje istega vtiča bo prepisalo datoteke predhodno naložene različice z novimi. Kot vedno velja, da nalaganje vtičev tretjih oseb lahko predstavlja varnostno tveganje za celoten sistem.";
$UploadNewPlugin = "Izberite nov vtič";
$PluginUploadIsNotEnabled = "Nalaganje vtičev tretjih oseb ni omogočeno. Prepričajte se, da je nastavitev 'plugin_upload_enable' v nastavitveni datoteki platforme postavljena na vrednost 'true'.";
$PluginUploaded = "Vtič je bil naložen";
$PluginOfficial = "Uradni";
$PluginThirdParty = "Tretjih oseb";
$ErrorPluginOfficialCannotBeUploaded = "Vaš vtič ima enako ime kot eden od uradnih vtičev. Uradnih vtičev ni moč prepisati. Če želite vtič naložiti, spremenite ime .zip datoteke z vašim vtičem.";
$AllSessionsShort = "Vse";
$ActiveSessionsShort = "Aktivne";
$ClosedSessionsShort = "Zaprte";
$FirstnameLastnameCourses = "Tečaji up. %s %s";
$CanNotSubscribeToCourseUserSessionExpired = "V tečaj se ne morete več vpisati, ker je seja že potekla.";
$CertificateOfAchievement = "Certifikat dosežkov";
$CertificateOfAchievementByDay = "Certifikat dosežkov za dan";
$ReducedReport = "Skrajšano poročilo";
$NotInCourse = "Zunanji tečaji";
?> ?>

@ -1743,7 +1743,7 @@ $PublicPagesComplyToWAIComment = "WAI (Web Accessibility Initiative) es una inic
$VersionCheck = "Comprobar versión"; $VersionCheck = "Comprobar versión";
$SessionOverview = "Resumen de la sesión de formación"; $SessionOverview = "Resumen de la sesión de formación";
$SubscribeUserIfNotAllreadySubscribed = "Inscribir un usuario en el caso de que ya no lo esté"; $SubscribeUserIfNotAllreadySubscribed = "Inscribir un usuario en el caso de que ya no lo esté";
$UnsubscribeUserIfSubscriptionIsNotInFile = "Dar de baja a un usuario si no está en el fichero"; $UnsubscribeUserIfSubscriptionIsNotInFile = "Dar de baja a un usuario de cualquier curso en el cual no esté inscrito explícitamente en este fichero";
$DeleteSelectedSessions = "Eliminar las sesiones seleccionadas"; $DeleteSelectedSessions = "Eliminar las sesiones seleccionadas";
$CourseListInSession = "Lista de cursos en esta sesión"; $CourseListInSession = "Lista de cursos en esta sesión";
$UnsubscribeCoursesFromSession = "Cancelar la inscripción en la sesión de los cursos seleccionados"; $UnsubscribeCoursesFromSession = "Cancelar la inscripción en la sesión de los cursos seleccionados";
@ -3739,7 +3739,7 @@ $ViewResult = "Ver resultados";
$NoResultsInEvaluation = "Por ahora no hay resultados en la evaluación"; $NoResultsInEvaluation = "Por ahora no hay resultados en la evaluación";
$AddStudent = "Añadir usuarios"; $AddStudent = "Añadir usuarios";
$ImportResult = "Importar resultados"; $ImportResult = "Importar resultados";
$ImportFileLocation = "Ubicación del fichero a importar"; $ImportFileLocation = "Ubicación del archivo a importar";
$FileType = "Tipo de fichero"; $FileType = "Tipo de fichero";
$ExampleCSVFile = "Fichero CSV de ejemplo"; $ExampleCSVFile = "Fichero CSV de ejemplo";
$ExampleXMLFile = "Fichero XML de ejemplo"; $ExampleXMLFile = "Fichero XML de ejemplo";
@ -6308,7 +6308,7 @@ $SeeOnlyUnarchived = "Ver solo no archivados";
$LatestAttempt = "Último intento"; $LatestAttempt = "Último intento";
$PDFWaterMarkHeader = "Cabecera filigrana en exportes PDF"; $PDFWaterMarkHeader = "Cabecera filigrana en exportes PDF";
$False = "Falso"; $False = "Falso";
$DoubtScore = "No se"; $DoubtScore = "No sé";
$RegistrationByUsersGroups = "Inscripción por clases"; $RegistrationByUsersGroups = "Inscripción por clases";
$ContactInformationHasNotBeenSent = "Su información de contacto no pudo ser enviada. Esto está probablemente debido a un problema de red temporario. Por favor intente de nuevo dentro de unos segundos. Si el problema permanece, ignore este procedimiento de registro y dele click al botón para el siguiente paso."; $ContactInformationHasNotBeenSent = "Su información de contacto no pudo ser enviada. Esto está probablemente debido a un problema de red temporario. Por favor intente de nuevo dentro de unos segundos. Si el problema permanece, ignore este procedimiento de registro y dele click al botón para el siguiente paso.";
$FillCourses = "Generar cursos"; $FillCourses = "Generar cursos";
@ -7276,7 +7276,7 @@ $BadgesManagement = "Gestionar las insignias";
$CurrentBadges = "Insignias actuales"; $CurrentBadges = "Insignias actuales";
$SaveBadge = "Guardar insignia"; $SaveBadge = "Guardar insignia";
$BadgeMeasuresXPixelsInPNG = "Medidas de la insignia 200x200 píxeles en formato PNG"; $BadgeMeasuresXPixelsInPNG = "Medidas de la insignia 200x200 píxeles en formato PNG";
$SetTutor = "Hacer tutor"; $ConvertToCourseAssistant = "Convertir a asistente";
$UniqueAnswerImage = "Respuesta de imagen única"; $UniqueAnswerImage = "Respuesta de imagen única";
$TimeSpentByStudentsInCoursesGroupedByCode = "Tiempo dedicado por los estudiantes en los cursos, agrupados por código"; $TimeSpentByStudentsInCoursesGroupedByCode = "Tiempo dedicado por los estudiantes en los cursos, agrupados por código";
$TestResultsByStudentsGroupesByCode = "Resultados de ejercicios por grupos de estudiantes, por código"; $TestResultsByStudentsGroupesByCode = "Resultados de ejercicios por grupos de estudiantes, por código";
@ -7477,7 +7477,7 @@ $DocumentsDefaultVisibilityDefinedInCourseComment = "La visibilidad por defecto
$HtmlPurifierWikiTitle = "HTMLPurifier en el wiki"; $HtmlPurifierWikiTitle = "HTMLPurifier en el wiki";
$HtmlPurifierWikiComment = "Activar HTMLPurifier en la herramienta de wiki (aumentará la seguridad pero reducirá las opciones de estilo)"; $HtmlPurifierWikiComment = "Activar HTMLPurifier en la herramienta de wiki (aumentará la seguridad pero reducirá las opciones de estilo)";
$ClickOrDropFilesHere = "Suelte un o más archivos aquí o haga clic"; $ClickOrDropFilesHere = "Suelte un o más archivos aquí o haga clic";
$RemoveTutorStatus = "Quitar el status de tutor"; $RemoveCourseAssistantStatus = "Quitar rol asistente";
$ImportGradebookInCourse = "Importar las evaluaciones desde el curso base"; $ImportGradebookInCourse = "Importar las evaluaciones desde el curso base";
$InstitutionAddressTitle = "Dirección de la institución"; $InstitutionAddressTitle = "Dirección de la institución";
$InstitutionAddressComment = "Dirección"; $InstitutionAddressComment = "Dirección";
@ -8457,5 +8457,154 @@ $RealisationCertificate = "Certificado de logro";
$SurveysReport = "Reporte de encuestas"; $SurveysReport = "Reporte de encuestas";
$EnterYourNewPassword = "Introduzca su nueva contraseña aquí."; $EnterYourNewPassword = "Introduzca su nueva contraseña aquí.";
$RepeatYourNewPassword = "Introduzca su nueva contraseña una vez más, para reducir la probabilidad de errores."; $RepeatYourNewPassword = "Introduzca su nueva contraseña una vez más, para reducir la probabilidad de errores.";
$ExtractionFromX = "Extracción del : %s";
$Compilatio = "Compilatio";
$CompilatioDocumentTextNotImage = "Verifique que contenga texto (y no solo imágenes)";
$CompilatioDocumentNotCorrupt = "y que no está corrompido";
$CompilatioAnalysis = "Analizar";
$CompilatioAnalysisPercentage = "(Porcentaje de análisis de archivo)";
$CompilatioWaitingAnalysis = "Análisis pendiente";
$CompilatioAwaitingAnalysis = "Esperando análisis";
$CompilatioAnalysisEnding = "Finalizando análisis";
$CompilatioProtectedPdfVerification = "Si el archivo está en formato pdf, verifique que no esté protegido por modificación.";
$CompilatioConnectionWithServer = "Conectando con el servidor Compilatio";
$CompilatioWithCompilatio = "con Compilatio";
$CompilatioStartAnalysis = "Iniciar análisis de Compilacio";
$CompilatioSeeReport = "Ver informe";
$CompilatioNonToAnalyse = "Su selección no contiene trabajos para analizar. Solo se pueden enviar trabajos gestionados por Compilatio y no ya analizados.";
$CompilatioComunicationAjaxImpossible = "La comunicación AJAX con el servidor Compilatio es imposible. Vuelva a intentarlo más tarde.";
$UserClassExplanation = "Información: La lista de clases a continuación contiene la lista de clases que ya ha registrado en su clase. Si esta lista está vacía, use el + verde arriba para agregar clases."; $UserClassExplanation = "Información: La lista de clases a continuación contiene la lista de clases que ya ha registrado en su clase. Si esta lista está vacía, use el + verde arriba para agregar clases.";
?> $InsertTwoNames = "Agregar los dos apellidos";
$AddRightLogo = "Añadir logo derecho";
$LearnpathUseScoreAsProgress = "Usar la puntuación como progreso";
$LearnpathUseScoreAsProgressComment = "Usar el puntaje devuelto, por el único SCO en esta leccion, como el indicador de progreso en la barra de progreso. Esto modifica el comportamiento de SCORM en el sentido estricto, pero mejora la retroalimentación visual para el alumno.";
$Planned = "planificada";
$InProgress = "en progreso";
$Cancelled = "cancelada";
$Finished = "terminada";
$SessionStatus = "Estado";
$UpdateSessionStatus = "Actualizar estado de sesión";
$SessionListCustom = "Lista personalizada";
$NoStatus = "sin estado";
$CAS3Text = "CAS 3";
$GoBackToVideo = "Volver al video";
$UseLearnpathScoreAsProgress = "Usar el score como progreso";
$UseLearnpathScoreAsProgressInfo = "Algunas lecciones SCORM, en particular las que tienen un solo SCO, reportan su progreso a través del score de SCO (cmi.core.score.raw). Al seleccionar esta opción (solo disponible para las lecciones con un solo SCO), Chamilo mostrará el progreso en base al score que le envía el elemento SCO. Cuidado: al usar el score como progreso, se pierde la habilidad de obtener el score real del elemento.";
$ThereIsASequenceResourceLinkedToThisCourseYouNeedToDeleteItFirst = "Un recurso de secuencia está vinculado a este curso. Tiene que borrar este enlace primero.";
$QuizPreventBackwards = "Prohibir regresar en las preguntas anteriores";
$UploadPlugin = "Subir un plugin";
$PluginUploadPleaseRememberUploadingThirdPartyPluginsCanBeDangerous = "Por favor, recuerde que subir un plugin de terceros puede ser muy dañino para su portal y su servidor. Asegúrese siempre de instalar plugins de fuentes seguras o contando con soporte de sus desarrolladores.";
$PluginUploadingTwiceWillReplacePreviousFiles = "Subir un mismo plugin más de una vez aplastará los archivos del plugin subido anteriormente. Tal como en la primera subida, subir un plugin de terceros o una actualización de este es arriesgado.";
$UploadNewPlugin = "Seleccione el nuevo plugin";
$PluginUploadIsNotEnabled = "La subida de plugins no está activada. Asegúrese que la opción 'plugin_upload_enable' esté en 'true' en el archivo de configuración de Chamilo.";
$PluginUploaded = "Plugin subido";
$PluginOfficial = "Oficial";
$PluginThirdParty = "Plugin de terceros";
$ErrorPluginOfficialCannotBeUploaded = "Su plugin tiene el mismo nombre que un plugin oficial. Los plugins oficiales no pueden ser sobre-escritos. Por favor cambie el nombre del archivo de su plugin.";
$AllSessionsShort = "Todas";
$ActiveSessionsShort = "Activas";
$ClosedSessionsShort = "Cerradas";
$FirstnameLastnameCourses = "Cursos de %s %s";
$CanNotSubscribeToCourseUserSessionExpired = "No puede mas inscribirse a cursos porque su sesion ha expirado.";
$CertificateOfAchievement = "Certificado de logro";
$CertificateOfAchievementByDay = "Certificado de logro por dia";
$ReducedReport = "Reporte reducido";
$NotInCourse = "Fuera de cursos";
$LearnpathCategory = "Categoría de lecciones";
$MailTemplates = "Plantillas de correos";
$AnEmailToResetYourPasswordHasBeenSent = "Se le ha enviado un correo electrónico para restablecer su contraseña.";
$TotalNumberOfAvailableCourses = "Total de cursos disponibles";
$NumberOfMatchingCourses = "Total de cursos correspondiendo a los filtros";
$SessionsByDate = "Sesiones por fechas";
$GeneralStats = "Estadísticas globales";
$Weeks = "Semanas";
$SessionCount = "Número de sesiones";
$SessionsPerWeek = "Sesiones por semana";
$AverageUserPerSession = "Número promedio de usuarios por sesión";
$AverageSessionPerGeneralCoach = "Número promedio de sesiones por tutor general de sesión";
$SessionsPerCategory = "Sesiones por categoría";
$SessionsPerLanguage = "Sesiones por idioma";
$CountOfSessions = "Número de sesiones";
$CourseInSession = "Cursos en sesiones";
$UserStats = "Estadísticas usuarios";
$TotalNumberOfStudents = "Número total de estudiantes";
$UsersCreatedInTheSelectedPeriod = "Usuarios creados en el periodo seleccionado";
$UserByLanguage = "Usuarios por idioma";
$Count = "Número";
$SortKeys = "Ordenar por";
$SubscriptionCount = "Numero de suscripción";
$VoteCount = "Numero de votos";
$ExportAsCompactCSV = "Exportar a CSV compacto";
$PromotedMessages = "Mensajes importantes";
$SendToGroupTutors = "Publicar a los tutores de grupo";
$GroupSurveyX = "Encuesta del groupo %s";
$HelloXGroupX = "Hola %s<br/><br/>Como tutor del grupo %s te invitamos a participar en la siguiente encuesta:";
$SurveyXMultiplicated = "Encuesta %s demultiplicada";
$SurveyXNotMultiplicated = "Encuesta %s no demultiplicada";
$ExportSurveyResults = "Exportar resultados de encuestas";
$PointAverage = "Puntajes promedio";
$TotalScore = "Suma de puntajes";
$ExportResults = "Exportar resultados";
$QuizBrowserCheckOK = "Su navegador ha sido verificado. Puede proceder con seguridad.";
$QuizBrowserCheckKO = "Su navegador no pudo ser verificado. Inténtelo de nuevo o pruebe con otro navegador o dispositivo antes de comenzar el examen.";
$PartialCorrect = "Parcialmente correcto";
$XAnswersSavedByUsersFromXTotal = "%d / %d respuestas guardadas en el ejercicio.";
$TestYourBrowser = "Prueba de navegador";
$DraggableQuestionIntro = "Ordene las siguientes opciones de la lista como mejor le parezca arrastrándolas a las áreas inferiores. Puede volver a colocarlas en esta área para modificar su respuesta.";
$AverageTrainingTime = "Tiempo promedio en el curso";
$UsersActiveInATest = "Usuarios activos en una prueba";
$SurveyQuestionSelectiveDisplay = "Aparición selectiva";
$SurveyQuestionSelectiveDisplayComment = "Esta pregunta, cuando esté ubicada en una página individual con una primera pregunta de tipo elección única, solo se mostrará si la primera opción de la primera pregunta es seleccionada. Por ejemplo '¿Se fue de vacaciones?' -> si la respuesta es 'Sí', entonces la pregunta selectiva aparecerá con una lista de ubicaciones posibles de vacaciones.";
$SurveyQuestionMultipleChoiceWithOther = "Elección múltiple con texto libre";
$SurveyQuestionMultipleChoiceWithOtherComment = "Ofrezca unas opciones pre-definidas, pero agregue la posibilidad para el usuario de responder con un texto libre si ninguna opción corresponde.";
$Multiplechoiceother = "Elección múltiple con opción 'Otro'";
$SurveyOtherAnswerSpecify = "Otro/a...";
$SurveyOtherAnswer = "Por favor especifique:";
$UserXPostedADocumentInCourseX = "El usuario %s ha enviado un documento en la herramienta Tareas en el curso %s";
$DownloadDocumentsFirst = "Descargar los documentos primero";
$FileXHasNoData = "El archivo %s está vacío o solo contiene líneas vacías.";
$FileXHasYNonEmptyLines = "El archivo %s tiene %d líneas no vacías.";
$DuplicatesOnlyXUniqueUserNames = "Hay duplicados : solo se extrajeron %d nombres de usuario únicos.";
$NoLineMatchedAnyActualUserName = "Ninguna línea coincide con ningún nombre de usuario real.";
$OnlyXLinesMatchedActualUsers = "Solo %d líneas coinciden con los usuarios reales.";
$TheFollowingXLinesDoNotMatchAnyActualUser = "Las siguientes %d líneas no coinciden con ningún usuario real :";
$XUsersAreAboutToBeAnonymized = "%d usuarios están a punto de ser anonimizados :";
$LoadingXUsers = "Cargando %d usuarios ...";
$AnonymizingXUsers = "Anonimizar %d usuarios ...";
$AllXUsersWereAnonymized = "Todos los %d usuarios fueron anonimizados.";
$OnlyXUsersWereAnonymized = "Solo %d usuarios fueron anonimizados.";
$AttemptedAnonymizationOfTheseXUsersFailed = "El intento de anonimización de los siguientes %d usuarios falló :";
$PleaseUploadListOfUsers = "Cargue un archivo de texto que enumere los usuarios que se van a anonimizar, un nombre de usuario por línea.";
$InternalInconsistencyXUsersFoundForYUserNames = "Inconsistencia interna encontrada : %d usuarios encontrados de %d nombres de usuario enviados. Por favor comienza de nuevo.";
$BulkAnonymizeUsers = "Anonimizar usuarios por CSV";
$UsernameList = "Lista de usuarios";
$UsersAboutToBeAnonymized = "Usuarios que van a ser anonimizados :";
$CouldNotReadFile = "No se puede leer el archivo.";
$CouldNotReadFileLines = "No se puede leer las lineas del archivo.";
$CertificatesSessions = "Certificados en sesiones";
$SessionFilterReport = "Filtro de certificados en sesiones";
$UpdateUserListXMLCSV = "Actualizar lista de usuarios";
$DonateToTheProject = "Chamilo es un proyecto Open Source (o \"Software Libre\") y este portal está proveído a nuestra comunidad sin costo por la Asociación Chamilo, que persigue el objetivo de mejorar la calidad de una educación de calidad en todo el mundo.<br /><br />
Desarrollar Chamilo y proveer este servicio son, no obstante, tareas costosas, y su ayuda contribuiría de manera significativa en asegurar que estos servicios se mejoren más rápido en el tiempo.<br /><br />
Crear un curso en este portal es una de las operaciones más exigentes en términos de recursos para nuestro servicio. Le rogamos considere contribuir simbólicamente un monto pequeño para la Asociación Chamilo antes de crear este curso, con el objetivo de ayudarnos a mantener este servicio de buena calidad y gratuito para todos!";
$MyStudentPublications = "Mis tareas";
$AddToEditor = "Añadir al editor";
$ImageURL = "URL imagen";
$PixelWidth = "Ancho en px";
$AddImageWithZoom = "Agregar imagen con zoom";
$DeleteInAllLanguages = "Eliminar en todos los idiomas";
$MyStudentsSchedule = "Horario de mis estudiante";
$QuizConfirmSavedAnswers = "Acepto la cantidad de respuestas guardadas en esta sección.";
$QuizConfirmSavedAnswersHelp = "Si no está satisfecho, no marque la casilla de aceptación y consulte con el encargado del curso o el administrador de la plataforma.";
$TCReport = "Seguimiento de superiores de estudiantes";
$TIReport = "Calendario de ocupaciones de tutores generales.";
$StudentPublicationsSent = "Tareas enviadas o terminadas";
$PendingStudentPublications = "Tareas en curso";
$MyStudentPublicationsTitle = "Todas las tareas";
$MyStudentPublicationsExplanation = "A continuación encontrará todas sus tareas de todos los cursos y sesiones en los que está registrado.";
$RequiredCourses = "Cursos requeridos";
$SimpleCourseList = "lista estándar";
$AdminCourseList = "Gestión administrativa";
$AnonymizeUserSessions = "Anonimizar las sesiones del usuario";
$ContinueLastImport = "Continuar con el último importe";
?>

@ -1,4 +1,5 @@
<?php <?php
/* For licensing terms, see /license.txt */ /* For licensing terms, see /license.txt */
require_once '../../inc/global.inc.php'; require_once '../../inc/global.inc.php';

@ -79,7 +79,6 @@ try {
: []; : [];
$messagesId = array_filter($messagesId); $messagesId = array_filter($messagesId);
if (empty($messagesId)) { if (empty($messagesId)) {
throw new Exception(get_lang('NoData')); throw new Exception(get_lang('NoData'));
} }
@ -267,9 +266,7 @@ try {
$restResponse->setData($data); $restResponse->setData($data);
break; break;
case Rest::SAVE_FORUM_THREAD: case Rest::SAVE_FORUM_THREAD:
if ( if (empty($_POST['title']) || empty($_POST['text']) || empty($_POST['forum'])) {
empty($_POST['title']) || empty($_POST['text']) || empty($_POST['forum'])
) {
throw new Exception(get_lang('NoData')); throw new Exception(get_lang('NoData'));
} }

@ -1902,7 +1902,8 @@ class CourseRestorer
if (!empty($quiz->question_ids)) { if (!empty($quiz->question_ids)) {
foreach ($quiz->question_ids as $index => $question_id) { foreach ($quiz->question_ids as $index => $question_id) {
$qid = $this->restore_quiz_question($question_id); $qid = $this->restore_quiz_question($question_id);
$question_order = $quiz->question_orders[$index] ?: ++$order; $question_order = $quiz->question_orders[$index] ?: $order;
$order++;
$sql = "INSERT IGNORE INTO $table_rel SET $sql = "INSERT IGNORE INTO $table_rel SET
c_id = ".$this->destination_course_id.", c_id = ".$this->destination_course_id.",
question_id = $qid , question_id = $qid ,

Loading…
Cancel
Save