diff --git a/app/Migrations/Schema/V110/Version20150603181728.php b/app/Migrations/Schema/V110/Version20150603181728.php index 6916233b85..f61c4fada3 100644 --- a/app/Migrations/Schema/V110/Version20150603181728.php +++ b/app/Migrations/Schema/V110/Version20150603181728.php @@ -73,7 +73,10 @@ class Version20150603181728 extends AbstractMigrationChamilo $this->addSql("DELETE FROM c_item_property WHERE c_id = 0"); // Remove inconsistencies about non-existing users $this->addSql("DELETE FROM course_rel_user WHERE user_id = 0"); - $this->addSql('ALTER TABLE c_item_property ADD CONSTRAINT FK_1D84C18191D79BD3 FOREIGN KEY (c_id) REFERENCES course (id)'); + + $this->addSql("DELETE FROM c_item_property WHERE c_id NOT IN (SELECT id FROM course)"); + + $this->addSql('ALTER TABLE c_item_property ADD CONSTRAINT FK_1D84C18191D79BD3 FOREIGN KEY (c_id) REFERENCES course(id)'); $this->addSql('ALTER TABLE c_item_property ADD CONSTRAINT FK_1D84C181330D47E9 FOREIGN KEY (to_group_id) REFERENCES c_group_info (iid)'); $this->addSql('ALTER TABLE c_item_property ADD CONSTRAINT FK_1D84C18129F6EE60 FOREIGN KEY (to_user_id) REFERENCES user (id)'); $this->addSql('ALTER TABLE c_item_property ADD CONSTRAINT FK_1D84C1819C859CC3 FOREIGN KEY (insert_user_id) REFERENCES user (id)'); diff --git a/app/Migrations/Schema/V111/Version20160418093800.php b/app/Migrations/Schema/V111/Version20160418093800.php new file mode 100644 index 0000000000..b4d67bda7a --- /dev/null +++ b/app/Migrations/Schema/V111/Version20160418093800.php @@ -0,0 +1,34 @@ +getTable('c_quiz'); + $cQuizTable->addColumn('save_correct_answers', Type::BOOLEAN); + } + + /** + * @param Schema $schema + */ + public function down(Schema $schema) + { + + } +} \ No newline at end of file diff --git a/main/course_info/infocours.php b/main/course_info/infocours.php index 42c40de2d9..e0e9566fb9 100755 --- a/main/course_info/infocours.php +++ b/main/course_info/infocours.php @@ -178,6 +178,13 @@ $form->addElement( ); $form->addElement('select_language', 'course_language', array(get_lang('Ln'), get_lang('TipLang'))); +$group = array( + $form->createElement('radio', 'show_course_in_user_language', null, get_lang('Yes'), 1), + $form->createElement('radio', 'show_course_in_user_language', null, get_lang('No'), 2), +); + +$form->addGroup($group, '', array(get_lang("ShowCourseInUserLanguage")), ''); + $form->addText('department_name', get_lang('Department'), false); $form->applyFilter('department_name', 'html_filter'); $form->applyFilter('department_name', 'trim'); @@ -204,8 +211,12 @@ $form->addHtml(' '); $form->addHidden('cropResult', ''); $allowed_picture_types = array ('jpg', 'jpeg', 'png', 'gif'); -$form->addRule('picture', get_lang('OnlyImagesAllowed').' ('.implode(',', $allowed_picture_types).')', 'filetype', $allowed_picture_types); -//$form->addElement('html', '
'.get_lang('UniqueAnswerImagePreferredSize200x150').'
'); +$form->addRule( + 'picture', + get_lang('OnlyImagesAllowed').' ('.implode(',', $allowed_picture_types).')', + 'filetype', + $allowed_picture_types +); $form->addElement('checkbox', 'delete_picture', null, get_lang('DeletePicture')); if (api_get_setting('pdf_export_watermark_by_course') == 'true') { @@ -213,8 +224,7 @@ if (api_get_setting('pdf_export_watermark_by_course') == 'true') { $form->addText('pdf_export_watermark_text', get_lang('PDFExportWatermarkTextTitle'), false, array('size' => '60')); $form->addElement('file', 'pdf_export_watermark_path', get_lang('AddWaterMark')); if ($url != false) { - $delete_url = ''. - Display::return_icon('delete.png',get_lang('DelImage')).''; + $delete_url = ''.Display::return_icon('delete.png',get_lang('DelImage')).''; $form->addElement('html', '
'.$url.' '.$delete_url.'
'); } $form->addRule('pdf_export_watermark_path', get_lang('OnlyImagesAllowed').' ('.implode(',', $allowed_picture_types).')', 'filetype', $allowed_picture_types); @@ -453,12 +463,14 @@ $form->addButtonSave(get_lang('SaveSettings'), 'submit_save'); $form->addElement('html', ''); // Document settings -$form->addElement('html', '

'.Display::return_icon('folder.png', Security::remove_XSS(get_lang('Documents')),'',ICON_SIZE_SMALL).' '.Security::remove_XSS(get_lang('Documents')).'

'); +$form->addElement( + 'html', + '

'.Display::return_icon('folder.png', Security::remove_XSS(get_lang('Documents')),'',ICON_SIZE_SMALL).' '.Security::remove_XSS(get_lang('Documents')).'

' +); $group = array( $form->createElement('radio', 'show_system_folders', null, get_lang('Yes'), 1), $form->createElement('radio', 'show_system_folders', null, get_lang('No'), 2), - ); $form->addGroup($group, '', array(get_lang("ShowSystemFolders")), ''); $form->addButtonSave(get_lang('SaveSettings'), 'submit_save'); diff --git a/main/exercice/answer.class.php b/main/exercice/answer.class.php index d293049938..c64d2a93ee 100755 --- a/main/exercice/answer.class.php +++ b/main/exercice/answer.class.php @@ -832,4 +832,25 @@ class Answer "; } + /** + * Check if a answer is correct by an answer auto id + * @param $needle int The answer auto id + * @return bool + */ + public function isCorrectByAutoId($needle) + { + $key = 0; + + foreach ($this->autoId as $autoIdKey => $autoId) { + if ($autoId == $needle) { + $key = $autoIdKey; + } + } + + if (!$key) { + return false; + } + + return $this->isCorrect($key) ? true : false; + } } diff --git a/main/exercice/exercise.class.php b/main/exercice/exercise.class.php index 6fe08df0b7..099ee49f38 100755 --- a/main/exercice/exercise.class.php +++ b/main/exercice/exercise.class.php @@ -35,6 +35,7 @@ class Exercise public $course; public $course_id; public $propagate_neg; + public $saveCorrectAnswers; public $review_answers; public $randomByCat; public $text_when_finished; @@ -91,6 +92,7 @@ class Exercise $this->results_disabled = 1; $this->expired_time = '0000-00-00 00:00:00'; $this->propagate_neg = 0; + $this->saveCorrectAnswers = 0; $this->review_answers = false; $this->randomByCat = 0; $this->text_when_finished = ''; @@ -152,6 +154,7 @@ class Exercise $this->attempts = $object->max_attempt; $this->feedback_type = $object->feedback_type; $this->propagate_neg = $object->propagate_neg; + $this->saveCorrectAnswers = $object->save_correct_answers; $this->randomByCat = $object->random_by_category; $this->text_when_finished = $object->text_when_finished; $this->display_category_name = $object->display_category_name; @@ -1133,6 +1136,14 @@ class Exercise return $this->propagate_neg; } + /** + * @return int + */ + public function selectSaveCorrectAnswers() + { + return $this->saveCorrectAnswers; + } + /** * Selects questions randomly in the question list * @@ -1275,6 +1286,14 @@ class Exercise $this->propagate_neg = $value; } + /** + * @param $value int + */ + public function updateSaveCorrectAnswers($value) + { + $this->saveCorrectAnswers = $value; + } + /** * @param $value */ @@ -1523,6 +1542,7 @@ class Exercise $random_answers = $this->random_answers; $active = $this->active; $propagate_neg = $this->propagate_neg; + $saveCorrectAnswers = isset($this->saveCorrectAnswers) && $this->saveCorrectAnswers ? true : false; $review_answers = isset($this->review_answers) && $this->review_answers ? 1 : 0; $randomByCat = intval($this->randomByCat); $text_when_finished = $this->text_when_finished; @@ -1573,6 +1593,7 @@ class Exercise 'max_attempt' => $attempts, 'expired_time' => $expired_time, 'propagate_neg' => $propagate_neg, + 'save_correct_answers' => $saveCorrectAnswers, 'review_answers' => $review_answers, 'random_by_category' => $randomByCat, 'text_when_finished' => $text_when_finished, @@ -1643,7 +1664,8 @@ class Exercise 'random_by_category' => $randomByCat, 'text_when_finished' => $text_when_finished, 'display_category_name' => $display_category_name, - 'pass_percentage' => $pass_percentage + 'pass_percentage' => $pass_percentage, + 'save_correct_answers' => $saveCorrectAnswers ]; $this->id = Database::insert($TBL_EXERCISES, $params); @@ -2154,6 +2176,11 @@ class Exercise //$check_option=$this->selectType(); $diplay = 'block'; $form->addElement('checkbox', 'propagate_neg', null, get_lang('PropagateNegativeResults')); + $form->addCheckBox( + 'save_correct_answers', + null, + get_lang('Save the correct answers for the next attempt') + ); $form->addElement('html','
 
'); $form->addElement('checkbox', 'review_answers', null, get_lang('ReviewAnswers')); @@ -2275,6 +2302,7 @@ class Exercise $defaults['exerciseFeedbackType'] = $this->selectFeedbackType(); $defaults['results_disabled'] = $this->selectResultsDisabled(); $defaults['propagate_neg'] = $this->selectPropagateNeg(); + $defaults['save_correct_answers'] = $this->selectSaveCorrectAnswers(); $defaults['review_answers'] = $this->review_answers; $defaults['randomByCat'] = $this->selectRandomByCat(); $defaults['text_when_finished'] = $this->selectTextWhenFinished(); @@ -2366,6 +2394,7 @@ class Exercise $this->updateResultsDisabled($form->getSubmitValue('results_disabled')); $this->updateExpiredTime($form->getSubmitValue('enabletimercontroltotalminutes')); $this->updatePropagateNegative($form->getSubmitValue('propagate_neg')); + $this->updateSaveCorrectAnswers($form->getSubmitValue('save_correct_answers')); $this->updateRandomByCat($form->getSubmitValue('randomByCat')); $this->updateTextWhenFinished($form->getSubmitValue('text_when_finished')); $this->updateDisplayCategoryName($form->getSubmitValue('display_category_name')); @@ -8238,4 +8267,38 @@ class Exercise } return 1; } + + /** + * Get the correct answers in all attempts + * @param int $learnPathId + * @param int $learnPathItemId + * @return array + */ + public function getCorrectAnswersInAllAttempts($learnPathId = 0, $learnPathItemId = 0) + { + $attempts = Event::getExerciseResultsByUser( + api_get_user_id(), + $this->id, + api_get_course_int_id(), + api_get_session_id(), + $learnPathId, + $learnPathItemId, + 'asc' + ); + + $corrects = []; + + foreach ($attempts as $attempt) { + foreach ($attempt['question_list'] as $answer) { + $objAnswer = new Answer($answer['question_id']); + $isCorrect = $objAnswer->isCorrectByAutoId($answer['answer']); + + if ($isCorrect) { + $corrects[$answer['question_id']][] = $answer; + } + } + } + + return $corrects; + } } diff --git a/main/exercice/exercise_result.php b/main/exercice/exercise_result.php index 2ce42e6ee0..c3514d3648 100755 --- a/main/exercice/exercise_result.php +++ b/main/exercice/exercise_result.php @@ -144,6 +144,26 @@ if ($objExercise->selectAttempts() > 0) { Display::display_footer(); } exit; + } else { + $attempt_count++; + $remainingAttempts = $objExercise->selectAttempts() - $attempt_count; + + if ($remainingAttempts) { + $attemptButton = Display::toolbarButton( + get_lang('AnotherAttempt'), + api_get_patth(WEB_CODE_PATH) . 'exercice/overview.php?' . api_get_cidreq() . '&' . http_build_query([ + 'exerciseId' => $objExercise->id + ]), + 'pencil-square-o', + 'info' + ); + $attemptMessage = sprintf(get_lang('RemainingXAttempts'), $remainingAttempts); + + Display::display_normal_message( + sprintf("

%s

%s", $attemptMessage, $attemptButton), + false + ); + } } } diff --git a/main/exercice/exercise_submit.php b/main/exercice/exercise_submit.php index f4a779cc81..073f3e4f42 100755 --- a/main/exercice/exercise_submit.php +++ b/main/exercice/exercise_submit.php @@ -1116,7 +1116,17 @@ if (!empty($error)) { } } - $user_choice = isset($attempt_list[$questionId]) ? $attempt_list[$questionId] : null; + $user_choice = null; + + if (isset($attempt_list[$questionId])) { + $user_choice = $attempt_list[$questionId]; + } elseif ($objExercise->saveCorrectAnswers) { + $correctAnswers = $objExercise->getCorrectAnswersInAllAttempts($learnpath_id, $learnpath_item_id); + + if (isset($correctAnswers[$questionId])) { + $user_choice = $correctAnswers[$questionId]; + } + } $remind_highlight = ''; diff --git a/main/inc/global.inc.php b/main/inc/global.inc.php index e1418dd7eb..7f8c86cbde 100755 --- a/main/inc/global.inc.php +++ b/main/inc/global.inc.php @@ -437,6 +437,7 @@ if (!empty($valid_languages)) { } else { $language_interface = api_get_setting('platformLanguage'); } + if (!empty($language_priority3) && api_get_language_from_type($language_priority3) !== false) { $language_interface = api_get_language_from_type($language_priority3); diff --git a/main/inc/lib/add_course.lib.inc.php b/main/inc/lib/add_course.lib.inc.php index 5cdb4d8404..24c42155e7 100755 --- a/main/inc/lib/add_course.lib.inc.php +++ b/main/inc/lib/add_course.lib.inc.php @@ -689,7 +689,8 @@ class AddCourse 'default' => api_get_setting('allow_public_certificates') === 'true' ? 1 : '', 'category' =>'certificates' ], - 'documents_default_visibility' => ['default' =>'visible', 'category' =>'document'] + 'documents_default_visibility' => ['default' =>'visible', 'category' =>'document'], + 'show_course_in_user_language' => ['default' => 2], ]; $counter = 1; diff --git a/main/inc/lib/api.lib.php b/main/inc/lib/api.lib.php index 56720df40b..1fcce4593f 100644 --- a/main/inc/lib/api.lib.php +++ b/main/inc/lib/api.lib.php @@ -1392,7 +1392,7 @@ function api_get_user_info( ) { if (empty($user_id)) { - $userFromSession = Session::read('_user'); + $userFromSession = Session::read('_user'); if (isset($userFromSession)) { return _api_format_user($userFromSession); } @@ -4245,6 +4245,7 @@ function api_get_language_from_type($lang_type) global $_course; $cidReq = null; if (empty($_course)) { + // Code modified because the local.inc.php file it's declarated after this work // causing the function api_get_course_info() returns a null value $cidReq = isset($_GET["cidReq"]) ? Database::escape_string($_GET["cidReq"]) : null; @@ -4257,8 +4258,16 @@ function api_get_language_from_type($lang_type) } } $_course = api_get_course_info($cidReq); - if (isset($_course['language']) && !empty($_course['language'])) + if (isset($_course['language']) && !empty($_course['language'])) { $return = $_course['language']; + $showCourseInUserLanguage = api_get_course_setting('show_course_in_user_language'); + if ($showCourseInUserLanguage == 1) { + $userInfo = api_get_user_info(); + if (isset($userInfo['language'])) { + $return = $userInfo['language']; + } + } + } break; default: $return = false; diff --git a/main/inc/lib/course.lib.php b/main/inc/lib/course.lib.php index f7891afa01..0dec158ae4 100755 --- a/main/inc/lib/course.lib.php +++ b/main/inc/lib/course.lib.php @@ -3522,6 +3522,7 @@ class CourseManager $result = Database::query($sql); $html = null; $courseCount = 0; + $items = []; while ($row = Database::fetch_array($result)) { // We simply display the title of the category. $params = array( @@ -3538,10 +3539,14 @@ class CourseManager $load_dirs ); - $html .= self::course_item_parent( + $item = self::course_item_parent( self::course_item_html($params, true), $courseInCategory['html'] ); + + $html .= $item; + + $items[] = $item; $courseCount += $courseInCategory['course_count']; } @@ -3549,10 +3554,16 @@ class CourseManager $courseInCategory = self::displayCoursesInCategory(0, $load_dirs); $html .= $courseInCategory['html']; + + if (!empty($courseInCategory['items'])) { + $items = array_merge($items, $courseInCategory['items']); + } + $courseCount += $courseInCategory['course_count']; return [ 'html' => $html, + 'items' => $items, 'course_count' => $courseCount ]; } @@ -3611,6 +3622,7 @@ class CourseManager $result = Database::query($sql); $html = ''; + $items = []; $course_list = array(); $showCustomIcon = api_get_setting('course_images_in_courses_list'); @@ -3729,11 +3741,14 @@ class CourseManager if (empty($user_category_id)) { $isSubContent = false; } - $html .= self::course_item_html($params, $isSubContent); + $item = self::course_item_html($params, $isSubContent); + $html .= $item; + $items[] = $item; } return [ 'html' => $html, + 'items' => $items, 'course_count' => $courseCount ]; } @@ -5018,7 +5033,8 @@ class CourseManager 'pdf_export_watermark_text', 'show_system_folders', 'exercise_invisible_in_session', - 'enable_forum_auto_launch' + 'enable_forum_auto_launch', + 'show_course_in_user_language' ); $allowLPReturnLink = api_get_setting('allow_lp_return_link'); diff --git a/main/inc/lib/ppt2png/DocumentConverter.java.orig b/main/inc/lib/ppt2png/DocumentConverter.java.orig deleted file mode 100755 index 59764ccc6e..0000000000 --- a/main/inc/lib/ppt2png/DocumentConverter.java.orig +++ /dev/null @@ -1,327 +0,0 @@ -import java.awt.Event; - -//import sun.text.Normalizer; - -import com.enterprisedt.net.ftp.FTPClient; -import com.enterprisedt.net.ftp.FTPConnectMode; -import com.enterprisedt.net.ftp.FTPTransferType; -import com.sun.star.beans.PropertyValue; -import com.sun.star.beans.XPropertySet; -import com.sun.star.bridge.XBridge; -import com.sun.star.bridge.XBridgeFactory; -import com.sun.star.connection.NoConnectException; -import com.sun.star.connection.XConnection; -import com.sun.star.connection.XConnector; -import com.sun.star.container.XNamed; -import com.sun.star.document.XExporter; -import com.sun.star.document.XFilter; -import com.sun.star.drawing.XDrawPage; -import com.sun.star.drawing.XDrawPages; -import com.sun.star.drawing.XDrawPagesSupplier; -import com.sun.star.frame.XComponentLoader; -import com.sun.star.lang.XComponent; -import com.sun.star.lang.XMultiComponentFactory; -import com.sun.star.uno.UnoRuntime; -import com.sun.star.uno.XComponentContext; - -/** - * The class DocumentConverter allows you to convert all - * documents in a given directory and in its subdirectories to a given type. A - * converted document will be created in the same directory as the origin - * document. - * - */ -public class DocumentConverter { - /** - * Containing the loaded documents - */ - static XComponentLoader xcomponentloader = null; - - /** - * Connecting to the office with the component UnoUrlResolver and calling - * the static method traverse - * - * @param args - * The array of the type String contains the directory, in which - * all files should be converted, the favoured converting type - * and the wanted extension - */ - public static void main(String args[]) { - - String cnx, ftpuser, host, port, url, ftpPasswd, destinationFolder, remoteFolderFullPath, remoteFolder; - int width, height; - - try { - host = args[0]; - port = args[1]; - url = args[2]; - destinationFolder = args[3]; - width = Integer.parseInt(args[4]); - height = Integer.parseInt(args[5]); - if(args.length == 8){ - ftpuser = args[6]; - ftpPasswd = args[7]; - } - else{ - ftpuser = ""; - ftpPasswd = ""; - } - - - if(host.equals("localhost")){ - String prefix = "file://"; - if(url.charAt(0)!='/') - prefix += '/'; - url = prefix+url; - remoteFolder = destinationFolder; - remoteFolderFullPath = prefix; - } - else { - remoteFolderFullPath = "file:///home/"+ftpuser+"/"; - remoteFolder = url.replace('/','_'); - remoteFolder = removeAccents(remoteFolder); - } - - cnx = "socket,host="+host+",port="+port; - - XComponentContext xComponentContext = com.sun.star.comp.helper.Bootstrap - .createInitialComponentContext(null); - - - XComponentContext xRemoteContext = xComponentContext; - - Object x = xRemoteContext - .getServiceManager() - .createInstanceWithContext( - "com.sun.star.connection.Connector", xRemoteContext); - - XConnector xConnector = (XConnector) UnoRuntime.queryInterface( - XConnector.class, x); - - XConnection connection = xConnector.connect(cnx); - - //if (connection == null) - //System.out.println("Connection is null"); - x = xRemoteContext.getServiceManager().createInstanceWithContext( - "com.sun.star.bridge.BridgeFactory", xRemoteContext); - - - XBridgeFactory xBridgeFactory = (XBridgeFactory) UnoRuntime - .queryInterface(XBridgeFactory.class, x); - - // this is the bridge that you will dispose - XBridge bridge = xBridgeFactory.createBridge("", "urp", connection,null); - - /*XComponent xComponent = (XComponent) UnoRuntime.queryInterface( - XComponent.class, bridge);*/ - // get the remote instance - x = bridge.getInstance("StarOffice.ServiceManager"); - // Query the initial object for its main factory interface - XMultiComponentFactory xMultiComponentFactory = (XMultiComponentFactory) UnoRuntime - .queryInterface(XMultiComponentFactory.class, x); - XPropertySet xProperySet = (XPropertySet) UnoRuntime - .queryInterface(XPropertySet.class, xMultiComponentFactory); - - // Get the default context from the office server. - Object oDefaultContext = xProperySet - .getPropertyValue("DefaultContext"); - - // Query for the interface XComponentContext. - xComponentContext = (XComponentContext) UnoRuntime.queryInterface( - XComponentContext.class, oDefaultContext); - - - while (xcomponentloader == null) { - try { - - xcomponentloader = (XComponentLoader) UnoRuntime - .queryInterface( - XComponentLoader.class, - xMultiComponentFactory - .createInstanceWithContext( - "com.sun.star.frame.Desktop", - xComponentContext)); - - //System.out.println("Loading document "+url); - - FTPClient ftp = new FTPClient(); - if(!host.equals("localhost")){ - //ftp connexion - ftp.setRemoteHost(host); - ftp.connect(); - ftp.login(ftpuser, ftpPasswd); - ftp.setConnectMode(FTPConnectMode.PASV); - ftp.setType(FTPTransferType.BINARY); - try{ - ftp.mkdir(remoteFolder); - }catch(Exception e){} - ftp.chdir(remoteFolder); - ftp.put(url,"presentation.ppt"); - url = remoteFolderFullPath+"/"+remoteFolder+"/presentation.ppt"; - - - } - - PropertyValue[] loadProps = new PropertyValue[2]; - loadProps[0] = new PropertyValue(); - loadProps[0].Name = "Hidden"; - loadProps[0].Value = new Boolean(true); - - // open the document - XComponent component = xcomponentloader - .loadComponentFromURL(url, - "_blank", 0, loadProps); - - - //System.out.println("Document Opened"); - - // filter - loadProps = new PropertyValue[4]; - - // type of image - loadProps[0] = new PropertyValue(); - loadProps[0].Name = "MediaType"; - loadProps[0].Value = "image/png"; - - // Height and width - PropertyValue[] filterDatas = new PropertyValue[4]; - for(int i = 0; i<4 ; i++){ - filterDatas[i] = new PropertyValue(); - } - - filterDatas[0].Name = "PixelWidth"; - filterDatas[0].Value = new Integer(width); - filterDatas[1].Name = "PixelHeight"; - filterDatas[1].Value = new Integer(height); - filterDatas[2].Name = "LogicalWidth"; - filterDatas[2].Value = new Integer(2000); - filterDatas[3].Name = "LogicalHeight"; - filterDatas[3].Value = new Integer(2000); - - - XDrawPagesSupplier pagesSupplier = (XDrawPagesSupplier) UnoRuntime - .queryInterface(XDrawPagesSupplier.class, component); - //System.out.println(pagesSupplier.toString()); - XDrawPages pages = pagesSupplier.getDrawPages(); - int nbPages = pages.getCount(); - - - for (int i = 0; i < nbPages; i++) { - - XDrawPage page = (XDrawPage) UnoRuntime.queryInterface( - com.sun.star.drawing.XDrawPage.class, pages - .getByIndex(i)); - - XNamed xPageName = (XNamed)UnoRuntime.queryInterface(XNamed.class,page); - - xPageName.setName("slide"+(i+1)); - //if(!xPageName.getName().equals("slide"+(i+1)) && !xPageName.getName().equals("page"+(i+1))) - //xPageName.setName((i+1)+"-"+xPageName.getName()); - Object GraphicExportFilter = xMultiComponentFactory - .createInstanceWithContext( - "com.sun.star.drawing.GraphicExportFilter", - xComponentContext); - XExporter xExporter = (XExporter) UnoRuntime - .queryInterface(XExporter.class, - GraphicExportFilter); - - XComponent xComp = (XComponent) UnoRuntime - .queryInterface(XComponent.class, page); - - xExporter.setSourceDocument(xComp); - loadProps[1] = new PropertyValue(); - loadProps[1].Name = "URL"; - loadProps[1].Value = remoteFolderFullPath+remoteFolder+"/"+xPageName.getName()+".png"; - loadProps[2] = new PropertyValue(); - loadProps[2].Name = "FilterData"; - loadProps[2].Value = filterDatas; - loadProps[3] = new PropertyValue(); - loadProps[3].Name = "Quality"; - loadProps[3].Value = new Integer(100); - - XFilter xFilter = (XFilter) UnoRuntime.queryInterface(XFilter.class, GraphicExportFilter); - - xFilter.filter(loadProps); - System.out.println(xPageName.getName()+".png"); - - //System.out.println("Page saved to url "+loadProps[1].Value); - - } - - if(!host.equals("localhost")){ - String[] files = ftp.dir(); - for (int i = 0; i < files.length; i++){ - //System.out.println("Transfer of "+files[i]+ "to "+destinationFolder+"/"+files[i]); - if(!files[i].equals("presentation.ppt")) - ftp.get(destinationFolder+"/"+files[i],files[i]); - ftp.delete(files[i]); - } - ftp.chdir(".."); - ftp.rmdir(remoteFolder); - ftp.quit(); - } - - //System.out.println("Closing Document"); - component.dispose(); - //System.out.println("Document close"); - - System.exit(0); - } - catch (NoConnectException e) { - System.out.println(e.toString()); - e.printStackTrace(); - System.exit(255); - } - catch (Exception e) { - System.out.println(e.toString()); - e.printStackTrace(); - System.exit(255); - } - - } - } - catch (Exception e) { - System.out.println(e.toString()); - e.printStackTrace(); - System.exit(255); - } - - } - - public static String removeAccents(String text) { - - /* - String newText = Normalizer.decompose(text, false, 0) - .replaceAll("\\p{InCombiningDiacriticalMarks}+", "");*/ - /* - newText = newText.replace('\u00B4','_'); - newText = newText.replace('\u02CA','_'); - newText = newText.replace('\u02B9','_'); - newText = newText.replace('\u02BC','_'); - newText = newText.replace('\u02B9','_'); - newText = newText.replace('\u03D8','_'); - newText = newText.replace('\u0374','_'); - newText = newText.replace('\u0384','_'); - newText = newText.replace('\u055A','_'); - */ - /* - newText = newText.replace('\u2019','_'); - newText = newText.replace('\u00B4','_'); - newText = newText.replace('\u055A','_'); - newText = newText.replace('?','_'); - newText = newText.replace('\'','_'); - newText = newText.replace(' ','_'); - return newText;*/ - return java.text.Normalizer.normalize(text, java.text.Normalizer.Form.NFD).replaceAll("[\u0300-\u036F]", ""); - - } - - public boolean handleEvent(Event evt) { - // Traitement de l'evenement de fin de programme - if ( evt.id == evt.WINDOW_DESTROY ) { - System.exit(0) ; - return true ; - } - return false ; - } -} diff --git a/main/inc/lib/userportal.lib.php b/main/inc/lib/userportal.lib.php index 1adff25a60..5a9c721c16 100755 --- a/main/inc/lib/userportal.lib.php +++ b/main/inc/lib/userportal.lib.php @@ -1045,6 +1045,7 @@ class IndexManager $sessionCount = 0; $courseCount = 0; + $items = []; // If we're not in the history view... if (!isset($_GET['history'])) { // Display special courses. @@ -1059,6 +1060,7 @@ class IndexManager $this->load_directories_preview ); $courses_html .= $courses['html']; + $items = $courses['items']; $courseCount = $specialCourses['course_count'] + $courses['course_count']; } @@ -1203,10 +1205,12 @@ class IndexManager $this->tpl->assign('session', $params); $this->tpl->assign('gamification_mode', $gamificationModeIsActive); - $sessions_with_no_category .= $this->tpl->fetch( + $item = $this->tpl->fetch( $this->tpl->get_template('/user_portal/session.tpl') ); + $sessions_with_no_category .= $item; + $items[] = $item; $sessionCount++; } } @@ -1288,9 +1292,7 @@ class IndexManager $sessionParams['id'] = $session_id; $sessionParams['show_link_to_session'] = !api_is_drh() && $sessionTitleLink; $sessionParams['title'] = $session_box['title']; - $sessionParams['subtitle'] = (!empty($session_box['coach']) - ? $session_box['coach'] . ' | ' - : '') . $session_box['dates']; + $sessionParams['subtitle'] = (!empty($session_box['coach']) ? $session_box['coach'] . ' | ': '') . $session_box['dates']; $sessionParams['show_actions'] = api_is_platform_admin(); $sessionParams['courses'] = $html_courses_session; $sessionParams['show_simple_session_info'] = false; @@ -1303,10 +1305,14 @@ class IndexManager } $this->tpl->assign('session', $sessionParams); - $html_sessions .= $this->tpl->fetch( + $item = $this->tpl->fetch( $this->tpl->get_template('user_portal/session.tpl') ); + $html_sessions .= $item; + + $items[] = $item; + $sessionCount++; } } @@ -1352,16 +1358,19 @@ class IndexManager } $this->tpl->assign('session_category', $categoryParams); - $sessions_with_category .= $this->tpl->fetch( - "{$this->tpl->templateFolder}/user_portal/session_category.tpl" - ); + $item = $this->tpl->fetch("{$this->tpl->templateFolder}/user_portal/session_category.tpl"); + $sessions_with_category .= $item; + $items[] = $item; } } } } + $items = array_reverse($items); + return [ 'html' => $sessions_with_category.$sessions_with_no_category.$courses_html.$special_courses, + 'items' => $items, 'session_count' => $sessionCount, 'course_count' => $courseCount ]; @@ -1421,7 +1430,7 @@ class IndexManager if ($load_history) { $html .= Display::page_subheader(get_lang('HistoryTrainingSession')); if (empty($session_categories)) { - $html .= get_lang('YouDoNotHaveAnySessionInItsHistory'); + $html .= get_lang('YouDoNotHaveAnySessionInItsHistory'); } } @@ -1473,7 +1482,7 @@ class IndexManager $listUserCategories[0] = ''; $html = '
'; - + $items = []; foreach ($listUserCategories as $userCategoryId => $userCatTitle) { // add user category $userCategoryHtml = ''; @@ -1529,7 +1538,7 @@ class IndexManager } $htmlSessionCategory .= '
'; // end session cat block $htmlCategory .= $htmlSessionCategory .'
' ; - $htmlCategory .= ''; // end course block + $items[] = $htmlSessionCategory; } $userCategoryHtml .= $htmlCategory; } @@ -1538,32 +1547,35 @@ class IndexManager // if course not already added $htmlCategory = ''; foreach ($listCoursesInfo as $i => $listCourse) { + $item = ''; if ($listCourse['userCatId'] == $userCategoryId && !isset($listCoursesAlreadyDisplayed[$listCourse['id']])) { if ($userCategoryId != 0) { - $htmlCategory .= '
'; + $item .= '
'; } else { - $htmlCategory .= '
'; + $item .= '
'; } - $htmlCategory .= self::getHtmlForCourse( + $item .= self::getHtmlForCourse( $listCourse['course'], $userCategoryId, 0, $loadDirs ); - $htmlCategory .= '
'; + $item .= '
'; + $htmlCategory .= $item; + $items[] = $item; } } - $htmlCategory .= ''; $userCategoryHtml .= $htmlCategory; // end user cat block if ($userCategoryId != 0) { $userCategoryHtml .= '
'; } - $html .= $userCategoryHtml; // + $html .= $userCategoryHtml; } $html .= '
'; return [ 'html' => $html.$specialCourses, + 'items' => $items, 'session_count' => $sessionCount, 'course_count' => $courseCount ]; diff --git a/main/install/configuration.dist.php b/main/install/configuration.dist.php index 4bf6bd3384..2626d80a39 100755 --- a/main/install/configuration.dist.php +++ b/main/install/configuration.dist.php @@ -238,3 +238,5 @@ $_configuration['system_stable'] = NEW_VERSION_STABLE; //$_configuration['messaging_gdc_project_number'] = ''; //Api Key in the Google Developer Console //$_configuration['messaging_gdc_api_key'] = ''; +// Userportal template located in main/template/default/user_portal +//$_configuration['user_portal_tpl'] = 'index_grid.tpl'; \ No newline at end of file diff --git a/main/install/database.sql b/main/install/database.sql deleted file mode 100644 index 61fe4c1ded..0000000000 --- a/main/install/database.sql +++ /dev/null @@ -1,4608 +0,0 @@ --- --- Don't modify this file. Edit the entities located in: --- src/Chamilo/CoreBundle/Entity --- src/Chamilo/CourseBundle/Entity --- src/Chamilo/UserBundle/Entity - - -DROP TABLE IF EXISTS user; -CREATE TABLE IF NOT EXISTS user ( - id int unsigned NOT NULL auto_increment, - user_id int unsigned default NULL, - lastname varchar(60) default NULL, - firstname varchar(60) default NULL, - username varchar(100) NOT NULL default '', - password varchar(50) NOT NULL default '', - auth_source varchar(50) default 'platform', - email varchar(100) default NULL, - status tinyint NOT NULL default '5', - official_code varchar(40) default NULL, - phone varchar(30) default NULL, - picture_uri varchar(250) default NULL, - creator_id int unsigned default NULL, - competences text, - diplomas text, - openarea text, - teach text, - productions varchar(250) default NULL, - chatcall_user_id int unsigned default '0', - chatcall_date datetime default NULL, - chatcall_text varchar(50) default NULL, - language varchar(40) default NULL, - registration_date datetime NOT NULL, - expiration_date datetime default NULL, - active tinyint unsigned NOT NULL default 1, - openid varchar(255) DEFAULT NULL, - theme varchar(255) DEFAULT NULL, - hr_dept_id smallint unsigned NOT NULL default 0, - last_login datetime default NULL, - PRIMARY KEY (id), - UNIQUE KEY username (username) -); -ALTER TABLE user ADD INDEX (status); - --- --- Dumping data for table user --- - -/*!40000 ALTER TABLE user DISABLE KEYS */; -LOCK TABLES user WRITE; -INSERT INTO user (user_id, lastname, firstname, username, password, auth_source, email, status, official_code,phone, creator_id, registration_date, expiration_date,active,openid,language) VALUES (1, '{ADMINLASTNAME}','{ADMINFIRSTNAME}','{ADMINLOGIN}','{ADMINPASSWORD}','{PLATFORM_AUTH_SOURCE}','{ADMINEMAIL}',1,'ADMIN','{ADMINPHONE}',1,NOW(),NULL,'1',NULL,'{ADMINLANGUAGE}'); --- Insert anonymous user -INSERT INTO user (user_id, lastname, firstname, username, password, auth_source, email, status, official_code, creator_id, registration_date, expiration_date,active,openid,language) VALUES (2, 'Anonymous', 'Joe', '', '', 'platform', 'anonymous@localhost', 6, 'anonymous', 1, NOW(), NULL, 1,NULL,'{ADMINLANGUAGE}'); -UNLOCK TABLES; -/*!40000 ALTER TABLE user ENABLE KEYS */; - --- --- Table structure for table admin --- - -DROP TABLE IF EXISTS admin; -CREATE TABLE IF NOT EXISTS admin ( - id INT PRIMARY KEY NOT NULL AUTO_INCREMENT, - user_id int unsigned NOT NULL default '0', - UNIQUE KEY user_id (user_id) -); - --- --- Dumping data for table admin --- - -/*!40000 ALTER TABLE admin DISABLE KEYS */; -LOCK TABLES admin WRITE; -INSERT INTO admin VALUES (1, 1); -UNLOCK TABLES; -/*!40000 ALTER TABLE admin ENABLE KEYS */; - --- --- Table structure for table class --- - -DROP TABLE IF EXISTS class; -CREATE TABLE IF NOT EXISTS class ( - id mediumint unsigned NOT NULL auto_increment, - code varchar(40) default '', - name text NOT NULL, - PRIMARY KEY (id) -); - --- --- Dumping data for table class --- - - -/*!40000 ALTER TABLE class DISABLE KEYS */; -LOCK TABLES class WRITE; -UNLOCK TABLES; -/*!40000 ALTER TABLE class ENABLE KEYS */; - --- --- Table structure for table class_user --- - -DROP TABLE IF EXISTS class_user; -CREATE TABLE IF NOT EXISTS class_user ( - class_id mediumint unsigned NOT NULL default '0', - user_id int unsigned NOT NULL default '0', - PRIMARY KEY (class_id,user_id) -); - --- --- Dumping data for table class_user --- - - -/*!40000 ALTER TABLE class_user DISABLE KEYS */; -LOCK TABLES class_user WRITE; -UNLOCK TABLES; -/*!40000 ALTER TABLE class_user ENABLE KEYS */; - --- --- Table structure for table course --- - -DROP TABLE IF EXISTS course; -CREATE TABLE IF NOT EXISTS course ( - id int auto_increment, - code varchar(40) NOT NULL, - directory varchar(40) default NULL, - db_name varchar(40) default NULL, - course_language varchar(20) default NULL, - title varchar(250) default NULL, - description text, - category_code varchar(40) default NULL, - visibility tinyint default '0', - show_score int NOT NULL default '1', - tutor_name varchar(200) default NULL, - visual_code varchar(40) default NULL, - department_name varchar(30) default NULL, - department_url varchar(180) default NULL, - disk_quota bigint unsigned default NULL, - last_visit datetime default NULL, - last_edit datetime default NULL, - creation_date datetime default NULL, - expiration_date datetime default NULL, - subscribe tinyint NOT NULL default '1', - unsubscribe tinyint NOT NULL default '1', - registration_code varchar(255) NOT NULL default '', - legal TEXT NOT NULL, - activate_legal INT NOT NULL DEFAULT 0, - add_teachers_to_sessions_courses tinyint NOT NULL default 0, - PRIMARY KEY (id), - UNIQUE KEY code (code) -); -ALTER TABLE course ADD INDEX idx_course_category_code (category_code); -ALTER TABLE course ADD INDEX idx_course_directory (directory(10)); --- --- Dumping data for table course --- - - -/*!40000 ALTER TABLE course DISABLE KEYS */; -LOCK TABLES course WRITE; -UNLOCK TABLES; -/*!40000 ALTER TABLE course ENABLE KEYS */; - --- --- Table structure for table course_category --- - -DROP TABLE IF EXISTS course_category; -CREATE TABLE IF NOT EXISTS course_category ( - id int unsigned NOT NULL auto_increment, - name varchar(100) NOT NULL default '', - code varchar(40) NOT NULL default '', - parent_id varchar(40) default NULL, - tree_pos int unsigned default NULL, - children_count smallint default NULL, - auth_course_child varchar(40) default 'TRUE', - auth_cat_child varchar(40) default 'TRUE', - PRIMARY KEY (id), - UNIQUE KEY code (code), - KEY parent_id (parent_id), - KEY tree_pos (tree_pos) -); - --- --- Dumping data for table course_category --- - - -/*!40000 ALTER TABLE course_category DISABLE KEYS */; -LOCK TABLES course_category WRITE; -INSERT INTO course_category VALUES (1,'Language skills','LANG',NULL,1,0,'TRUE','TRUE'),(2,'PC Skills','PC',NULL,2,0,'TRUE','TRUE'),(3,'Projects','PROJ',NULL,3,0,'TRUE','TRUE'); -UNLOCK TABLES; -/*!40000 ALTER TABLE course_category ENABLE KEYS */; - --- --- Table structure for table course_field --- - -DROP TABLE IF EXISTS course_field; -CREATE TABLE IF NOT EXISTS course_field ( - id int NOT NULL auto_increment, - field_type int NOT NULL default 1, - field_variable varchar(64) NOT NULL, - field_display_text varchar(64), - field_default_value text, - field_order int, - field_visible tinyint default 0, - field_changeable tinyint default 0, - field_filter tinyint default 0, - tms DATETIME NOT NULL default '0000-00-00 00:00:00', - PRIMARY KEY(id) -); - --- --- Table structure for table course_field_values --- - -DROP TABLE IF EXISTS course_field_values; -CREATE TABLE IF NOT EXISTS course_field_values( - id int NOT NULL auto_increment, - course_code varchar(40) NOT NULL, - field_id int NOT NULL, - field_value text, - tms DATETIME NOT NULL default '0000-00-00 00:00:00', - PRIMARY KEY(id) -); - - --- --- Table structure for table course_module --- - -DROP TABLE IF EXISTS course_module; -CREATE TABLE IF NOT EXISTS course_module ( - id int unsigned NOT NULL auto_increment, - name varchar(255) NOT NULL, - link varchar(255) NOT NULL, - image varchar(100) default NULL, - `row` int unsigned NOT NULL default '0', - `column` int unsigned NOT NULL default '0', - position varchar(20) NOT NULL default 'basic', - PRIMARY KEY (id) -); - --- --- Dumping data for table course_module --- - - -/*!40000 ALTER TABLE course_module DISABLE KEYS */; -LOCK TABLES course_module WRITE; -INSERT INTO course_module VALUES -(1,'calendar_event','calendar/agenda.php','agenda.gif',1,1,'basic'), -(2,'link','link/link.php','links.gif',4,1,'basic'), -(3,'document','document/document.php','documents.gif',3,1,'basic'), -(4,'student_publication','work/work.php','works.gif',3,2,'basic'), -(5,'announcement','announcements/announcements.php','valves.gif',2,1,'basic'), -(6,'user','user/user.php','members.gif',2,3,'basic'), -(7,'forum','forum/index.php','forum.gif',1,2,'basic'), -(8,'quiz','exercice/exercice.php','quiz.gif',2,2,'basic'), -(9,'group','group/group.php','group.gif',3,3,'basic'), -(10,'course_description','course_description/','info.gif',1,3,'basic'), -(11,'chat','chat/chat.php','chat.gif',0,0,'external'), -(12,'dropbox','dropbox/index.php','dropbox.gif',4,2,'basic'), -(13,'tracking','tracking/courseLog.php','statistics.gif',1,3,'courseadmin'), -(14,'homepage_link','link/link.php?action=addlink','npage.gif',1,1,'courseadmin'), -(15,'course_setting','course_info/infocours.php','reference.gif',1,1,'courseadmin'), -(16,'External','','external.gif',0,0,'external'), -(17,'AddedLearnpath','','scormbuilder.gif',0,0,'external'), -(18,'conference','conference/index.php?type=conference','conf.gif',0,0,'external'), -(19,'conference','conference/index.php?type=classroom','conf.gif',0,0,'external'), -(20,'learnpath','newscorm/lp_controller.php','scorms.gif',5,1,'basic'), -(21,'blog','blog/blog.php','blog.gif',1,2,'basic'), -(22,'blog_management','blog/blog_admin.php','blog_admin.gif',1,2,'courseadmin'), -(23,'course_maintenance','course_info/maintenance.php','backup.gif',2,3,'courseadmin'), -(24,'survey','survey/survey_list.php','survey.gif',2,1,'basic'), -(25,'wiki','wiki/index.php','wiki.gif',2,3,'basic'), -(26,'gradebook','gradebook/index.php','gradebook.gif',2,2,'basic'), -(27,'glossary','glossary/index.php','glossary.gif',2,1,'basic'), -(28,'notebook','notebook/index.php','notebook.gif',2,1,'basic'), -(29,'attendance','attendance/index.php','attendance.gif',2,1,'basic'), -(30,'course_progress','course_progress/index.php','course_progress.gif',2,1,'basic'); -UNLOCK TABLES; -/*!40000 ALTER TABLE course_module ENABLE KEYS */; - --- --- Table structure for table course_rel_class --- - -DROP TABLE IF EXISTS course_rel_class; -CREATE TABLE IF NOT EXISTS course_rel_class ( - course_code char(40) NOT NULL, - class_id mediumint unsigned NOT NULL, - PRIMARY KEY (course_code,class_id) -); - --- --- Dumping data for table course_rel_class --- - - -/*!40000 ALTER TABLE course_rel_class DISABLE KEYS */; -LOCK TABLES course_rel_class WRITE; -UNLOCK TABLES; -/*!40000 ALTER TABLE course_rel_class ENABLE KEYS */; - --- --- Table structure for table course_rel_user --- - -DROP TABLE IF EXISTS course_rel_user; -CREATE TABLE IF NOT EXISTS course_rel_user ( - course_code varchar(40) NOT NULL, - user_id int unsigned NOT NULL default '0', - status tinyint NOT NULL default '5', - role varchar(60) default NULL, - tutor_id int unsigned NOT NULL default '0', - sort int default NULL, - user_course_cat int default '0', - relation_type int default 0, - legal_agreement INTEGER DEFAULT 0, - PRIMARY KEY (course_code,user_id,relation_type) -); -ALTER TABLE course_rel_user ADD INDEX (user_id); - --- --- Dumping data for table course_rel_user --- - - -/*!40000 ALTER TABLE course_rel_user DISABLE KEYS */; -LOCK TABLES course_rel_user WRITE; -UNLOCK TABLES; -/*!40000 ALTER TABLE course_rel_user ENABLE KEYS */; - --- --- Table structure for table language --- - -DROP TABLE IF EXISTS language; -CREATE TABLE IF NOT EXISTS language ( - id tinyint unsigned NOT NULL auto_increment, - original_name varchar(255) default NULL, - english_name varchar(255) default NULL, - isocode varchar(10) default NULL, - dokeos_folder varchar(250) default NULL, - available tinyint NOT NULL default 1, - parent_id tinyint unsigned, - PRIMARY KEY (id) -); -ALTER TABLE language ADD INDEX idx_language_dokeos_folder(dokeos_folder); - --- --- Dumping data for table language --- - - -/*!40000 ALTER TABLE language DISABLE KEYS */; -LOCK TABLES language WRITE; -INSERT INTO language (original_name, english_name, isocode, dokeos_folder, available) VALUES -('العربية','arabic','ar','arabic',0), -('Asturianu','asturian','ast','asturian',0), -('Euskara','basque','eu','basque',1), -('বাংলা','bengali','bn','bengali',0), -('Bosanski','bosnian','bs','bosnian',1), -('Português do Brasil','brazilian','pt-BR','brazilian',1), -('Български','bulgarian','bg','bulgarian',1), -('Català','catalan','ca','catalan',0), -('Hrvatski','croatian','hr','croatian',0), -('Česky','czech','cs','czech',0), -('Dansk','danish','da','danish',0), -('دری','dari','prs','dari',0), -('Nederlands','dutch','nl','dutch',1), -('English','english','en','english',1), -('Esperanto','esperanto','eo','esperanto',0), -('Føroyskt', 'faroese', 'fo', 'faroese', 0), -('Suomi','finnish','fi','finnish',0), -('Français','french','fr','french',1), -('Furlan','friulian','fur','friulian',0), -('Galego','galician','gl','galician',1), -('ქართული','georgian','ka','georgian',0), -('Deutsch','german','de','german',1), -('Ελληνικά','greek','el','greek',1), -('עברית','hebrew','he','hebrew',0), -('हिन्दी','hindi','hi','hindi',0), -('Magyar','hungarian','hu','hungarian',1), -('Bahasa Indonesia','indonesian','id','indonesian',1), -('Italiano','italian','it','italian',1), -('日本語','japanese','ja','japanese',0), -('한국어','korean','ko','korean',0), -('Latviešu','latvian','lv','latvian',1), -('Lietuvių','lithuanian','lt','lithuanian',0), -('Македонски','macedonian','mk','macedonian',0), -('Bahasa Melayu','malay','ms','malay',0), -('Norsk','norwegian','no','norwegian',0), -('Occitan','occitan','oc','occitan',0), -('پښتو','pashto','ps','pashto',0), -('فارسی','persian','fa','persian',0), -('Polski','polish','pl','polish',1), -('Português europeu','portuguese','pt','portuguese',1), -('Runasimi','quechua_cusco','qu','quechua_cusco',0), -('Română','romanian','ro','romanian',0), -('Русский','russian','ru','russian',0), -('Srpski','serbian','sr','serbian',0), -('中文(简体)','simpl_chinese','zh','simpl_chinese',0), -('Slovenčina','slovak','sk','slovak',1), -('Slovenščina','slovenian','sl','slovenian',1), -('الصومالية','somali','so','somali',0), -('Español','spanish','es','spanish',1), -('Kiswahili','swahili','sw','swahili',0), -('Svenska','swedish','sv','swedish',0), -('Tagalog', 'tagalog', 'tl', 'tagalog',1), -('ไทย','thai','th','thai',0), -('Tibetan', 'tibetan', 'bo', 'tibetan', 0), -('繁體中文','trad_chinese','zh-TW','trad_chinese',0), -('Türkçe','turkish','tr','turkish',0), -('Українська','ukrainian','uk','ukrainian',0), -('Tiếng Việt','vietnamese','vi','vietnamese',0), -('isiXhosa', 'xhosa', 'xh', 'xhosa', 0), -('Yorùbá','yoruba','yo','yoruba',0); - --- The chosen during the installation platform language should be enabled. -UPDATE language SET available=1 WHERE dokeos_folder = '{PLATFORMLANGUAGE}'; - -UNLOCK TABLES; -/*!40000 ALTER TABLE language ENABLE KEYS */; - --- --- Table structure for table php_session --- - -DROP TABLE IF EXISTS php_session; -CREATE TABLE IF NOT EXISTS php_session ( - session_id varchar(32) NOT NULL default '', - session_name varchar(10) NOT NULL default '', - session_time int NOT NULL default '0', - session_start int NOT NULL default '0', - session_value mediumtext NOT NULL, - PRIMARY KEY (session_id) -); - --- --- Table structure for table session --- -DROP TABLE IF EXISTS session; -CREATE TABLE IF NOT EXISTS session ( - id smallint unsigned NOT NULL auto_increment, - id_coach int unsigned NOT NULL default '0', - name char(100) NOT NULL default '', - nbr_courses smallint unsigned NOT NULL default '0', - nbr_users mediumint unsigned NOT NULL default '0', - nbr_classes mediumint unsigned NOT NULL default '0', - date_start date NOT NULL default '0000-00-00', - date_end date NOT NULL default '0000-00-00', - nb_days_access_before_beginning TINYINT UNSIGNED NULL default '0', - nb_days_access_after_end TINYINT UNSIGNED NULL default '0', - session_admin_id INT UNSIGNED NOT NULL, - visibility int NOT NULL default 1, - session_category_id int NOT NULL, - promotion_id INT NOT NULL, - description TEXT DEFAULT NULL, - show_description TINYINT UNSIGNED DEFAULT 0, - duration int, - PRIMARY KEY (id), - INDEX (session_admin_id), - UNIQUE KEY name (name) -); - --- -------------------------------------------------------- - --- --- Table structure for table session_rel_course --- -DROP TABLE IF EXISTS session_rel_course; -CREATE TABLE IF NOT EXISTS session_rel_course ( - id_session smallint unsigned NOT NULL default 0, - course_code char(40) NOT NULL default '', - nbr_users smallint unsigned NOT NULL default 0, - position int unsigned NOT NULL default 0, - category varchar(255) default '', - PRIMARY KEY (id_session,course_code), - KEY course_code (course_code) -); - --- -------------------------------------------------------- - --- --- Table structure for table session_rel_course_rel_user --- -DROP TABLE IF EXISTS session_rel_course_rel_user; -CREATE TABLE IF NOT EXISTS session_rel_course_rel_user ( - id_session smallint unsigned NOT NULL default '0', - course_code char(40) NOT NULL default '', - id_user int unsigned NOT NULL default '0', - visibility int NOT NULL default 1, - status int NOT NULL default 0, - legal_agreement INTEGER DEFAULT 0, - PRIMARY KEY (id_session,course_code,id_user), - KEY id_user (id_user), - KEY course_code (course_code) -); - --- -------------------------------------------------------- - --- --- Table structure for table session_rel_user --- -DROP TABLE IF EXISTS session_rel_user; -CREATE TABLE IF NOT EXISTS session_rel_user ( - id_session mediumint unsigned NOT NULL default '0', - id_user mediumint unsigned NOT NULL default '0', - relation_type int default 0, - duration int, - registered_at DATETIME not null, - PRIMARY KEY (id_session, id_user, relation_type) -); - - -DROP TABLE IF EXISTS session_field; -CREATE TABLE IF NOT EXISTS session_field ( - id int NOT NULL auto_increment, - field_type int NOT NULL default 1, - field_variable varchar(64) NOT NULL, - field_display_text varchar(64), - field_default_value text, - field_order int, - field_visible tinyint default 0, - field_changeable tinyint default 0, - field_filter tinyint default 0, - tms DATETIME NOT NULL default '0000-00-00 00:00:00', - PRIMARY KEY(id) -); - - -DROP TABLE IF EXISTS session_field_values; -CREATE TABLE IF NOT EXISTS session_field_values( - id int NOT NULL auto_increment, - session_id int NOT NULL, - field_id int NOT NULL, - field_value text, - tms DATETIME NOT NULL default '0000-00-00 00:00:00', - PRIMARY KEY(id) -); - --- --- Table structure for table settings_current --- - -DROP TABLE IF EXISTS settings_current; -CREATE TABLE IF NOT EXISTS settings_current ( - id int unsigned NOT NULL auto_increment, - variable varchar(255) default NULL, - subkey varchar(255) default NULL, - type varchar(255) default NULL, - category varchar(255) default NULL, - selected_value varchar(255) default NULL, - title varchar(255) NOT NULL default '', - comment varchar(255) default NULL, - scope varchar(50) default NULL, - subkeytext varchar(255) default NULL, - access_url int unsigned not null default 1, - access_url_changeable int unsigned not null default 0, - access_url_locked int not null default 0, - PRIMARY KEY id (id), - INDEX (access_url) -); - -ALTER TABLE settings_current ADD UNIQUE unique_setting (variable(110), subkey(110), category(110), access_url); - --- --- Dumping data for table settings_current --- - -/*!40000 ALTER TABLE settings_current DISABLE KEYS */; -LOCK TABLES settings_current WRITE; -INSERT INTO settings_current -(variable, subkey, type, category, selected_value, title, comment, scope, subkeytext, access_url_changeable) -VALUES -('Institution',NULL,'textfield','Platform','{ORGANISATIONNAME}','InstitutionTitle','InstitutionComment','platform',NULL, 1), -('InstitutionUrl',NULL,'textfield','Platform','{ORGANISATIONURL}','InstitutionUrlTitle','InstitutionUrlComment',NULL,NULL, 1), -('siteName',NULL,'textfield','Platform','{CAMPUSNAME}','SiteNameTitle','SiteNameComment',NULL,NULL, 1), -('emailAdministrator',NULL,'textfield','Platform','{ADMINEMAIL}','emailAdministratorTitle','emailAdministratorComment',NULL,NULL, 1), -('administratorSurname',NULL,'textfield','Platform','{ADMINLASTNAME}','administratorSurnameTitle','administratorSurnameComment',NULL,NULL, 1), -('administratorName',NULL,'textfield','Platform','{ADMINFIRSTNAME}','administratorNameTitle','administratorNameComment',NULL,NULL, 1), -('show_administrator_data',NULL,'radio','Platform','true','ShowAdministratorDataTitle','ShowAdministratorDataComment',NULL,NULL, 1), -('show_tutor_data',NULL,'radio','Session','true','ShowTutorDataTitle','ShowTutorDataComment',NULL,NULL, 1), -('show_teacher_data',NULL,'radio','Platform','true','ShowTeacherDataTitle','ShowTeacherDataComment',NULL,NULL, 1), -('homepage_view',NULL,'radio','Course','activity_big','HomepageViewTitle','HomepageViewComment',NULL,NULL, 1), -('show_toolshortcuts',NULL,'radio','Course','false','ShowToolShortcutsTitle','ShowToolShortcutsComment',NULL,NULL, 0), -('allow_group_categories',NULL,'radio','Course','false','AllowGroupCategories','AllowGroupCategoriesComment',NULL,NULL, 0), -('server_type',NULL,'radio','Platform','production','ServerStatusTitle','ServerStatusComment',NULL,NULL, 0), -('platformLanguage',NULL,'link','Languages','{PLATFORMLANGUAGE}','PlatformLanguageTitle','PlatformLanguageComment',NULL,NULL, 0), -('showonline','world','checkbox','Platform','true','ShowOnlineTitle','ShowOnlineComment',NULL,'ShowOnlineWorld', 0), -('showonline','users','checkbox','Platform','true','ShowOnlineTitle','ShowOnlineComment',NULL,'ShowOnlineUsers', 0), -('showonline','course','checkbox','Platform','true','ShowOnlineTitle','ShowOnlineComment',NULL,'ShowOnlineCourse', 0), -('profile','name','checkbox','User','false','ProfileChangesTitle','ProfileChangesComment',NULL,'name', 0), -('profile','officialcode','checkbox','User','false','ProfileChangesTitle','ProfileChangesComment',NULL,'officialcode', 0), -('profile','email','checkbox','User','false','ProfileChangesTitle','ProfileChangesComment',NULL,'Email', 0), -('profile','picture','checkbox','User','true','ProfileChangesTitle','ProfileChangesComment',NULL,'UserPicture', 0), -('profile','login','checkbox','User','false','ProfileChangesTitle','ProfileChangesComment',NULL,'Login', 0), -('profile','password','checkbox','User','true','ProfileChangesTitle','ProfileChangesComment',NULL,'UserPassword', 0), -('profile','language','checkbox','User','true','ProfileChangesTitle','ProfileChangesComment',NULL,'Language', 0), -('default_document_quotum',NULL,'textfield','Course','100000000','DefaultDocumentQuotumTitle','DefaultDocumentQuotumComment',NULL,NULL, 0), -('registration','officialcode','checkbox','User','false','RegistrationRequiredFormsTitle','RegistrationRequiredFormsComment',NULL,'OfficialCode', 0), -('registration','email','checkbox','User','true','RegistrationRequiredFormsTitle','RegistrationRequiredFormsComment',NULL,'Email', 0), -('registration','language','checkbox','User','true','RegistrationRequiredFormsTitle','RegistrationRequiredFormsComment',NULL,'Language', 0), -('default_group_quotum',NULL,'textfield','Course','5000000','DefaultGroupQuotumTitle','DefaultGroupQuotumComment',NULL,NULL, 0), -('allow_registration',NULL,'radio','Platform','{ALLOWSELFREGISTRATION}','AllowRegistrationTitle','AllowRegistrationComment',NULL,NULL, 0), -('allow_registration_as_teacher',NULL,'radio','Platform','{ALLOWTEACHERSELFREGISTRATION}','AllowRegistrationAsTeacherTitle','AllowRegistrationAsTeacherComment',NULL,NULL, 0), -('allow_lostpassword',NULL,'radio','Platform','true','AllowLostPasswordTitle','AllowLostPasswordComment',NULL,NULL, 0), -('allow_user_headings',NULL,'radio','Course','false','AllowUserHeadings','AllowUserHeadingsComment',NULL,NULL, 0), -('course_create_active_tools','course_description','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'CourseDescription', 0), -('course_create_active_tools','agenda','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'Agenda', 0), -('course_create_active_tools','documents','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'Documents', 0), -('course_create_active_tools','learning_path','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'LearningPath', 0), -('course_create_active_tools','links','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'Links', 0), -('course_create_active_tools','announcements','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'Announcements', 0), -('course_create_active_tools','forums','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'Forums', 0), -('course_create_active_tools','dropbox','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'Dropbox', 0), -('course_create_active_tools','quiz','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'Quiz', 0), -('course_create_active_tools','users','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'Users', 0), -('course_create_active_tools','groups','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'Groups', 0), -('course_create_active_tools','chat','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'Chat', 0), -('course_create_active_tools','online_conference','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'OnlineConference', 0), -('course_create_active_tools','student_publications','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'StudentPublications', 0), -('allow_personal_agenda',NULL,'radio','User','true','AllowPersonalAgendaTitle','AllowPersonalAgendaComment',NULL,NULL, 0), -('display_coursecode_in_courselist',NULL,'radio','Platform','false','DisplayCourseCodeInCourselistTitle','DisplayCourseCodeInCourselistComment',NULL,NULL, 0), -('display_teacher_in_courselist',NULL,'radio','Platform','true','DisplayTeacherInCourselistTitle','DisplayTeacherInCourselistComment',NULL,NULL, 0), -('permanently_remove_deleted_files',NULL,'radio','Tools','false','PermanentlyRemoveFilesTitle','PermanentlyRemoveFilesComment',NULL,NULL, 0), -('dropbox_allow_overwrite',NULL,'radio','Tools','true','DropboxAllowOverwriteTitle','DropboxAllowOverwriteComment',NULL,NULL, 0), -('dropbox_max_filesize',NULL,'textfield','Tools','100000000','DropboxMaxFilesizeTitle','DropboxMaxFilesizeComment',NULL,NULL, 0), -('dropbox_allow_just_upload',NULL,'radio','Tools','true','DropboxAllowJustUploadTitle','DropboxAllowJustUploadComment',NULL,NULL, 0), -('dropbox_allow_student_to_student',NULL,'radio','Tools','true','DropboxAllowStudentToStudentTitle','DropboxAllowStudentToStudentComment',NULL,NULL, 0), -('dropbox_allow_group',NULL,'radio','Tools','true','DropboxAllowGroupTitle','DropboxAllowGroupComment',NULL,NULL, 0), -('dropbox_allow_mailing',NULL,'radio','Tools','false','DropboxAllowMailingTitle','DropboxAllowMailingComment',NULL,NULL, 0), -('administratorTelephone',NULL,'textfield','Platform','(000) 001 02 03','administratorTelephoneTitle','administratorTelephoneComment',NULL,NULL, 1), -('extended_profile',NULL,'radio','User','false','ExtendedProfileTitle','ExtendedProfileComment',NULL,NULL, 0), -('student_view_enabled',NULL,'radio','Platform','true','StudentViewEnabledTitle','StudentViewEnabledComment',NULL,NULL, 0), -('show_navigation_menu',NULL,'radio','Course','false','ShowNavigationMenuTitle','ShowNavigationMenuComment',NULL,NULL, 0), -('enable_tool_introduction',NULL,'radio','course','false','EnableToolIntroductionTitle','EnableToolIntroductionComment',NULL,NULL, 0), -('page_after_login', NULL, 'radio','Platform','user_portal.php', 'PageAfterLoginTitle','PageAfterLoginComment', NULL, NULL, 0), -('time_limit_whosonline', NULL, 'textfield','Platform','30', 'TimeLimitWhosonlineTitle','TimeLimitWhosonlineComment', NULL, NULL, 0), -('breadcrumbs_course_homepage', NULL, 'radio','Course','course_title', 'BreadCrumbsCourseHomepageTitle','BreadCrumbsCourseHomepageComment', NULL, NULL, 0), -('example_material_course_creation', NULL, 'radio','Platform','true', 'ExampleMaterialCourseCreationTitle','ExampleMaterialCourseCreationComment', NULL, NULL, 0), -('account_valid_duration',NULL, 'textfield','Platform','3660', 'AccountValidDurationTitle','AccountValidDurationComment', NULL, NULL, 0), -('use_session_mode', NULL, 'radio','Session','true', 'UseSessionModeTitle','UseSessionModeComment', NULL, NULL, 0), -('allow_email_editor', NULL, 'radio', 'Tools', 'false', 'AllowEmailEditorTitle', 'AllowEmailEditorComment', NULL, NULL, 0), -('registered', NULL, 'textfield', NULL, 'false', NULL, NULL, NULL, NULL, 0), -('donotlistcampus', NULL, 'textfield', NULL, 'false', NULL, NULL, NULL, NULL,0 ), -('show_email_addresses', NULL,'radio','Platform','false','ShowEmailAddresses','ShowEmailAddressesComment',NULL,NULL, 1), -('profile','phone','checkbox','User','false','ProfileChangesTitle','ProfileChangesComment',NULL,'phone', 0), -('service_visio', 'active', 'radio',NULL,'false', 'VisioEnable','', NULL, NULL, 0), -('service_visio', 'visio_host', 'textfield',NULL,'', 'VisioHost','', NULL, NULL, 0), -('service_visio', 'visio_port', 'textfield',NULL,'1935', 'VisioPort','', NULL, NULL, 0), -('service_visio', 'visio_pass', 'textfield',NULL,'', 'VisioPassword','', NULL, NULL, 0), -('service_ppt2lp', 'active', 'radio',NULL,'false', 'ppt2lp_actived','', NULL, NULL, 0), -('service_ppt2lp', 'host', 'textfield', NULL, NULL, 'Host', NULL, NULL, NULL, 0), -('service_ppt2lp', 'port', 'textfield', NULL, 2002, 'Port', NULL, NULL, NULL, 0), -('service_ppt2lp', 'user', 'textfield', NULL, NULL, 'UserOnHost', NULL, NULL, NULL, 0), -('service_ppt2lp', 'ftp_password', 'textfield', NULL, NULL, 'FtpPassword', NULL, NULL, NULL, 0), -('service_ppt2lp', 'path_to_lzx', 'textfield', NULL, NULL, '', NULL, NULL, NULL, 0), -('service_ppt2lp', 'size', 'radio', NULL, '720x540', '', NULL, NULL, NULL, 0), -('stylesheets', NULL, 'textfield','stylesheets','chamilo','',NULL, NULL, NULL, 1), -('upload_extensions_list_type', NULL, 'radio', 'Security', 'blacklist', 'UploadExtensionsListType', 'UploadExtensionsListTypeComment', NULL, NULL, 0), -('upload_extensions_blacklist', NULL, 'textfield', 'Security', '', 'UploadExtensionsBlacklist', 'UploadExtensionsBlacklistComment', NULL, NULL, 0), -('upload_extensions_whitelist', NULL, 'textfield', 'Security', 'htm;html;jpg;jpeg;gif;png;swf;avi;mpg;mpeg;mov;flv;doc;docx;xls;xlsx;ppt;pptx;odt;odp;ods;pdf', 'UploadExtensionsWhitelist', 'UploadExtensionsWhitelistComment', NULL, NULL, 0), -('upload_extensions_skip', NULL, 'radio', 'Security', 'true', 'UploadExtensionsSkip', 'UploadExtensionsSkipComment', NULL, NULL, 0), -('upload_extensions_replace_by', NULL, 'textfield', 'Security', 'dangerous', 'UploadExtensionsReplaceBy', 'UploadExtensionsReplaceByComment', NULL, NULL, 0), -('show_number_of_courses', NULL, 'radio','Platform','false', 'ShowNumberOfCourses','ShowNumberOfCoursesComment', NULL, NULL, 0), -('show_empty_course_categories', NULL, 'radio','Platform','true', 'ShowEmptyCourseCategories','ShowEmptyCourseCategoriesComment', NULL, NULL, 0), -('show_back_link_on_top_of_tree', NULL, 'radio','Platform','false', 'ShowBackLinkOnTopOfCourseTree','ShowBackLinkOnTopOfCourseTreeComment', NULL, NULL, 0), -('show_different_course_language', NULL, 'radio','Platform','true', 'ShowDifferentCourseLanguage','ShowDifferentCourseLanguageComment', NULL, NULL, 1), -('split_users_upload_directory', NULL, 'radio','Tuning','true', 'SplitUsersUploadDirectory','SplitUsersUploadDirectoryComment', NULL, NULL, 0), -('hide_dltt_markup', NULL, 'radio','Languages','true', 'HideDLTTMarkup','HideDLTTMarkupComment', NULL, NULL, 0), -('display_categories_on_homepage',NULL,'radio','Platform','false','DisplayCategoriesOnHomepageTitle','DisplayCategoriesOnHomepageComment',NULL,NULL, 1), -('permissions_for_new_directories', NULL, 'textfield', 'Security', '0777', 'PermissionsForNewDirs', 'PermissionsForNewDirsComment', NULL, NULL, 0), -('permissions_for_new_files', NULL, 'textfield', 'Security', '0666', 'PermissionsForNewFiles', 'PermissionsForNewFilesComment', NULL, NULL, 0), -('show_tabs', 'campus_homepage', 'checkbox', 'Platform', 'true', 'ShowTabsTitle','ShowTabsComment',NULL,'TabsCampusHomepage', 1), -('show_tabs', 'my_courses', 'checkbox', 'Platform', 'true', 'ShowTabsTitle','ShowTabsComment',NULL,'TabsMyCourses', 1), -('show_tabs', 'reporting', 'checkbox', 'Platform', 'true', 'ShowTabsTitle','ShowTabsComment',NULL,'TabsReporting', 1), -('show_tabs', 'platform_administration', 'checkbox', 'Platform', 'true', 'ShowTabsTitle','ShowTabsComment',NULL,'TabsPlatformAdministration', 1), -('show_tabs', 'my_agenda', 'checkbox', 'Platform', 'true', 'ShowTabsTitle','ShowTabsComment',NULL,'TabsMyAgenda', 1), -('show_tabs', 'my_profile', 'checkbox', 'Platform', 'true', 'ShowTabsTitle','ShowTabsComment',NULL,'TabsMyProfile', 1), -('default_forum_view', NULL, 'radio', 'Course', 'flat', 'DefaultForumViewTitle','DefaultForumViewComment',NULL,NULL, 0), -('platform_charset',NULL,'textfield','Languages','UTF-8','PlatformCharsetTitle','PlatformCharsetComment','platform',NULL, 0), -('noreply_email_address', '', 'textfield', 'Platform', '', 'NoReplyEmailAddress', 'NoReplyEmailAddressComment', NULL, NULL, 0), -('survey_email_sender_noreply', '', 'radio', 'Course', 'coach', 'SurveyEmailSenderNoReply', 'SurveyEmailSenderNoReplyComment', NULL, NULL, 0), -('openid_authentication',NULL,'radio','Security','false','OpenIdAuthentication','OpenIdAuthenticationComment',NULL,NULL, 0), -('profile','openid','checkbox','User','false','ProfileChangesTitle','ProfileChangesComment',NULL,'OpenIDURL', 0), -('gradebook_enable',NULL,'radio','Gradebook','false','GradebookActivation','GradebookActivationComment',NULL,NULL, 0), -('show_tabs','my_gradebook','checkbox','Platform','true','ShowTabsTitle','ShowTabsComment',NULL,'TabsMyGradebook', 1), -('gradebook_score_display_coloring','my_display_coloring','checkbox','Gradebook','false','GradebookScoreDisplayColoring','GradebookScoreDisplayColoringComment',NULL,'TabsGradebookEnableColoring', 0), -('gradebook_score_display_custom','my_display_custom','checkbox','Gradebook','false','GradebookScoreDisplayCustom','GradebookScoreDisplayCustomComment',NULL,'TabsGradebookEnableCustom', 0), -('gradebook_score_display_colorsplit',NULL,'textfield','Gradebook','50','GradebookScoreDisplayColorSplit','GradebookScoreDisplayColorSplitComment',NULL,NULL, 0), -('gradebook_score_display_upperlimit','my_display_upperlimit','checkbox','Gradebook','false','GradebookScoreDisplayUpperLimit','GradebookScoreDisplayUpperLimitComment',NULL,'TabsGradebookEnableUpperLimit', 0), -('gradebook_number_decimals', NULL, 'select', 'Gradebook', '0', 'GradebookNumberDecimals', 'GradebookNumberDecimalsComment', NULL, NULL, 0), -('user_selected_theme',NULL,'radio','Platform','false','UserThemeSelection','UserThemeSelectionComment',NULL,NULL, 0), -('profile','theme','checkbox','User','false','ProfileChangesTitle','ProfileChangesComment',NULL,'UserTheme', 0), -('allow_course_theme',NULL,'radio','Course','true','AllowCourseThemeTitle','AllowCourseThemeComment',NULL,NULL, 0), -('display_mini_month_calendar',NULL,'radio','Tools', 'true', 'DisplayMiniMonthCalendarTitle', 'DisplayMiniMonthCalendarComment', NULL, NULL, 0), -('display_upcoming_events',NULL,'radio','Tools','true','DisplayUpcomingEventsTitle','DisplayUpcomingEventsComment',NULL,NULL, 0), -('number_of_upcoming_events',NULL,'textfield','Tools','1','NumberOfUpcomingEventsTitle','NumberOfUpcomingEventsComment',NULL,NULL, 0), -('show_closed_courses',NULL,'radio','Platform','false','ShowClosedCoursesTitle','ShowClosedCoursesComment',NULL,NULL, 0), -('service_visio', 'visio_use_rtmpt', 'radio',null,'false', 'VisioUseRtmptTitle','VisioUseRtmptComment', NULL, NULL, 0), -('extendedprofile_registration', 'mycomptetences', 'checkbox','User','false', 'ExtendedProfileRegistrationTitle','ExtendedProfileRegistrationComment', NULL, 'MyCompetences', 0), -('extendedprofile_registration', 'mydiplomas', 'checkbox','User','false', 'ExtendedProfileRegistrationTitle','ExtendedProfileRegistrationComment', NULL, 'MyDiplomas', 0), -('extendedprofile_registration', 'myteach', 'checkbox','User','false', 'ExtendedProfileRegistrationTitle','ExtendedProfileRegistrationComment', NULL, 'MyTeach', 0), -('extendedprofile_registration', 'mypersonalopenarea', 'checkbox','User','false', 'ExtendedProfileRegistrationTitle','ExtendedProfileRegistrationComment', NULL, 'MyPersonalOpenArea', 0), -('extendedprofile_registrationrequired', 'mycomptetences', 'checkbox','User','false', 'ExtendedProfileRegistrationRequiredTitle','ExtendedProfileRegistrationRequiredComment', NULL, 'MyCompetences', 0), -('extendedprofile_registrationrequired', 'mydiplomas', 'checkbox','User','false', 'ExtendedProfileRegistrationRequiredTitle','ExtendedProfileRegistrationRequiredComment', NULL, 'MyDiplomas', 0), -('extendedprofile_registrationrequired', 'myteach', 'checkbox','User','false', 'ExtendedProfileRegistrationRequiredTitle','ExtendedProfileRegistrationRequiredComment', NULL, 'MyTeach', 0), -('extendedprofile_registrationrequired', 'mypersonalopenarea', 'checkbox','User','false', 'ExtendedProfileRegistrationRequiredTitle','ExtendedProfileRegistrationRequiredComment', NULL, 'MyPersonalOpenArea', 0), -('registration','phone','textfield','User','false','RegistrationRequiredFormsTitle','RegistrationRequiredFormsComment',NULL,'Phone', 0), -('add_users_by_coach',NULL,'radio','Session','false','AddUsersByCoachTitle','AddUsersByCoachComment',NULL,NULL, 0), -('extend_rights_for_coach',NULL,'radio','Security','false','ExtendRightsForCoachTitle','ExtendRightsForCoachComment',NULL,NULL, 0), -('extend_rights_for_coach_on_survey',NULL,'radio','Security','true','ExtendRightsForCoachOnSurveyTitle','ExtendRightsForCoachOnSurveyComment',NULL,NULL, 0), -('course_create_active_tools','wiki','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'Wiki', 0), -('show_session_coach', NULL, 'radio','Session','false', 'ShowSessionCoachTitle','ShowSessionCoachComment', NULL, NULL, 0), -('course_create_active_tools','gradebook','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'Gradebook', 0), -('allow_users_to_create_courses',NULL,'radio','Platform','true','AllowUsersToCreateCoursesTitle','AllowUsersToCreateCoursesComment',NULL,NULL, 0), -('course_create_active_tools','survey','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'Survey', 0), -('course_create_active_tools','glossary','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'Glossary', 0), -('course_create_active_tools','notebook','checkbox','Tools','true','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'Notebook', 0), -('course_create_active_tools','attendances','checkbox','Tools','false','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'Attendances', 0), -('course_create_active_tools','course_progress','checkbox','Tools','false','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'CourseProgress', 0), -('allow_reservation', NULL, 'radio', 'Tools', 'false', 'AllowReservationTitle', 'AllowReservationComment', NULL, NULL, 0), -('profile','apikeys','checkbox','User','false','ProfileChangesTitle','ProfileChangesComment',NULL,'ApiKeys', 0), -('allow_message_tool', NULL, 'radio', 'Tools', 'true', 'AllowMessageToolTitle', 'AllowMessageToolComment', NULL, NULL,1), -('allow_social_tool', NULL, 'radio', 'Tools', 'true', 'AllowSocialToolTitle', 'AllowSocialToolComment', NULL, NULL,1), -('allow_students_to_browse_courses',NULL,'radio','Platform','true','AllowStudentsToBrowseCoursesTitle','AllowStudentsToBrowseCoursesComment',NULL,NULL, 1), -('show_session_data', NULL, 'radio', 'Session', 'false', 'ShowSessionDataTitle', 'ShowSessionDataComment', NULL, NULL, 1), -('allow_use_sub_language', NULL, 'radio', 'Languages', 'false', 'AllowUseSubLanguageTitle', 'AllowUseSubLanguageComment', NULL, NULL,0), -('show_glossary_in_documents', NULL, 'radio', 'Course', 'none', 'ShowGlossaryInDocumentsTitle', 'ShowGlossaryInDocumentsComment', NULL, NULL,1), -('allow_terms_conditions', NULL, 'radio', 'Platform', 'false', 'AllowTermsAndConditionsTitle', 'AllowTermsAndConditionsComment', NULL, NULL,0), -('course_create_active_tools','enable_search','checkbox','Tools','false','CourseCreateActiveToolsTitle','CourseCreateActiveToolsComment',NULL,'Search',0), -('search_enabled',NULL,'radio','Search','false','EnableSearchTitle','EnableSearchComment',NULL,NULL,1), -('search_prefilter_prefix',NULL, NULL,'Search','','SearchPrefilterPrefix','SearchPrefilterPrefixComment',NULL,NULL,0), -('search_show_unlinked_results',NULL,'radio','Search','true','SearchShowUnlinkedResultsTitle','SearchShowUnlinkedResultsComment',NULL,NULL,1), -('show_courses_descriptions_in_catalog', NULL, 'radio', 'Course', 'true', 'ShowCoursesDescriptionsInCatalogTitle', 'ShowCoursesDescriptionsInCatalogComment', NULL, NULL, 1), -('allow_coach_to_edit_course_session',NULL,'radio','Session','true','AllowCoachsToEditInsideTrainingSessions','AllowCoachsToEditInsideTrainingSessionsComment',NULL,NULL, 0), -('show_glossary_in_extra_tools', NULL, 'radio', 'Course', 'none', 'ShowGlossaryInExtraToolsTitle', 'ShowGlossaryInExtraToolsComment', NULL, NULL,1), -('send_email_to_admin_when_create_course',NULL,'radio','Platform','false','SendEmailToAdminTitle','SendEmailToAdminComment',NULL,NULL, 1), -('go_to_course_after_login',NULL,'radio','Course','false','GoToCourseAfterLoginTitle','GoToCourseAfterLoginComment',NULL,NULL, 0), -('math_mimetex',NULL,'radio','Editor','false','MathMimetexTitle','MathMimetexComment',NULL,NULL, 0), -('math_asciimathML',NULL,'radio','Editor','false','MathASCIImathMLTitle','MathASCIImathMLComment',NULL,NULL, 0), -('enabled_asciisvg',NULL,'radio','Editor','false','AsciiSvgTitle','AsciiSvgComment',NULL,NULL, 0), -('include_asciimathml_script',NULL,'radio','Editor','false','IncludeAsciiMathMlTitle','IncludeAsciiMathMlComment',NULL,NULL, 0), -('youtube_for_students',NULL,'radio','Editor','true','YoutubeForStudentsTitle','YoutubeForStudentsComment',NULL,NULL, 0), -('block_copy_paste_for_students',NULL,'radio','Editor','false','BlockCopyPasteForStudentsTitle','BlockCopyPasteForStudentsComment',NULL,NULL, 0), -('more_buttons_maximized_mode',NULL,'radio','Editor','true','MoreButtonsForMaximizedModeTitle','MoreButtonsForMaximizedModeComment',NULL,NULL, 0), -('students_download_folders',NULL,'radio','Tools','true','AllowStudentsDownloadFoldersTitle','AllowStudentsDownloadFoldersComment',NULL,NULL, 0), -('users_copy_files',NULL,'radio','Tools','true','AllowUsersCopyFilesTitle','AllowUsersCopyFilesComment',NULL,NULL, 1), -('show_tabs', 'social', 'checkbox', 'Platform', 'true', 'ShowTabsTitle','ShowTabsComment',NULL,'TabsSocial', 0), -('allow_students_to_create_groups_in_social',NULL,'radio','Tools','false','AllowStudentsToCreateGroupsInSocialTitle','AllowStudentsToCreateGroupsInSocialComment',NULL,NULL, 0), -('allow_send_message_to_all_platform_users',NULL,'radio','Tools','true','AllowSendMessageToAllPlatformUsersTitle','AllowSendMessageToAllPlatformUsersComment',NULL,NULL, 0), -('message_max_upload_filesize',NULL,'textfield','Tools','20971520','MessageMaxUploadFilesizeTitle','MessageMaxUploadFilesizeComment',NULL,NULL, 0), -('show_tabs', 'dashboard', 'checkbox', 'Platform', 'true', 'ShowTabsTitle', 'ShowTabsComment', NULL, 'TabsDashboard', 1), -('use_users_timezone', 'timezones', 'radio', 'Timezones', 'true', 'UseUsersTimezoneTitle','UseUsersTimezoneComment',NULL,'Timezones', 1), -('timezone_value', 'timezones', 'select', 'Timezones', '', 'TimezoneValueTitle','TimezoneValueComment',NULL,'Timezones', 1), -('allow_user_course_subscription_by_course_admin', NULL, 'radio', 'Security', 'true', 'AllowUserCourseSubscriptionByCourseAdminTitle', 'AllowUserCourseSubscriptionByCourseAdminComment', NULL, NULL, 1), -('show_link_bug_notification', NULL, 'radio', 'Platform', 'false', 'ShowLinkBugNotificationTitle', 'ShowLinkBugNotificationComment', NULL, NULL, 0), -('course_validation', NULL, 'radio', 'Platform', 'false', 'EnableCourseValidation', 'EnableCourseValidationComment', NULL, NULL, 1), -('course_validation_terms_and_conditions_url', NULL, 'textfield', 'Platform', '', 'CourseValidationTermsAndConditionsLink', 'CourseValidationTermsAndConditionsLinkComment', NULL, NULL, 1), -('sso_authentication',NULL,'radio','Security','false','EnableSSOTitle','EnableSSOComment',NULL,NULL,1), -('sso_authentication_domain',NULL,'textfield','Security','','SSOServerDomainTitle','SSOServerDomainComment',NULL,NULL,1), -('sso_authentication_auth_uri',NULL,'textfield','Security','/?q=user','SSOServerAuthURITitle','SSOServerAuthURIComment',NULL,NULL,1), -('sso_authentication_unauth_uri',NULL,'textfield','Security','/?q=logout','SSOServerUnAuthURITitle','SSOServerUnAuthURIComment',NULL,NULL,1), -('sso_authentication_protocol',NULL,'radio','Security','http://','SSOServerProtocolTitle','SSOServerProtocolComment',NULL,NULL,1), -('enabled_wiris',NULL,'radio','Editor','false','EnabledWirisTitle','EnabledWirisComment',NULL,NULL, 0), -('allow_spellcheck',NULL,'radio','Editor','false','AllowSpellCheckTitle','AllowSpellCheckComment',NULL,NULL, 0), -('force_wiki_paste_as_plain_text',NULL,'radio','Editor','false','ForceWikiPasteAsPlainTextTitle','ForceWikiPasteAsPlainTextComment',NULL,NULL, 0), -('enabled_googlemaps',NULL,'radio','Editor','false','EnabledGooglemapsTitle','EnabledGooglemapsComment',NULL,NULL, 0), -('enabled_imgmap',NULL,'radio','Editor','true','EnabledImageMapsTitle','EnabledImageMapsComment',NULL,NULL, 0), -('enabled_support_svg', NULL,'radio', 'Tools', 'true', 'EnabledSVGTitle','EnabledSVGComment',NULL,NULL, 0), -('pdf_export_watermark_enable', NULL,'radio', 'Platform', 'false','PDFExportWatermarkEnableTitle', 'PDFExportWatermarkEnableComment', 'platform',NULL, 1), -('pdf_export_watermark_by_course', NULL,'radio', 'Platform', 'false','PDFExportWatermarkByCourseTitle', 'PDFExportWatermarkByCourseComment','platform',NULL, 1), -('pdf_export_watermark_text', NULL,'textfield', 'Platform', '', 'PDFExportWatermarkTextTitle', 'PDFExportWatermarkTextComment', 'platform',NULL, 1), -('enabled_insertHtml', NULL,'radio', 'Editor', 'true','EnabledInsertHtmlTitle', 'EnabledInsertHtmlComment',NULL,NULL, 0), -('students_export2pdf', NULL,'radio', 'Tools', 'true', 'EnabledStudentExport2PDFTitle', 'EnabledStudentExport2PDFComment',NULL,NULL, 0), -('exercise_min_score', NULL,'textfield', 'Course', '', 'ExerciseMinScoreTitle', 'ExerciseMinScoreComment','platform',NULL, 1), -('exercise_max_score', NULL,'textfield', 'Course', '', 'ExerciseMaxScoreTitle', 'ExerciseMaxScoreComment','platform',NULL, 1), -('show_users_folders', NULL,'radio', 'Tools', 'true', 'ShowUsersFoldersTitle','ShowUsersFoldersComment',NULL,NULL, 0), -('show_default_folders', NULL,'radio', 'Tools', 'true', 'ShowDefaultFoldersTitle','ShowDefaultFoldersComment',NULL,NULL, 0), -('show_chat_folder', NULL,'radio', 'Tools', 'true', 'ShowChatFolderTitle','ShowChatFolderComment',NULL,NULL, 0), -('enabled_text2audio', NULL,'radio', 'Tools', 'false', 'Text2AudioTitle','Text2AudioComment',NULL,NULL, 0), -('course_hide_tools','course_description','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'CourseDescription', 1), -('course_hide_tools','calendar_event','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Agenda', 1), -('course_hide_tools','document','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Documents', 1), -('course_hide_tools','learnpath','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'LearningPath', 1), -('course_hide_tools','link','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Links', 1), -('course_hide_tools','announcement','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Announcements', 1), -('course_hide_tools','forum','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Forums', 1), -('course_hide_tools','dropbox','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Dropbox', 1), -('course_hide_tools','quiz','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Quiz', 1), -('course_hide_tools','user','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Users', 1), -('course_hide_tools','group','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Groups', 1), -('course_hide_tools','chat','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Chat', 1), -('course_hide_tools','student_publication','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'StudentPublications', 1), -('course_hide_tools','wiki','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Wiki', 1), -('course_hide_tools','gradebook','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Gradebook', 1), -('course_hide_tools','survey','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Survey', 1), -('course_hide_tools','glossary','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Glossary', 1), -('course_hide_tools','notebook','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Notebook', 1), -('course_hide_tools','attendance','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Attendances', 1), -('course_hide_tools','course_progress','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'CourseProgress', 1), -('course_hide_tools','blog_management','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Blog',1), -('course_hide_tools','tracking','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Stats',1), -('course_hide_tools','course_maintenance','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'Maintenance',1), -('course_hide_tools','course_setting','checkbox','Tools','false','CourseHideToolsTitle','CourseHideToolsComment',NULL,'CourseSettings',1), -('enabled_support_pixlr',NULL,'radio','Tools','false','EnabledPixlrTitle','EnabledPixlrComment',NULL,NULL, 0), -('show_groups_to_users',NULL,'radio','Session','false','ShowGroupsToUsersTitle','ShowGroupsToUsersComment',NULL,NULL, 0), -('accessibility_font_resize',NULL,'radio','Platform','false','EnableAccessibilityFontResizeTitle','EnableAccessibilityFontResizeComment',NULL,NULL, 1), -('hide_courses_in_sessions',NULL,'radio', 'Session','false','HideCoursesInSessionsTitle', 'HideCoursesInSessionsComment','platform',NULL, 1), -('enable_quiz_scenario', NULL,'radio','Course','true','EnableQuizScenarioTitle','EnableQuizScenarioComment',NULL,NULL, 1), -('enable_nanogong',NULL,'radio','Tools','false','EnableNanogongTitle','EnableNanogongComment',NULL,NULL, 0), -('filter_terms',NULL,'textarea','Security','','FilterTermsTitle','FilterTermsComment',NULL,NULL, 0), -('header_extra_content', NULL, 'textarea', 'Tracking', '', 'HeaderExtraContentTitle', 'HeaderExtraContentComment', NULL, NULL, 1), -('footer_extra_content', NULL, 'textarea', 'Tracking', '', 'FooterExtraContentTitle', 'FooterExtraContentComment', NULL, NULL, 1), -('show_documents_preview', NULL, 'radio', 'Tools', 'false', 'ShowDocumentPreviewTitle', 'ShowDocumentPreviewComment', NULL, NULL, 1), -('htmlpurifier_wiki', NULL, 'radio', 'Editor', 'false', 'HtmlPurifierWikiTitle', 'HtmlPurifierWikiComment', NULL, NULL, 0), -('cas_activate', NULL, 'radio', 'CAS', 'false', 'CasMainActivateTitle', 'CasMainActivateComment', NULL, NULL, 0), -('cas_server', NULL, 'textfield', 'CAS', '', 'CasMainServerTitle', 'CasMainServerComment', NULL, NULL, 0), -('cas_server_uri', NULL, 'textfield', 'CAS', '', 'CasMainServerURITitle', 'CasMainServerURIComment', NULL, NULL, 0), -('cas_port', NULL, 'textfield', 'CAS', '', 'CasMainPortTitle', 'CasMainPortComment', NULL, NULL, 0), -('cas_protocol', NULL, 'radio', 'CAS', '', 'CasMainProtocolTitle', 'CasMainProtocolComment', NULL, NULL, 0), -('cas_add_user_activate', NULL, 'radio', 'CAS', 'false', 'CasUserAddActivateTitle', 'CasUserAddActivateComment', NULL, NULL, 0), -('update_user_info_cas_with_ldap', NULL, 'radio', 'CAS', 'true', 'UpdateUserInfoCasWithLdapTitle', 'UpdateUserInfoCasWithLdapComment', NULL, NULL, 0), -('student_page_after_login', NULL, 'textfield', 'Platform', '', 'StudentPageAfterLoginTitle', 'StudentPageAfterLoginComment', NULL, NULL, 0), -('teacher_page_after_login', NULL, 'textfield', 'Platform', '', 'TeacherPageAfterLoginTitle', 'TeacherPageAfterLoginComment', NULL, NULL, 0), -('drh_page_after_login', NULL, 'textfield', 'Platform', '', 'DRHPageAfterLoginTitle', 'DRHPageAfterLoginComment', NULL, NULL, 0), -('sessionadmin_page_after_login', NULL, 'textfield', 'Session', '', 'SessionAdminPageAfterLoginTitle', 'SessionAdminPageAfterLoginComment', NULL, NULL, 0), -('student_autosubscribe', NULL, 'textfield', 'Platform', '', 'StudentAutosubscribeTitle', 'StudentAutosubscribeComment', NULL, NULL, 0), -('teacher_autosubscribe', NULL, 'textfield', 'Platform', '', 'TeacherAutosubscribeTitle', 'TeacherAutosubscribeComment', NULL, NULL, 0), -('drh_autosubscribe', NULL, 'textfield', 'Platform', '', 'DRHAutosubscribeTitle', 'DRHAutosubscribeComment', NULL, NULL, 0), -('sessionadmin_autosubscribe', NULL, 'textfield', 'Session', '', 'SessionadminAutosubscribeTitle', 'SessionadminAutosubscribeComment', NULL, NULL, 0), -('scorm_cumulative_session_time', NULL, 'radio', 'Course', 'true', 'ScormCumulativeSessionTimeTitle', 'ScormCumulativeSessionTimeComment', NULL, NULL, 0), -('allow_hr_skills_management', NULL, 'radio', 'Gradebook', 'true', 'AllowHRSkillsManagementTitle', 'AllowHRSkillsManagementComment', NULL, NULL, 1), -('enable_help_link', NULL, 'radio', 'Platform', 'true', 'EnableHelpLinkTitle', 'EnableHelpLinkComment', NULL, NULL, 0), -('teachers_can_change_score_settings', NULL, 'radio', 'Gradebook', 'true', 'TeachersCanChangeScoreSettingsTitle', 'TeachersCanChangeScoreSettingsComment', NULL, NULL, 1), -('allow_users_to_change_email_with_no_password', NULL, 'radio', 'User', 'false', 'AllowUsersToChangeEmailWithNoPasswordTitle', 'AllowUsersToChangeEmailWithNoPasswordComment', NULL, NULL, 0), -('show_admin_toolbar', NULL, 'radio', 'Platform', 'do_not_show', 'ShowAdminToolbarTitle', 'ShowAdminToolbarComment', NULL, NULL, 1), -('allow_global_chat', NULL, 'radio', 'Platform', 'true', 'AllowGlobalChatTitle', 'AllowGlobalChatComment', NULL, NULL, 1), -('languagePriority1', NULL, 'radio', 'Languages', 'course_lang', 'LanguagePriority1Title', 'LanguagePriority1Comment', NULL, NULL, 0), -('languagePriority2', NULL, 'radio', 'Languages','user_profil_lang', 'LanguagePriority2Title', 'LanguagePriority2Comment', NULL, NULL, 0), -('languagePriority3', NULL, 'radio', 'Languages','user_selected_lang', 'LanguagePriority3Title', 'LanguagePriority3Comment', NULL, NULL, 0), -('languagePriority4', NULL, 'radio', 'Languages', 'platform_lang','LanguagePriority4Title', 'LanguagePriority4Comment', NULL, NULL, 0), -('login_is_email', NULL, 'radio', 'Platform', 'false', 'LoginIsEmailTitle', 'LoginIsEmailComment', NULL, NULL, 0), -('courses_default_creation_visibility', NULL, 'radio', 'Course', '2', 'CoursesDefaultCreationVisibilityTitle', 'CoursesDefaultCreationVisibilityComment', NULL, NULL, 1), -('allow_browser_sniffer', NULL, 'radio', 'Tuning', 'false', 'AllowBrowserSnifferTitle', 'AllowBrowserSnifferComment', NULL, NULL, 0), -('enable_wami_record',NULL,'radio','Tools','false','EnableWamiRecordTitle','EnableWamiRecordComment',NULL,NULL, 0), -('gradebook_enable_grade_model', NULL, 'radio', 'Gradebook', 'false', 'GradebookEnableGradeModelTitle', 'GradebookEnableGradeModelComment', NULL, NULL, 1), -('teachers_can_change_grade_model_settings', NULL, 'radio', 'Gradebook', 'true', 'TeachersCanChangeGradeModelSettingsTitle', 'TeachersCanChangeGradeModelSettingsComment', NULL, NULL, 1), -('gradebook_default_weight', NULL, 'textfield', 'Gradebook', '100', 'GradebookDefaultWeightTitle', 'GradebookDefaultWeightComment', NULL, NULL, 0), -('ldap_description', NULL, 'radio', 'LDAP', NULL, 'LdapDescriptionTitle', 'LdapDescriptionComment', NULL, NULL, 0), -('shibboleth_description', NULL, 'radio', 'Shibboleth', 'false', 'ShibbolethMainActivateTitle', 'ShibbolethMainActivateComment', NULL, NULL, 0), -('facebook_description', NULL, 'radio', 'Facebook', 'false', 'FacebookMainActivateTitle', 'FacebookMainActivateComment', NULL, NULL, 0), -('gradebook_locking_enabled', NULL, 'radio', 'Gradebook', 'false', 'GradebookEnableLockingTitle', 'GradebookEnableLockingComment', NULL, NULL, 0), -('gradebook_default_grade_model_id', NULL, 'select', 'Gradebook', '', 'GradebookDefaultGradeModelTitle', 'GradebookDefaultGradeModelComment', NULL, NULL, 1), -('allow_session_admins_to_manage_all_sessions', NULL, 'radio', 'Session', 'false', 'AllowSessionAdminsToSeeAllSessionsTitle', 'AllowSessionAdminsToSeeAllSessionsComment', NULL, NULL, 1), -('allow_skills_tool', NULL, 'radio', 'Platform', 'true', 'AllowSkillsToolTitle', 'AllowSkillsToolComment', NULL, NULL, 1), -('allow_public_certificates', NULL, 'radio', 'Course', 'false', 'AllowPublicCertificatesTitle', 'AllowPublicCertificatesComment', NULL, NULL, 1), -('platform_unsubscribe_allowed', NULL, 'radio', 'Platform', 'false', 'PlatformUnsubscribeTitle', 'PlatformUnsubscribeComment', NULL, NULL, 1), -('activate_email_template', NULL, 'radio', 'Platform', 'false', 'ActivateEmailTemplateTitle', 'ActivateEmailTemplateComment', NULL, NULL, 0), -('enable_iframe_inclusion', NULL, 'radio', 'Editor', 'false', 'EnableIframeInclusionTitle', 'EnableIframeInclusionComment', NULL, NULL, 1), -('show_hot_courses', NULL, 'radio', 'Platform', 'true', 'ShowHotCoursesTitle', 'ShowHotCoursesComment', NULL, NULL, 1), -('enable_webcam_clip',NULL,'radio','Tools','false','EnableWebCamClipTitle','EnableWebCamClipComment',NULL,NULL, 0), -('use_custom_pages', NULL, 'radio','Platform','false','UseCustomPagesTitle','UseCustomPagesComment', NULL, NULL, 1), -('tool_visible_by_default_at_creation','documents','checkbox','Tools','true','ToolVisibleByDefaultAtCreationTitle','ToolVisibleByDefaultAtCreationComment',NULL,'Documents', 1), -('tool_visible_by_default_at_creation','learning_path','checkbox','Tools','true','ToolVisibleByDefaultAtCreationTitle','ToolVisibleByDefaultAtCreationComment',NULL,'LearningPath', 1), -('tool_visible_by_default_at_creation','links','checkbox','Tools','true','ToolVisibleByDefaultAtCreationTitle','ToolVisibleByDefaultAtCreationComment',NULL,'Links', 1), -('tool_visible_by_default_at_creation','announcements','checkbox','Tools','true','ToolVisibleByDefaultAtCreationTitle','ToolVisibleByDefaultAtCreationComment',NULL,'Announcements', 1), -('tool_visible_by_default_at_creation','forums','checkbox','Tools','true','ToolVisibleByDefaultAtCreationTitle','ToolVisibleByDefaultAtCreationComment',NULL,'Forums', 1), -('tool_visible_by_default_at_creation','quiz','checkbox','Tools','true','ToolVisibleByDefaultAtCreationTitle','ToolVisibleByDefaultAtCreationComment',NULL,'Quiz', 1), -('tool_visible_by_default_at_creation','gradebook','checkbox','Tools','true','ToolVisibleByDefaultAtCreationTitle','ToolVisibleByDefaultAtCreationComment',NULL,'Gradebook', 1), -('prevent_session_admins_to_manage_all_users', NULL, 'radio', 'Session', 'false', 'PreventSessionAdminsToManageAllUsersTitle', 'PreventSessionAdminsToManageAllUsersComment', NULL, NULL, 1), -('documents_default_visibility_defined_in_course', NULL,'radio','Tools','false','DocumentsDefaultVisibilityDefinedInCourseTitle','DocumentsDefaultVisibilityDefinedInCourseComment',NULL, NULL, 1), -('enabled_mathjax', NULL, 'radio', 'Editor', 'false', 'EnableMathJaxTitle', 'EnableMathJaxComment', NULL, NULL, 0), -('meta_twitter_site', NULL, 'textfield', 'Tracking', '', 'MetaTwitterSiteTitle', 'MetaTwitterSiteComment', NULL, NULL, 1), -('meta_twitter_creator', NULL, 'textfield', 'Tracking', '', 'MetaTwitterCreatorTitle', 'MetaTwitterCreatorComment', NULL, NULL, 1), -('meta_title', NULL, 'textfield', 'Tracking', '', 'MetaTitleTitle', 'MetaTitleComment', NULL, NULL, 1), -('meta_description', NULL, 'textfield', 'Tracking', '', 'MetaDescriptionTitle', 'MetaDescriptionComment', NULL, NULL, 1), -('meta_image_path', NULL, 'textfield', 'Tracking', '', 'MetaImagePathTitle', 'MetaImagePathComment', NULL, NULL, 1), -('chamilo_database_version', NULL, 'textfield',NULL, '0', 'DatabaseVersion','', NULL, NULL, 0); -UNLOCK TABLES; -/*!40000 ALTER TABLE settings_current ENABLE KEYS */; - --- --- Table structure for table settings_options --- - -DROP TABLE IF EXISTS settings_options; -CREATE TABLE IF NOT EXISTS settings_options ( - id int unsigned NOT NULL auto_increment, - variable varchar(255) default NULL, - value varchar(255) default NULL, - display_text varchar(255) NOT NULL default '', - PRIMARY KEY (id), - UNIQUE KEY id (id) -); - -ALTER TABLE settings_options ADD UNIQUE unique_setting_option (variable(165), value(165)); - --- --- Dumping data for table settings_options --- - -/*!40000 ALTER TABLE settings_options DISABLE KEYS */; -LOCK TABLES settings_options WRITE; -INSERT INTO settings_options (variable, value, display_text) -VALUES -('show_administrator_data','true','Yes'), -('show_administrator_data','false','No'), -('show_tutor_data','true','Yes'), -('show_tutor_data','false','No'), -('show_teacher_data','true','Yes'), -('show_teacher_data','false','No'), -('homepage_view','activity','HomepageViewActivity'), -('homepage_view','2column','HomepageView2column'), -('homepage_view','3column','HomepageView3column'), -('homepage_view','vertical_activity','HomepageViewVerticalActivity'), -('homepage_view','activity_big','HomepageViewActivityBig'), -('show_toolshortcuts','true','Yes'), -('show_toolshortcuts','false','No'), -('allow_group_categories','true','Yes'), -('allow_group_categories','false','No'), -('server_type','production','ProductionServer'), -('server_type','test','TestServer'), -('allow_name_change','true','Yes'), -('allow_name_change','false','No'), -('allow_officialcode_change','true','Yes'), -('allow_officialcode_change','false','No'), -('allow_registration','true','Yes'), -('allow_registration','false','No'), -('allow_registration','approval','AfterApproval'), -('allow_registration_as_teacher','true','Yes'), -('allow_registration_as_teacher','false','No'), -('allow_lostpassword','true','Yes'), -('allow_lostpassword','false','No'), -('allow_user_headings','true','Yes'), -('allow_user_headings','false','No'), -('allow_personal_agenda','true','Yes'), -('allow_personal_agenda','false','No'), -('display_coursecode_in_courselist','true','Yes'), -('display_coursecode_in_courselist','false','No'), -('display_teacher_in_courselist','true','Yes'), -('display_teacher_in_courselist','false','No'), -('permanently_remove_deleted_files','true','YesWillDeletePermanently'), -('permanently_remove_deleted_files','false','NoWillDeletePermanently'), -('dropbox_allow_overwrite','true','Yes'), -('dropbox_allow_overwrite','false','No'), -('dropbox_allow_just_upload','true','Yes'), -('dropbox_allow_just_upload','false','No'), -('dropbox_allow_student_to_student','true','Yes'), -('dropbox_allow_student_to_student','false','No'), -('dropbox_allow_group','true','Yes'), -('dropbox_allow_group','false','No'), -('dropbox_allow_mailing','true','Yes'), -('dropbox_allow_mailing','false','No'), -('extended_profile','true','Yes'), -('extended_profile','false','No'), -('student_view_enabled','true','Yes'), -('student_view_enabled','false','No'), -('show_navigation_menu','false','No'), -('show_navigation_menu','icons','IconsOnly'), -('show_navigation_menu','text','TextOnly'), -('show_navigation_menu','iconstext','IconsText'), -('enable_tool_introduction','true','Yes'), -('enable_tool_introduction','false','No'), -('page_after_login', 'index.php', 'CampusHomepage'), -('page_after_login', 'user_portal.php', 'MyCourses'), -('page_after_login', 'main/auth/courses.php', 'CourseCatalog'), -('breadcrumbs_course_homepage', 'get_lang', 'CourseHomepage'), -('breadcrumbs_course_homepage', 'course_code', 'CourseCode'), -('breadcrumbs_course_homepage', 'course_title', 'CourseTitle'), -('example_material_course_creation', 'true', 'Yes'), -('example_material_course_creation', 'false', 'No'), -('use_session_mode', 'true', 'Yes'), -('use_session_mode', 'false', 'No'), -('allow_email_editor', 'true' ,'Yes'), -('allow_email_editor', 'false', 'No'), -('show_email_addresses','true','Yes'), -('show_email_addresses','false','No'), -('upload_extensions_list_type', 'blacklist', 'Blacklist'), -('upload_extensions_list_type', 'whitelist', 'Whitelist'), -('upload_extensions_skip', 'true', 'Remove'), -('upload_extensions_skip', 'false', 'Rename'), -('show_number_of_courses', 'true', 'Yes'), -('show_number_of_courses', 'false', 'No'), -('show_empty_course_categories', 'true', 'Yes'), -('show_empty_course_categories', 'false', 'No'), -('show_back_link_on_top_of_tree', 'true', 'Yes'), -('show_back_link_on_top_of_tree', 'false', 'No'), -('show_different_course_language', 'true', 'Yes'), -('show_different_course_language', 'false', 'No'), -('split_users_upload_directory', 'true', 'Yes'), -('split_users_upload_directory', 'false', 'No'), -('hide_dltt_markup', 'false', 'No'), -('hide_dltt_markup', 'true', 'Yes'), -('display_categories_on_homepage','true','Yes'), -('display_categories_on_homepage','false','No'), -('default_forum_view', 'flat', 'Flat'), -('default_forum_view', 'threaded', 'Threaded'), -('default_forum_view', 'nested', 'Nested'), -('survey_email_sender_noreply', 'coach', 'CourseCoachEmailSender'), -('survey_email_sender_noreply', 'noreply', 'NoReplyEmailSender'), -('openid_authentication','true','Yes'), -('openid_authentication','false','No'), -('gradebook_enable','true','Yes'), -('gradebook_enable','false','No'), -('user_selected_theme','true','Yes'), -('user_selected_theme','false','No'), -('allow_course_theme','true','Yes'), -('allow_course_theme','false','No'), -('display_mini_month_calendar', 'true', 'Yes'), -('display_mini_month_calendar', 'false', 'No'), -('display_upcoming_events', 'true', 'Yes'), -('display_upcoming_events', 'false', 'No'), -('show_closed_courses', 'true', 'Yes'), -('show_closed_courses', 'false', 'No'), -('ldap_version', '2', 'LDAPVersion2'), -('ldap_version', '3', 'LDAPVersion3'), -('visio_use_rtmpt','true','Yes'), -('visio_use_rtmpt','false','No'), -('add_users_by_coach', 'true', 'Yes'), -('add_users_by_coach', 'false', 'No'), -('extend_rights_for_coach', 'true', 'Yes'), -('extend_rights_for_coach', 'false', 'No'), -('extend_rights_for_coach_on_survey', 'true', 'Yes'), -('extend_rights_for_coach_on_survey', 'false', 'No'), -('show_session_coach', 'true', 'Yes'), -('show_session_coach', 'false', 'No'), -('allow_users_to_create_courses','true','Yes'), -('allow_users_to_create_courses','false','No'), -('breadcrumbs_course_homepage', 'session_name_and_course_title', 'SessionNameAndCourseTitle'), -('allow_reservation', 'true', 'Yes'), -('allow_reservation', 'false', 'No'), -('allow_message_tool', 'true', 'Yes'), -('allow_message_tool', 'false', 'No'), -('allow_social_tool', 'true', 'Yes'), -('allow_social_tool', 'false', 'No'), -('allow_students_to_browse_courses','true','Yes'), -('allow_students_to_browse_courses','false','No'), -('show_email_of_teacher_or_tutor ', 'true', 'Yes'), -('show_email_of_teacher_or_tutor ', 'false', 'No'), -('show_session_data ', 'true', 'Yes'), -('show_session_data ', 'false', 'No'), -('allow_use_sub_language', 'true', 'Yes'), -('allow_use_sub_language', 'false', 'No'), -('show_glossary_in_documents', 'none', 'ShowGlossaryInDocumentsIsNone'), -('show_glossary_in_documents', 'ismanual', 'ShowGlossaryInDocumentsIsManual'), -('show_glossary_in_documents', 'isautomatic', 'ShowGlossaryInDocumentsIsAutomatic'), -('allow_terms_conditions', 'true', 'Yes'), -('allow_terms_conditions', 'false', 'No'), -('search_enabled', 'true', 'Yes'), -('search_enabled', 'false', 'No'), -('search_show_unlinked_results', 'true', 'SearchShowUnlinkedResults'), -('search_show_unlinked_results', 'false', 'SearchHideUnlinkedResults'), -('show_courses_descriptions_in_catalog', 'true', 'Yes'), -('show_courses_descriptions_in_catalog', 'false', 'No'), -('allow_coach_to_edit_course_session','true','Yes'), -('allow_coach_to_edit_course_session','false','No'), -('show_glossary_in_extra_tools', 'none', 'None'), -('show_glossary_in_extra_tools', 'exercise', 'Exercise'), -('show_glossary_in_extra_tools', 'lp', 'Learning path'), -('show_glossary_in_extra_tools', 'exercise_and_lp', 'ExerciseAndLearningPath'), -('send_email_to_admin_when_create_course','true','Yes'), -('send_email_to_admin_when_create_course','false','No'), -('go_to_course_after_login','true','Yes'), -('go_to_course_after_login','false','No'), -('math_mimetex','true','Yes'), -('math_mimetex','false','No'), -('math_asciimathML','true','Yes'), -('math_asciimathML','false','No'), -('enabled_asciisvg','true','Yes'), -('enabled_asciisvg','false','No'), -('include_asciimathml_script','true','Yes'), -('include_asciimathml_script','false','No'), -('youtube_for_students','true','Yes'), -('youtube_for_students','false','No'), -('block_copy_paste_for_students','true','Yes'), -('block_copy_paste_for_students','false','No'), -('more_buttons_maximized_mode','true','Yes'), -('more_buttons_maximized_mode','false','No'), -('students_download_folders','true','Yes'), -('students_download_folders','false','No'), -('users_copy_files','true','Yes'), -('users_copy_files','false','No'), -('allow_students_to_create_groups_in_social','true','Yes'), -('allow_students_to_create_groups_in_social','false','No'), -('allow_send_message_to_all_platform_users','true','Yes'), -('allow_send_message_to_all_platform_users','false','No'), -('use_users_timezone', 'true', 'Yes'), -('use_users_timezone', 'false', 'No'), -('allow_user_course_subscription_by_course_admin', 'true', 'Yes'), -('allow_user_course_subscription_by_course_admin', 'false', 'No'), -('show_link_bug_notification', 'true', 'Yes'), -('show_link_bug_notification', 'false', 'No'), -('course_validation', 'true', 'Yes'), -('course_validation', 'false', 'No'), -('sso_authentication', 'true', 'Yes'), -('sso_authentication', 'false', 'No'), -('sso_authentication_protocol', 'http://', 'http://'), -('sso_authentication_protocol', 'https://', 'https://'), -('enabled_wiris','true','Yes'), -('enabled_wiris','false','No'), -('allow_spellcheck','true','Yes'), -('allow_spellcheck','false','No'), -('force_wiki_paste_as_plain_text','true','Yes'), -('force_wiki_paste_as_plain_text','false','No'), -('enabled_googlemaps','true','Yes'), -('enabled_googlemaps','false','No'), -('enabled_imgmap','true','Yes'), -('enabled_imgmap','false','No'), -('enabled_support_svg','true','Yes'), -('enabled_support_svg','false','No'), -('pdf_export_watermark_enable','true','Yes'), -('pdf_export_watermark_enable','false','No'), -('pdf_export_watermark_by_course','true','Yes'), -('pdf_export_watermark_by_course','false','No'), -('enabled_insertHtml','true','Yes'), -('enabled_insertHtml','false','No'), -('students_export2pdf','true','Yes'), -('students_export2pdf','false','No'), -('show_users_folders','true','Yes'), -('show_users_folders','false','No'), -('show_default_folders','true','Yes'), -('show_default_folders','false','No'), -('show_chat_folder','true','Yes'), -('show_chat_folder','false','No'), -('enabled_text2audio','true','Yes'), -('enabled_text2audio','false','No'), -('enabled_support_pixlr','true','Yes'), -('enabled_support_pixlr','false','No'), -('show_groups_to_users','true','Yes'), -('show_groups_to_users','false','No'), -('accessibility_font_resize', 'true', 'Yes'), -('accessibility_font_resize', 'false', 'No'), -('hide_courses_in_sessions','true','Yes'), -('hide_courses_in_sessions','false','No'), -('enable_quiz_scenario', 'true', 'Yes'), -('enable_quiz_scenario', 'false', 'No'), -('enable_nanogong','true','Yes'), -('enable_nanogong','false','No'), -('show_documents_preview', 'true', 'Yes'), -('show_documents_preview', 'false', 'No'), -('htmlpurifier_wiki', 'true', 'Yes'), -('htmlpurifier_wiki', 'false', 'No'), -('cas_activate', 'true', 'Yes'), -('cas_activate', 'false', 'No'), -('cas_protocol', 'CAS1', 'CAS1Text'), -('cas_protocol', 'CAS2', 'CAS2Text'), -('cas_protocol', 'SAML', 'SAMLText'), -('cas_add_user_activate', 'false', 'No'), -('cas_add_user_activate', 'platform', 'casAddUserActivatePlatform'), -('cas_add_user_activate', 'extldap', 'casAddUserActivateLDAP'), -('update_user_info_cas_with_ldap', 'true', 'Yes'), -('update_user_info_cas_with_ldap', 'false', 'No'), -('scorm_cumulative_session_time','true','Yes'), -('scorm_cumulative_session_time','false','No'), -('allow_hr_skills_management', 'true', 'Yes'), -('allow_hr_skills_management', 'false', 'No'), -('enable_help_link', 'true', 'Yes'), -('enable_help_link', 'false', 'No'), -('allow_users_to_change_email_with_no_password', 'true', 'Yes'), -('allow_users_to_change_email_with_no_password', 'false', 'No'), -('show_admin_toolbar', 'do_not_show', 'DoNotShow'), -('show_admin_toolbar', 'show_to_admin', 'ShowToAdminsOnly'), -('show_admin_toolbar', 'show_to_admin_and_teachers', 'ShowToAdminsAndTeachers'), -('show_admin_toolbar', 'show_to_all', 'ShowToAllUsers'), -('use_custom_pages','true','Yes'), -('use_custom_pages','false','No'), -('languagePriority1','platform_lang','PlatformLanguage'), -('languagePriority1','user_profil_lang','UserLanguage'), -('languagePriority1','user_selected_lang','UserSelectedLanguage'), -('languagePriority1','course_lang','CourseLanguage'), -('languagePriority2','platform_lang','PlatformLanguage'), -('languagePriority2','user_profil_lang','UserLanguage'), -('languagePriority2','user_selected_lang','UserSelectedLanguage'), -('languagePriority2','course_lang','CourseLanguage'), -('languagePriority3','platform_lang','PlatformLanguage'), -('languagePriority3','user_profil_lang','UserLanguage'), -('languagePriority3','user_selected_lang','UserSelectedLanguage'), -('languagePriority3','course_lang','CourseLanguage'), -('languagePriority4','platform_lang','PlatformLanguage'), -('languagePriority4','user_profil_lang','UserLanguage'), -('languagePriority4','user_selected_lang','UserSelectedLanguage'), -('languagePriority4','course_lang','CourseLanguage'), -('allow_global_chat', 'true', 'Yes'), -('allow_global_chat', 'false', 'No'), -('login_is_email','true','Yes'), -('login_is_email','false','No'), -('courses_default_creation_visibility', '3', 'OpenToTheWorld'), -('courses_default_creation_visibility', '2', 'OpenToThePlatform'), -('courses_default_creation_visibility', '1', 'Private'), -('courses_default_creation_visibility', '0', 'CourseVisibilityClosed'), -('allow_browser_sniffer', 'true', 'Yes'), -('allow_browser_sniffer', 'false', 'No'), -('enable_wami_record', 'true', 'Yes'), -('enable_wami_record', 'false', 'No'), -('teachers_can_change_score_settings', 'true', 'Yes'), -('teachers_can_change_score_settings', 'false', 'No'), -('teachers_can_change_grade_model_settings', 'true', 'Yes'), -('teachers_can_change_grade_model_settings', 'false', 'No'), -('gradebook_locking_enabled', 'true', 'Yes'), -('gradebook_locking_enabled', 'false', 'No'), -('gradebook_enable_grade_model', 'true', 'Yes'), -('gradebook_enable_grade_model', 'false', 'No'), -('allow_session_admins_to_manage_all_sessions', 'true', 'Yes'), -('allow_session_admins_to_manage_all_sessions', 'false', 'No'), -('allow_skills_tool', 'true', 'Yes'), -('allow_skills_tool', 'false', 'No'), -('allow_public_certificates', 'true', 'Yes'), -('allow_public_certificates', 'false', 'No'), -('platform_unsubscribe_allowed', 'true', 'Yes'), -('platform_unsubscribe_allowed', 'false', 'No'), -('activate_email_template', 'true', 'Yes'), -('activate_email_template', 'false', 'No'), - ('enable_iframe_inclusion', 'true', 'Yes'), -('enable_iframe_inclusion', 'false', 'No'), -('show_hot_courses', 'true', 'Yes'), -('show_hot_courses', 'false', 'No'), -('enable_webcam_clip', 'true', 'Yes'), -('enable_webcam_clip', 'false', 'No'), -('prevent_session_admins_to_manage_all_users', 'true', 'Yes'), -('prevent_session_admins_to_manage_all_users', 'false', 'No'), -('documents_default_visibility_defined_in_course', 'true', 'Yes'), -('documents_default_visibility_defined_in_course', 'false', 'No'), -('enabled_mathjax','true','Yes'), -('enabled_mathjax','false','No'); - -UNLOCK TABLES; - -/*!40000 ALTER TABLE settings_options ENABLE KEYS */; - - --- --- Table structure for table sys_announcement --- - -DROP TABLE IF EXISTS sys_announcement; -CREATE TABLE IF NOT EXISTS sys_announcement ( - id int unsigned NOT NULL auto_increment, - date_start datetime NOT NULL default '0000-00-00 00:00:00', - date_end datetime NOT NULL default '0000-00-00 00:00:00', - visible_teacher tinyint NOT NULL default 0, - visible_student tinyint NOT NULL default 0, - visible_guest tinyint NOT NULL default 0, - title varchar(250) NOT NULL default '', - content text NOT NULL, - lang varchar(70) NULL default NULL, - access_url_id INT NOT NULL default 1, - PRIMARY KEY (id) -); - --- --- Table structure for shared_survey --- - -DROP TABLE IF EXISTS shared_survey; -CREATE TABLE IF NOT EXISTS shared_survey ( - survey_id int unsigned NOT NULL auto_increment, - code varchar(20) default NULL, - title text default NULL, - subtitle text default NULL, - author varchar(250) default NULL, - lang varchar(20) default NULL, - template varchar(20) default NULL, - intro text, - surveythanks text, - creation_date datetime NOT NULL default '0000-00-00 00:00:00', - course_code varchar(40) NOT NULL default '', - PRIMARY KEY (survey_id), - UNIQUE KEY id (survey_id) -); - --- -------------------------------------------------------- - --- --- Table structure for shared_survey_question --- - -DROP TABLE IF EXISTS shared_survey_question; -CREATE TABLE IF NOT EXISTS shared_survey_question ( - question_id int NOT NULL auto_increment, - survey_id int NOT NULL default '0', - survey_question text NOT NULL, - survey_question_comment text NOT NULL, - type varchar(250) NOT NULL default '', - display varchar(10) NOT NULL default '', - sort int NOT NULL default '0', - code varchar(40) NOT NULL default '', - max_value int NOT NULL, - PRIMARY KEY (question_id) -); - --- -------------------------------------------------------- - --- --- Table structure for shared_survey_question_option --- - -DROP TABLE IF EXISTS shared_survey_question_option; -CREATE TABLE IF NOT EXISTS shared_survey_question_option ( - question_option_id int NOT NULL auto_increment, - question_id int NOT NULL default '0', - survey_id int NOT NULL default '0', - option_text text NOT NULL, - sort int NOT NULL default '0', - PRIMARY KEY (question_option_id) -); - - --- -------------------------------------------------------- - --- --- Table structure for templates (User's FCKEditor templates) --- - -DROP TABLE IF EXISTS templates; -CREATE TABLE IF NOT EXISTS templates ( - id int NOT NULL auto_increment, - title varchar(100) NOT NULL, - description varchar(250) NOT NULL, - course_code varchar(40) NOT NULL, - user_id int NOT NULL, - ref_doc int NOT NULL, - image varchar(250) NOT NULL, - PRIMARY KEY (id) -); - - - --- - --- -------------------------------------------------------- - --- --- Table structure of openid_association (keep info on openid servers) --- - -DROP TABLE IF EXISTS openid_association; -CREATE TABLE IF NOT EXISTS openid_association ( - id int NOT NULL auto_increment, - idp_endpoint_uri text NOT NULL, - session_type varchar(30) NOT NULL, - assoc_handle text NOT NULL, - assoc_type text NOT NULL, - expires_in bigint NOT NULL, - mac_key text NOT NULL, - created bigint NOT NULL, - PRIMARY KEY (id) -); --- --- -------------------------------------------------------- --- --- Tables for gradebook --- -DROP TABLE IF EXISTS gradebook_category; -CREATE TABLE IF NOT EXISTS gradebook_category ( - id int NOT NULL auto_increment, - name text NOT NULL, - description text, - user_id int NOT NULL, - course_code varchar(40) default NULL, - parent_id int default NULL, - weight float NOT NULL, - visible tinyint NOT NULL, - certif_min_score int DEFAULT NULL, - session_id int DEFAULT NULL, - document_id int unsigned DEFAULT NULL, - locked int NOT NULL DEFAULT 0, - default_lowest_eval_exclude TINYINT default null, - generate_certificates TINYINT NOT NULL DEFAULT 0, - PRIMARY KEY (id) -); - -DROP TABLE IF EXISTS gradebook_evaluation; -CREATE TABLE IF NOT EXISTS gradebook_evaluation ( - id int unsigned NOT NULL auto_increment, - name text NOT NULL, - description text, - user_id int NOT NULL, - course_code varchar(40) default NULL, - category_id int default NULL, - created_at DATETIME NOT NULL default '0000-00-00 00:00:00', - weight FLOAT NOT NULL, - max float unsigned NOT NULL, - visible int NOT NULL, - type varchar(40) NOT NULL default 'evaluation', - locked int NOT NULL DEFAULT 0, - PRIMARY KEY (id) -); - -DROP TABLE IF EXISTS gradebook_link; -CREATE TABLE IF NOT EXISTS gradebook_link ( - id int NOT NULL auto_increment, - type int NOT NULL, - ref_id int NOT NULL, - user_id int NOT NULL, - course_code varchar(40) NOT NULL, - category_id int NOT NULL, - created_at DATETIME NOT NULL default '0000-00-00 00:00:00', - weight float NOT NULL, - visible int NOT NULL, - locked int NOT NULL DEFAULT 0, - PRIMARY KEY (id) -); -DROP TABLE IF EXISTS gradebook_result; -CREATE TABLE IF NOT EXISTS gradebook_result ( - id int NOT NULL auto_increment, - user_id int NOT NULL, - evaluation_id int NOT NULL, - created_at DATETIME NOT NULL default '0000-00-00 00:00:00', - score float unsigned default NULL, - PRIMARY KEY (id) -); -DROP TABLE IF EXISTS gradebook_score_display; -CREATE TABLE IF NOT EXISTS gradebook_score_display ( - id int NOT NULL auto_increment, - score float unsigned NOT NULL, - display varchar(40) NOT NULL, - category_id int NOT NULL default 0, - score_color_percent float unsigned NOT NULL default 0, - PRIMARY KEY (id) -); -ALTER TABLE gradebook_score_display ADD INDEX(category_id); - -DROP TABLE IF EXISTS user_field; -CREATE TABLE IF NOT EXISTS user_field ( - id INT NOT NULL auto_increment, - field_type int NOT NULL DEFAULT 1, - field_variable varchar(64) NOT NULL, - field_display_text varchar(64), - field_default_value text, - field_order int, - field_visible tinyint default 0, - field_changeable tinyint default 0, - field_filter tinyint default 0, - tms DATETIME NOT NULL default '0000-00-00 00:00:00', - PRIMARY KEY(id) -); -DROP TABLE IF EXISTS user_field_options; -CREATE TABLE IF NOT EXISTS user_field_options ( - id int NOT NULL auto_increment, - field_id int NOT NULL, - option_value text, - option_display_text varchar(64), - option_order int, - tms DATETIME NOT NULL default '0000-00-00 00:00:00', - PRIMARY KEY (id) -); -DROP TABLE IF EXISTS user_field_values; -CREATE TABLE IF NOT EXISTS user_field_values( - id bigint NOT NULL auto_increment, - user_id int unsigned NOT NULL, - field_id int NOT NULL, - field_value text, - tms DATETIME NOT NULL default '0000-00-00 00:00:00', - PRIMARY KEY(id) -); - -ALTER TABLE user_field_values ADD INDEX (user_id, field_id); - - -INSERT INTO user_field (field_type, field_variable, field_display_text, field_visible, field_changeable) VALUES (1, 'legal_accept','Legal',0,0); -INSERT INTO user_field (field_type, field_variable, field_display_text, field_visible, field_changeable) VALUES (1, 'already_logged_in','Already logged in',0,0); -INSERT INTO user_field (field_type, field_variable, field_display_text, field_visible, field_changeable) VALUES (1, 'update_type','Update script type',0,0); -INSERT INTO user_field (field_type, field_variable, field_display_text, field_visible, field_changeable) VALUES (10, 'tags','tags',0,0); -INSERT INTO user_field (field_type, field_variable, field_display_text, field_visible, field_changeable) VALUES (1, 'rssfeeds','RSS',0,0); -INSERT INTO user_field (field_type, field_variable, field_display_text, field_visible, field_changeable) VALUES (1, 'dashboard', 'Dashboard', 0, 0); -INSERT INTO user_field (field_type, field_variable, field_display_text, field_visible, field_changeable) VALUES (11, 'timezone', 'Timezone', 0, 0); -INSERT INTO user_field (field_type, field_variable, field_display_text, field_visible, field_changeable, field_default_value) values (4, 'mail_notify_invitation', 'MailNotifyInvitation',1,1,'1'); -INSERT INTO user_field (field_type, field_variable, field_display_text, field_visible, field_changeable, field_default_value) values (4, 'mail_notify_message', 'MailNotifyMessage',1,1,'1'); -INSERT INTO user_field (field_type, field_variable, field_display_text, field_visible, field_changeable, field_default_value) values (4, 'mail_notify_group_message','MailNotifyGroupMessage',1,1,'1'); -INSERT INTO user_field (field_type, field_variable, field_display_text, field_visible, field_changeable) VALUES (1, 'user_chat_status','User chat status',0,0); -INSERT INTO user_field (field_type, field_variable, field_display_text, field_visible, field_changeable) VALUES (1, 'google_calendar_url','Google Calendar URL',0,0); - -INSERT INTO user_field_options (field_id, option_value, option_display_text, option_order) values (8, '1', 'AtOnce',1); -INSERT INTO user_field_options (field_id, option_value, option_display_text, option_order) values (8, '8', 'Daily',2); -INSERT INTO user_field_options (field_id, option_value, option_display_text, option_order) values (8, '0', 'No',3); - -INSERT INTO user_field_options (field_id, option_value, option_display_text, option_order) values (9, '1', 'AtOnce',1); -INSERT INTO user_field_options (field_id, option_value, option_display_text, option_order) values (9, '8', 'Daily',2); -INSERT INTO user_field_options (field_id, option_value, option_display_text, option_order) values (9, '0', 'No',3); - -INSERT INTO user_field_options (field_id, option_value, option_display_text, option_order) values (10, '1', 'AtOnce',1); -INSERT INTO user_field_options (field_id, option_value, option_display_text, option_order) values (10, '8', 'Daily',2); -INSERT INTO user_field_options (field_id, option_value, option_display_text, option_order) values (10, '0', 'No',3); - -DROP TABLE IF EXISTS gradebook_result_log; -CREATE TABLE IF NOT EXISTS gradebook_result_log ( - id int NOT NULL auto_increment, - id_result int NOT NULL, - user_id int NOT NULL, - evaluation_id int NOT NULL, - created_at DATETIME NOT NULL default '0000-00-00 00:00:00', - score float unsigned default NULL, - PRIMARY KEY(id) -); - -DROP TABLE IF EXISTS gradebook_linkeval_log; -CREATE TABLE IF NOT EXISTS gradebook_linkeval_log ( - id int NOT NULL auto_increment, - id_linkeval_log int NOT NULL, - name text, - description text, - created_at DATETIME NOT NULL default '0000-00-00 00:00:00', - weight smallint default NULL, - visible tinyint default NULL, - type varchar(20) NOT NULL, - user_id_log int NOT NULL, - PRIMARY KEY (id) -); - --- --- -------------------------------------------------------- --- --- Tables for the access URL feature --- - -DROP TABLE IF EXISTS access_url; -CREATE TABLE IF NOT EXISTS access_url( - id int unsigned NOT NULL auto_increment, - url varchar(255) NOT NULL, - description text, - active int unsigned not null default 0, - created_by int not null, - tms DATETIME NOT NULL default '0000-00-00 00:00:00', - PRIMARY KEY (id) -); - -INSERT INTO access_url(url, description, active, created_by) VALUES ('http://localhost/',' ',1,1); - -DROP TABLE IF EXISTS access_url_rel_user; -CREATE TABLE IF NOT EXISTS access_url_rel_user ( - access_url_id int unsigned NOT NULL, - user_id int unsigned NOT NULL, - PRIMARY KEY (access_url_id, user_id) -); - -ALTER TABLE access_url_rel_user ADD INDEX idx_access_url_rel_user_user (user_id); -ALTER TABLE access_url_rel_user ADD INDEX idx_access_url_rel_user_access_url(access_url_id); -ALTER TABLE access_url_rel_user ADD INDEX idx_access_url_rel_user_access_url_user (user_id,access_url_id); - --- Adding admin to the first portal -INSERT INTO access_url_rel_user VALUES(1, 1); - -DROP TABLE IF EXISTS access_url_rel_course; -CREATE TABLE IF NOT EXISTS access_url_rel_course ( - access_url_id int unsigned NOT NULL, - course_code char(40) NOT NULL, - PRIMARY KEY (access_url_id, course_code) -); - - -DROP TABLE IF EXISTS access_url_rel_session; -CREATE TABLE IF NOT EXISTS access_url_rel_session ( - access_url_id int unsigned NOT NULL, - session_id int unsigned NOT NULL, - PRIMARY KEY (access_url_id, session_id) -); - --- --- Table structure for table sys_calendar --- -DROP TABLE IF EXISTS sys_calendar; -CREATE TABLE IF NOT EXISTS sys_calendar ( - id int unsigned NOT NULL auto_increment, - title varchar(255) NOT NULL, - content text, - start_date datetime NOT NULL default '0000-00-00 00:00:00', - end_date datetime NOT NULL default '0000-00-00 00:00:00', - access_url_id INT NOT NULL default 1, - all_day INT NOT NULL DEFAULT 0, - PRIMARY KEY (id) -); - -DROP TABLE IF EXISTS system_template; -CREATE TABLE IF NOT EXISTS system_template ( - id int UNSIGNED NOT NULL auto_increment, - title varchar(250) NOT NULL, - comment text NOT NULL, - image varchar(250) NOT NULL, - content text NOT NULL, - PRIMARY KEY (id) -); - --- Adding the platform templates - -INSERT INTO system_template (title, comment, image, content) VALUES -('TemplateTitleCourseTitle', 'TemplateTitleCourseTitleDescription', 'coursetitle.gif', ' - - {CSS} - - - - - - - - - - - -
-

TITULUS 1
- TITULUS 2
-

-
- Chamilo logo
-


-
-

- -'); - -/* -INSERT INTO system_template (title, comment, image, content) VALUES -('TemplateTitleCheckList', 'TemplateTitleCheckListDescription', 'checklist.gif', ' - - {CSS} - - - - - - - - - -
-

Lorem ipsum dolor sit amet

-
    -
  • consectetur adipisicing elit
  • -
  • sed do eiusmod tempor incididunt
  • -
  • ut labore et dolore magna aliqua
  • -
- -

Ut enim ad minim veniam

-
    -
  • quis nostrud exercitation ullamco
  • -
  • laboris nisi ut aliquip ex ea commodo consequat
  • -
  • Excepteur sint occaecat cupidatat non proident
  • -
- -

Sed ut perspiciatis unde omnis

-
    -
  • iste natus error sit voluptatem accusantium doloremque laudantium, totam rem aperiam
  • -
  • eaque ipsa quae ab illo inventore veritatis
  • -
  • et quasi architecto beatae vitae dicta sunt explicabo. 
  • -
- -
-

Ut enim ad minima

- Veniam, quis nostrum exercitationem ullam corporis suscipit laboriosam, nisi ut aliquid ex ea commodi consequatur.
-

- trainer

-
-


-
-

- -'); -*/ - -INSERT INTO system_template (title, comment, image, content) VALUES -('TemplateTitleTeacher', 'TemplateTitleTeacherDescription', 'yourinstructor.gif', ' - - {CSS} - - - - - - - - - - - - - - - - -
- -
- Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Duis pellentesque.
-
- trainer
-


-
-

- -'); - - -INSERT INTO system_template (title, comment, image, content) VALUES -('TemplateTitleLeftList', 'TemplateTitleListLeftListDescription', 'leftlist.gif', ' - - {CSS} - - - - - - - - - - - - - - - - - - -
 trainer
-
Lorem - ipsum dolor sit amet. -
- Vivamus - a quam. 
-
- Proin - a est stibulum ante ipsum.
-


-
-

- -'); - -INSERT INTO system_template (title, comment, image, content) VALUES -('TemplateTitleLeftRightList', 'TemplateTitleLeftRightListDescription', 'leftrightlist.gif', ' - - - {CSS} - - - - - - - - - - - - - - - - - - - - - - -
 Trainer
-
Lorem - ipsum dolor sit amet. - - Convallis - ut. Cras dui magna.
- Vivamus - a quam. 
-
- Etiam - lacinia stibulum ante.
-
- Proin - a est stibulum ante ipsum. - Consectetuer - adipiscing elit.
-
-


-
-

- - -'); - -INSERT INTO system_template (title, comment, image, content) VALUES -('TemplateTitleRightList', 'TemplateTitleRightListDescription', 'rightlist.gif', ' - - {CSS} - - - - - - - - - - - - - - - - - - -
trainer
-
- Convallis - ut. Cras dui magna.
- Etiam - lacinia.
-
- Consectetuer - adipiscing elit.
-
-


-
-

- -'); - -/* -INSERT INTO system_template (title, comment, image, content) VALUES -('TemplateTitleComparison', 'TemplateTitleComparisonDescription', 'compare.gif', ' - - {CSS} - - - - - - - - - - - - - - -'); -*/ - -INSERT INTO system_template (title, comment, image, content) VALUES -('TemplateTitleDiagram', 'TemplateTitleDiagramDescription', 'diagram.gif', ' - - {CSS} - - - -
 trainer
-
- Lorem ipsum dolor sit amet. - - Convallis - ut. Cras dui magna.
- - - - - - - - - - - -
-
- Etiam - lacinia stibulum ante. - Convallis - ut. Cras dui magna.
- Alaska chart
- trainer
-


-
-

- -'); - -INSERT INTO system_template (title, comment, image, content) VALUES -('TemplateTitleDesc', 'TemplateTitleCheckListDescription', 'description.gif', ' - - {CSS} - - - - - - - - - - -
- 01
Lorem ipsum dolor sit amet


- 02 -
Ut enim ad minim veniam


- 03Duis aute irure dolor in reprehenderit


- 04Neque porro quisquam est
- Gearbox
-


-
-

- -'); - -/* -INSERT INTO system_template (title, comment, image, content) VALUES -('TemplateTitleObjectives', 'TemplateTitleObjectivesDescription', 'courseobjectives.gif', ' - - {CSS} - - - - - - - - - - - - - -
- trainer
-
-

Lorem ipsum dolor sit amet

-
    -
  • consectetur adipisicing elit
  • -
  • sed do eiusmod tempor incididunt
  • -
  • ut labore et dolore magna aliqua
  • -
-

Ut enim ad minim veniam

-
    -
  • quis nostrud exercitation ullamco
  • -
  • laboris nisi ut aliquip ex ea commodo consequat
  • -
  • Excepteur sint occaecat cupidatat non proident
  • -
-
-


-
-

- -'); -*/ - -INSERT INTO system_template (title, comment, image, content) VALUES -('TemplateTitleCycle', 'TemplateTitleCycleDescription', 'cyclechart.gif', ' - - {CSS} - - - - - - - - - - - - - - - - - - - - - - - - - -
- arrow -
- Lorem ipsum - - Sed ut perspiciatis -
-
    -
  • dolor sit amet
  • -
  • consectetur adipisicing elit
  • -
  • sed do eiusmod tempor 
  • -
  • adipisci velit, sed quia non numquam
  • -
  • eius modi tempora incidunt ut labore et dolore magnam
  • -
-
-
    -
  • ut enim ad minim veniam
  • -
  • quis nostrud exercitation
  • ullamco laboris nisi ut
  • -
  • Quis autem vel eum iure reprehenderit qui in ea
  • -
  • voluptate velit esse quam nihil molestiae consequatur,
  • -
-
- arrow         -
-


-
-

- -'); - -/* -INSERT INTO system_template (title, comment, image, content) VALUES -('TemplateTitleLearnerWonder', 'TemplateTitleLearnerWonderDescription', 'learnerwonder.gif', ' - - {CSS} - - - - - - - - - - - - - - - - - - - -
- learner wonders
-
- Convallis - ut. Cras dui magna.
- Etiam - lacinia stibulum ante.
-
- Consectetuer - adipiscing elit.
-
-


-
-

- -'); -*/ - -INSERT INTO system_template (title, comment, image, content) VALUES -('TemplateTitleTimeline', 'TemplateTitleTimelineDescription', 'phasetimeline.gif', ' - - {CSS} - - - - - - - - - - - - - - - - - - - - - - - - -
Lorem ipsumPerspiciatisNemo enim
-
    -
  • dolor sit amet
  • -
  • consectetur
  • -
  • adipisicing elit
  • -
-
-
- arrow - -
    -
  • ut labore
  • -
  • et dolore
  • -
  • magni dolores
  • -
-
- arrow - -
    -
  • neque porro
  • -
  • quisquam est
  • -
  • qui dolorem  
  • -
-

-
-


-
-

- -'); - -/* -INSERT INTO system_template (title, comment, image, content) VALUES -('TemplateTitleStopAndThink', 'TemplateTitleStopAndThinkDescription', 'stopthink.gif', ' - - {CSS} - - - - - - - - - - - - -
- trainer -
-
-

Attentio sectetur adipisicing elit

-
    -
  • sed do eiusmod tempor incididunt
  • -
  • ut labore et dolore magna aliqua
  • -
  • quis nostrud exercitation ullamco
  • -

-


-
-

- -'); -*/ - -INSERT INTO system_template (title, comment, image, content) VALUES -('TemplateTitleTable', 'TemplateTitleCheckListDescription', 'table.gif', ' - - {CSS} - - - - -
-

A table

- - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
City2005200620072008
Lima10,408,959,199,76
New York18,3917,5216,5716,60
Barcelona0,100,100,050,05
Paris3,383,633,633,54
-
- -'); - -INSERT INTO system_template (title, comment, image, content) VALUES -('TemplateTitleAudio', 'TemplateTitleAudioDescription', 'audiocomment.gif', ' - - {CSS} - - - - - - - - - - - - - - -
-
- - -
- -
-

- image
- trainer
-


-
-

- -'); - -INSERT INTO system_template (title, comment, image, content) VALUES -('TemplateTitleVideo', 'TemplateTitleVideoDescription', 'video.gif', ' - - {CSS} - - - - - - - - - - -
- -
-
- -
- -
- - - -
-
- -
-


-

-

Lorem ipsum dolor sit amet

-
    -
  • consectetur adipisicing elit
  • -
  • sed do eiusmod tempor incididunt
  • -
  • ut labore et dolore magna aliqua
  • -
-

Ut enim ad minim veniam

-
    -
  • quis nostrud exercitation ullamco
  • -
  • laboris nisi ut aliquip ex ea commodo consequat
  • -
  • Excepteur sint occaecat cupidatat non proident
  • -
-
-


-
-

- - -'); - -INSERT INTO system_template (title, comment, image, content) VALUES -('TemplateTitleFlash', 'TemplateTitleFlashDescription', 'flash.gif', ' - - {CSS} - - -
- - - - - - -
-
-
-


-
-

-
- -'); - --- --- Table structure for table user_rel_user --- -DROP TABLE IF EXISTS user_rel_user; -CREATE TABLE IF NOT EXISTS user_rel_user ( - id bigint unsigned not null auto_increment, - user_id int unsigned not null, - friend_user_id int unsigned not null, - relation_type int not null default 0, - last_edit DATETIME, - PRIMARY KEY(id) -); - -ALTER TABLE user_rel_user ADD INDEX idx_user_rel_user__user (user_id); -ALTER TABLE user_rel_user ADD INDEX idx_user_rel_user__friend_user(friend_user_id); -ALTER TABLE user_rel_user ADD INDEX idx_user_rel_user__user_friend_user(user_id,friend_user_id); - --- --- Table structure for table user_friend_relation_type --- -DROP TABLE IF EXISTS user_friend_relation_type; -CREATE TABLE IF NOT EXISTS user_friend_relation_type( - id int unsigned not null auto_increment, - title char(20), - PRIMARY KEY(id) -); - - --- --- Table structure for MD5 API keys for users --- - -DROP TABLE IF EXISTS user_api_key; -CREATE TABLE IF NOT EXISTS user_api_key ( - id int unsigned NOT NULL auto_increment, - user_id int unsigned NOT NULL, - api_key char(32) NOT NULL, - api_service char(10) NOT NULL default 'dokeos', - api_end_point text DEFAULT NULL, - created_date datetime DEFAULT NULL, - validity_start_date datetime DEFAULT NULL, - validity_end_date datetime DEFAULT NULL, - description text DEFAULT NULL, - PRIMARY KEY (id) -); -ALTER TABLE user_api_key ADD INDEX idx_user_api_keys_user (user_id); - --- --- Table structure for table message --- -DROP TABLE IF EXISTS message; -CREATE TABLE IF NOT EXISTS message( - id bigint unsigned not null auto_increment, - user_sender_id int unsigned not null, - user_receiver_id int unsigned not null, - msg_status tinyint unsigned not null default 0, -- 0 read, 1 unread, 3 deleted, 5 pending invitation, 6 accepted invitation, 7 invitation denied - send_date datetime not null default '0000-00-00 00:00:00', - title varchar(255) not null, - content text not null, - group_id int unsigned not null default 0, - parent_id int unsigned not null default 0, - update_date datetime not null default '0000-00-00 00:00:00', - PRIMARY KEY(id) -); -ALTER TABLE message ADD INDEX idx_message_user_sender(user_sender_id); -ALTER TABLE message ADD INDEX idx_message_user_receiver(user_receiver_id); -ALTER TABLE message ADD INDEX idx_message_user_sender_user_receiver(user_sender_id,user_receiver_id); -ALTER TABLE message ADD INDEX idx_message_group(group_id); -ALTER TABLE message ADD INDEX idx_message_parent(parent_id); - -INSERT INTO user_friend_relation_type (id,title) -VALUES -(1,'SocialUnknow'), -(2,'SocialParent'), -(3,'SocialFriend'), -(4,'SocialGoodFriend'), -(5,'SocialEnemy'), -(6,'SocialDeleted'); - --- --- Table structure for table legal (Terms & Conditions) --- - -DROP TABLE IF EXISTS legal; -CREATE TABLE IF NOT EXISTS legal ( - legal_id int NOT NULL auto_increment, - language_id int NOT NULL, - date int NOT NULL default 0, - content text, - type int NOT NULL, - changes text NOT NULL, - version int, - PRIMARY KEY (legal_id,language_id) -); - --- --- Table structure for certificate with gradebook --- - -DROP TABLE IF EXISTS gradebook_certificate; -CREATE TABLE IF NOT EXISTS gradebook_certificate ( - id bigint unsigned not null auto_increment, - cat_id int unsigned not null, - user_id int unsigned not null, - score_certificate float unsigned not null default 0, - created_at DATETIME NOT NULL default '0000-00-00 00:00:00', - path_certificate text null, - PRIMARY KEY(id) -); -ALTER TABLE gradebook_certificate ADD INDEX idx_gradebook_certificate_category_id(cat_id); -ALTER TABLE gradebook_certificate ADD INDEX idx_gradebook_certificate_user_id(user_id); -ALTER TABLE gradebook_certificate ADD INDEX idx_gradebook_certificate_category_id_user_id(cat_id,user_id); - - - --- --- Tables structure for search tool --- - --- specific fields tables -DROP TABLE IF EXISTS specific_field; -CREATE TABLE IF NOT EXISTS specific_field ( - id INT NOT NULL AUTO_INCREMENT PRIMARY KEY , - code char(1) NOT NULL, - name VARCHAR(200) NOT NULL -); - -DROP TABLE IF EXISTS specific_field_values; -CREATE TABLE IF NOT EXISTS specific_field_values ( - id INT NOT NULL AUTO_INCREMENT PRIMARY KEY , - course_code VARCHAR(40) NOT NULL , - tool_id VARCHAR(100) NOT NULL , - ref_id INT NOT NULL , - field_id INT NOT NULL , - value VARCHAR(200) NOT NULL -); -ALTER TABLE specific_field ADD CONSTRAINT unique_specific_field__code UNIQUE (code); - --- search engine references to map dokeos resources - -DROP TABLE IF EXISTS search_engine_ref; -CREATE TABLE IF NOT EXISTS search_engine_ref ( - id INT NOT NULL AUTO_INCREMENT PRIMARY KEY, - course_code VARCHAR( 40 ) NOT NULL, - tool_id VARCHAR( 100 ) NOT NULL, - ref_id_high_level INT NOT NULL, - ref_id_second_level INT NULL, - search_did INT NOT NULL -); - --- --- Table structure for table sessions categories --- - -DROP TABLE IF EXISTS session_category; -CREATE TABLE IF NOT EXISTS session_category ( - id int NOT NULL auto_increment, - name varchar(100) default NULL, - date_start date default NULL, - date_end date default NULL, - access_url_id INT NOT NULL default 1, - PRIMARY KEY (id) -); - - --- --- Table structure for table user tag --- - -DROP TABLE IF EXISTS tag; -CREATE TABLE IF NOT EXISTS tag ( - id int NOT NULL auto_increment, - tag char(255) NOT NULL, - field_id int NOT NULL, - count int NOT NULL, - PRIMARY KEY (id) -); - -DROP TABLE IF EXISTS user_rel_tag; -CREATE TABLE IF NOT EXISTS user_rel_tag ( - id int NOT NULL auto_increment, - user_id int NOT NULL, - tag_id int NOT NULL, - PRIMARY KEY (id) -); - --- --- Table structure for user platform groups --- - -DROP TABLE IF EXISTS groups; -CREATE TABLE IF NOT EXISTS groups ( - id int NOT NULL AUTO_INCREMENT, - name varchar(255) NOT NULL, - description varchar(255) NOT NULL, - picture_uri varchar(255) NOT NULL, - url varchar(255) NOT NULL, - visibility int NOT NULL, - updated_on varchar(255) NOT NULL, - created_on varchar(255) NOT NULL, - PRIMARY KEY (id) -); - -DROP TABLE IF EXISTS group_rel_tag; -CREATE TABLE IF NOT EXISTS group_rel_tag ( - id int NOT NULL AUTO_INCREMENT, - tag_id int NOT NULL, - group_id int NOT NULL, - PRIMARY KEY (id) -); - -ALTER TABLE group_rel_tag ADD INDEX ( group_id ); -ALTER TABLE group_rel_tag ADD INDEX ( tag_id ); - -# DROP TABLE IF EXISTS group_rel_user; -# CREATE TABLE IF NOT EXISTS group_rel_user ( -# id int NOT NULL AUTO_INCREMENT, -# group_id int NOT NULL, -# user_id int NOT NULL, -# relation_type int NOT NULL, -# PRIMARY KEY (id) -# ); -# ALTER TABLE group_rel_user ADD INDEX ( group_id ); -# ALTER TABLE group_rel_user ADD INDEX ( user_id ); -# ALTER TABLE group_rel_user ADD INDEX ( relation_type ); -# -# DROP TABLE IF EXISTS group_rel_group; -# CREATE TABLE IF NOT EXISTS group_rel_group ( -# id int NOT NULL AUTO_INCREMENT, -# group_id int NOT NULL, -# subgroup_id int NOT NULL, -# relation_type int NOT NULL, -# PRIMARY KEY (id) -# ); -# ALTER TABLE group_rel_group ADD INDEX ( group_id ); -# ALTER TABLE group_rel_group ADD INDEX ( subgroup_id ); -# ALTER TABLE group_rel_group ADD INDEX ( relation_type ); - -DROP TABLE IF EXISTS announcement_rel_group; -CREATE TABLE IF NOT EXISTS announcement_rel_group ( - group_id int NOT NULL, - announcement_id int NOT NULL, - PRIMARY KEY (group_id, announcement_id) -); --- --- Table structure for table message attachment --- - -DROP TABLE IF EXISTS message_attachment; -CREATE TABLE IF NOT EXISTS message_attachment ( - id int NOT NULL AUTO_INCREMENT, - path varchar(255) NOT NULL, - comment text, - size int NOT NULL default 0, - message_id int NOT NULL, - filename varchar(255) NOT NULL, - PRIMARY KEY (id) -); - -INSERT INTO course_field (field_type, field_variable, field_display_text, field_default_value, field_visible, field_changeable) values (1, 'special_course', 'Special course', '', 1 , 1); - --- --- Table structure for table block --- - -DROP TABLE IF EXISTS block; -CREATE TABLE IF NOT EXISTS block ( - id INT NOT NULL AUTO_INCREMENT, - name VARCHAR(255) NULL, - description TEXT NULL, - path VARCHAR(255) NOT NULL, - controller VARCHAR(100) NOT NULL, - active TINYINT NOT NULL DEFAULT 1, - PRIMARY KEY(id) -); -ALTER TABLE block ADD UNIQUE(path); - --- --- Structure for table 'course_request' ("Course validation" feature) --- - -DROP TABLE IF EXISTS course_request; -CREATE TABLE IF NOT EXISTS course_request ( - id int NOT NULL AUTO_INCREMENT, - code varchar(40) NOT NULL, - user_id int unsigned NOT NULL default '0', - directory varchar(40) DEFAULT NULL, - db_name varchar(40) DEFAULT NULL, - course_language varchar(20) DEFAULT NULL, - title varchar(250) DEFAULT NULL, - description text, - category_code varchar(40) DEFAULT NULL, - tutor_name varchar(200) DEFAULT NULL, - visual_code varchar(40) DEFAULT NULL, - request_date datetime NOT NULL DEFAULT '0000-00-00 00:00:00', - objetives text, - target_audience text, - status int unsigned NOT NULL default '0', - info int unsigned NOT NULL default '0', - exemplary_content int unsigned NOT NULL default '0', - PRIMARY KEY (id), - UNIQUE KEY code (code) -); - --- --- Structure for Careers, Promotions and Usergroups --- - -DROP TABLE IF EXISTS career; -CREATE TABLE IF NOT EXISTS career ( - id INT NOT NULL AUTO_INCREMENT, - name VARCHAR(255) NOT NULL , - description TEXT NOT NULL, - status INT NOT NULL default '0', - created_at datetime NOT NULL DEFAULT '0000-00-00 00:00:00', - updated_at datetime NOT NULL DEFAULT '0000-00-00 00:00:00', - PRIMARY KEY (id) -); - -DROP TABLE IF EXISTS promotion; -CREATE TABLE IF NOT EXISTS promotion ( - id INT NOT NULL AUTO_INCREMENT, - name VARCHAR(255) NOT NULL , - description TEXT NOT NULL, - career_id INT NOT NULL, - status INT NOT NULL default '0', - created_at datetime NOT NULL DEFAULT '0000-00-00 00:00:00', - updated_at datetime NOT NULL DEFAULT '0000-00-00 00:00:00', - PRIMARY KEY(id) -); - -DROP TABLE IF EXISTS usergroup; -CREATE TABLE IF NOT EXISTS usergroup ( - id INT NOT NULL AUTO_INCREMENT, - name VARCHAR(255) NOT NULL, - description TEXT NOT NULL, - PRIMARY KEY (id) -); - -DROP TABLE IF EXISTS usergroup_rel_user; -CREATE TABLE IF NOT EXISTS usergroup_rel_user ( - id INT PRIMARY KEY NOT NULL AUTO_INCREMENT, - usergroup_id INT NOT NULL, - user_id INT NOT NULL -); - -DROP TABLE IF EXISTS usergroup_rel_course; -CREATE TABLE IF NOT EXISTS usergroup_rel_course ( - id INT PRIMARY KEY NOT NULL AUTO_INCREMENT, - usergroup_id INT NOT NULL, - course_id INT NOT NULL -); - -DROP TABLE IF EXISTS usergroup_rel_session; -CREATE TABLE IF NOT EXISTS usergroup_rel_session ( - id INT PRIMARY KEY NOT NULL AUTO_INCREMENT, - usergroup_id INT NOT NULL, - session_id INT NOT NULL -); - - --- --- Structure for Mail notifications --- - -DROP TABLE IF EXISTS notification; -CREATE TABLE IF NOT EXISTS notification ( - id BIGINT PRIMARY KEY NOT NULL AUTO_INCREMENT, - dest_user_id INT NOT NULL, - dest_mail CHAR(255), - title CHAR(255), - content CHAR(255), - send_freq SMALLINT DEFAULT 1, - created_at DATETIME NOT NULL, - sent_at DATETIME NULL -); - -ALTER TABLE notification ADD index mail_notify_sent_index (sent_at); -ALTER TABLE notification ADD index mail_notify_freq_index (sent_at, send_freq, created_at); - --- Skills management - -DROP TABLE IF EXISTS skill; -CREATE TABLE IF NOT EXISTS skill ( - id int NOT NULL AUTO_INCREMENT, - name varchar(255) NOT NULL, - short_code varchar(100) NOT NULL, - description TEXT NOT NULL, - access_url_id int NOT NULL, - icon varchar(255) NOT NULL, - criteria text DEFAULT '', - PRIMARY KEY (id) -); - -INSERT INTO skill (name) VALUES ('Root'); - -DROP TABLE IF EXISTS skill_rel_gradebook; -CREATE TABLE IF NOT EXISTS skill_rel_gradebook ( - id int NOT NULL AUTO_INCREMENT, - gradebook_id int NOT NULL, - skill_id int NOT NULL, - type varchar(10) NOT NULL, - PRIMARY KEY (id) -); - -DROP TABLE IF EXISTS skill_rel_skill; -CREATE TABLE IF NOT EXISTS skill_rel_skill ( - id int NOT NULL AUTO_INCREMENT, - skill_id int NOT NULL, - parent_id int NOT NULL, - relation_type int NOT NULL, - level int NOT NULL, - PRIMARY KEY (id) -); - -INSERT INTO skill_rel_skill VALUES(1, 1, 0, 0, 0); - -DROP TABLE IF EXISTS skill_rel_user; -CREATE TABLE IF NOT EXISTS skill_rel_user ( - id int NOT NULL AUTO_INCREMENT, - user_id int NOT NULL, - skill_id int NOT NULL, - acquired_skill_at datetime NOT NULL DEFAULT '0000-00-00 00:00:00', - assigned_by int NOT NULL, - course_id INT NOT NULL DEFAULT 0, - session_id INT NOT NULL DEFAULT 0, - PRIMARY KEY (id) -); -ALTER TABLE skill_rel_user ADD INDEX idx_select_cs (course_id, session_id); - -DROP TABLE IF EXISTS skill_profile; -CREATE TABLE IF NOT EXISTS skill_profile ( - id INTEGER NOT NULL AUTO_INCREMENT, - name VARCHAR(255) NOT NULL, - description TEXT NOT NULL, - PRIMARY KEY (id) -); - -DROP TABLE IF EXISTS skill_rel_profile; -CREATE TABLE IF NOT EXISTS skill_rel_profile ( - id INTEGER NOT NULL AUTO_INCREMENT, - skill_id INTEGER NOT NULL, - profile_id INTEGER NOT NULL, - PRIMARY KEY (id) -); - --- --- Table structure for event email sending --- -DROP TABLE IF EXISTS event_email_template; -CREATE TABLE event_email_template ( - id int NOT NULL AUTO_INCREMENT, - message text, - subject varchar(255) DEFAULT NULL, - event_type_name varchar(255) DEFAULT NULL, - activated tinyint NOT NULL DEFAULT '0', - language_id int DEFAULT NULL, - PRIMARY KEY (id) -); -ALTER TABLE event_email_template ADD INDEX event_name_index (event_type_name); - -DROP TABLE IF EXISTS event_sent; -CREATE TABLE event_sent ( - id int NOT NULL AUTO_INCREMENT, - user_from int NOT NULL, - user_to int DEFAULT NULL, - event_type_name varchar(100) DEFAULT NULL, - PRIMARY KEY (id) -); -ALTER TABLE event_sent ADD INDEX event_name_index (event_type_name); - -DROP TABLE IF EXISTS user_rel_event_type; -CREATE TABLE user_rel_event_type ( - id int NOT NULL AUTO_INCREMENT, - user_id int NOT NULL, - event_type_name varchar(255) NOT NULL, - PRIMARY KEY (id) -); -ALTER TABLE user_rel_event_type ADD INDEX event_name_index (event_type_name); - --- Course ranking - -DROP TABLE IF EXISTS track_course_ranking; -CREATE TABLE IF NOT EXISTS track_course_ranking ( - id int unsigned not null PRIMARY KEY AUTO_INCREMENT, - c_id int unsigned not null, - session_id int unsigned not null default 0, - url_id int unsigned not null default 0, - accesses int unsigned not null default 0, - total_score int unsigned not null default 0, - users int unsigned not null default 0, - creation_date datetime not null -); - -ALTER TABLE track_course_ranking ADD INDEX idx_tcc_cid (c_id); -ALTER TABLE track_course_ranking ADD INDEX idx_tcc_sid (session_id); -ALTER TABLE track_course_ranking ADD INDEX idx_tcc_urlid (url_id); -ALTER TABLE track_course_ranking ADD INDEX idx_tcc_creation_date (creation_date); - -DROP TABLE IF EXISTS user_rel_course_vote; -CREATE TABLE IF NOT EXISTS user_rel_course_vote ( - id int unsigned not null AUTO_INCREMENT PRIMARY KEY, - c_id int unsigned not null, - user_id int unsigned not null, - session_id int unsigned not null default 0, - url_id int unsigned not null default 0, - vote int unsigned not null default 0 -); - -ALTER TABLE user_rel_course_vote ADD INDEX idx_ucv_cid (c_id); -ALTER TABLE user_rel_course_vote ADD INDEX idx_ucv_uid (user_id); -ALTER TABLE user_rel_course_vote ADD INDEX idx_ucv_cuid (user_id, c_id); - --- Global chat -DROP TABLE IF EXISTS chat; -CREATE TABLE IF NOT EXISTS chat ( - id INTEGER UNSIGNED NOT NULL AUTO_INCREMENT, - from_user INTEGER, - to_user INTEGER, - message TEXT NOT NULL, - sent DATETIME NOT NULL DEFAULT '0000-00-00 00:00:00', - recd INTEGER UNSIGNED NOT NULL DEFAULT 0, - PRIMARY KEY (id) -); - -ALTER TABLE chat ADD INDEX idx_chat_to_user (to_user); -ALTER TABLE chat ADD INDEX idx_chat_from_user (from_user); - --- Grade Model -DROP TABLE IF EXISTS grade_model; -CREATE TABLE grade_model ( - id INTEGER NOT NULL AUTO_INCREMENT, - name VARCHAR(255) NOT NULL, - description TEXT, - default_lowest_eval_exclude TINYINT default null, - default_external_eval TINYINT default null, - default_external_eval_prefix VARCHAR(140) default null, - PRIMARY KEY (id) -); - -DROP TABLE IF EXISTS grade_components; -CREATE TABLE grade_components ( - id INTEGER NOT NULL AUTO_INCREMENT, - percentage VARCHAR(255) NOT NULL, - title VARCHAR(255) NOT NULL, - acronym VARCHAR(255) NOT NULL, - grade_model_id INTEGER NOT NULL, - PRIMARY KEY (id) -); - -ALTER TABLE gradebook_category ADD COLUMN grade_model_id INT DEFAULT 0; - -DROP TABLE IF EXISTS course_type; -CREATE TABLE course_type ( - id int unsigned not null auto_increment primary key, - name varchar(50) not null, - translation_var char(40) default 'UndefinedCourseTypeLabel', - description TEXT default '', - props text default '' -); - -INSERT INTO course_type (id, name) VALUES (1, 'All tools'); -INSERT INTO course_type (id, name) VALUES (2, 'Entry exam'); - -ALTER TABLE course add course_type_id int unsigned default 1; - -DROP TABLE IF EXISTS usergroup_rel_question; -CREATE TABLE usergroup_rel_question ( - id int unsigned not null auto_increment primary key, - c_id int unsigned not null, - question_id int unsigned not null, - usergroup_id int unsigned not null, - coefficient float(6,2) -); - --- 1.10.x-specific, non-course-related, database changes --- some changes to previous structure might have been applied to the tables --- creation statements above to increase efficiency - --- Hook tables -CREATE TABLE IF NOT EXISTS hook_observer( - id int UNSIGNED NOT NULL AUTO_INCREMENT, - class_name varchar(255) UNIQUE, - path varchar(255) NOT NULL, - plugin_name varchar(255) NULL, - PRIMARY KEY PK_hook_management_hook_observer(id) -); -CREATE TABLE IF NOT EXISTS hook_event( - id int UNSIGNED NOT NULL AUTO_INCREMENT, - class_name varchar(255) UNIQUE, - description varchar(255), - PRIMARY KEY PK_hook_management_hook_event(id) -); -CREATE TABLE IF NOT EXISTS hook_call( - id int UNSIGNED NOT NULL AUTO_INCREMENT, - hook_event_id int UNSIGNED NOT NULL, - hook_observer_id int UNSIGNED NOT NULL, - type tinyint NOT NULL, - hook_order int UNSIGNED NOT NULL, - enabled tinyint NOT NULL, - PRIMARY KEY PK_hook_management_hook_call(id) -); - --- --- Table structure for table course_field_options --- - -CREATE TABLE course_field_options ( - id INT NOT NULL PRIMARY KEY AUTO_INCREMENT, - field_id INT NOT NULL, - option_value TEXT, - option_display_text VARCHAR(64), - option_order INT, - tms DATETIME -); - --- --- Table structure for table session_field_options --- - -CREATE TABLE session_field_options ( - id INT NOT NULL PRIMARY KEY AUTO_INCREMENT, - field_id INT NOT NULL, - option_value TEXT, - option_display_text VARCHAR(64), - option_order INT, - tms DATETIME -); - - -DROP TABLE IF EXISTS personal_agenda; -CREATE TABLE personal_agenda ( - id int NOT NULL auto_increment, - user int unsigned, - title text, - `text` text, - `date` datetime DEFAULT NULL, - enddate datetime DEFAULT NULL, - course varchar(255), - parent_event_id int NULL, - all_day int NOT NULL DEFAULT 0, - PRIMARY KEY id (id) -); - -DROP TABLE IF EXISTS personal_agenda_repeat; -CREATE TABLE personal_agenda_repeat ( - cal_id INT DEFAULT 0 NOT NULL, - cal_type VARCHAR(20), - cal_end INT, - cal_frequency INT DEFAULT 1, - cal_days CHAR(7), - PRIMARY KEY (cal_id) -); - -DROP TABLE IF EXISTS personal_agenda_repeat_not; -CREATE TABLE personal_agenda_repeat_not ( - cal_id INT NOT NULL, - cal_date INT NOT NULL, - PRIMARY KEY ( cal_id, cal_date ) -); - -DROP TABLE IF EXISTS user_course_category; -CREATE TABLE user_course_category ( - id int unsigned NOT NULL auto_increment, - user_id int unsigned NOT NULL default 0, - title text NOT NULL, - sort int, - PRIMARY KEY (id) -); - -ALTER TABLE personal_agenda ADD INDEX idx_personal_agenda_user (user); -ALTER TABLE personal_agenda ADD INDEX idx_personal_agenda_parent (parent_event_id); -ALTER TABLE user_course_category ADD INDEX idx_user_c_cat_uid (user_id); - -DROP TABLE IF EXISTS track_c_browsers; -CREATE TABLE track_c_browsers ( - id int NOT NULL auto_increment, - browser varchar(255) NOT NULL default '', - counter int NOT NULL default 0, - PRIMARY KEY (id) -); - -DROP TABLE IF EXISTS track_c_countries; -CREATE TABLE track_c_countries ( - id int NOT NULL auto_increment, - code varchar(40) NOT NULL default '', - country varchar(50) NOT NULL default '', - counter int NOT NULL default 0, - PRIMARY KEY (id) -); - -DROP TABLE IF EXISTS track_c_os; -CREATE TABLE track_c_os ( - id int NOT NULL auto_increment, - os varchar(255) NOT NULL default '', - counter int NOT NULL default 0, - PRIMARY KEY (id) -); - -DROP TABLE IF EXISTS track_c_providers; -CREATE TABLE track_c_providers ( - id int NOT NULL auto_increment, - provider varchar(255) NOT NULL default '', - counter int NOT NULL default 0, - PRIMARY KEY (id) -); - -DROP TABLE IF EXISTS track_c_referers; -CREATE TABLE track_c_referers ( - id int NOT NULL auto_increment, - referer varchar(255) NOT NULL default '', - counter int NOT NULL default 0, - PRIMARY KEY (id) -); - -DROP TABLE IF EXISTS track_e_access; -CREATE TABLE track_e_access ( - access_id int NOT NULL auto_increment, - access_user_id int unsigned default NULL, - access_date datetime NOT NULL, - c_id int not null, - access_tool varchar(30) default NULL, - access_session_id int NOT NULL default 0, - user_ip varchar(39) NOT NULL default '', - PRIMARY KEY (access_id), - KEY access_user_id (access_user_id), - KEY access_c_id (c_id) -); - -DROP TABLE IF EXISTS track_e_lastaccess; -CREATE TABLE track_e_lastaccess ( - access_id bigint NOT NULL auto_increment, - access_user_id int unsigned default NULL, - access_date datetime NOT NULL, - c_id int not null, - access_tool varchar(30) default NULL, - access_session_id int unsigned default NULL, - PRIMARY KEY (access_id), - KEY access_user_id (access_user_id), - KEY access_c_id (c_id), - KEY access_session_id (access_session_id) -); - -DROP TABLE IF EXISTS track_e_default; -CREATE TABLE track_e_default ( - default_id int NOT NULL auto_increment, - default_user_id int unsigned NOT NULL default 0, - c_id int default NULL, - default_date datetime NOT NULL, - default_event_type varchar(20) NOT NULL default '', - default_value_type varchar(20) NOT NULL default '', - default_value text NOT NULL, - session_id INT DEFAULT NULL, - PRIMARY KEY (default_id) -); - -DROP TABLE IF EXISTS track_e_downloads; -CREATE TABLE track_e_downloads ( - down_id int NOT NULL auto_increment, - down_user_id int unsigned default NULL, - down_date datetime NOT NULL, - c_id int NOT NULL, - down_doc_path varchar(255) NOT NULL default '', - down_session_id INT NOT NULL DEFAULT 0, - PRIMARY KEY (down_id), - KEY idx_ted_user_id (down_user_id), - KEY idx_ted_c_id (c_id) -); - -DROP TABLE IF EXISTS track_e_exercises; -CREATE TABLE track_e_exercises ( - exe_id int NOT NULL auto_increment, - exe_user_id int unsigned default NULL, - exe_date datetime NOT NULL default '0000-00-00 00:00:00', - c_id int NOT NULL, - exe_exo_id mediumint unsigned NOT NULL default 0, - exe_result float(6,2) NOT NULL default 0, - exe_weighting float(6,2) NOT NULL default 0, - user_ip varchar(39) NOT NULL default '', - PRIMARY KEY (exe_id), - KEY idx_tee_user_id (exe_user_id), - KEY idx_tee_c_id (c_id) -); - -ALTER TABLE track_e_exercises ADD status varchar(20) NOT NULL default ''; -ALTER TABLE track_e_exercises ADD data_tracking text NOT NULL default ''; -ALTER TABLE track_e_exercises ADD start_date datetime NOT NULL default '0000-00-00 00:00:00'; -ALTER TABLE track_e_exercises ADD steps_counter SMALLINT UNSIGNED NOT NULL default 0; -ALTER TABLE track_e_exercises ADD session_id SMALLINT UNSIGNED NOT NULL default 0; -ALTER TABLE track_e_exercises ADD INDEX ( session_id ) ; -ALTER TABLE track_e_exercises ADD orig_lp_id int NOT NULL default 0; -ALTER TABLE track_e_exercises ADD orig_lp_item_id int NOT NULL default 0; -ALTER TABLE track_e_exercises ADD exe_duration int UNSIGNED NOT NULL default 0; -ALTER TABLE track_e_exercises ADD COLUMN expired_time_control datetime NOT NULL DEFAULT '0000-00-00 00:00:00'; -ALTER TABLE track_e_exercises ADD COLUMN orig_lp_item_view_id INT NOT NULL DEFAULT 0; -ALTER TABLE track_e_exercises ADD COLUMN questions_to_check TEXT NOT NULL DEFAULT ''; - -DROP TABLE IF EXISTS track_e_attempt; -CREATE TABLE track_e_attempt ( - id INT NOT NULL AUTO_INCREMENT PRIMARY KEY, - exe_id int default NULL, - user_id int NOT NULL default 0, - question_id int NOT NULL default 0, - answer text NOT NULL, - teacher_comment text NOT NULL, - marks float(6,2) NOT NULL default 0, - course_code varchar(40) NOT NULL default '', - c_id int NOT NULL, - position int default 0, - tms datetime NOT NULL default '0000-00-00 00:00:00', - session_id INT NOT NULL DEFAULT 0, - filename VARCHAR(255) DEFAULT NULL -); -ALTER TABLE track_e_attempt ADD INDEX (exe_id); -ALTER TABLE track_e_attempt ADD INDEX (user_id); -ALTER TABLE track_e_attempt ADD INDEX (question_id); -ALTER TABLE track_e_attempt ADD INDEX (session_id); - -DROP TABLE IF EXISTS track_e_attempt_recording; -CREATE TABLE track_e_attempt_recording ( - id INT NOT NULL AUTO_INCREMENT PRIMARY KEY, - exe_id int unsigned NOT NULL, - question_id int unsigned NOT NULL, - marks int NOT NULL, - insert_date datetime NOT NULL default '0000-00-00 00:00:00', - author int unsigned NOT NULL, - teacher_comment text NOT NULL, - session_id INT NOT NULL DEFAULT 0 -); -ALTER TABLE track_e_attempt_recording ADD INDEX (exe_id); -ALTER TABLE track_e_attempt_recording ADD INDEX (question_id); -ALTER TABLE track_e_attempt_recording ADD INDEX (session_id); - -DROP TABLE IF EXISTS track_e_hotpotatoes; -CREATE TABLE track_e_hotpotatoes ( - id INT NOT NULL AUTO_INCREMENT PRIMARY KEY, - exe_name VARCHAR( 255 ) NOT NULL , - exe_user_id int unsigned DEFAULT NULL , - exe_date DATETIME DEFAULT '0000-00-00 00:00:00' NOT NULL , - c_id int NOT NULL, - exe_result smallint default 0 NOT NULL , - exe_weighting smallint default 0 NOT NULL, - KEY idx_tehp_user_id (exe_user_id), - KEY idx_tehp_c_id (c_id) -); - -DROP TABLE IF EXISTS track_e_links; -CREATE TABLE track_e_links ( - links_id int NOT NULL auto_increment, - links_user_id int unsigned default NULL, - links_date datetime NOT NULL default '0000-00-00 00:00:00', - c_id int NOT NULL, - links_link_id int NOT NULL default 0, - links_session_id INT NOT NULL DEFAULT 0, - PRIMARY KEY (links_id), - KEY idx_tel_c_id (c_id), - KEY idx_tel_user_id (links_user_id) -); - -DROP TABLE IF EXISTS track_e_login; -CREATE TABLE track_e_login ( - login_id int NOT NULL auto_increment, - login_user_id int unsigned NOT NULL default 0, - login_date datetime NOT NULL default '0000-00-00 00:00:00', - user_ip varchar(39) NOT NULL default '', - logout_date datetime NULL default NULL, - PRIMARY KEY (login_id), - KEY login_user_id (login_user_id) -); - -DROP TABLE IF EXISTS track_e_online; -CREATE TABLE track_e_online ( - login_id int NOT NULL auto_increment, - login_user_id int unsigned NOT NULL default 0, - login_date datetime NOT NULL default '0000-00-00 00:00:00', - user_ip varchar(39) NOT NULL default '', - c_id int NOT NULL, - session_id INT NOT NULL DEFAULT 0, - access_url_id INT NOT NULL DEFAULT 1, - PRIMARY KEY (login_id), - KEY login_user_id (login_user_id) -); -DROP TABLE IF EXISTS track_e_open; -CREATE TABLE track_e_open ( - open_id int NOT NULL auto_increment, - open_remote_host tinytext NOT NULL, - open_agent tinytext NOT NULL, - open_referer tinytext NOT NULL, - open_date datetime NOT NULL default '0000-00-00 00:00:00', - PRIMARY KEY (open_id) -); - -DROP TABLE IF EXISTS track_e_uploads; -CREATE TABLE track_e_uploads ( - upload_id int NOT NULL auto_increment, - upload_user_id int unsigned default NULL, - upload_date datetime NOT NULL default '0000-00-00 00:00:00', - upload_cours_id varchar(40) NOT NULL default '', - c_id int unsigned default NULL, - upload_work_id int NOT NULL default 0, - upload_session_id INT NOT NULL DEFAULT 0, - PRIMARY KEY (upload_id), - KEY upload_user_id (upload_user_id), - KEY upload_cours_id (upload_cours_id) -); - -DROP TABLE IF EXISTS track_e_course_access; -CREATE TABLE track_e_course_access ( - course_access_id int NOT NULL auto_increment, - c_id int NOT NULL, - user_id int NOT NULL, - login_course_date datetime NOT NULL default '0000-00-00 00:00:00', - logout_course_date datetime default NULL, - counter int NOT NULL, - session_id int NOT NULL default 0, - user_ip varchar(39) NOT NULL default '', - PRIMARY KEY (course_access_id) -); - -DROP TABLE IF EXISTS track_e_hotspot; -CREATE TABLE track_e_hotspot ( - hotspot_id int NOT NULL auto_increment, - hotspot_user_id int NOT NULL, - hotspot_course_code varchar(50) NOT NULL, - c_id int unsigned default NULL, - hotspot_exe_id int NOT NULL, - hotspot_question_id int NOT NULL, - hotspot_answer_id int NOT NULL, - hotspot_correct tinyint(3) unsigned NOT NULL, - hotspot_coordinate text NOT NULL, - PRIMARY KEY (hotspot_id), - KEY hotspot_course_code (hotspot_course_code), - KEY hotspot_user_id (hotspot_user_id), - KEY hotspot_exe_id (hotspot_exe_id), - KEY hotspot_question_id (hotspot_question_id) -); - -DROP TABLE IF EXISTS track_e_item_property; - -CREATE TABLE track_e_item_property ( - id int NOT NULL auto_increment PRIMARY KEY, - course_id int NOT NULL, - item_property_id int NOT NULL, - title varchar(255), - content text, - progress int NOT NULL default 0, - lastedit_date datetime NOT NULL default '0000-00-00 00:00:00', - lastedit_user_id int NOT NULL, - session_id int NOT NULL default 0 -); - -ALTER TABLE track_e_course_access ADD INDEX (user_id); -ALTER TABLE track_e_course_access ADD INDEX (login_course_date); -ALTER TABLE track_e_course_access ADD INDEX (session_id); -ALTER TABLE track_e_access ADD INDEX (access_session_id); - -ALTER TABLE track_e_online ADD INDEX (session_id); - -ALTER TABLE track_e_item_property ADD INDEX (course_id, item_property_id, session_id); -ALTER TABLE track_e_downloads ADD INDEX (down_session_id); -ALTER TABLE track_e_links ADD INDEX (links_session_id); -ALTER TABLE track_e_uploads ADD INDEX (upload_session_id); - --- --- Table structure for LP custom storage API --- -DROP TABLE IF EXISTS track_stored_values; -CREATE TABLE IF NOT EXISTS track_stored_values ( - id int unsigned not null AUTO_INCREMENT PRIMARY KEY, - user_id INT NOT NULL, - sco_id INT NOT NULL, - course_id CHAR(40) NOT NULL, - sv_key CHAR(64) NOT NULL, - sv_value TEXT NOT NULL -); -ALTER TABLE track_stored_values ADD KEY (user_id, sco_id, course_id, sv_key); -ALTER TABLE track_stored_values ADD UNIQUE (user_id, sco_id, course_id, sv_key); - -DROP TABLE IF EXISTS track_stored_value_stack; -CREATE TABLE IF NOT EXISTS track_stored_values_stack ( - id int unsigned not null AUTO_INCREMENT PRIMARY KEY, - user_id INT NOT NULL, - sco_id INT NOT NULL, - stack_order INT NOT NULL, - course_id CHAR(40) NOT NULL, - sv_key CHAR(64) NOT NULL, - sv_value TEXT NOT NULL -); -ALTER TABLE track_stored_values_stack ADD KEY (user_id, sco_id, course_id, sv_key, stack_order); -ALTER TABLE track_stored_values_stack ADD UNIQUE (user_id, sco_id, course_id, sv_key, stack_order); - -DROP TABLE IF EXISTS track_e_attempt_coeff; -CREATE TABLE track_e_attempt_coeff ( - id int unsigned not null auto_increment primary key, - attempt_id INT NOT NULL, - marks_coeff float(6,2) -); - --- Course - - -CREATE TABLE c_announcement( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - title text, - content mediumtext, - end_date date default NULL, - display_order mediumint NOT NULL default 0, - email_sent tinyint default 0, - session_id int default 0, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_announcement ADD INDEX ( session_id ); - -CREATE TABLE c_announcement_attachment ( - id int NOT NULL auto_increment, - c_id INT NOT NULL, - path varchar(255) NOT NULL, - comment text, - size int NOT NULL default 0, - announcement_id int NOT NULL, - filename varchar(255) NOT NULL, - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_resource ( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - source_type varchar(50) default NULL, - source_id int unsigned default NULL, - resource_type varchar(50) default NULL, - resource_id int unsigned default NULL, - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_userinfo_content ( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - user_id int unsigned NOT NULL, - definition_id int unsigned NOT NULL, - editor_ip varchar(39) default NULL, - edition_time datetime default NULL, - content text NOT NULL, - PRIMARY KEY (id, c_id), - KEY user_id (user_id) -); - -CREATE TABLE c_userinfo_def ( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - title varchar(80) NOT NULL default '', - comment text, - line_count tinyint unsigned NOT NULL default 5, - rank tinyint unsigned NOT NULL default 0, - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_forum_category( - cat_id int NOT NULL auto_increment, - c_id INT NOT NULL, - cat_title varchar(255) NOT NULL default '', - cat_comment text, - cat_order int NOT NULL default 0, - locked int NOT NULL default 0, - session_id int unsigned NOT NULL default 0, - PRIMARY KEY (cat_id, c_id) -); - -ALTER TABLE c_forum_category ADD INDEX ( session_id ); - -CREATE TABLE c_forum_forum( - forum_id int NOT NULL auto_increment, - c_id INT NOT NULL, - forum_title varchar(255) NOT NULL default '', - forum_comment text, - forum_threads int default 0, - forum_posts int default 0, - forum_last_post int default 0, - forum_category int default NULL, - allow_anonymous int default NULL, - allow_edit int default NULL, - approval_direct_post varchar(20) default NULL, - allow_attachments int default NULL, - allow_new_threads int default NULL, - default_view varchar(20) default NULL, - forum_of_group varchar(20) default NULL, - forum_group_public_private varchar(20) default 'public', - forum_order int default NULL, - locked int NOT NULL default 0, - session_id int NOT NULL default 0, - forum_image varchar(255) NOT NULL default '', - start_time datetime NOT NULL default '0000-00-00 00:00:00', - end_time datetime NOT NULL default '0000-00-00 00:00:00', - PRIMARY KEY (forum_id, c_id) -); - -CREATE TABLE c_forum_thread ( - thread_id int NOT NULL auto_increment, - c_id INT NOT NULL, - thread_title varchar(255) default NULL, - forum_id int default NULL, - thread_replies int UNSIGNED default 0, - thread_poster_id int default NULL, - thread_poster_name varchar(100) default '', - thread_views int UNSIGNED default 0, - thread_last_post int default NULL, - thread_date datetime default '0000-00-00 00:00:00', - thread_sticky tinyint unsigned default 0, - locked int NOT NULL default 0, - session_id int unsigned default NULL, - thread_title_qualify varchar(255) default '', - thread_qualify_max float(6,2) UNSIGNED NOT NULL default 0, - thread_close_date datetime default '0000-00-00 00:00:00', - thread_weight float(6,2) UNSIGNED NOT NULL default 0, - PRIMARY KEY (thread_id, c_id) -); - -ALTER TABLE c_forum_thread ADD INDEX idx_forum_thread_forum_id (forum_id); - -CREATE TABLE c_forum_post ( - post_id int NOT NULL auto_increment, - c_id INT NOT NULL, - post_title varchar(250) default NULL, - post_text text, - thread_id int default 0, - forum_id int default 0, - poster_id int default 0, - poster_name varchar(100) default '', - post_date datetime default '0000-00-00 00:00:00', - post_notification tinyint default 0, - post_parent_id int default 0, - visible tinyint default 1, - PRIMARY KEY (post_id, c_id), - KEY poster_id (poster_id), - KEY forum_id (forum_id) -); - -ALTER TABLE c_forum_post ADD INDEX idx_forum_post_thread_id (thread_id); -ALTER TABLE c_forum_post ADD INDEX idx_forum_post_visible (visible); - -CREATE TABLE c_forum_mailcue ( - id int NOT NULL auto_increment, - c_id INT NOT NULL, - user_id int default NULL, - thread_id int default NULL, - post_id int default NULL, - PRIMARY KEY (id, c_id, thread_id, user_id, post_id ) -); - -CREATE TABLE c_forum_attachment ( - id int NOT NULL auto_increment, - c_id INT NOT NULL, - path varchar(255) NOT NULL, - comment text, - size int NOT NULL default 0, - post_id int NOT NULL, - filename varchar(255) NOT NULL, - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_forum_notification( - id int NOT NULL auto_increment, - c_id INT NOT NULL, - user_id int, - forum_id int, - thread_id int, - post_id int, - KEY user_id (user_id), - KEY forum_id (forum_id), - PRIMARY KEY (id, c_id, user_id, forum_id, thread_id, post_id ) -); - -CREATE TABLE c_forum_thread_qualify ( - id int unsigned AUTO_INCREMENT, - c_id INT NOT NULL, - user_id int unsigned NOT NULL, - thread_id int NOT NULL, - qualify float(6,2) NOT NULL default 0, - qualify_user_id int default NULL, - qualify_time datetime default '0000-00-00 00:00:00', - session_id int default NULL, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_forum_thread_qualify ADD INDEX (user_id, thread_id); - -CREATE TABLE c_forum_thread_qualify_log ( - id int unsigned AUTO_INCREMENT, - c_id INT NOT NULL, - user_id int unsigned NOT NULL, - thread_id int NOT NULL, - qualify float(6,2) NOT NULL default 0, - qualify_user_id int default NULL, - qualify_time datetime default '0000-00-00 00:00:00', - session_id int default NULL, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_forum_thread_qualify_log ADD INDEX (user_id, thread_id); - -CREATE TABLE c_quiz ( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - title varchar(255) NOT NULL, - description text default NULL, - sound varchar(255) default NULL, - type tinyint unsigned NOT NULL default 1, - random int NOT NULL default 0, - random_answers tinyint unsigned NOT NULL default 0, - active tinyint NOT NULL default 0, - results_disabled INT UNSIGNED NOT NULL DEFAULT 0, - access_condition TEXT DEFAULT NULL, - max_attempt int NOT NULL default 0, - start_time datetime NOT NULL default '0000-00-00 00:00:00', - end_time datetime NOT NULL default '0000-00-00 00:00:00', - feedback_type int NOT NULL default 0, - expired_time int NOT NULL default '0', - session_id int default 0, - propagate_neg INT NOT NULL DEFAULT 0, - review_answers INT NOT NULL DEFAULT 0, - random_by_category INT NOT NULL DEFAULT 0, - text_when_finished TEXT default NULL, - display_category_name INT NOT NULL DEFAULT 1, - pass_percentage INT DEFAULT NULL, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_quiz ADD INDEX ( session_id ); - -CREATE TABLE c_quiz_question( - id int unsigned NOT NULL auto_increment, - question TEXT NOT NULL, - description text default NULL, - ponderation float(6,2) NOT NULL default 0, - position mediumint unsigned NOT NULL default 1, - type tinyint unsigned NOT NULL default 2, - picture varchar(50) default NULL, - level int unsigned NOT NULL default 0, - extra varchar(255) default NULL, - question_code char(10) default '', - c_id INT NOT NULL, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_quiz_question ADD INDEX (position); - -CREATE TABLE c_quiz_answer( - id int unsigned NOT NULL, - c_id INT NOT NULL, - id_auto int NOT NULL AUTO_INCREMENT, - question_id int unsigned NOT NULL, - answer text NOT NULL, - correct mediumint unsigned default NULL, - comment text default NULL, - ponderation float(6,2) NOT NULL default 0, - position mediumint unsigned NOT NULL default 1, - hotspot_coordinates text, - hotspot_type varchar(40) default NULL, - destination text NOT NULL, - answer_code char(10) default '', - PRIMARY KEY (id_auto, c_id) -); - -CREATE TABLE c_quiz_question_option ( - id int NOT NULL auto_increment, - c_id INT NOT NULL, - question_id int NOT NULL, - name varchar(255), - position int unsigned NOT NULL, - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_quiz_rel_question ( - c_id INT NOT NULL, - question_id int unsigned NOT NULL, - exercice_id int unsigned NOT NULL, - question_order int unsigned NOT NULL default 1, - PRIMARY KEY (c_id, question_id, exercice_id) -); - -CREATE TABLE c_quiz_question_category ( - id int NOT NULL AUTO_INCREMENT, - c_id INT NOT NULL, - title varchar(255) NOT NULL, - description text NOT NULL, - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_quiz_question_rel_category ( - c_id INT NOT NULL, - question_id int NOT NULL, - category_id int NOT NULL, - PRIMARY KEY (c_id,question_id) -); - -CREATE TABLE c_course_description( - id int UNSIGNED NOT NULL auto_increment, - c_id INT NOT NULL, - title VARCHAR(255), - content TEXT, - session_id int default 0, - description_type tinyint unsigned NOT NULL default 0, - progress INT NOT NULL default 0, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_course_description ADD INDEX ( session_id ); - -CREATE TABLE c_tool( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - name varchar(255) NOT NULL, - link varchar(255) NOT NULL, - image varchar(255) default NULL, - visibility tinyint unsigned default 0, - admin varchar(255) default NULL, - address varchar(255) default NULL, - added_tool tinyint unsigned default 1, - target varchar(20) NOT NULL default '_self', - category varchar(20) not null default 'authoring', - session_id int default 0, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_tool ADD INDEX ( session_id ); - -CREATE TABLE c_calendar_event( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - title varchar(255) NOT NULL, - content text, - start_date datetime NOT NULL default '0000-00-00 00:00:00', - end_date datetime NOT NULL default '0000-00-00 00:00:00', - parent_event_id INT NULL, - session_id int unsigned NOT NULL default 0, - all_day INT NOT NULL DEFAULT 0, - comment TEXT, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_calendar_event ADD INDEX ( session_id ); - -CREATE TABLE c_calendar_event_repeat( - c_id INT NOT NULL, - cal_id INT DEFAULT 0 NOT NULL, - cal_type VARCHAR(20), - cal_end INT, - cal_frequency INT DEFAULT 1, - cal_days CHAR(7), - PRIMARY KEY (c_id, cal_id) -); - -CREATE TABLE c_calendar_event_repeat_not ( - c_id INT NOT NULL, - cal_id INT NOT NULL, - cal_date INT NOT NULL, - PRIMARY KEY (c_id, cal_id, cal_date ) -); - -CREATE TABLE c_calendar_event_attachment ( - id int NOT NULL auto_increment, - c_id INT NOT NULL, - path varchar(255) NOT NULL, - comment text, - size int NOT NULL default 0, - agenda_id int NOT NULL, - filename varchar(255) NOT NULL, - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_document ( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - path varchar(255) NOT NULL default '', - comment text, - title varchar(255) default NULL, - filetype set('file','folder') NOT NULL default 'file', - size int NOT NULL default 0, - readonly TINYINT UNSIGNED NOT NULL, - session_id int UNSIGNED NOT NULL default 0, - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_student_publication ( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - url varchar(255) default NULL, - title varchar(255) default NULL, - description text default NULL, - author varchar(255) default NULL, - active tinyint default NULL, - accepted tinyint default 0, - post_group_id int DEFAULT 0 NOT NULL, - sent_date datetime NOT NULL default '0000-00-00 00:00:00', - filetype set('file','folder') NOT NULL default 'file', - has_properties int UNSIGNED NOT NULL DEFAULT 0, - view_properties tinyint NULL, - qualification float(6,2) UNSIGNED NOT NULL DEFAULT 0, - date_of_qualification datetime NOT NULL default '0000-00-00 00:00:00', - parent_id INT UNSIGNED NOT NULL DEFAULT 0, - qualificator_id INT UNSIGNED NOT NULL DEFAULT 0, - weight float(6,2) UNSIGNED NOT NULL default 0, - session_id INT UNSIGNED NOT NULL default 0, - user_id INTEGER NOT NULL, - allow_text_assignment INTEGER NOT NULL DEFAULT 0, - contains_file INTEGER NOT NULL DEFAULT 0, - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_student_publication_assignment( - id int NOT NULL auto_increment, - c_id INT NOT NULL, - expires_on datetime NOT NULL default '0000-00-00 00:00:00', - ends_on datetime NOT NULL default '0000-00-00 00:00:00', - add_to_calendar tinyint NOT NULL, - enable_qualification tinyint NOT NULL, - publication_id int NOT NULL, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_student_publication ADD INDEX ( session_id ); - -CREATE TABLE c_link( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - url TEXT NOT NULL, - title varchar(150) default NULL, - description text, - category_id int unsigned default NULL, - display_order int unsigned NOT NULL default 0, - on_homepage char(10) NOT NULL default '0', - target char(10) default '_self', - session_id int default 0, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_link ADD INDEX ( session_id ); - -CREATE TABLE c_link_category ( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - category_title varchar(255) NOT NULL, - description text, - display_order mediumint unsigned NOT NULL default 0, - session_id int default 0, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_link_category ADD INDEX ( session_id ); - -CREATE TABLE c_wiki( - id int NOT NULL auto_increment, - c_id INT NOT NULL, - page_id int NOT NULL default 0, - reflink varchar(255) NOT NULL default 'index', - title varchar(255) NOT NULL, - content mediumtext NOT NULL, - user_id int NOT NULL default 0, - group_id int DEFAULT NULL, - dtime datetime NOT NULL default '0000-00-00 00:00:00', - addlock int NOT NULL default 1, - editlock int NOT NULL default 0, - visibility int NOT NULL default 1, - addlock_disc int NOT NULL default 1, - visibility_disc int NOT NULL default 1, - ratinglock_disc int NOT NULL default 1, - assignment int NOT NULL default 0, - comment text NOT NULL, - progress text NOT NULL, - score int NULL default 0, - version int default NULL, - is_editing int NOT NULL default 0, - time_edit datetime NOT NULL default '0000-00-00 00:00:00', - hits int default 0, - linksto text NOT NULL, - tag text NOT NULL, - user_ip varchar(39) NOT NULL, - session_id int default 0, - PRIMARY KEY (id, c_id), - KEY reflink (reflink), - KEY group_id (group_id), - KEY page_id (page_id), - KEY session_id (session_id) -); - -CREATE TABLE c_wiki_conf ( - c_id INT NOT NULL, - page_id int NOT NULL default 0, - task text NOT NULL, - feedback1 text NOT NULL, - feedback2 text NOT NULL, - feedback3 text NOT NULL, - fprogress1 varchar(3) NOT NULL, - fprogress2 varchar(3) NOT NULL, - fprogress3 varchar(3) NOT NULL, - max_size int default NULL, - max_text int default NULL, - max_version int default NULL, - startdate_assig datetime NOT NULL default '0000-00-00 00:00:00', - enddate_assig datetime NOT NULL default '0000-00-00 00:00:00', - delayedsubmit int NOT NULL default 0, - KEY page_id (page_id), - PRIMARY KEY ( c_id, page_id ) -); - -CREATE TABLE c_wiki_discuss ( - id int NOT NULL auto_increment, - c_id INT NOT NULL, - publication_id int NOT NULL default 0, - userc_id int NOT NULL default 0, - comment text NOT NULL, - p_score varchar(255) default NULL, - dtime datetime NOT NULL default '0000-00-00 00:00:00', - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_wiki_mailcue ( - c_id INT NOT NULL, - id int NOT NULL, - user_id int NOT NULL, - type text NOT NULL, - group_id int DEFAULT NULL, - session_id int default 0, - KEY (c_id, id), - PRIMARY KEY ( c_id, id, user_id ) -); - -CREATE TABLE c_online_connected ( - c_id INT NOT NULL, - user_id int unsigned NOT NULL, - last_connection datetime NOT NULL default '0000-00-00 00:00:00', - PRIMARY KEY (c_id, user_id) -); - -CREATE TABLE c_online_link ( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - name char(50) NOT NULL default '', - url char(100) NOT NULL, - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_chat_connected ( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - user_id int unsigned NOT NULL default '0', - last_connection datetime NOT NULL default '0000-00-00 00:00:00', - session_id INT NOT NULL default 0, - to_group_id INT NOT NULL default 0, - PRIMARY KEY (id, c_id, user_id, last_connection) -); - -ALTER TABLE c_chat_connected ADD INDEX char_connected_index(user_id, session_id, to_group_id); - -CREATE TABLE c_group_info( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - name varchar(100) default NULL, - status tinyint DEFAULT 1, - category_id int unsigned NOT NULL default 0, - description text, - max_student int unsigned NOT NULL default 8, - doc_state tinyint unsigned NOT NULL default 1, - calendar_state tinyint unsigned NOT NULL default 0, - work_state tinyint unsigned NOT NULL default 0, - announcements_state tinyint unsigned NOT NULL default 0, - forum_state tinyint unsigned NOT NULL default 0, - wiki_state tinyint unsigned NOT NULL default 1, - chat_state tinyint unsigned NOT NULL default 1, - secret_directory varchar(255) default NULL, - self_registration_allowed tinyint unsigned NOT NULL default '0', - self_unregistration_allowed tinyint unsigned NOT NULL default '0', - session_id int unsigned NOT NULL default 0, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_group_info ADD INDEX ( session_id ); - -CREATE TABLE c_group_category( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - title varchar(255) NOT NULL default '', - description text NOT NULL, - doc_state tinyint unsigned NOT NULL default 1, - calendar_state tinyint unsigned NOT NULL default 1, - work_state tinyint unsigned NOT NULL default 1, - announcements_state tinyint unsigned NOT NULL default 1, - forum_state tinyint unsigned NOT NULL default 1, - wiki_state tinyint unsigned NOT NULL default 1, - chat_state tinyint unsigned NOT NULL default 1, - max_student int unsigned NOT NULL default 8, - self_reg_allowed tinyint unsigned NOT NULL default 0, - self_unreg_allowed tinyint unsigned NOT NULL default 0, - groups_per_user int unsigned NOT NULL default 0, - display_order int unsigned NOT NULL default 0, - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_group_rel_user( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - user_id int unsigned NOT NULL, - group_id int unsigned NOT NULL default 0, - status int NOT NULL default 0, - role char(50) NOT NULL, - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_group_rel_tutor( - id int NOT NULL auto_increment, - c_id INT NOT NULL, - user_id int NOT NULL, - group_id int NOT NULL default 0, - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_item_property( - id int NOT NULL auto_increment, - c_id INT NOT NULL, - tool varchar(100) NOT NULL default '', - insert_user_id int unsigned NOT NULL default '0', - insert_date datetime NOT NULL default '0000-00-00 00:00:00', - lastedit_date datetime NOT NULL default '0000-00-00 00:00:00', - ref int NOT NULL default '0', - lastedit_type varchar(100) NOT NULL default '', - lastedit_user_id int unsigned NOT NULL default '0', - to_group_id int unsigned default NULL, - to_user_id int unsigned default NULL, - visibility tinyint NOT NULL default '1', - start_visible datetime NOT NULL default '0000-00-00 00:00:00', - end_visible datetime NOT NULL default '0000-00-00 00:00:00', - id_session INT NOT NULL DEFAULT 0, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_item_property ADD INDEX idx_item_property_toolref (tool,ref); - -CREATE TABLE c_tool_intro( - id varchar(50) NOT NULL, - c_id INT NOT NULL, - intro_text MEDIUMTEXT NOT NULL, - session_id INT NOT NULL DEFAULT 0, - PRIMARY KEY (id, c_id, session_id) -); - -CREATE TABLE c_dropbox_file ( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - uploader_id int unsigned NOT NULL default 0, - filename varchar(250) NOT NULL default '', - filesize int unsigned NOT NULL, - title varchar(250) default '', - description varchar(250) default '', - author varchar(250) default '', - upload_date datetime NOT NULL default '0000-00-00 00:00:00', - last_upload_date datetime NOT NULL default '0000-00-00 00:00:00', - cat_id int NOT NULL default 0, - session_id int UNSIGNED NOT NULL, - PRIMARY KEY (id, c_id), - UNIQUE KEY UN_filename (filename) -); - -ALTER TABLE c_dropbox_file ADD INDEX ( session_id ); - -CREATE TABLE c_dropbox_post ( - c_id INT NOT NULL, - file_id int unsigned NOT NULL, - dest_user_id int unsigned NOT NULL default 0, - feedback_date datetime NOT NULL default '0000-00-00 00:00:00', - feedback text default '', - cat_id int NOT NULL default 0, - session_id int UNSIGNED NOT NULL, - PRIMARY KEY (c_id, file_id, dest_user_id) -); - -ALTER TABLE c_dropbox_post ADD INDEX ( session_id ); - -CREATE TABLE c_dropbox_person ( - c_id INT NOT NULL, - file_id int unsigned NOT NULL, - user_id int unsigned NOT NULL default 0, - PRIMARY KEY (c_id, file_id, user_id) -); - -CREATE TABLE c_dropbox_category ( - cat_id int NOT NULL auto_increment, - c_id INT NOT NULL, - cat_name text NOT NULL, - received tinyint unsigned NOT NULL default 0, - sent tinyint unsigned NOT NULL default 0, - user_id int NOT NULL default 0, - session_id int NOT NULL default 0, - PRIMARY KEY(cat_id, c_id) -); - -ALTER TABLE c_dropbox_category ADD INDEX ( session_id ); - -CREATE TABLE c_dropbox_feedback ( - feedback_id int NOT NULL auto_increment, - c_id INT NOT NULL, - file_id int NOT NULL default 0, - author_user_id int NOT NULL default 0, - feedback text NOT NULL, - feedback_date datetime NOT NULL default '0000-00-00 00:00:00', - PRIMARY KEY (feedback_id, c_id), - KEY file_id (file_id), - KEY author_user_id (author_user_id) -); - -CREATE TABLE IF NOT EXISTS c_lp ( - id int unsigned auto_increment, - c_id INT NOT NULL, - lp_type int unsigned not null, - name varchar(255) not null, - ref tinytext null, - description text null, - path text not null, - force_commit tinyint unsigned not null default 0, - default_view_mod char(32) not null default 'embedded', - default_encoding char(32) not null default 'UTF-8', - display_order int unsigned not null default 0, - content_maker tinytext not null default '', - content_local varchar(32) not null default 'local', - content_license text not null default '', - prevent_reinit tinyint unsigned not null default 1, - js_lib tinytext not null default '', - debug tinyint unsigned not null default 0, - theme varchar(255) not null default '', - preview_image varchar(255) not null default '', - author varchar(255) not null default '', - session_id int unsigned not null default 0, - prerequisite int unsigned not null default 0, - hide_toc_frame tinyint NOT NULL DEFAULT 0, - seriousgame_mode tinyint NOT NULL DEFAULT 0, - use_max_score int unsigned not null default 1, - autolunch int unsigned not null default 0, - created_on DATETIME NOT NULL DEFAULT '0000-00-00 00:00:00', - modified_on DATETIME NOT NULL DEFAULT '0000-00-00 00:00:00', - publicated_on DATETIME NOT NULL DEFAULT '0000-00-00 00:00:00', - expired_on DATETIME NOT NULL DEFAULT '0000-00-00 00:00:00', - PRIMARY KEY (id, c_id) -); - -CREATE TABLE IF NOT EXISTS c_lp_view ( - id int unsigned auto_increment, - c_id INT NOT NULL, - lp_id int unsigned not null, - user_id int unsigned not null, - view_count int unsigned not null default 0, - last_item int unsigned not null default 0, - progress int unsigned default 0, - session_id int not null default 0, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_lp_view ADD INDEX (lp_id); -ALTER TABLE c_lp_view ADD INDEX (user_id); -ALTER TABLE c_lp_view ADD INDEX (session_id); - -CREATE TABLE IF NOT EXISTS c_lp_item ( - id int unsigned auto_increment, - c_id INT NOT NULL, - lp_id int unsigned not null, - item_type char(32) not null default 'dokeos_document', - ref tinytext not null default '', - title varchar(511) not null, - description varchar(511) default '', - path text not null, - min_score float unsigned not null default 0, - max_score float unsigned default 100, - mastery_score float unsigned null, - parent_item_id int unsigned not null default 0, - previous_item_id int unsigned not null default 0, - next_item_id int unsigned not null default 0, - display_order int unsigned not null default 0, - prerequisite text null default null, - parameters text null, - launch_data text not null default '', - max_time_allowed char(13) NULL default '', - terms TEXT NULL, - search_did INT NULL, - audio VARCHAR(250), - prerequisite_min_score float, - prerequisite_max_score float, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_lp_item ADD INDEX (lp_id); -ALTER TABLE c_lp_item ADD INDEX idx_c_lp_item_cid_lp_id (c_id, lp_id); - -CREATE TABLE IF NOT EXISTS c_lp_item_view ( - id bigint unsigned auto_increment, - c_id INT NOT NULL, - lp_item_id int unsigned not null, - lp_view_id int unsigned not null, - view_count int unsigned not null default 0, - start_time int unsigned not null, - total_time int unsigned not null default 0, - score float unsigned not null default 0, - status char(32) not null default 'not attempted', - suspend_data longtext null default '', - lesson_location text null default '', - core_exit varchar(32) not null default 'none', - max_score varchar(8) default '', - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_lp_item_view ADD INDEX (lp_item_id); -ALTER TABLE c_lp_item_view ADD INDEX (lp_view_id); -ALTER TABLE c_lp_item_view ADD INDEX idx_c_lp_item_view_cid_lp_view_id_lp_item_id (c_id, lp_view_id, lp_item_id); - -CREATE TABLE IF NOT EXISTS c_lp_iv_interaction( - id bigint unsigned auto_increment, - c_id INT NOT NULL, - order_id int unsigned not null default 0, - lp_iv_id bigint unsigned not null, - interaction_id varchar(255) not null default '', - interaction_type varchar(255) not null default '', - weighting double not null default 0, - completion_time varchar(16) not null default '', - correct_responses text not null default '', - student_response text not null default '', - result varchar(255) not null default '', - latency varchar(16) not null default '', - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_lp_iv_interaction ADD INDEX (lp_iv_id); - -CREATE TABLE IF NOT EXISTS c_lp_iv_objective( - id bigint unsigned auto_increment, - c_id INT NOT NULL, - lp_iv_id bigint unsigned not null, - order_id int unsigned not null default 0, - objective_id varchar(255) not null default '', - score_raw float unsigned not null default 0, - score_max float unsigned not null default 0, - score_min float unsigned not null default 0, - status char(32) not null default 'not attempted', - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_lp_iv_objective ADD INDEX (lp_iv_id); - -CREATE TABLE c_blog ( - blog_id int NOT NULL AUTO_INCREMENT , - c_id INT NOT NULL, - blog_name varchar( 250 ) NOT NULL default '', - blog_subtitle varchar( 250 ) default NULL , - date_creation datetime NOT NULL default '0000-00-00 00:00:00', - visibility tinyint unsigned NOT NULL default 0, - session_id int default 0, - PRIMARY KEY (blog_id, c_id) -); - -ALTER TABLE c_blog ADD INDEX ( session_id ); - -CREATE TABLE c_blog_comment ( - comment_id int NOT NULL AUTO_INCREMENT , - c_id INT NOT NULL, - title varchar( 250 ) NOT NULL default '', - comment longtext NOT NULL , - author_id int NOT NULL default 0, - date_creation datetime NOT NULL default '0000-00-00 00:00:00', - blog_id int NOT NULL default 0, - post_id int NOT NULL default 0, - task_id int default NULL , - parent_comment_id int NOT NULL default 0, - PRIMARY KEY (comment_id, c_id) -); - -CREATE TABLE c_blog_post( - post_id int NOT NULL AUTO_INCREMENT , - c_id INT NOT NULL, - title varchar( 250 ) NOT NULL default '', - full_text longtext NOT NULL , - date_creation datetime NOT NULL default '0000-00-00 00:00:00', - blog_id int NOT NULL default 0, - author_id int NOT NULL default 0, - PRIMARY KEY (post_id, c_id) -); - -CREATE TABLE c_blog_rating( - rating_id int NOT NULL AUTO_INCREMENT , - c_id INT NOT NULL, - blog_id int NOT NULL default 0, - rating_type char(40) NOT NULL default 'post', - item_id int NOT NULL default 0, - user_id int NOT NULL default 0, - rating int NOT NULL default 0, - PRIMARY KEY (rating_id, c_id) -); - -CREATE TABLE c_blog_rel_user( - c_id INT NOT NULL, - blog_id int NOT NULL default 0, - user_id int NOT NULL default 0, - PRIMARY KEY (c_id, blog_id , user_id ) -); - -CREATE TABLE c_blog_task( - task_id int NOT NULL AUTO_INCREMENT , - c_id INT NOT NULL, - blog_id int NOT NULL default 0, - title varchar( 250 ) NOT NULL default '', - description text NOT NULL , - color varchar( 10 ) NOT NULL default '', - system_task tinyint unsigned NOT NULL default 0, - PRIMARY KEY (task_id, c_id) -); - -CREATE TABLE c_blog_task_rel_user ( - c_id INT NOT NULL, - blog_id int NOT NULL default 0, - user_id int NOT NULL default 0, - task_id int NOT NULL default 0, - target_date date NOT NULL default '0000-00-00', - PRIMARY KEY (c_id, blog_id , user_id , task_id ) -); - -CREATE TABLE c_blog_attachment ( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - path varchar(255) NOT NULL COMMENT 'the real filename', - comment text, - size int NOT NULL default '0', - post_id int NOT NULL, - filename varchar(255) NOT NULL COMMENT 'the user s file name', - blog_id int NOT NULL, - comment_id int NOT NULL default '0', - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_permission_group ( - id int NOT NULL AUTO_INCREMENT, - c_id INT NOT NULL, - group_id int NOT NULL default 0, - tool varchar( 250 ) NOT NULL default '', - action varchar( 250 ) NOT NULL default '', - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_permission_user ( - id int NOT NULL AUTO_INCREMENT , - c_id INT NOT NULL, - user_id int NOT NULL default 0, - tool varchar( 250 ) NOT NULL default '', - action varchar( 250 ) NOT NULL default '', - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_permission_task( - id int NOT NULL AUTO_INCREMENT, - c_id INT NOT NULL, - task_id int NOT NULL default 0, - tool varchar( 250 ) NOT NULL default '', - action varchar( 250 ) NOT NULL default '', - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_role( - role_id int NOT NULL AUTO_INCREMENT, - c_id INT NOT NULL, - role_name varchar( 250 ) NOT NULL default '', - role_comment text, - default_role tinyint default 0, - PRIMARY KEY (role_id, c_id) -); - -CREATE TABLE c_role_group( - id int NOT NULL AUTO_INCREMENT, - c_id INT NOT NULL, - role_id int NOT NULL default 0, - scope varchar( 20 ) NOT NULL default 'course', - group_id int NOT NULL default 0, - PRIMARY KEY (id, c_id, group_id ) -); - -CREATE TABLE c_role_permissions( - id int NOT NULL AUTO_INCREMENT, - c_id INT NOT NULL, - role_id int NOT NULL default 0, - tool varchar( 250 ) NOT NULL default '', - action varchar( 50 ) NOT NULL default '', - default_perm tinyint NOT NULL default 0, - PRIMARY KEY (id, c_id, role_id, tool, action ) -); - -CREATE TABLE c_role_user ( - c_id INT NOT NULL, - role_id int NOT NULL default 0, - scope varchar( 20 ) NOT NULL default 'course', - user_id int NOT NULL default 0, - PRIMARY KEY ( c_id, role_id, user_id ) -); - -CREATE TABLE c_course_setting ( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - variable varchar(255) NOT NULL default '', - subkey varchar(255) default NULL, - type varchar(255) default NULL, - category varchar(255) default NULL, - value varchar(255) default '', - title varchar(255) NOT NULL default '', - comment varchar(255) default NULL, - subkeytext varchar(255) default NULL, - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_survey ( - survey_id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - code varchar(20) default NULL, - title text default NULL, - subtitle text default NULL, - author varchar(20) default NULL, - lang varchar(20) default NULL, - avail_from date default NULL, - avail_till date default NULL, - is_shared char(1) default '1', - template varchar(20) default NULL, - intro text, - surveythanks text, - creation_date datetime NOT NULL default '0000-00-00 00:00:00', - invited int NOT NULL, - answered int NOT NULL, - invite_mail text NOT NULL, - reminder_mail text NOT NULL, - mail_subject VARCHAR( 255 ) NOT NULL, - anonymous char(10) NOT NULL default '0', - access_condition TEXT DEFAULT NULL, - shuffle bool NOT NULL default '0', - one_question_per_page bool NOT NULL default '0', - survey_version varchar(255) NOT NULL default '', - parent_id int unsigned NOT NULL, - survey_type int NOT NULL default 0, - show_form_profile int NOT NULL default 0, - form_fields TEXT NOT NULL, - session_id int unsigned NOT NULL default 0, - visible_results int unsigned DEFAULT 0, - PRIMARY KEY (survey_id, c_id) -); - -ALTER TABLE c_survey ADD INDEX ( session_id ); -CREATE TABLE c_survey_invitation( - survey_invitation_id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - survey_code varchar(20) NOT NULL, - user varchar(250) NOT NULL, - invitation_code varchar(250) NOT NULL, - invitation_date datetime NOT NULL, - reminder_date datetime NOT NULL, - answered int NOT NULL default 0, - session_id int UNSIGNED NOT NULL default 0, - group_id INT NOT NULL, - PRIMARY KEY (survey_invitation_id, c_id) -); - -CREATE TABLE c_survey_question ( - question_id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - survey_id int unsigned NOT NULL, - survey_question text NOT NULL, - survey_question_comment text NOT NULL, - type varchar(250) NOT NULL, - display varchar(10) NOT NULL, - sort int NOT NULL, - shared_question_id int, - max_value int, - survey_group_pri int unsigned NOT NULL default '0', - survey_group_sec1 int unsigned NOT NULL default '0', - survey_group_sec2 int unsigned NOT NULL default '0', - PRIMARY KEY (question_id, c_id) -); - -CREATE TABLE c_survey_question_option ( - question_option_id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - question_id int unsigned NOT NULL, - survey_id int unsigned NOT NULL, - option_text text NOT NULL, - sort int NOT NULL, - value int NOT NULL default '0', - PRIMARY KEY (question_option_id, c_id) -); - -CREATE TABLE c_survey_answer ( - answer_id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - survey_id int unsigned NOT NULL, - question_id int unsigned NOT NULL, - option_id TEXT NOT NULL, - value int unsigned NOT NULL, - user varchar(250) NOT NULL, - PRIMARY KEY (answer_id, c_id) -); - -CREATE TABLE c_survey_group( - id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - name varchar(20) NOT NULL, - description varchar(255) NOT NULL, - survey_id int unsigned NOT NULL, - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_glossary( - glossary_id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - name varchar(255) NOT NULL, - description text not null, - display_order int, - session_id int default 0, - PRIMARY KEY (glossary_id, c_id) -); - -ALTER TABLE c_glossary ADD INDEX ( session_id ); - -CREATE TABLE c_notebook ( - notebook_id int unsigned NOT NULL auto_increment, - c_id INT NOT NULL, - user_id int unsigned NOT NULL, - course varchar(40) not null, - session_id int NOT NULL default 0, - title varchar(255) NOT NULL, - description text NOT NULL, - creation_date datetime NOT NULL default '0000-00-00 00:00:00', - update_date datetime NOT NULL default '0000-00-00 00:00:00', - status int, - PRIMARY KEY (notebook_id, c_id) -); - -CREATE TABLE c_attendance( - id int NOT NULL auto_increment, - c_id INT NOT NULL, - name text NOT NULL, - description TEXT NULL, - active tinyint NOT NULL default 1, - attendance_qualify_title varchar(255) NULL, - attendance_qualify_max int NOT NULL default 0, - attendance_weight float(6,2) NOT NULL default '0.0', - session_id int NOT NULL default 0, - locked int NOT NULL default 0, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_attendance ADD INDEX (session_id); -ALTER TABLE c_attendance ADD INDEX (active); - -CREATE TABLE c_attendance_sheet ( - c_id INT NOT NULL, - user_id int NOT NULL, - attendance_calendar_id int NOT NULL, - presence tinyint NOT NULL DEFAULT 0, - PRIMARY KEY(c_id, user_id, attendance_calendar_id) -); - -ALTER TABLE c_attendance_sheet ADD INDEX (presence); - -CREATE TABLE c_attendance_calendar( - id int NOT NULL auto_increment, - c_id INT NOT NULL, - attendance_id int NOT NULL , - date_time datetime NOT NULL default '0000-00-00 00:00:00', - done_attendance tinyint NOT NULL default 0, - PRIMARY KEY(id, c_id) -); - -ALTER TABLE c_attendance_calendar ADD INDEX (attendance_id); -ALTER TABLE c_attendance_calendar ADD INDEX (done_attendance); - -CREATE TABLE c_attendance_result( - id int NOT NULL auto_increment, - c_id INT NOT NULL, - user_id int NOT NULL, - attendance_id int NOT NULL, - score int NOT NULL DEFAULT 0, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_attendance_result ADD INDEX (attendance_id); -ALTER TABLE c_attendance_result ADD INDEX (user_id); - -CREATE TABLE c_attendance_sheet_log( - id int NOT NULL auto_increment, - c_id INT NOT NULL, - attendance_id int NOT NULL DEFAULT 0, - lastedit_date datetime NOT NULL DEFAULT '0000-00-00 00:00:00', - lastedit_type varchar(200) NOT NULL, - lastedit_user_id int NOT NULL DEFAULT 0, - calendar_date_value datetime NULL, - PRIMARY KEY (id, c_id) -); - -CREATE TABLE c_thematic( - id int NOT NULL auto_increment, - c_id INT NOT NULL, - title varchar(255) NOT NULL, - content text NULL, - display_order int unsigned NOT NULL DEFAULT 0, - active tinyint NOT NULL DEFAULT 0, - session_id int NOT NULL DEFAULT 0, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_thematic ADD INDEX (active, session_id); - -CREATE TABLE c_thematic_plan( - id int NOT NULL auto_increment, - c_id INT NOT NULL, - thematic_id int NOT NULL, - title varchar(255) NOT NULL, - description text NULL, - description_type int NOT NULL, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_thematic_plan ADD INDEX (thematic_id, description_type); - -CREATE TABLE c_thematic_advance( - id int NOT NULL auto_increment, - c_id INT NOT NULL, - thematic_id int NOT NULL, - attendance_id int NOT NULL DEFAULT 0, - content text NULL, - start_date datetime NOT NULL DEFAULT '0000-00-00 00:00:00', - duration int NOT NULL DEFAULT 0, - done_advance tinyint NOT NULL DEFAULT 0, - PRIMARY KEY (id, c_id) -); - -ALTER TABLE c_thematic_advance ADD INDEX (thematic_id); - -DROP TABLE IF EXISTS c_student_publication_rel_document; -CREATE TABLE IF NOT EXISTS c_student_publication_rel_document (id INT PRIMARY KEY NOT NULL AUTO_INCREMENT, work_id INT NOT NULL, document_id INT NOT NULL, c_id INT NOT NULL); -DROP TABLE IF EXISTS c_student_publication_rel_user; -CREATE TABLE IF NOT EXISTS c_student_publication_rel_user ( id INT PRIMARY KEY NOT NULL AUTO_INCREMENT, work_id INT NOT NULL, user_id INT NOT NULL, c_id INT NOT NULL); -DROP TABLE IF EXISTS c_student_publication_comment; -CREATE TABLE IF NOT EXISTS c_student_publication_comment ( id INT PRIMARY KEY NOT NULL AUTO_INCREMENT, work_id INT NOT NULL, c_id INT NOT NULL, comment text, file VARCHAR(255), user_id int NOT NULL, sent_at datetime NOT NULL); - -DROP TABLE IF EXISTS c_attendance_calendar_rel_group; -CREATE TABLE c_attendance_calendar_rel_group ( - id int NOT NULL auto_increment PRIMARY KEY, - c_id INT NOT NULL, - group_id INT NOT NULL, - calendar_id INT NOT NULL -); - --- Version -LOCK TABLES settings_current WRITE; -UPDATE settings_current SET selected_value = '1.10.0.43' WHERE variable = 'chamilo_database_version'; -UNLOCK TABLES; diff --git a/main/install/index.php b/main/install/index.php index 3e9b0ea4fc..21736c5049 100755 --- a/main/install/index.php +++ b/main/install/index.php @@ -215,6 +215,9 @@ if ($installType == 'update' && in_array($my_old_version, $update_from_version_8 } } + +$session_lifetime = 360000; + if (!isset($_GET['running'])) { $dbHostForm = 'localhost'; $dbUsernameForm = 'root'; @@ -252,7 +255,6 @@ if (!isset($_GET['running'])) { $allowSelfReg = 1; $allowSelfRegProf = 1; $encryptPassForm = 'sha1'; - $session_lifetime = 360000; if (!empty($_GET['profile'])) { $installationProfile = api_htmlentities($_GET['profile'], ENT_QUOTES); } diff --git a/main/lang/english/trad4all.inc.php b/main/lang/english/trad4all.inc.php index 7e4189bd2b..7f19e92b58 100644 --- a/main/lang/english/trad4all.inc.php +++ b/main/lang/english/trad4all.inc.php @@ -1,330 +1,330 @@ -http://openbadges.org/."; -$OpenBadgesIntroduction = "You can now design skills learning badges for learning through your courses on this virtual campus."; -$DesignANewBadgeComment = "Design a new badge, download it from the design tool and upload it on the platform."; -$TheBadgesWillBeSentToThatBackpack = "The badges will be sent to this backpack"; -$BackpackDetails = "Backpack details"; -$CriteriaToEarnTheBadge = "Criteria to earn the badge"; -$BadgePreview = "Badge preview"; -$DesignNewBadge = "Design a new badge"; -$TotalX = "Total: %s"; -$DownloadBadges = "Download badges"; -$IssuerDetails = "Badges issuer details"; -$CreateBadge = "Create badge"; -$Badges = "Badges"; -$StudentsWhoAchievedTheSkillX = "Students who acquired skill %s"; -$AchievedSkillInCourseX = "Skills acquired in course %s"; -$SkillsReport = "Skills report"; -$AssignedUsersListToStudentBoss = "Users assigned to their superior"; -$AssignUsersToBoss = "Assign users to superior"; -$RoleStudentBoss = "Student's superior"; -$CosecantCsc = "Cosecant:\t\t\t\tcsc(x)"; -$HyperbolicCosecantCsch = "Hyperbolic cosecant:\t\tcsch(x)"; -$ArccosecantArccsc = "Arccosecant:\t\t\tarccsc(x)"; -$HyperbolicArccosecantArccsch = "Hyperbolic arccosecant:\t\tarccsch(x)"; -$SecantSec = "Secant:\t\t\t\tsec(x)"; -$HyperbolicSecantSech = "Hyperbolic secant:\t\tsech(x)"; -$ArcsecantArcsec = "Arcsecant:\t\t\tarcsec(x)"; -$HyperbolicArcsecantArcsech = "Hyperbolic arcsecant:\t\tarcsech(x)"; -$CotangentCot = "Cotangent:\t\t\tcot(x)"; -$HyperbolicCotangentCoth = "Hyperbolic cotangent:\t\tcoth(x)"; -$ArccotangentArccot = "Arccotangent:\t\t\tarccot(x)"; -$HyperbolicArccotangentArccoth = "Hyperbolic arccotangent:\t\tarccoth(x)"; -$HelpCookieUsageValidation = "In order for this site to work and be able to measure the use of content, this platform uses cookies.

\nIf needed, the Help section of your browser indicates how to configure cookies.

\nFor more information on cookies, you can visit the About Cookies website."; -$YouAcceptCookies = "By continuing to use this site, you declare you accept its use of cookies."; -$TemplateCertificateComment = "An example certificate format"; -$TemplateCertificateTitle = "Certificate"; -$ResultsVisibility = "Results visibility"; -$DownloadCertificate = "Download certificate"; -$PortalActiveCoursesLimitReached = "Sorry, this installation has an active courses limit, which has now been reached. You can still create new courses, but only if you hide/disable at least one existing active course. To do this, edit a course from the administration courses list, and change the visibility to 'hidden', then try creating this course again. To increase the maximum number of active courses allowed on this Chamilo installation, please contact your hosting provider or, if available, upgrade to a superior hosting plan."; -$WelcomeToInstitution = "Welcome to the campus of %s"; -$WelcomeToSiteName = "Welcome to %s"; -$RequestAccess = "Request access"; -$Formula = "Formula"; -$MultipleConnectionsAreNotAllow = "This user is already logged in"; -$Listen = "Listen"; -$AudioFileForItemX = "Audio file for item %s"; -$ThereIsANewWorkFeedbackInWorkXHere = "There's a new feedback in work: %s Click here to see it."; -$ThereIsANewWorkFeedback = "There's a new feedback in work: %s"; -$LastUpload = "Last upload"; -$EditUserListCSV = "Edit users list"; -$NumberOfCoursesHidden = "Number of hidden courses"; -$Post = "Post"; -$Write = "Write"; -$YouHaveNotYetAchievedSkills = "You have not yet achieved skills"; -$Corn = "Corn"; -$Gray = "Gray"; -$LightBlue = "Light blue"; -$Black = "Black"; -$White = "White"; -$DisplayOptions = "Display options"; -$EnterTheSkillNameToSearch = "Enter the skill name to search"; -$SkillsSearch = "Skills search"; -$ChooseABackgroundColor = "Choose a background color"; -$SocialWriteNewComment = "Write new comment"; -$SocialWallWhatAreYouThinkingAbout = "What are you thinking about?"; -$SocialMessageDelete = "Delete comment"; -$SocialWall = "Social wall"; -$BuyCourses = "Buy courses"; -$MySessions = "My sessions"; -$ActivateAudioRecorder = "Activate audio recorder"; -$StartSpeaking = "Start speaking"; -$AssignedCourses = "Assigned courses"; -$QuestionEditionNotAvailableBecauseItIsAlreadyAnsweredHoweverYouCanCopyItAndModifyTheCopy = "Question edition is not available because the question has been already answered. However, you can copy and modify it."; -$SessionDurationDescription = "The session duration allows you to set a number of days of access starting from the first access date of the user to the session. This way, you can set a session to 'last for 15 days' instead of starting at a fixed date for all students."; -$HyperbolicArctangentArctanh = "Hyperbolic arctangent:\t\tarctanh(x)"; -$SessionDurationTitle = "Session duration"; -$ArctangentArctan = "Arctangent:\t\t\tarctan(x)"; -$HyperbolicTangentTanh = "Hyperbolic tangent:\t\ttanh(x)"; -$TangentTan = "Tangent:\t\t\ttan(x)"; -$CoachAndStudent = "Coach and student"; -$Serie = "Series"; -$HyperbolicArccosineArccosh = "Hyperbolic arccosine:\t\tarccosh(x)"; -$ArccosineArccos = "Arccosine:\t\t\tarccos(x)"; -$HyperbolicCosineCosh = "Hyperbolic cosine:\t\tcosh(x)"; -$CosineCos = "Cosine:\t\t\t\tcos(x)"; -$TeacherTimeReport = "Teachers time report"; -$HyperbolicArcsineArcsinh = "Hyperbolic arcsine:\t\tarcsinh(x)"; -$YourLanguageNotThereContactUs = "Cannot find your language in the list? Contact us at info@chamilo.org to contribute as a translator."; -$ArcsineArcsin = "Arcsine:\t\t\tarcsin(x)"; -$HyperbolicSineSinh = "Hyperbolic sine:\t\tsinh(x)"; -$SineSin = "Sine:\t\t\t\tsin(x)"; -$PiNumberPi = "Pi number:\t\t\tpi"; -$ENumberE = "E number:\t\t\te"; -$LogarithmLog = "Logarithm:\t\t\tlog(x)"; -$NaturalLogarithmLn = "Natural logarithm:\t\tln(x)"; -$AbsoluteValueAbs = "Absolute value:\t\t\tabs(x)"; -$SquareRootSqrt = "Square root:\t\t\tsqrt(x)"; -$ExponentiationCircumflex = "Exponentiation:\t\t\t^"; -$DivisionSlash = "Division:\t\t\t/"; -$MultiplicationStar = "Multiplication:\t\t\t*"; -$SubstractionMinus = "Substraction:\t\t\t-"; -$SummationPlus = "Summation:\t\t\t+"; -$NotationList = "Formula notation"; -$SubscribeToSessionRequest = "Request for subscription to a session"; -$PleaseSubscribeMeToSession = "Please consider subscribing me to session"; -$SearchActiveSessions = "Search active sessions"; -$UserNameHasDash = "The username cannot contain the '-' character"; -$IfYouWantOnlyIntegerValuesWriteBothLimitsWithoutDecimals = "If you want only integer values write both limits without decimals"; -$GiveAnswerVariations = "Please, write how many question variations you want"; -$AnswerVariations = "Question variations"; -$GiveFormula = "Please, write the formula"; -$SignatureFormula = "Sincerely"; -$FormulaExample = "Formula sample: sqrt( [x] / [y] ) * ( e ^ ( ln(pi) ) )"; -$VariableRanges = "Variable ranges"; -$ExampleValue = "Range value"; -$CalculatedAnswer = "Calculated question"; -$UserIsCurrentlySubscribed = "The user is currently subscribed"; -$OnlyBestAttempts = "Only best attempts"; -$IncludeAllUsers = "Include all users"; -$HostingWarningReached = "Hosting warning reached"; -$SessionName = "Session name"; -$MobilePhoneNumberWrong = "Mobile phone number is incomplete or contains invalid characters"; -$CountryDialCode = "Include the country dial code"; -$FieldTypeMobilePhoneNumber = "Mobile phone number"; -$CheckUniqueEmail = "Check unique email"; -$EmailUsedTwice = "This email is not available"; -$TotalPostsInAllForums = "Total posts in all forums."; -$AddMeAsCoach = "Add me as coach"; -$AddMeAsTeacherInCourses = "Add me as teacher in the imported courses."; -$ExerciseProgressInfo = "Progress of exercises taken by the student"; -$CourseTimeInfo = "Time spent in the course"; -$ExerciseAverageInfo = "Average of best grades of each exercise attempt"; -$ExtraDurationForUser = "Additional access days for this user"; -$UserXSessionY = "User: %s - Session: %s"; -$DurationIsSameAsDefault = "The given session duration is the same as the default for the session. Ignoring."; -$FirstAccessWasXSessionDurationYEndDateWasZ = "This user's first access to the session was on %s. With a session duration of %s days, the access to this session already expired on %s"; -$FirstAccessWasXSessionDurationYEndDateInZDays = "This user's first access to the session was on %s. With a session duration of %s days, the end date is scheduled in %s days"; -$UserNeverAccessedSessionDefaultDurationIsX = "This user never accessed this session before. The duration is currently set to %s days (from the first access date)"; -$SessionDurationEdit = "Edit session duration"; -$EditUserSessionDuration = "User's session duration edition"; -$SessionDurationXDaysLeft = "This session has a maximum duration. Only %s days to go."; -$NextTopic = "Next topic"; -$CurrentTopic = "Current topic"; -$ShowFullCourseAdvance = "Show course planning"; -$RedirectToCourseHome = "Redirect to Course home"; -$LpReturnLink = "Learning path return link"; -$LearningPathList = "Learning path list"; -$UsersWithoutTask = "Learners who didn't send their work"; -$UsersWithTask = "Learners who sent their work"; -$UploadFromTemplate = "Upload from template"; -$DocumentAlreadyAdded = "Document already added"; -$AddDocument = "Add document"; -$ExportToDoc = "Export to .doc"; -$SortByTitle = "Sort by title"; -$SortByUpdatedDate = "Sort by edition date"; -$SortByCreatedDate = "Sort by creation date"; -$ViewTable = "Table view"; -$ViewList = "List view"; -$DRH = "Human Resources Manager"; -$Global = "Global"; -$QuestionTitle = "Question title"; -$QuestionId = "Question ID"; -$ExerciseId = "ExerciseId"; -$ExportExcel = "Excel export"; -$CompanyReportResumed = "Corporate report, short version"; -$CompanyReport = "Corporate report"; -$Report = "Report"; -$TraceIP = "Trace IP"; -$NoSessionProvided = "No session provided"; -$UserMustHaveTheDrhRole = "Users must have the HR director role"; -$NothingToAdd = "Nothing to add"; -$NoStudentsFoundForSession = "No student found for the session"; -$NoDestinationSessionProvided = "No destination session provided"; -$SessionXSkipped = "Session %s skipped"; -$CheckDates = "Validate dates"; -$CreateACategory = "Create a category"; -$PriorityOfMessage = "Message type"; -$ModifyDate = "Modification date"; -$Weep = "Weep"; -$LatestChanges = "Latest changes"; -$FinalScore = "Final score"; -$ErrorWritingXMLFile = "There was an error writing the XML file. Please ask the administrator to check the error logs."; -$TeacherXInSession = "Teacher in session: %s"; -$DeleteAttachment = "Delete attachment"; -$EditingThisEventWillRemoveItFromTheSerie = "Editing this event will remove it from the serie of events it is currently part of"; -$EnterTheCharactersYouReadInTheImage = "Enter the characters you see on the image"; -$YouDontHaveAnInstitutionAccount = "You don't have an institutional account"; -$LoginWithYourAccount = "Login with your account"; -$YouHaveAnInstitutionalAccount = "You already have an institutional account"; -$NoActionAvailable = "No action available"; -$Coaches = "Coaches"; -$ShowDescription = "Show description"; -$HumanResourcesManagerShouldNotBeRegisteredToCourses = "Human resources managers should not be registered to courses. The corresponding users you selected have not been subscribed."; -$CleanAndUpdateCourseCoaches = "Clean and update course coaches"; -$NoPDFFoundAtRoot = "No PDF found at root: please make sure that the PDFs are at the root of your zip file (no intermediate folder)"; -$PDFsMustLookLike = "PDFs must look like:"; -$ImportZipFileLocation = "Location of import zip file"; -$YouMustImportAZipFile = "You must import a zip file"; -$ImportPDFIntroToCourses = "Import PDF introductions into courses"; -$SubscribeTeachersToSession = "Subscribe teachers to session(s)"; -$SubscribeStudentsToSession = "Subscribe students to session(s)"; -$ManageCourseCategories = "Manage course categories"; -$CourseCategoryListInX = "Course categories in %s site:"; -$CourseCategoryInPlatform = "Course categories available"; -$UserGroupBelongURL = "The group now belongs to the selected site"; -$AtLeastOneUserGroupAndOneURL = "You need to select at least one group and one site"; -$AgendaList = "Agenda list"; -$Calendar = "Calendar"; -$CustomRange = "Custom range"; -$ThisWeek = "This week"; -$SendToUsersInSessions = "Send to users in all sessions of this course"; -$ParametersNotFound = "Parameters not found"; -$UsersToAdd = "Users to add"; -$DocumentsAdded = "Documents added"; -$NoUsersToAdd = "No users to add"; -$StartSurvey = "Start the Survey"; -$Subgroup = "Subgroup"; -$Subgroups = "Subgroups"; -$EnterTheLettersYouSee = "Enter the letters you see."; -$ClickOnTheImageForANewOne = "Click on the image to load a new one."; -$AccountBlockedByCaptcha = "Account blocked by captcha."; -$CatchScreenCasts = "Capture screenshot/screencast"; -$View = "View"; -$AmountSubmitted = "Number submitted"; -$InstallWarningCouldNotInterpretPHP = "Warning: the installer detected an error while trying to reach the test file at %s. It looks like the PHP script could not be interpreted. This could be a warning sign for future problems when creating courses. Please check the installation guide for more information about permissions. If you are installing a site with a URL that doesn't resolve yet, you can probably ignore this message."; -$BeforeX = "Before %s"; -$AfterX = "After %s"; -$ExportSettingsAsXLS = "Export settings as XLS"; -$DeleteAllItems = "Delete all items"; -$DeleteThisItem = "Delete this item"; -$RecordYourVoice = "Record your voice"; -$RecordIsNotAvailable = "No recording available"; -$WorkNumberSubmitted = "Works received"; -$ClassIdDoesntExists = "Class ID does not exist"; -$WithoutCategory = "Without category"; -$IncorrectScore = "Incorrect score"; -$CorrectScore = "Correct score"; -$UseCustomScoreForAllQuestions = "Use custom score for all questions"; -$YouShouldAddItemsBeforeAttachAudio = "You should add some items to your learning path, otherwise you won't be able to attach audio files to them"; -$InactiveDays = "Inactive days"; -$FollowedHumanResources = "Followed HR directors"; -$TheTextYouEnteredDoesNotMatchThePicture = "The text you entered doesn't match the picture."; -$RemoveOldRelationships = "Remove previous relationships"; -$ImportSessionDrhList = "Import list of HR directors into sessions"; -$FollowedStudents = "Followed students"; -$FollowedTeachers = "Followed teachers"; -$AllowOnlyFiles = "Allow only files"; -$AllowOnlyText = "Allow only text"; -$AllowFileOrText = "Allow files or online text"; -$DocumentType = "Document type"; -$SendOnlyAnEmailToMySelfToTest = "Send an email to myself for testing purposes."; -$DeleteAllSelectedAttendances = "Delete all selected attendances"; -$AvailableClasses = "Available classes"; -$RegisteredClasses = "Registered classes"; -$DeleteItemsNotInFile = "Delete items not in file"; -$ImportGroups = "Import groups"; -$HereIsYourFeedback = "Here is your feedback"; -$SearchSessions = "Session Search"; -$ShowSystemFolders = "Show system folders."; -$SelectADateOnTheCalendar = "Select a date from the calendar"; -$AreYouSureDeleteTestResultBeforeDateD = "Are you sure you want to clean results for this test before the selected date ?"; -$CleanStudentsResultsBeforeDate = "Clean all results before a selected date"; -$HGlossary = "Glossary help"; -$GlossaryContent = "This tool allows you to create glossary terms for this course, which can then be used from the documents tool"; -$ForumContent = "

The forum is an discussion tool for asynchronous written work. In contrast to email, a forum is for public, or semi-public, group discussion.

To use the Chamilo forum, members can simply use their browser - they do not require separate client software.

To organize forums, clickon the Forums tool. Discussions are organized hierarchically according to the following structure: Category> Forum> Topic> Post To ensure members can participate in the forum tidily and effectively, it is essential in th first instance to create categories and forums; it's then up to the participants to create topics and posts. By default, the forum contains a single (public) category, an example topic and an example post. You can add forums to the category, change its title or create other categories within which you could then create new forums. (Don't confuse categories and forums, and remember that a category that contains no forum is useless and is not displayed.)

\n

The forum description might include a list of its members, a definition of its purpose, a target a task, a theme etc.

Group forums should not be created via the Forum tool but instead via the Groups tool, where you can determinewhether your group forums should be private or public, at the same time providing a location for sharing groups of documents.

Teaching Tips A learning forum is not quite the same as the forums you are used to seeing on the internet. For one thing, it is not possible for learners to alter their posts once they have been published as the course is logically archived to allow tracking of what has been said in the past. Furthermore, Chamilo forums allow for specific uses relevant to teaching. For example, some teachers/trainers publish corrections directly within forums in the following way:
  • A learner is asked to post a report directly into the forum, The teacher corrects it by clicking Edit (yellow pencil) and marking it using the graphics editor (color, underlining, etc.) Finally, other learners benefit from viewing the corrections was made on the production of one of of them, Note that the same principle can be applied between learners, but will require his copying/pasting the message of his fellow student because students / trainees can not edit one another's posts. <. li> "; -$HForum = "Forum help"; -$LoginToGoToThisCourse = "Please login to go to this course"; -$AreYouSureToEmptyAllTestResults = "Clear all learners results for every exercises ?"; -$CleanAllStudentsResultsForAllTests = "Are you sure to delete all test's results ?"; -$AdditionalMailWasSentToSelectedUsers = "Additionally, a new announcement has been created and sent to selected users"; -$LoginDate = "Login date"; -$ChooseStartDateAndEndDate = "Choose start and end dates"; -$TestFeedbackNotShown = "This test is configured not to display feedback to learners. Comments will not be seen at the end of the test, but may be useful for you, as teacher, when reviewing the question details."; -$WorkAdded = "Work added"; -$FeedbackDisplayOptions = "How should we show the feedback/comment for each question? This option defines how it will be shown to the learner when taking the test. We recommend you try different options by editing your test options before having learners take it."; -$InactiveUsers = "Users who's account has been disabled"; -$ActiveUsers = "Users with an active account"; -$SurveysProgress = "Surveys progress"; -$SurveysLeft = "Incomplete surveys"; -$SurveysDone = "Completed surveys"; -$SurveysTotal = "Total surveys"; -$WikiProgress = "Wiki pages reading progress"; -$WikiUnread = "Wiki pages unread"; -$WikiRead = "Wiki pages read"; -$WikiRevisions = "Wiki pages revisions"; -$WikiTotal = "Total wiki pages"; -$AssignmentsProgress = "Assignments progress"; -$AssignmentsLeft = "Missing assignments"; -$AssignmentsDone = "Completed handed in"; -$AssignmentsTotal = "Total assignments"; -$ForumsProgress = "Forums progress"; -$ForumsLeft = "Forums not read"; -$ForumsDone = "Forums read"; -$ForumsTotal = "Total forums"; -$ExercisesProgress = "Exercises progress"; -$ExercisesLeft = "Incomplete exercises"; -$ExercisesDone = "Completed exercises"; -$ExercisesTotal = "Total exercises"; -$LearnpathsProgress = "Learning paths progress"; -$LearnpathsLeft = "Incomplete learning paths"; -$LearnpathsDone = "Completed learning paths"; -$LearnpathsTotal = "Total learning paths"; -$TimeLoggedIn = "Time connected (hh:mm)"; -$SelectSurvey = "Select survey"; -$SurveyCopied = "Survey copied"; -$NoSurveysAvailable = "No surveys available"; -$DescriptionCopySurvey = "Duplicate an empty survey copy into another course. You need 2 courses to use this feature: an original course and a target course."; -$CopySurvey = "Copy survey"; -$ChooseSession = "Please pick a session"; -$SearchSession = "Search sessions"; -$ChooseStudent = "Please pick a student"; -$SearchStudent = "Search users"; -$ChooseCourse = "Please pick a course"; -$DisplaySurveyOverview = "Surveys overview"; -$DisplayProgressOverview = "Participation and reading progress overview"; -$DisplayLpProgressOverview = "Learning paths progress overview"; -$DisplayExerciseProgress = "Detailed exercises progress"; -$DisplayAccessOverview = "Accesses by user overview"; -$AllowMemberLeaveGroup = "Allow members to leave group"; -$WorkFileNotUploadedDirXDoesNotExist = "Assignment could not be uploaded because folder %s does not exist"; -$DeleteUsersNotInList = "Unsubscribe students which are not in the imported list"; -$IfSessionExistsUpdate = "If a session exists, update it"; -$CreatedByXYOnZ = "Create by %s on %s"; -$LoginWithExternalAccount = "Login without an institutional account"; +http://openbadges.org/."; +$OpenBadgesIntroduction = "You can now design skills learning badges for learning through your courses on this virtual campus."; +$DesignANewBadgeComment = "Design a new badge, download it from the design tool and upload it on the platform."; +$TheBadgesWillBeSentToThatBackpack = "The badges will be sent to this backpack"; +$BackpackDetails = "Backpack details"; +$CriteriaToEarnTheBadge = "Criteria to earn the badge"; +$BadgePreview = "Badge preview"; +$DesignNewBadge = "Design a new badge"; +$TotalX = "Total: %s"; +$DownloadBadges = "Download badges"; +$IssuerDetails = "Badges issuer details"; +$CreateBadge = "Create badge"; +$Badges = "Badges"; +$StudentsWhoAchievedTheSkillX = "Students who acquired skill %s"; +$AchievedSkillInCourseX = "Skills acquired in course %s"; +$SkillsReport = "Skills report"; +$AssignedUsersListToStudentBoss = "Users assigned to their superior"; +$AssignUsersToBoss = "Assign users to superior"; +$RoleStudentBoss = "Student's superior"; +$CosecantCsc = "Cosecant:\t\t\t\tcsc(x)"; +$HyperbolicCosecantCsch = "Hyperbolic cosecant:\t\tcsch(x)"; +$ArccosecantArccsc = "Arccosecant:\t\t\tarccsc(x)"; +$HyperbolicArccosecantArccsch = "Hyperbolic arccosecant:\t\tarccsch(x)"; +$SecantSec = "Secant:\t\t\t\tsec(x)"; +$HyperbolicSecantSech = "Hyperbolic secant:\t\tsech(x)"; +$ArcsecantArcsec = "Arcsecant:\t\t\tarcsec(x)"; +$HyperbolicArcsecantArcsech = "Hyperbolic arcsecant:\t\tarcsech(x)"; +$CotangentCot = "Cotangent:\t\t\tcot(x)"; +$HyperbolicCotangentCoth = "Hyperbolic cotangent:\t\tcoth(x)"; +$ArccotangentArccot = "Arccotangent:\t\t\tarccot(x)"; +$HyperbolicArccotangentArccoth = "Hyperbolic arccotangent:\t\tarccoth(x)"; +$HelpCookieUsageValidation = "In order for this site to work and be able to measure the use of content, this platform uses cookies.

    \nIf needed, the Help section of your browser indicates how to configure cookies.

    \nFor more information on cookies, you can visit the About Cookies website."; +$YouAcceptCookies = "By continuing to use this site, you declare you accept its use of cookies."; +$TemplateCertificateComment = "An example certificate format"; +$TemplateCertificateTitle = "Certificate"; +$ResultsVisibility = "Results visibility"; +$DownloadCertificate = "Download certificate"; +$PortalActiveCoursesLimitReached = "Sorry, this installation has an active courses limit, which has now been reached. You can still create new courses, but only if you hide/disable at least one existing active course. To do this, edit a course from the administration courses list, and change the visibility to 'hidden', then try creating this course again. To increase the maximum number of active courses allowed on this Chamilo installation, please contact your hosting provider or, if available, upgrade to a superior hosting plan."; +$WelcomeToInstitution = "Welcome to the campus of %s"; +$WelcomeToSiteName = "Welcome to %s"; +$RequestAccess = "Request access"; +$Formula = "Formula"; +$MultipleConnectionsAreNotAllow = "This user is already logged in"; +$Listen = "Listen"; +$AudioFileForItemX = "Audio file for item %s"; +$ThereIsANewWorkFeedbackInWorkXHere = "There's a new feedback in work: %s Click here to see it."; +$ThereIsANewWorkFeedback = "There's a new feedback in work: %s"; +$LastUpload = "Last upload"; +$EditUserListCSV = "Edit users list"; +$NumberOfCoursesHidden = "Number of hidden courses"; +$Post = "Post"; +$Write = "Write"; +$YouHaveNotYetAchievedSkills = "You have not yet achieved skills"; +$Corn = "Corn"; +$Gray = "Gray"; +$LightBlue = "Light blue"; +$Black = "Black"; +$White = "White"; +$DisplayOptions = "Display options"; +$EnterTheSkillNameToSearch = "Enter the skill name to search"; +$SkillsSearch = "Skills search"; +$ChooseABackgroundColor = "Choose a background color"; +$SocialWriteNewComment = "Write new comment"; +$SocialWallWhatAreYouThinkingAbout = "What are you thinking about?"; +$SocialMessageDelete = "Delete comment"; +$SocialWall = "Social wall"; +$BuyCourses = "Buy courses"; +$MySessions = "My sessions"; +$ActivateAudioRecorder = "Activate audio recorder"; +$StartSpeaking = "Start speaking"; +$AssignedCourses = "Assigned courses"; +$QuestionEditionNotAvailableBecauseItIsAlreadyAnsweredHoweverYouCanCopyItAndModifyTheCopy = "Question edition is not available because the question has been already answered. However, you can copy and modify it."; +$SessionDurationDescription = "The session duration allows you to set a number of days of access starting from the first access date of the user to the session. This way, you can set a session to 'last for 15 days' instead of starting at a fixed date for all students."; +$HyperbolicArctangentArctanh = "Hyperbolic arctangent:\t\tarctanh(x)"; +$SessionDurationTitle = "Session duration"; +$ArctangentArctan = "Arctangent:\t\t\tarctan(x)"; +$HyperbolicTangentTanh = "Hyperbolic tangent:\t\ttanh(x)"; +$TangentTan = "Tangent:\t\t\ttan(x)"; +$CoachAndStudent = "Coach and student"; +$Serie = "Series"; +$HyperbolicArccosineArccosh = "Hyperbolic arccosine:\t\tarccosh(x)"; +$ArccosineArccos = "Arccosine:\t\t\tarccos(x)"; +$HyperbolicCosineCosh = "Hyperbolic cosine:\t\tcosh(x)"; +$CosineCos = "Cosine:\t\t\t\tcos(x)"; +$TeacherTimeReport = "Teachers time report"; +$HyperbolicArcsineArcsinh = "Hyperbolic arcsine:\t\tarcsinh(x)"; +$YourLanguageNotThereContactUs = "Cannot find your language in the list? Contact us at info@chamilo.org to contribute as a translator."; +$ArcsineArcsin = "Arcsine:\t\t\tarcsin(x)"; +$HyperbolicSineSinh = "Hyperbolic sine:\t\tsinh(x)"; +$SineSin = "Sine:\t\t\t\tsin(x)"; +$PiNumberPi = "Pi number:\t\t\tpi"; +$ENumberE = "E number:\t\t\te"; +$LogarithmLog = "Logarithm:\t\t\tlog(x)"; +$NaturalLogarithmLn = "Natural logarithm:\t\tln(x)"; +$AbsoluteValueAbs = "Absolute value:\t\t\tabs(x)"; +$SquareRootSqrt = "Square root:\t\t\tsqrt(x)"; +$ExponentiationCircumflex = "Exponentiation:\t\t\t^"; +$DivisionSlash = "Division:\t\t\t/"; +$MultiplicationStar = "Multiplication:\t\t\t*"; +$SubstractionMinus = "Substraction:\t\t\t-"; +$SummationPlus = "Summation:\t\t\t+"; +$NotationList = "Formula notation"; +$SubscribeToSessionRequest = "Request for subscription to a session"; +$PleaseSubscribeMeToSession = "Please consider subscribing me to session"; +$SearchActiveSessions = "Search active sessions"; +$UserNameHasDash = "The username cannot contain the '-' character"; +$IfYouWantOnlyIntegerValuesWriteBothLimitsWithoutDecimals = "If you want only integer values write both limits without decimals"; +$GiveAnswerVariations = "Please, write how many question variations you want"; +$AnswerVariations = "Question variations"; +$GiveFormula = "Please, write the formula"; +$SignatureFormula = "Sincerely"; +$FormulaExample = "Formula sample: sqrt( [x] / [y] ) * ( e ^ ( ln(pi) ) )"; +$VariableRanges = "Variable ranges"; +$ExampleValue = "Range value"; +$CalculatedAnswer = "Calculated question"; +$UserIsCurrentlySubscribed = "The user is currently subscribed"; +$OnlyBestAttempts = "Only best attempts"; +$IncludeAllUsers = "Include all users"; +$HostingWarningReached = "Hosting warning reached"; +$SessionName = "Session name"; +$MobilePhoneNumberWrong = "Mobile phone number is incomplete or contains invalid characters"; +$CountryDialCode = "Include the country dial code"; +$FieldTypeMobilePhoneNumber = "Mobile phone number"; +$CheckUniqueEmail = "Check unique email"; +$EmailUsedTwice = "This email is not available"; +$TotalPostsInAllForums = "Total posts in all forums."; +$AddMeAsCoach = "Add me as coach"; +$AddMeAsTeacherInCourses = "Add me as teacher in the imported courses."; +$ExerciseProgressInfo = "Progress of exercises taken by the student"; +$CourseTimeInfo = "Time spent in the course"; +$ExerciseAverageInfo = "Average of best grades of each exercise attempt"; +$ExtraDurationForUser = "Additional access days for this user"; +$UserXSessionY = "User: %s - Session: %s"; +$DurationIsSameAsDefault = "The given session duration is the same as the default for the session. Ignoring."; +$FirstAccessWasXSessionDurationYEndDateWasZ = "This user's first access to the session was on %s. With a session duration of %s days, the access to this session already expired on %s"; +$FirstAccessWasXSessionDurationYEndDateInZDays = "This user's first access to the session was on %s. With a session duration of %s days, the end date is scheduled in %s days"; +$UserNeverAccessedSessionDefaultDurationIsX = "This user never accessed this session before. The duration is currently set to %s days (from the first access date)"; +$SessionDurationEdit = "Edit session duration"; +$EditUserSessionDuration = "User's session duration edition"; +$SessionDurationXDaysLeft = "This session has a maximum duration. Only %s days to go."; +$NextTopic = "Next topic"; +$CurrentTopic = "Current topic"; +$ShowFullCourseAdvance = "Show course planning"; +$RedirectToCourseHome = "Redirect to Course home"; +$LpReturnLink = "Learning path return link"; +$LearningPathList = "Learning path list"; +$UsersWithoutTask = "Learners who didn't send their work"; +$UsersWithTask = "Learners who sent their work"; +$UploadFromTemplate = "Upload from template"; +$DocumentAlreadyAdded = "Document already added"; +$AddDocument = "Add document"; +$ExportToDoc = "Export to .doc"; +$SortByTitle = "Sort by title"; +$SortByUpdatedDate = "Sort by edition date"; +$SortByCreatedDate = "Sort by creation date"; +$ViewTable = "Table view"; +$ViewList = "List view"; +$DRH = "Human Resources Manager"; +$Global = "Global"; +$QuestionTitle = "Question title"; +$QuestionId = "Question ID"; +$ExerciseId = "ExerciseId"; +$ExportExcel = "Excel export"; +$CompanyReportResumed = "Corporate report, short version"; +$CompanyReport = "Corporate report"; +$Report = "Report"; +$TraceIP = "Trace IP"; +$NoSessionProvided = "No session provided"; +$UserMustHaveTheDrhRole = "Users must have the HR director role"; +$NothingToAdd = "Nothing to add"; +$NoStudentsFoundForSession = "No student found for the session"; +$NoDestinationSessionProvided = "No destination session provided"; +$SessionXSkipped = "Session %s skipped"; +$CheckDates = "Validate dates"; +$CreateACategory = "Create a category"; +$PriorityOfMessage = "Message type"; +$ModifyDate = "Modification date"; +$Weep = "Weep"; +$LatestChanges = "Latest changes"; +$FinalScore = "Final score"; +$ErrorWritingXMLFile = "There was an error writing the XML file. Please ask the administrator to check the error logs."; +$TeacherXInSession = "Teacher in session: %s"; +$DeleteAttachment = "Delete attachment"; +$EditingThisEventWillRemoveItFromTheSerie = "Editing this event will remove it from the serie of events it is currently part of"; +$EnterTheCharactersYouReadInTheImage = "Enter the characters you see on the image"; +$YouDontHaveAnInstitutionAccount = "You don't have an institutional account"; +$LoginWithYourAccount = "Login with your account"; +$YouHaveAnInstitutionalAccount = "You already have an institutional account"; +$NoActionAvailable = "No action available"; +$Coaches = "Coaches"; +$ShowDescription = "Show description"; +$HumanResourcesManagerShouldNotBeRegisteredToCourses = "Human resources managers should not be registered to courses. The corresponding users you selected have not been subscribed."; +$CleanAndUpdateCourseCoaches = "Clean and update course coaches"; +$NoPDFFoundAtRoot = "No PDF found at root: please make sure that the PDFs are at the root of your zip file (no intermediate folder)"; +$PDFsMustLookLike = "PDFs must look like:"; +$ImportZipFileLocation = "Location of import zip file"; +$YouMustImportAZipFile = "You must import a zip file"; +$ImportPDFIntroToCourses = "Import PDF introductions into courses"; +$SubscribeTeachersToSession = "Subscribe teachers to session(s)"; +$SubscribeStudentsToSession = "Subscribe students to session(s)"; +$ManageCourseCategories = "Manage course categories"; +$CourseCategoryListInX = "Course categories in %s site:"; +$CourseCategoryInPlatform = "Course categories available"; +$UserGroupBelongURL = "The group now belongs to the selected site"; +$AtLeastOneUserGroupAndOneURL = "You need to select at least one group and one site"; +$AgendaList = "Agenda list"; +$Calendar = "Calendar"; +$CustomRange = "Custom range"; +$ThisWeek = "This week"; +$SendToUsersInSessions = "Send to users in all sessions of this course"; +$ParametersNotFound = "Parameters not found"; +$UsersToAdd = "Users to add"; +$DocumentsAdded = "Documents added"; +$NoUsersToAdd = "No users to add"; +$StartSurvey = "Start the Survey"; +$Subgroup = "Subgroup"; +$Subgroups = "Subgroups"; +$EnterTheLettersYouSee = "Enter the letters you see."; +$ClickOnTheImageForANewOne = "Click on the image to load a new one."; +$AccountBlockedByCaptcha = "Account blocked by captcha."; +$CatchScreenCasts = "Capture screenshot/screencast"; +$View = "View"; +$AmountSubmitted = "Number submitted"; +$InstallWarningCouldNotInterpretPHP = "Warning: the installer detected an error while trying to reach the test file at %s. It looks like the PHP script could not be interpreted. This could be a warning sign for future problems when creating courses. Please check the installation guide for more information about permissions. If you are installing a site with a URL that doesn't resolve yet, you can probably ignore this message."; +$BeforeX = "Before %s"; +$AfterX = "After %s"; +$ExportSettingsAsXLS = "Export settings as XLS"; +$DeleteAllItems = "Delete all items"; +$DeleteThisItem = "Delete this item"; +$RecordYourVoice = "Record your voice"; +$RecordIsNotAvailable = "No recording available"; +$WorkNumberSubmitted = "Works received"; +$ClassIdDoesntExists = "Class ID does not exist"; +$WithoutCategory = "Without category"; +$IncorrectScore = "Incorrect score"; +$CorrectScore = "Correct score"; +$UseCustomScoreForAllQuestions = "Use custom score for all questions"; +$YouShouldAddItemsBeforeAttachAudio = "You should add some items to your learning path, otherwise you won't be able to attach audio files to them"; +$InactiveDays = "Inactive days"; +$FollowedHumanResources = "Followed HR directors"; +$TheTextYouEnteredDoesNotMatchThePicture = "The text you entered doesn't match the picture."; +$RemoveOldRelationships = "Remove previous relationships"; +$ImportSessionDrhList = "Import list of HR directors into sessions"; +$FollowedStudents = "Followed students"; +$FollowedTeachers = "Followed teachers"; +$AllowOnlyFiles = "Allow only files"; +$AllowOnlyText = "Allow only text"; +$AllowFileOrText = "Allow files or online text"; +$DocumentType = "Document type"; +$SendOnlyAnEmailToMySelfToTest = "Send an email to myself for testing purposes."; +$DeleteAllSelectedAttendances = "Delete all selected attendances"; +$AvailableClasses = "Available classes"; +$RegisteredClasses = "Registered classes"; +$DeleteItemsNotInFile = "Delete items not in file"; +$ImportGroups = "Import groups"; +$HereIsYourFeedback = "Here is your feedback"; +$SearchSessions = "Session Search"; +$ShowSystemFolders = "Show system folders."; +$SelectADateOnTheCalendar = "Select a date from the calendar"; +$AreYouSureDeleteTestResultBeforeDateD = "Are you sure you want to clean results for this test before the selected date ?"; +$CleanStudentsResultsBeforeDate = "Clean all results before a selected date"; +$HGlossary = "Glossary help"; +$GlossaryContent = "This tool allows you to create glossary terms for this course, which can then be used from the documents tool"; +$ForumContent = "

    The forum is an discussion tool for asynchronous written work. In contrast to email, a forum is for public, or semi-public, group discussion.

    To use the Chamilo forum, members can simply use their browser - they do not require separate client software.

    To organize forums, clickon the Forums tool. Discussions are organized hierarchically according to the following structure: Category> Forum> Topic> Post To ensure members can participate in the forum tidily and effectively, it is essential in th first instance to create categories and forums; it's then up to the participants to create topics and posts. By default, the forum contains a single (public) category, an example topic and an example post. You can add forums to the category, change its title or create other categories within which you could then create new forums. (Don't confuse categories and forums, and remember that a category that contains no forum is useless and is not displayed.)

    \n

    The forum description might include a list of its members, a definition of its purpose, a target a task, a theme etc.

    Group forums should not be created via the Forum tool but instead via the Groups tool, where you can determinewhether your group forums should be private or public, at the same time providing a location for sharing groups of documents.

    Teaching Tips A learning forum is not quite the same as the forums you are used to seeing on the internet. For one thing, it is not possible for learners to alter their posts once they have been published as the course is logically archived to allow tracking of what has been said in the past. Furthermore, Chamilo forums allow for specific uses relevant to teaching. For example, some teachers/trainers publish corrections directly within forums in the following way:
  • A learner is asked to post a report directly into the forum, The teacher corrects it by clicking Edit (yellow pencil) and marking it using the graphics editor (color, underlining, etc.) Finally, other learners benefit from viewing the corrections was made on the production of one of of them, Note that the same principle can be applied between learners, but will require his copying/pasting the message of his fellow student because students / trainees can not edit one another's posts. <. li> "; +$HForum = "Forum help"; +$LoginToGoToThisCourse = "Please login to go to this course"; +$AreYouSureToEmptyAllTestResults = "Clear all learners results for every exercises ?"; +$CleanAllStudentsResultsForAllTests = "Are you sure to delete all test's results ?"; +$AdditionalMailWasSentToSelectedUsers = "Additionally, a new announcement has been created and sent to selected users"; +$LoginDate = "Login date"; +$ChooseStartDateAndEndDate = "Choose start and end dates"; +$TestFeedbackNotShown = "This test is configured not to display feedback to learners. Comments will not be seen at the end of the test, but may be useful for you, as teacher, when reviewing the question details."; +$WorkAdded = "Work added"; +$FeedbackDisplayOptions = "How should we show the feedback/comment for each question? This option defines how it will be shown to the learner when taking the test. We recommend you try different options by editing your test options before having learners take it."; +$InactiveUsers = "Users who's account has been disabled"; +$ActiveUsers = "Users with an active account"; +$SurveysProgress = "Surveys progress"; +$SurveysLeft = "Incomplete surveys"; +$SurveysDone = "Completed surveys"; +$SurveysTotal = "Total surveys"; +$WikiProgress = "Wiki pages reading progress"; +$WikiUnread = "Wiki pages unread"; +$WikiRead = "Wiki pages read"; +$WikiRevisions = "Wiki pages revisions"; +$WikiTotal = "Total wiki pages"; +$AssignmentsProgress = "Assignments progress"; +$AssignmentsLeft = "Missing assignments"; +$AssignmentsDone = "Completed handed in"; +$AssignmentsTotal = "Total assignments"; +$ForumsProgress = "Forums progress"; +$ForumsLeft = "Forums not read"; +$ForumsDone = "Forums read"; +$ForumsTotal = "Total forums"; +$ExercisesProgress = "Exercises progress"; +$ExercisesLeft = "Incomplete exercises"; +$ExercisesDone = "Completed exercises"; +$ExercisesTotal = "Total exercises"; +$LearnpathsProgress = "Learning paths progress"; +$LearnpathsLeft = "Incomplete learning paths"; +$LearnpathsDone = "Completed learning paths"; +$LearnpathsTotal = "Total learning paths"; +$TimeLoggedIn = "Time connected (hh:mm)"; +$SelectSurvey = "Select survey"; +$SurveyCopied = "Survey copied"; +$NoSurveysAvailable = "No surveys available"; +$DescriptionCopySurvey = "Duplicate an empty survey copy into another course. You need 2 courses to use this feature: an original course and a target course."; +$CopySurvey = "Copy survey"; +$ChooseSession = "Please pick a session"; +$SearchSession = "Search sessions"; +$ChooseStudent = "Please pick a student"; +$SearchStudent = "Search users"; +$ChooseCourse = "Please pick a course"; +$DisplaySurveyOverview = "Surveys overview"; +$DisplayProgressOverview = "Participation and reading progress overview"; +$DisplayLpProgressOverview = "Learning paths progress overview"; +$DisplayExerciseProgress = "Detailed exercises progress"; +$DisplayAccessOverview = "Accesses by user overview"; +$AllowMemberLeaveGroup = "Allow members to leave group"; +$WorkFileNotUploadedDirXDoesNotExist = "Assignment could not be uploaded because folder %s does not exist"; +$DeleteUsersNotInList = "Unsubscribe students which are not in the imported list"; +$IfSessionExistsUpdate = "If a session exists, update it"; +$CreatedByXYOnZ = "Create by %s on %s"; +$LoginWithExternalAccount = "Login without an institutional account"; $ImportAikenQuizExplanationExample = "This is the text for question 1 A. Answer 1 B. Answer 2 @@ -337,96 +337,96 @@ B. Answer 2 C. Answer 3 D. Answer 4 ANSWER: D -ANSWER_EXPLANATION: this is an optional feedback comment that will appear next to the correct answer."; -$ImportAikenQuizExplanation = "The Aiken format comes in a simple text (.txt) file, with several question blocks, each separated by a blank line. The first line is the question, the answer lines are prefixed by a letter and a dot, and the correct answer comes next with the ANSWER: prefix. See example below."; -$ExerciseAikenErrorNoAnswerOptionGiven = "The imported file has at least one question without any answer (or the answers do not include the required prefix letter). Please make sure each question has at least one answer and that it is prefixed by a letter and a dot or a parenthesis, like this: A. answer one"; -$ExerciseAikenErrorNoCorrectAnswerDefined = "The imported file includes at least one question without any correct answer defined. Please make sure all questions include the ANSWER: [Letter] line."; -$SearchCourseBySession = "Search course by session"; -$ThereWasAProblemWithYourFile = "There was an unknown issue with your file. Please review its format and try again."; -$YouMustUploadAZipOrTxtFile = "You must upload a .txt or .zip file"; -$NoTxtFileFoundInTheZip = "No .txt file found in zip"; -$ImportAikenQuiz = "Import Aiken quiz"; -$GlobalLinkUseDoubleColumnPrivateToShowPrivately = "Use ::private at the end of the link to show it only to logged-in users"; -$NumberOfGroupsToCreate = "Number of groups to create"; -$CoachesSubscribedAsATeacherInCourseX = "Coaches subscribed as teachers in course %s"; -$EnrollStudentsFromExistingSessions = "Enroll students from existing sessions"; -$EnrollTrainersFromExistingSessions = "Enroll trainers from existing sessions"; -$AddingStudentsFromSessionXToSessionY = "Adding students from session %s to session %s"; -$AddUserGroupToThatURL = "Add user group to this URL"; -$FirstLetter = "First letter"; -$UserGroupList = "User groups list"; -$AddUserGroupToURL = "Add group to URL"; -$UserGroupListInX = "Groups in %s"; -$UserGroupListInPlatform = "Platform groups list"; -$EditUserGroupToURL = "Edit groups for one URL"; -$ManageUserGroup = "Manage user groups"; -$FolderDoesntExistsInFileSystem = "Target folder doesn't exist on the server."; -$RegistrationDisabled = "Sorry, you are trying to access the registration page for this portal, but registration is currently disabled. Please contact the administrator (see contact information in the footer). If you already have an account on this site."; -$CasDirectCourseAccess = "Enter course with CAS authentication"; -$TeachersWillBeAddedAsCoachInAllCourseSessions = "Teachers will be added as a coach in all course sessions."; -$DateTimezoneSettingNotSet = "We have detected that your PHP installation does not define the date.timezone setting. This is a requirement of Chamilo. Please make sure it is configured by checking your php.ini configuration, otherwise you will run into problems. We warned you!"; -$YesImSure = "Yes, I'm sure"; -$NoIWantToTurnBack = "No, I want to return"; -$IfYouContinueYourAnswerWillBeSavedAnyChangeWillBeNotAllowed = "If you continue your answer will be saved. Any change will be not allowed."; -$SpecialCourses = "Special courses"; -$Roles = "Roles"; -$ToolCurriculum = "Curriculum"; -$ToReviewXYZ = "%s to review (%s)"; -$UnansweredXYZ = "%s unanswered (%s)"; -$AnsweredXYZ = "%s answered (%s)+(%s)"; -$UnansweredZ = "(%s) Unanswered"; -$AnsweredZ = "(%s) Answered"; -$CurrentQuestionZ = "(%s) Current question"; -$ToReviewZ = "(%s) To review"; -$ReturnToExerciseList = "Return to exercises list"; -$ExerciseAutoLaunch = "Auto-launch for exercises"; -$AllowFastExerciseEdition = "Enable exercise fast edition mode"; -$Username = "Username"; -$SignIn = "Sign in"; -$YouAreReg = "You are registered to"; -$ManageQuestionCategories = "Manage global questions categories"; -$ManageCourseFields = "Manage extra fields for courses"; -$ManageQuestionFields = "Manage extra fields for questions"; -$QuestionFields = "Questions fields"; -$FieldLoggeable = "Field changes should be logged"; -$EditExtraFieldWorkFlow = "Edit this field's workflow"; -$SelectRole = "Select role"; -$SelectAnOption = "Please select an option"; -$CurrentStatus = "Current status"; -$MyCourseCategories = "My courses categories"; -$SessionsCategories = "Sessions categories"; -$CourseSessionBlock = "Courses and sessions"; -$Committee = "Committee"; -$ModelType = "Exercise model type"; -$AudioFile = "Audio file"; -$CourseVisibilityHidden = "Hidden - Completely hidden to all users except the administrators"; -$HandedOutDate = "Time of reception"; -$HandedOut = "Handed out"; -$HandOutDateLimit = "Deadline"; -$ApplyAllLanguages = "Apply this change to all available languages"; -$ExerciseWasActivatedFromXToY = "Exercise was activated from %s to %s"; -$YourPasswordCannotBeTheSameAsYourUsername = "Your password cannot be the same as your username"; -$CheckEasyPasswords = "Check passwords too easy to guess"; -$PasswordVeryStrong = "Very strong"; -$PasswordStrong = "Strong"; -$PasswordMedium = "Medium"; -$PasswordNormal = "Normal"; -$PasswordWeak = "Weak"; -$PasswordIsTooShort = "The password is too short"; -$BadCredentials = "Bad credentials"; -$SelectAnAnswerToContinue = "Select an answer to continue"; -$QuestionReused = "Question added in the exercise"; -$QuestionCopied = "Question copied to the exercise"; -$BreadcrumbNavigationDisplayComment = "Show or hide the breadcrumb navigation, the one appearing just below the main navigation tabs. It is highly recommended to have this navigation shown to users, as this allows them to locate their current position and navigate to previous pages easily. Sometimes, however, it might be necessary to hide it (for example in the case of exam platforms) to avoid users navigating to pages they should not see."; -$BreadcrumbNavigationDisplayTitle = "Breadcrumb navigation"; -$AllowurlfopenIsSetToOff = "The PHP setting \"allow_url_fopen\" is set to off. This prevents the registration mechanism to work properly. This setting can be changed in you PHP configuration file (php.ini) or in the Apache Virtual Host configuration, using the php_admin_value directive"; -$ImpossibleToContactVersionServerPleaseTryAgain = "Impossible to contact the version server right now. Please try again later."; -$VersionUpToDate = "Your version is up-to-date"; -$LatestVersionIs = "The latest version is"; -$YourVersionNotUpToDate = "Your version is not up-to-date"; -$Hotpotatoes = "Hotpotatoes"; +ANSWER_EXPLANATION: this is an optional feedback comment that will appear next to the correct answer."; +$ImportAikenQuizExplanation = "The Aiken format comes in a simple text (.txt) file, with several question blocks, each separated by a blank line. The first line is the question, the answer lines are prefixed by a letter and a dot, and the correct answer comes next with the ANSWER: prefix. See example below."; +$ExerciseAikenErrorNoAnswerOptionGiven = "The imported file has at least one question without any answer (or the answers do not include the required prefix letter). Please make sure each question has at least one answer and that it is prefixed by a letter and a dot or a parenthesis, like this: A. answer one"; +$ExerciseAikenErrorNoCorrectAnswerDefined = "The imported file includes at least one question without any correct answer defined. Please make sure all questions include the ANSWER: [Letter] line."; +$SearchCourseBySession = "Search course by session"; +$ThereWasAProblemWithYourFile = "There was an unknown issue with your file. Please review its format and try again."; +$YouMustUploadAZipOrTxtFile = "You must upload a .txt or .zip file"; +$NoTxtFileFoundInTheZip = "No .txt file found in zip"; +$ImportAikenQuiz = "Import Aiken quiz"; +$GlobalLinkUseDoubleColumnPrivateToShowPrivately = "Use ::private at the end of the link to show it only to logged-in users"; +$NumberOfGroupsToCreate = "Number of groups to create"; +$CoachesSubscribedAsATeacherInCourseX = "Coaches subscribed as teachers in course %s"; +$EnrollStudentsFromExistingSessions = "Enroll students from existing sessions"; +$EnrollTrainersFromExistingSessions = "Enroll trainers from existing sessions"; +$AddingStudentsFromSessionXToSessionY = "Adding students from session %s to session %s"; +$AddUserGroupToThatURL = "Add user group to this URL"; +$FirstLetter = "First letter"; +$UserGroupList = "User groups list"; +$AddUserGroupToURL = "Add group to URL"; +$UserGroupListInX = "Groups in %s"; +$UserGroupListInPlatform = "Platform groups list"; +$EditUserGroupToURL = "Edit groups for one URL"; +$ManageUserGroup = "Manage user groups"; +$FolderDoesntExistsInFileSystem = "Target folder doesn't exist on the server."; +$RegistrationDisabled = "Sorry, you are trying to access the registration page for this portal, but registration is currently disabled. Please contact the administrator (see contact information in the footer). If you already have an account on this site."; +$CasDirectCourseAccess = "Enter course with CAS authentication"; +$TeachersWillBeAddedAsCoachInAllCourseSessions = "Teachers will be added as a coach in all course sessions."; +$DateTimezoneSettingNotSet = "We have detected that your PHP installation does not define the date.timezone setting. This is a requirement of Chamilo. Please make sure it is configured by checking your php.ini configuration, otherwise you will run into problems. We warned you!"; +$YesImSure = "Yes, I'm sure"; +$NoIWantToTurnBack = "No, I want to return"; +$IfYouContinueYourAnswerWillBeSavedAnyChangeWillBeNotAllowed = "If you continue your answer will be saved. Any change will be not allowed."; +$SpecialCourses = "Special courses"; +$Roles = "Roles"; +$ToolCurriculum = "Curriculum"; +$ToReviewXYZ = "%s to review (%s)"; +$UnansweredXYZ = "%s unanswered (%s)"; +$AnsweredXYZ = "%s answered (%s)+(%s)"; +$UnansweredZ = "(%s) Unanswered"; +$AnsweredZ = "(%s) Answered"; +$CurrentQuestionZ = "(%s) Current question"; +$ToReviewZ = "(%s) To review"; +$ReturnToExerciseList = "Return to exercises list"; +$ExerciseAutoLaunch = "Auto-launch for exercises"; +$AllowFastExerciseEdition = "Enable exercise fast edition mode"; +$Username = "Username"; +$SignIn = "Sign in"; +$YouAreReg = "You are registered to"; +$ManageQuestionCategories = "Manage global questions categories"; +$ManageCourseFields = "Manage extra fields for courses"; +$ManageQuestionFields = "Manage extra fields for questions"; +$QuestionFields = "Questions fields"; +$FieldLoggeable = "Field changes should be logged"; +$EditExtraFieldWorkFlow = "Edit this field's workflow"; +$SelectRole = "Select role"; +$SelectAnOption = "Please select an option"; +$CurrentStatus = "Current status"; +$MyCourseCategories = "My courses categories"; +$SessionsCategories = "Sessions categories"; +$CourseSessionBlock = "Courses and sessions"; +$Committee = "Committee"; +$ModelType = "Exercise model type"; +$AudioFile = "Audio file"; +$CourseVisibilityHidden = "Hidden - Completely hidden to all users except the administrators"; +$HandedOutDate = "Time of reception"; +$HandedOut = "Handed out"; +$HandOutDateLimit = "Deadline"; +$ApplyAllLanguages = "Apply this change to all available languages"; +$ExerciseWasActivatedFromXToY = "Exercise was activated from %s to %s"; +$YourPasswordCannotBeTheSameAsYourUsername = "Your password cannot be the same as your username"; +$CheckEasyPasswords = "Check passwords too easy to guess"; +$PasswordVeryStrong = "Very strong"; +$PasswordStrong = "Strong"; +$PasswordMedium = "Medium"; +$PasswordNormal = "Normal"; +$PasswordWeak = "Weak"; +$PasswordIsTooShort = "The password is too short"; +$BadCredentials = "Bad credentials"; +$SelectAnAnswerToContinue = "Select an answer to continue"; +$QuestionReused = "Question added in the exercise"; +$QuestionCopied = "Question copied to the exercise"; +$BreadcrumbNavigationDisplayComment = "Show or hide the breadcrumb navigation, the one appearing just below the main navigation tabs. It is highly recommended to have this navigation shown to users, as this allows them to locate their current position and navigate to previous pages easily. Sometimes, however, it might be necessary to hide it (for example in the case of exam platforms) to avoid users navigating to pages they should not see."; +$BreadcrumbNavigationDisplayTitle = "Breadcrumb navigation"; +$AllowurlfopenIsSetToOff = "The PHP setting \"allow_url_fopen\" is set to off. This prevents the registration mechanism to work properly. This setting can be changed in you PHP configuration file (php.ini) or in the Apache Virtual Host configuration, using the php_admin_value directive"; +$ImpossibleToContactVersionServerPleaseTryAgain = "Impossible to contact the version server right now. Please try again later."; +$VersionUpToDate = "Your version is up-to-date"; +$LatestVersionIs = "The latest version is"; +$YourVersionNotUpToDate = "Your version is not up-to-date"; +$Hotpotatoes = "Hotpotatoes"; $ZeroMeansNoQuestionWillBeSelectedMinusOneMeansThatAllQuestionsWillBeSelected = "-1 = All questions will be selected. - 0 = No questions will be selected."; + 0 = No questions will be selected."; $EmailNotificationTemplateDescription = "You can customize the email sent to users when they finished the exercise. You can use tags like these: 1. {{ student.username }} @@ -437,2209 +437,2209 @@ $EmailNotificationTemplateDescription = "You can customize the email sent to use 6. {{ exercise.start_time }} 7. {{ exercise.end_time }} 8. {{ course.title }} -9. {{ course.code }}"; -$EmailNotificationTemplate = "Email notification template"; -$ExerciseEndButtonDisconnect = "Logout"; -$ExerciseEndButtonExerciseHome = "Exercise list."; -$ExerciseEndButtonCourseHome = "Course home"; -$ExerciseEndButton = "Exercise end button"; -$HideQuestionTitle = "Hide question title"; -$QuestionSelection = "Question selection type"; -$OrderedCategoriesByParentWithQuestionsRandom = "Ordered categories by parent with random questions"; -$OrderedCategoriesByParentWithQuestionsOrdered = "Ordered categories by parent with questions ordered"; -$RandomCategoriesWithRandomQuestionsNoQuestionGrouped = "Random categories with random questions (questions not grouped)"; -$RandomCategoriesWithQuestionsOrderedNoQuestionGrouped = "Random categories with questions ordered (questions not grouped)"; -$RandomCategoriesWithRandomQuestions = "Random categories with random questions"; -$OrderedCategoriesAlphabeticallyWithRandomQuestions = "Ordered categories alphabetically with random questions"; -$RandomCategoriesWithQuestionsOrdered = "Random categories with questions ordered"; -$OrderedCategoriesAlphabeticallyWithQuestionsOrdered = "Ordered categories alphabetically with questions ordered"; -$UsingCategories = "Using categories"; -$OrderedByUser = "Ordered by user"; -$ToReview = "To be reviewed"; -$Unanswered = "Unanswered"; -$CurrentQuestion = "Current question"; -$MediaQuestions = "Shareable enunciates"; -$CourseCategoriesAreGlobal = "Course categories are global over multiple portals configurations. Changes are only allowed in the main administrative portal."; -$CareerUpdated = "Career updated successfully"; -$UserIsNotATeacher = "User is not a teacher"; -$ShowAllEvents = "All events"; -$Month = "Month"; -$Hour = "Hour"; -$Minutes = "Minutes"; -$AddSuccess = "Event added"; -$AgendaDeleteSuccess = "Event deleted"; -$NoAgendaItems = "There are no events"; -$ClassName = "Class name"; -$ItemTitle = "Event name"; -$Day = "day"; -$month_default = "default month"; -$year_default = "default year"; -$Hour = "Hour"; -$hour_default = "default hour"; -$Minute = "minute"; -$Lasting = "lasting"; -$OldToNew = "old to new"; -$NewToOld = "new to old"; -$Now = "now"; -$AddEvent = "Save the event"; -$Detail = "detail"; -$MonthView = "Month view"; -$WeekView = "Weekly"; -$DayView = "Daily"; -$AddPersonalItem = "Add event to the agenda"; -$Week = "Week"; -$Time = "Time"; -$AddPersonalCalendarItem = "Add event to the agenda"; -$ModifyPersonalCalendarItem = "Edit personal event"; -$PeronalAgendaItemAdded = "Event added"; -$PeronalAgendaItemEdited = "Event saved"; -$PeronalAgendaItemDeleted = "The event was deleted"; -$ViewPersonalItem = "View perso events only"; -$Print = "Print"; -$MyTextHere = "my text here"; -$CopiedAsAnnouncement = "Copied as announcement"; -$NewAnnouncement = "New announcement"; -$UpcomingEvent = "Upcoming events"; -$RepeatedEvent = "Repeated event"; -$RepeatType = "Repeat type"; -$RepeatDaily = "Daily"; -$RepeatWeekly = "Weekly"; -$RepeatMonthlyByDate = "Monthly, by date"; -$RepeatMonthlyByDay = "Monthly, by day"; -$RepeatMonthlyByDayR = "Monthly, by day, restricted"; -$RepeatYearly = "Yearly"; -$RepeatEnd = "Repeat end date"; -$RepeatedEventViewOriginalEvent = "View original event"; -$ICalFileImport = "Outlook import"; -$AllUsersOfThePlatform = "All system users"; -$GlobalEvent = "Platform event"; -$ModifyEvent = "Edit event"; -$EndDateCannotBeBeforeTheStartDate = "The end date cannot be before the start date"; -$ItemForUserSelection = "Users selection list"; -$IsNotiCalFormatFile = "This file is not in iCal format"; -$RepeatEvent = "Repeat event"; -$ScormVersion = "version"; -$ScormRestarted = "All the learning objects are now incomplete."; -$ScormNoNext = "This is the latest learning object."; -$ScormNoPrev = "This is the first learning object."; -$ScormTime = "Time"; -$ScormNoOrder = "There is no given order, you can click on any learning object."; -$ScormScore = "Score"; -$ScormLessonTitle = "Learning object name"; -$ScormStatus = "Status"; -$ScormToEnter = "To enter"; -$ScormFirstNeedTo = "you need first to accomplish"; -$ScormThisStatus = "This learning object is now"; -$ScormClose = "Terminate"; -$ScormRestart = "Restart"; -$ScormCompstatus = "Completed"; -$ScormIncomplete = "Incomplete"; -$ScormPassed = "Passed"; -$ScormFailed = "Failed"; -$ScormPrevious = "Previous"; -$ScormNext = "Next"; -$ScormTitle = "Chamilo Scorm player"; -$ScormMystatus = "My progress"; -$ScormNoItems = "This course is empty."; -$ScormNoStatus = "No status for this content"; -$ScormLoggedout = "logged out from Scorm area"; -$ScormCloseWindow = "Close windows"; -$ScormBrowsed = "Browsed"; -$ScormExitFullScreen = "Back to normal screen"; -$ScormFullScreen = "Full screen"; -$ScormNotAttempted = "Not attempted"; -$Local = "Local"; -$Remote = "Remote"; -$Autodetect = "Auto-detect"; -$AccomplishedStepsTotal = "Total of completed learning objects"; -$AreYouSureToDeleteSteps = "Are you sure you want to delete these steps?"; -$Origin = "Authoring tool"; -$Local = "Local"; -$Remote = "Remote"; -$FileToUpload = "SCORM or AICC file to upload"; -$ContentMaker = "Authoring tool"; -$ContentProximity = "Course location"; -$UploadLocalFileFromGarbageDir = "Upload local .zip package from the archive/ directory"; -$ThisItemIsNotExportable = "This learning object or activity is not SCORM compliant. That's why it is not exportable."; -$MoveCurrentChapter = "Move the current section"; -$GenericScorm = "Generic Scorm"; -$UnknownPackageFormat = "The format of this package could not be recognized. Please check this is a valid package."; -$MoveTheCurrentForum = "Move the current forum"; -$WarningWhenEditingScorm = "Warning ! When you edit the content of a learning object, you may alter the reporting of the course or damage the learning object."; -$MessageEmptyMessageOrSubject = "Please provide a subject or message"; -$Messages = "Messages"; -$NewMessage = "New message"; -$DeleteSelectedMessages = "Delete selected messages"; -$DeselectAll = "Deselect all"; -$ReplyToMessage = "Reply to this message"; -$BackToInbox = "Back to inbox"; -$MessageSentTo = "The message has been sent to"; -$SendMessageTo = "Send to"; -$Myself = "myself"; -$InvalidMessageId = "The id of the message to reply to is not valid."; -$ErrorSendingMessage = "There was an error while trying to send the message."; -$SureYouWantToDeleteSelectedMessages = "Are you sure you want to delete the selected messages?"; -$SelectedMessagesDeleted = "The selected messages have been deleted"; -$EnterTitle = "Please enter a title"; -$TypeYourMessage = "Type your message here"; -$MessageDeleted = "The message has been deleted"; -$ConfirmDeleteMessage = "Are you sure you want to delete the selected message?"; -$DeleteMessage = "Delete message"; -$ReadMessage = "Read message"; -$SendInviteMessage = "Send invitation message"; -$SendMessageInvitation = "Are you sure that you wish to send these invitations ?"; -$MessageTool = "Messages tool"; -$WriteAMessage = "Write a message"; -$AlreadyReadMessage = "Message already read"; -$UnReadMessage = "Message without reading"; -$MessageSent = "Message Sent"; -$ModifInfo = "Settings"; -$ModifDone = "The information has been modified"; -$DelCourse = "Completely delete this course"; -$Professors = "Trainers"; -$Faculty = "Category"; -$Confidentiality = "Confidentiality"; -$Unsubscription = "Unsubscribe"; -$PrivOpen = "Private access, registration open"; -$Forbidden = "Not allowed"; -$CourseAccessConfigTip = "By default, your course is public. But you can define the level of access above."; -$OpenToTheWorld = "Public - access allowed for the whole world"; -$OpenToThePlatform = " Open - access allowed for users registered on the platform"; -$OpenToThePlatform = "Open - access allowed for users registered on the platform"; -$TipLang = "This language will be valid for every visitor of your courses portal"; -$Vid = "Chamilo LIVE"; -$Work = "Contributions"; -$ProgramMenu = "Course program"; -$Stats = "Statistics"; -$UplPage = "Upload page and link to Home Page"; -$LinkSite = "Add link to page on Home Page"; -$HasDel = "has been deleted"; -$ByDel = "Deleting this area will permanently delete all the content (documents, links...) it contains and unregister all its members (not remove them from other courses).

    Do you really want to delete the course?"; -$Y = "YES"; -$N = "NO"; -$DepartmentUrl = "Department URL"; -$DepartmentUrlName = "Department"; -$BackupCourse = "Archive this course area"; -$ModifGroups = "Groups"; -$Professor = "Trainer"; -$DescriptionCours = "Description"; -$ArchiveCourse = "Course backup"; -$RestoreCourse = "Restore a course"; -$Restore = "Restore"; -$CreatedIn = "created in"; -$CreateMissingDirectories = "Creation of missing directories"; -$CopyDirectoryCourse = "Copy of course files"; -$Disk_free_space = "Free disk space"; -$BuildTheCompressedFile = "Creation of backup file"; -$FileCopied = "file copied"; -$ArchiveLocation = "Archive location"; -$SizeOf = "Size of"; -$ArchiveName = "Archive name"; -$BackupSuccesfull = "Backup successful"; -$BUCourseDataOfMainBase = "Backup of course data in main database for"; -$BUUsersInMainBase = "Backup of user data in main database for"; -$BUAnnounceInMainBase = "Backup of announcements data in main database for"; -$BackupOfDataBase = "Backup of database"; -$ExpirationDate = "Expiration date"; -$LastEdit = "Latest edit"; -$LastVisit = "Latest visit"; -$Subscription = "Subscription"; -$CourseAccess = "Course access"; -$ConfirmBackup = "Do you really want to backup this course?"; -$CreateSite = "Add a new course"; -$RestoreDescription = "The course is in an archive file which you can select below.

    Once you click on \"Restore\", the archive will be uncompressed and the course recreated."; -$RestoreNotice = "This script doesn't allow yet to automatically restore users, but data saved in \"users.csv\" are sufficient for the administrator to do it manually."; -$AvailableArchives = "Available archives list"; -$NoArchive = "No archive has been selected"; -$ArchiveNotFound = "The archive has not been found"; -$ArchiveUncompressed = "The archive has been uncompressed and installed."; -$CsvPutIntoDocTool = "The file \"users.csv\" has been put into Documents tool."; -$BackH = "back to homepage"; -$OtherCategory = "Other category"; -$AllowedToUnsubscribe = "Users are allowed to unsubscribe from this course"; -$NotAllowedToUnsubscribe = "Users are not allowed to unsubscribe from this course"; -$CourseVisibilityClosed = "Completely closed: the course is only accessible to the teachers."; -$CourseVisibilityClosed = "Closed - the course is only accessible to the teachers"; -$CourseVisibilityModified = "Modified (more detailed settings specified through roles-rights system)"; -$WorkEmailAlert = "Alert by e-mail on work submission"; -$WorkEmailAlertActivate = "Activate e-mail alert on new work submission"; -$WorkEmailAlertDeactivate = "Disable e-mail alert on new work submission"; -$DropboxEmailAlert = "Alert by e-mail on dropbox submission"; -$DropboxEmailAlertActivate = "Activate e-mail alert on dropbox submission"; -$DropboxEmailAlertDeactivate = "Disable e-mail alert on dropbox submission"; -$AllowUserEditAgenda = "Allow learners to edit the agenda"; -$AllowUserEditAgendaActivate = "Activate course agenda edition by users"; -$AllowUserEditAgendaDeactivate = "Disable agenda editing by learners"; -$AllowUserEditAnnouncement = "Allow learners to edit announcements"; -$AllowUserEditAnnouncementActivate = "Enable edition by users"; -$AllowUserEditAnnouncementDeactivate = "Disable edition by users"; -$OrInTime = "Or in"; -$CourseRegistrationPassword = "Course registration password"; -$DescriptionDeleteCourse = "Click on this link for a full removal of the course from the server.

    Be carefull, there's no way back!"; -$DescriptionCopyCourse = "Duplicate the course or some learning objects in another course. You need 2 courses to use this feature: an original course and a target course."; -$DescriptionRecycleCourse = "This tool empties the course. It removes documents, forums, links. And allows you to select what parts you want to remove or decide to remove the whole."; -$QuizEmailAlert = "E-mail alert on new test submitted"; -$QuizEmailAlertActivate = "Activate e-mail sending when a user submits new test answers"; -$QuizEmailAlertDeactivate = "Disable e-mail alert on new test answers submission"; -$AllowUserImageForum = "User picture in forum"; -$AllowUserImageForumActivate = "Display users pictures in the forum"; -$AllowUserImageForumDeactivate = "Hide users pictures in the forum"; -$AllowLearningPathTheme = "Enable course themes"; -$AllowLearningPathThemeAllow = "Allowed"; -$AllowLearningPathThemeDisallow = "Disallowed"; -$ConfigChat = "Chat settings"; -$AllowOpenchatWindow = "Open chat in a new Window"; -$AllowOpenChatWindowActivate = "Activate open the chat in a new window"; -$AllowOpenChatWindowDeactivate = "Deactivate open the chat in a new window"; -$NewUserEmailAlert = "Notice by e-mail to trainer of auto subscription of a new user"; -$NewUserEmailAlertEnable = "Enable the notice by e-mail to trainer of auto subscription of a new user"; -$NewUserEmailAlertToTeacharAndTutor = "Enable the notice by e-mail to trainer and tutors of auto subscription of a new user"; -$NewUserEmailAlertDisable = "Disable the email alert for the subscription of new users in the course"; -$PressAgain = "Press 'Store' again..."; -$Rights = "Usage Rights"; -$Version = "Version"; -$StatusTip = "select from list"; -$CreatedSize = "Created, size"; -$AuthorTip = "in VCARD format"; -$Format = "Format"; -$FormatTip = "select from list"; -$Statuses = ":draft:draft,, final:final,, revised:revised,, unavailable:unavailable"; -$Costs = ":no:free, no cost,, yes:not free, cost"; -$Copyrights = ":yes:copyright,, no:no copyright"; -$Formats = ":text/plain;iso-8859-1:text/plain;iso-8859-1,, text/plain;utf-8:text/plain;utf-8,, text/html;iso-8859-1:text/html;iso-8859-1,, text/html;utf-8:text/html;utf-8,, inode/directory:Folder,, application/msword:MsWord,, application/octet-stream:Octet stream,, application/pdf:PDF,, application/postscript:PostScript,, application/rtf:RTF,, application/vnd.ms-excel:MsExcel,, application/vnd.ms-powerpoint:MsPowerpoint,, application/xml;iso-8859-1:XML;iso-8859-1,, application/xml;utf-8:XML;utf-8,, application/zip:ZIP"; -$LngResTypes = ":exercise:exercise,, simulation:simulation,, questionnaire:questionnaire,, diagram:diagram,, figure:figure,, graph:graf,, index:index,, slide:slide,, table:table,, narrative text:narrative text,, exam:exam,, experiment:experiment,, problem statement:problem statement,, self assessment:self assessment,, lecture:lecture"; -$SelectOptionForBackup = "Please select a backup-option"; -$LetMeSelectItems = "Let me select learning objects"; -$CreateFullBackup = "Create a complete backup of this course"; -$CreateBackup = "Create a backup"; -$BackupCreated = "The backup has been created. The download of this file will start in a few moments. If your download does not start, click the following link"; -$SelectBackupFile = "Select a backup file"; -$ImportBackup = "Import backup"; -$ImportFullBackup = "Import full backup"; -$ImportFinished = "Import finished"; -$Tests = "Tests"; -$Learnpaths = "Courses"; -$CopyCourse = "Copy course"; -$SelectItemsToCopy = "Select learning objects to copy"; -$CopyFinished = "Copying is finished"; -$FullRecycle = "Delete everything"; -$RecycleCourse = "Empty this course"; -$RecycleFinished = "Recycle is finished"; -$RecycleWarning = "Warning: using this tool, you will delete learning objects in your course. There is no UNDO possible. We advise you to create a backup before."; -$SameFilename = "What should be done with imported files with the same file name as existing files?"; -$SameFilenameSkip = "Skip same file name"; -$SameFilenameRename = "Rename file (eg file.pdf becomes file_1.pdf)"; -$SameFilenameOverwrite = "Overwrite file"; -$SelectDestinationCourse = "Select target course"; -$FullCopy = "Full copy"; -$NoResourcesToBackup = "There are no resources to backup"; -$NoResourcesInBackupFile = "There are no resources in backup file"; -$SelectResources = "Select resources"; -$NoResourcesToRecycles = "There are no resources to recycle"; -$IncludeQuestionPool = "Include questions pool"; -$LocalFile = "local file"; -$ServerFile = "server file"; -$NoBackupsAvailable = "No backup is available"; -$NoDestinationCoursesAvailable = "No destination course available"; -$ImportBackupInfo = "Import a backup. You will be able to upload a backup file from you local drive or you can use a backup file available on the server."; -$CreateBackupInfo = "Create a backup. You can select the learning objects to integrate in the backup file."; -$ToolIntro = "Tool introduction"; -$UploadError = "Upload failed, please check maximum file size limits and folder rights."; -$DocumentsWillBeAddedToo = "Documents will be added too"; -$ToExportLearnpathWithQuizYouHaveToSelectQuiz = "If you want to export a course containing a test, you have to make sure the corresponding tests are included in the export, so you have to select them in the list of tests."; -$ArchivesDirectoryNotWriteableContactAdmin = "The archives directory, used by this tool, is not writeable. Please contact your platform administrator."; -$DestinationCourse = "Target course"; -$ConvertToMultipleAnswer = "Convert to multiple answer"; -$CasMainActivateComment = "Enabling CAS authentication will allow users to authenticate with their CAS credentials.
    Go to Plugin to add a configurable 'CAS Login' button for your Chamilo campus."; -$UsersRegisteredInAnyGroup = "Users registered in any group"; -$Camera = "Camera"; -$Microphone = "Microphone"; -$DeleteStream = "Delete stream"; -$Record = "Record"; -$NoFileAvailable = "No File availible"; -$RecordingOnlyForTeachers = "Recording only for trainers"; -$UsersNow = "Users at the moment:"; -$StartConference = "Start conference"; -$MyName = "My name"; -$OrganisationSVideoconference = "Chamilo LIVE"; -$ImportPresentation = "Import presentation"; -$RefreshList = "Refresh list"; -$GoToTop = "Go to Top"; -$NewPoll = "New poll"; -$CreateNewPoll = "Create a new poll for this room"; -$Question = "Question"; -$PollType = "Polltype:"; -$InfoConnectedUsersGetNotifiedOfThisPoll = "Info: Every connected User in this room will get a notification of this new Poll."; -$YesNo = "Yes / No"; -$Numeric1To10 = "Numeric 1-10"; -$Poll = "Poll"; -$YouHaveToBecomeModeratorOfThisRoomToStartPolls = "You have to become Moderator of this Room to make polls."; -$YourVoteHasBeenSent = "Your vote has been sent"; -$YouAlreadyVotedForThisPoll = "You've already voted for this poll"; -$VoteButton = "Vote!"; -$YourAnswer = "Your answer"; -$WantsToKnow = "wants to know:"; -$PollResults = "Poll results"; -$ThereIsNoPoll = "There is no Poll."; -$MeetingMode = "Meeting (max 4 seats)"; -$ConferenceMaxSeats = "Conference (max 50 seats)"; -$RemainingSeats = "Remaining seats"; -$AlreadyIn = "Already in"; -$CheckIn = "Check in"; -$TheModeratorHasLeft = "The Moderator of this Conference has left the room."; -$SystemMessage = "System message"; -$ChooseDevices = "Choose devices"; -$ChooseCam = "Choose Cam:"; -$ChooseMic = "Choose Mic:"; -$YouHaveToReconnectSoThatTheChangesTakeEffect = "You have to reconnect so that the changes take effect."; -$ChangeSettings = "Change settings"; -$CourseLanguage = "Language:"; -$ConfirmClearWhiteboard = "Confirm Clear Whiteboard"; -$ShouldWitheboardBeClearedBeforeNewImage = "Should the whiteboard be cleared before I add a new Image?"; -$DontAskMeAgain = "Don't ask me again"; -$ShowConfirmationBeforeClearingWhiteboard = "Ask confirmation before clearing whiteboard"; -$ClearDrawArea = "Clear Draw Area"; -$Undo = "Undo"; -$Redo = "Redo"; -$SelectAnObject = "Select an Object"; -$DrawLine = "Draw line"; -$DrawUnderline = "Draw underline"; -$Rectangle = "Rectangle"; -$Elipse = "Ellipse"; -$Arrow = "Arrow"; -$DeleteChosenItem = "Delete selected resource"; -$ApplyForModeration = "Apply for moderation"; -$Apply = "Apply"; -$BecomeModerator = "Become moderator"; -$Italic = "Italic"; -$Bold = "Bold"; -$Waiting = "Waiting"; -$AUserWantsToApplyForModeration = "A User wants to apply for moderation:"; -$Reject = "Reject"; -$SendingRequestToFollowingUsers = "Sending request to the following users"; -$Accepted = "Accepted"; -$Rejected = "Rejected"; -$ChangeModerator = "Change Moderator"; -$YouAreNotModeratingThisCourse = "You are not moderator."; -$Moderator = "Moderator"; -$ThisRoomIsFullPleaseTryAgain = "This Room is full. Sorry please try again later."; -$PleaseWaitWhileLoadingImage = "Please wait while loading image"; -$SynchronisingConferenceMembers = "Synchronizing conference members"; -$Trainer = "Teacher"; -$Slides = "Slides"; -$WaitingForParticipants = "Waiting for participants"; -$Browse = "Browse"; -$ChooseFile = "Choose a file to import"; -$ConvertingDocument = "Converting document"; -$Disconnected = "Disconnected"; -$FineStroke = "Thin"; -$MediumStroke = "Medium"; -$ThickStroke = "Thick"; -$ShowHotCoursesComment = "The hot courses list will be added in the index page"; -$ShowHotCoursesTitle = "Show hot courses"; -$ThisItemIsInvisibleForStudentsButYouHaveAccessAsTeacher = "This item is invisible for learner but you have access as teacher."; -$PreventSessionAdminsToManageAllUsersTitle = "Prevent session admins to manage all users"; -$IsOpenSession = "Open session"; -$AllowVisitors = "Allow visitors"; -$EnableIframeInclusionComment = "Allowing arbitrary iframes in the HTML Editor will enhance the edition capabilities of the users, but it can represent a security risk. Please make sure you can rely on your users (i.e. you know who they are) before enabling this feature."; -$AddedToLPCannotBeAccessed = "This exercise has been included in a learning path, so it cannot be accessed by students directly from here. If you want to put the same exercise available through the exercises tool, please make a copy of the current exercise using the copy icon."; -$EnableIframeInclusionTitle = "Allow iframes in HTML Editor"; +9. {{ course.code }}"; +$EmailNotificationTemplate = "Email notification template"; +$ExerciseEndButtonDisconnect = "Logout"; +$ExerciseEndButtonExerciseHome = "Exercise list."; +$ExerciseEndButtonCourseHome = "Course home"; +$ExerciseEndButton = "Exercise end button"; +$HideQuestionTitle = "Hide question title"; +$QuestionSelection = "Question selection type"; +$OrderedCategoriesByParentWithQuestionsRandom = "Ordered categories by parent with random questions"; +$OrderedCategoriesByParentWithQuestionsOrdered = "Ordered categories by parent with questions ordered"; +$RandomCategoriesWithRandomQuestionsNoQuestionGrouped = "Random categories with random questions (questions not grouped)"; +$RandomCategoriesWithQuestionsOrderedNoQuestionGrouped = "Random categories with questions ordered (questions not grouped)"; +$RandomCategoriesWithRandomQuestions = "Random categories with random questions"; +$OrderedCategoriesAlphabeticallyWithRandomQuestions = "Ordered categories alphabetically with random questions"; +$RandomCategoriesWithQuestionsOrdered = "Random categories with questions ordered"; +$OrderedCategoriesAlphabeticallyWithQuestionsOrdered = "Ordered categories alphabetically with questions ordered"; +$UsingCategories = "Using categories"; +$OrderedByUser = "Ordered by user"; +$ToReview = "To be reviewed"; +$Unanswered = "Unanswered"; +$CurrentQuestion = "Current question"; +$MediaQuestions = "Shareable enunciates"; +$CourseCategoriesAreGlobal = "Course categories are global over multiple portals configurations. Changes are only allowed in the main administrative portal."; +$CareerUpdated = "Career updated successfully"; +$UserIsNotATeacher = "User is not a teacher"; +$ShowAllEvents = "All events"; +$Month = "Month"; +$Hour = "Hour"; +$Minutes = "Minutes"; +$AddSuccess = "Event added"; +$AgendaDeleteSuccess = "Event deleted"; +$NoAgendaItems = "There are no events"; +$ClassName = "Class name"; +$ItemTitle = "Event name"; +$Day = "day"; +$month_default = "default month"; +$year_default = "default year"; +$Hour = "Hour"; +$hour_default = "default hour"; +$Minute = "minute"; +$Lasting = "lasting"; +$OldToNew = "old to new"; +$NewToOld = "new to old"; +$Now = "now"; +$AddEvent = "Save the event"; +$Detail = "detail"; +$MonthView = "Month view"; +$WeekView = "Weekly"; +$DayView = "Daily"; +$AddPersonalItem = "Add event to the agenda"; +$Week = "Week"; +$Time = "Time"; +$AddPersonalCalendarItem = "Add event to the agenda"; +$ModifyPersonalCalendarItem = "Edit personal event"; +$PeronalAgendaItemAdded = "Event added"; +$PeronalAgendaItemEdited = "Event saved"; +$PeronalAgendaItemDeleted = "The event was deleted"; +$ViewPersonalItem = "View perso events only"; +$Print = "Print"; +$MyTextHere = "my text here"; +$CopiedAsAnnouncement = "Copied as announcement"; +$NewAnnouncement = "New announcement"; +$UpcomingEvent = "Upcoming events"; +$RepeatedEvent = "Repeated event"; +$RepeatType = "Repeat type"; +$RepeatDaily = "Daily"; +$RepeatWeekly = "Weekly"; +$RepeatMonthlyByDate = "Monthly, by date"; +$RepeatMonthlyByDay = "Monthly, by day"; +$RepeatMonthlyByDayR = "Monthly, by day, restricted"; +$RepeatYearly = "Yearly"; +$RepeatEnd = "Repeat end date"; +$RepeatedEventViewOriginalEvent = "View original event"; +$ICalFileImport = "Outlook import"; +$AllUsersOfThePlatform = "All system users"; +$GlobalEvent = "Platform event"; +$ModifyEvent = "Edit event"; +$EndDateCannotBeBeforeTheStartDate = "The end date cannot be before the start date"; +$ItemForUserSelection = "Users selection list"; +$IsNotiCalFormatFile = "This file is not in iCal format"; +$RepeatEvent = "Repeat event"; +$ScormVersion = "version"; +$ScormRestarted = "All the learning objects are now incomplete."; +$ScormNoNext = "This is the latest learning object."; +$ScormNoPrev = "This is the first learning object."; +$ScormTime = "Time"; +$ScormNoOrder = "There is no given order, you can click on any learning object."; +$ScormScore = "Score"; +$ScormLessonTitle = "Learning object name"; +$ScormStatus = "Status"; +$ScormToEnter = "To enter"; +$ScormFirstNeedTo = "you need first to accomplish"; +$ScormThisStatus = "This learning object is now"; +$ScormClose = "Terminate"; +$ScormRestart = "Restart"; +$ScormCompstatus = "Completed"; +$ScormIncomplete = "Incomplete"; +$ScormPassed = "Passed"; +$ScormFailed = "Failed"; +$ScormPrevious = "Previous"; +$ScormNext = "Next"; +$ScormTitle = "Chamilo Scorm player"; +$ScormMystatus = "My progress"; +$ScormNoItems = "This course is empty."; +$ScormNoStatus = "No status for this content"; +$ScormLoggedout = "logged out from Scorm area"; +$ScormCloseWindow = "Close windows"; +$ScormBrowsed = "Browsed"; +$ScormExitFullScreen = "Back to normal screen"; +$ScormFullScreen = "Full screen"; +$ScormNotAttempted = "Not attempted"; +$Local = "Local"; +$Remote = "Remote"; +$Autodetect = "Auto-detect"; +$AccomplishedStepsTotal = "Total of completed learning objects"; +$AreYouSureToDeleteSteps = "Are you sure you want to delete these steps?"; +$Origin = "Authoring tool"; +$Local = "Local"; +$Remote = "Remote"; +$FileToUpload = "SCORM or AICC file to upload"; +$ContentMaker = "Authoring tool"; +$ContentProximity = "Course location"; +$UploadLocalFileFromGarbageDir = "Upload local .zip package from the archive/ directory"; +$ThisItemIsNotExportable = "This learning object or activity is not SCORM compliant. That's why it is not exportable."; +$MoveCurrentChapter = "Move the current section"; +$GenericScorm = "Generic Scorm"; +$UnknownPackageFormat = "The format of this package could not be recognized. Please check this is a valid package."; +$MoveTheCurrentForum = "Move the current forum"; +$WarningWhenEditingScorm = "Warning ! When you edit the content of a learning object, you may alter the reporting of the course or damage the learning object."; +$MessageEmptyMessageOrSubject = "Please provide a subject or message"; +$Messages = "Messages"; +$NewMessage = "New message"; +$DeleteSelectedMessages = "Delete selected messages"; +$DeselectAll = "Deselect all"; +$ReplyToMessage = "Reply to this message"; +$BackToInbox = "Back to inbox"; +$MessageSentTo = "The message has been sent to"; +$SendMessageTo = "Send to"; +$Myself = "myself"; +$InvalidMessageId = "The id of the message to reply to is not valid."; +$ErrorSendingMessage = "There was an error while trying to send the message."; +$SureYouWantToDeleteSelectedMessages = "Are you sure you want to delete the selected messages?"; +$SelectedMessagesDeleted = "The selected messages have been deleted"; +$EnterTitle = "Please enter a title"; +$TypeYourMessage = "Type your message here"; +$MessageDeleted = "The message has been deleted"; +$ConfirmDeleteMessage = "Are you sure you want to delete the selected message?"; +$DeleteMessage = "Delete message"; +$ReadMessage = "Read message"; +$SendInviteMessage = "Send invitation message"; +$SendMessageInvitation = "Are you sure that you wish to send these invitations ?"; +$MessageTool = "Messages tool"; +$WriteAMessage = "Write a message"; +$AlreadyReadMessage = "Message already read"; +$UnReadMessage = "Message without reading"; +$MessageSent = "Message Sent"; +$ModifInfo = "Settings"; +$ModifDone = "The information has been modified"; +$DelCourse = "Completely delete this course"; +$Professors = "Trainers"; +$Faculty = "Category"; +$Confidentiality = "Confidentiality"; +$Unsubscription = "Unsubscribe"; +$PrivOpen = "Private access, registration open"; +$Forbidden = "Not allowed"; +$CourseAccessConfigTip = "By default, your course is public. But you can define the level of access above."; +$OpenToTheWorld = "Public - access allowed for the whole world"; +$OpenToThePlatform = " Open - access allowed for users registered on the platform"; +$OpenToThePlatform = "Open - access allowed for users registered on the platform"; +$TipLang = "This language will be valid for every visitor of your courses portal"; +$Vid = "Chamilo LIVE"; +$Work = "Contributions"; +$ProgramMenu = "Course program"; +$Stats = "Statistics"; +$UplPage = "Upload page and link to Home Page"; +$LinkSite = "Add link to page on Home Page"; +$HasDel = "has been deleted"; +$ByDel = "Deleting this area will permanently delete all the content (documents, links...) it contains and unregister all its members (not remove them from other courses).

    Do you really want to delete the course?"; +$Y = "YES"; +$N = "NO"; +$DepartmentUrl = "Department URL"; +$DepartmentUrlName = "Department"; +$BackupCourse = "Archive this course area"; +$ModifGroups = "Groups"; +$Professor = "Trainer"; +$DescriptionCours = "Description"; +$ArchiveCourse = "Course backup"; +$RestoreCourse = "Restore a course"; +$Restore = "Restore"; +$CreatedIn = "created in"; +$CreateMissingDirectories = "Creation of missing directories"; +$CopyDirectoryCourse = "Copy of course files"; +$Disk_free_space = "Free disk space"; +$BuildTheCompressedFile = "Creation of backup file"; +$FileCopied = "file copied"; +$ArchiveLocation = "Archive location"; +$SizeOf = "Size of"; +$ArchiveName = "Archive name"; +$BackupSuccesfull = "Backup successful"; +$BUCourseDataOfMainBase = "Backup of course data in main database for"; +$BUUsersInMainBase = "Backup of user data in main database for"; +$BUAnnounceInMainBase = "Backup of announcements data in main database for"; +$BackupOfDataBase = "Backup of database"; +$ExpirationDate = "Expiration date"; +$LastEdit = "Latest edit"; +$LastVisit = "Latest visit"; +$Subscription = "Subscription"; +$CourseAccess = "Course access"; +$ConfirmBackup = "Do you really want to backup this course?"; +$CreateSite = "Add a new course"; +$RestoreDescription = "The course is in an archive file which you can select below.

    Once you click on \"Restore\", the archive will be uncompressed and the course recreated."; +$RestoreNotice = "This script doesn't allow yet to automatically restore users, but data saved in \"users.csv\" are sufficient for the administrator to do it manually."; +$AvailableArchives = "Available archives list"; +$NoArchive = "No archive has been selected"; +$ArchiveNotFound = "The archive has not been found"; +$ArchiveUncompressed = "The archive has been uncompressed and installed."; +$CsvPutIntoDocTool = "The file \"users.csv\" has been put into Documents tool."; +$BackH = "back to homepage"; +$OtherCategory = "Other category"; +$AllowedToUnsubscribe = "Users are allowed to unsubscribe from this course"; +$NotAllowedToUnsubscribe = "Users are not allowed to unsubscribe from this course"; +$CourseVisibilityClosed = "Completely closed: the course is only accessible to the teachers."; +$CourseVisibilityClosed = "Closed - the course is only accessible to the teachers"; +$CourseVisibilityModified = "Modified (more detailed settings specified through roles-rights system)"; +$WorkEmailAlert = "Alert by e-mail on work submission"; +$WorkEmailAlertActivate = "Activate e-mail alert on new work submission"; +$WorkEmailAlertDeactivate = "Disable e-mail alert on new work submission"; +$DropboxEmailAlert = "Alert by e-mail on dropbox submission"; +$DropboxEmailAlertActivate = "Activate e-mail alert on dropbox submission"; +$DropboxEmailAlertDeactivate = "Disable e-mail alert on dropbox submission"; +$AllowUserEditAgenda = "Allow learners to edit the agenda"; +$AllowUserEditAgendaActivate = "Activate course agenda edition by users"; +$AllowUserEditAgendaDeactivate = "Disable agenda editing by learners"; +$AllowUserEditAnnouncement = "Allow learners to edit announcements"; +$AllowUserEditAnnouncementActivate = "Enable edition by users"; +$AllowUserEditAnnouncementDeactivate = "Disable edition by users"; +$OrInTime = "Or in"; +$CourseRegistrationPassword = "Course registration password"; +$DescriptionDeleteCourse = "Click on this link for a full removal of the course from the server.

    Be carefull, there's no way back!"; +$DescriptionCopyCourse = "Duplicate the course or some learning objects in another course. You need 2 courses to use this feature: an original course and a target course."; +$DescriptionRecycleCourse = "This tool empties the course. It removes documents, forums, links. And allows you to select what parts you want to remove or decide to remove the whole."; +$QuizEmailAlert = "E-mail alert on new test submitted"; +$QuizEmailAlertActivate = "Activate e-mail sending when a user submits new test answers"; +$QuizEmailAlertDeactivate = "Disable e-mail alert on new test answers submission"; +$AllowUserImageForum = "User picture in forum"; +$AllowUserImageForumActivate = "Display users pictures in the forum"; +$AllowUserImageForumDeactivate = "Hide users pictures in the forum"; +$AllowLearningPathTheme = "Enable course themes"; +$AllowLearningPathThemeAllow = "Allowed"; +$AllowLearningPathThemeDisallow = "Disallowed"; +$ConfigChat = "Chat settings"; +$AllowOpenchatWindow = "Open chat in a new Window"; +$AllowOpenChatWindowActivate = "Activate open the chat in a new window"; +$AllowOpenChatWindowDeactivate = "Deactivate open the chat in a new window"; +$NewUserEmailAlert = "Notice by e-mail to trainer of auto subscription of a new user"; +$NewUserEmailAlertEnable = "Enable the notice by e-mail to trainer of auto subscription of a new user"; +$NewUserEmailAlertToTeacharAndTutor = "Enable the notice by e-mail to trainer and tutors of auto subscription of a new user"; +$NewUserEmailAlertDisable = "Disable the email alert for the subscription of new users in the course"; +$PressAgain = "Press 'Store' again..."; +$Rights = "Usage Rights"; +$Version = "Version"; +$StatusTip = "select from list"; +$CreatedSize = "Created, size"; +$AuthorTip = "in VCARD format"; +$Format = "Format"; +$FormatTip = "select from list"; +$Statuses = ":draft:draft,, final:final,, revised:revised,, unavailable:unavailable"; +$Costs = ":no:free, no cost,, yes:not free, cost"; +$Copyrights = ":yes:copyright,, no:no copyright"; +$Formats = ":text/plain;iso-8859-1:text/plain;iso-8859-1,, text/plain;utf-8:text/plain;utf-8,, text/html;iso-8859-1:text/html;iso-8859-1,, text/html;utf-8:text/html;utf-8,, inode/directory:Folder,, application/msword:MsWord,, application/octet-stream:Octet stream,, application/pdf:PDF,, application/postscript:PostScript,, application/rtf:RTF,, application/vnd.ms-excel:MsExcel,, application/vnd.ms-powerpoint:MsPowerpoint,, application/xml;iso-8859-1:XML;iso-8859-1,, application/xml;utf-8:XML;utf-8,, application/zip:ZIP"; +$LngResTypes = ":exercise:exercise,, simulation:simulation,, questionnaire:questionnaire,, diagram:diagram,, figure:figure,, graph:graf,, index:index,, slide:slide,, table:table,, narrative text:narrative text,, exam:exam,, experiment:experiment,, problem statement:problem statement,, self assessment:self assessment,, lecture:lecture"; +$SelectOptionForBackup = "Please select a backup-option"; +$LetMeSelectItems = "Let me select learning objects"; +$CreateFullBackup = "Create a complete backup of this course"; +$CreateBackup = "Create a backup"; +$BackupCreated = "The backup has been created. The download of this file will start in a few moments. If your download does not start, click the following link"; +$SelectBackupFile = "Select a backup file"; +$ImportBackup = "Import backup"; +$ImportFullBackup = "Import full backup"; +$ImportFinished = "Import finished"; +$Tests = "Tests"; +$Learnpaths = "Courses"; +$CopyCourse = "Copy course"; +$SelectItemsToCopy = "Select learning objects to copy"; +$CopyFinished = "Copying is finished"; +$FullRecycle = "Delete everything"; +$RecycleCourse = "Empty this course"; +$RecycleFinished = "Recycle is finished"; +$RecycleWarning = "Warning: using this tool, you will delete learning objects in your course. There is no UNDO possible. We advise you to create a backup before."; +$SameFilename = "What should be done with imported files with the same file name as existing files?"; +$SameFilenameSkip = "Skip same file name"; +$SameFilenameRename = "Rename file (eg file.pdf becomes file_1.pdf)"; +$SameFilenameOverwrite = "Overwrite file"; +$SelectDestinationCourse = "Select target course"; +$FullCopy = "Full copy"; +$NoResourcesToBackup = "There are no resources to backup"; +$NoResourcesInBackupFile = "There are no resources in backup file"; +$SelectResources = "Select resources"; +$NoResourcesToRecycles = "There are no resources to recycle"; +$IncludeQuestionPool = "Include questions pool"; +$LocalFile = "local file"; +$ServerFile = "server file"; +$NoBackupsAvailable = "No backup is available"; +$NoDestinationCoursesAvailable = "No destination course available"; +$ImportBackupInfo = "Import a backup. You will be able to upload a backup file from you local drive or you can use a backup file available on the server."; +$CreateBackupInfo = "Create a backup. You can select the learning objects to integrate in the backup file."; +$ToolIntro = "Tool introduction"; +$UploadError = "Upload failed, please check maximum file size limits and folder rights."; +$DocumentsWillBeAddedToo = "Documents will be added too"; +$ToExportLearnpathWithQuizYouHaveToSelectQuiz = "If you want to export a course containing a test, you have to make sure the corresponding tests are included in the export, so you have to select them in the list of tests."; +$ArchivesDirectoryNotWriteableContactAdmin = "The archives directory, used by this tool, is not writeable. Please contact your platform administrator."; +$DestinationCourse = "Target course"; +$ConvertToMultipleAnswer = "Convert to multiple answer"; +$CasMainActivateComment = "Enabling CAS authentication will allow users to authenticate with their CAS credentials.
    Go to Plugin to add a configurable 'CAS Login' button for your Chamilo campus."; +$UsersRegisteredInAnyGroup = "Users registered in any group"; +$Camera = "Camera"; +$Microphone = "Microphone"; +$DeleteStream = "Delete stream"; +$Record = "Record"; +$NoFileAvailable = "No File availible"; +$RecordingOnlyForTeachers = "Recording only for trainers"; +$UsersNow = "Users at the moment:"; +$StartConference = "Start conference"; +$MyName = "My name"; +$OrganisationSVideoconference = "Chamilo LIVE"; +$ImportPresentation = "Import presentation"; +$RefreshList = "Refresh list"; +$GoToTop = "Go to Top"; +$NewPoll = "New poll"; +$CreateNewPoll = "Create a new poll for this room"; +$Question = "Question"; +$PollType = "Polltype:"; +$InfoConnectedUsersGetNotifiedOfThisPoll = "Info: Every connected User in this room will get a notification of this new Poll."; +$YesNo = "Yes / No"; +$Numeric1To10 = "Numeric 1-10"; +$Poll = "Poll"; +$YouHaveToBecomeModeratorOfThisRoomToStartPolls = "You have to become Moderator of this Room to make polls."; +$YourVoteHasBeenSent = "Your vote has been sent"; +$YouAlreadyVotedForThisPoll = "You've already voted for this poll"; +$VoteButton = "Vote!"; +$YourAnswer = "Your answer"; +$WantsToKnow = "wants to know:"; +$PollResults = "Poll results"; +$ThereIsNoPoll = "There is no Poll."; +$MeetingMode = "Meeting (max 4 seats)"; +$ConferenceMaxSeats = "Conference (max 50 seats)"; +$RemainingSeats = "Remaining seats"; +$AlreadyIn = "Already in"; +$CheckIn = "Check in"; +$TheModeratorHasLeft = "The Moderator of this Conference has left the room."; +$SystemMessage = "System message"; +$ChooseDevices = "Choose devices"; +$ChooseCam = "Choose Cam:"; +$ChooseMic = "Choose Mic:"; +$YouHaveToReconnectSoThatTheChangesTakeEffect = "You have to reconnect so that the changes take effect."; +$ChangeSettings = "Change settings"; +$CourseLanguage = "Language:"; +$ConfirmClearWhiteboard = "Confirm Clear Whiteboard"; +$ShouldWitheboardBeClearedBeforeNewImage = "Should the whiteboard be cleared before I add a new Image?"; +$DontAskMeAgain = "Don't ask me again"; +$ShowConfirmationBeforeClearingWhiteboard = "Ask confirmation before clearing whiteboard"; +$ClearDrawArea = "Clear Draw Area"; +$Undo = "Undo"; +$Redo = "Redo"; +$SelectAnObject = "Select an Object"; +$DrawLine = "Draw line"; +$DrawUnderline = "Draw underline"; +$Rectangle = "Rectangle"; +$Elipse = "Ellipse"; +$Arrow = "Arrow"; +$DeleteChosenItem = "Delete selected resource"; +$ApplyForModeration = "Apply for moderation"; +$Apply = "Apply"; +$BecomeModerator = "Become moderator"; +$Italic = "Italic"; +$Bold = "Bold"; +$Waiting = "Waiting"; +$AUserWantsToApplyForModeration = "A User wants to apply for moderation:"; +$Reject = "Reject"; +$SendingRequestToFollowingUsers = "Sending request to the following users"; +$Accepted = "Accepted"; +$Rejected = "Rejected"; +$ChangeModerator = "Change Moderator"; +$YouAreNotModeratingThisCourse = "You are not moderator."; +$Moderator = "Moderator"; +$ThisRoomIsFullPleaseTryAgain = "This Room is full. Sorry please try again later."; +$PleaseWaitWhileLoadingImage = "Please wait while loading image"; +$SynchronisingConferenceMembers = "Synchronizing conference members"; +$Trainer = "Teacher"; +$Slides = "Slides"; +$WaitingForParticipants = "Waiting for participants"; +$Browse = "Browse"; +$ChooseFile = "Choose a file to import"; +$ConvertingDocument = "Converting document"; +$Disconnected = "Disconnected"; +$FineStroke = "Thin"; +$MediumStroke = "Medium"; +$ThickStroke = "Thick"; +$ShowHotCoursesComment = "The hot courses list will be added in the index page"; +$ShowHotCoursesTitle = "Show hot courses"; +$ThisItemIsInvisibleForStudentsButYouHaveAccessAsTeacher = "This item is invisible for learner but you have access as teacher."; +$PreventSessionAdminsToManageAllUsersTitle = "Prevent session admins to manage all users"; +$IsOpenSession = "Open session"; +$AllowVisitors = "Allow visitors"; +$EnableIframeInclusionComment = "Allowing arbitrary iframes in the HTML Editor will enhance the edition capabilities of the users, but it can represent a security risk. Please make sure you can rely on your users (i.e. you know who they are) before enabling this feature."; +$AddedToLPCannotBeAccessed = "This exercise has been included in a learning path, so it cannot be accessed by students directly from here. If you want to put the same exercise available through the exercises tool, please make a copy of the current exercise using the copy icon."; +$EnableIframeInclusionTitle = "Allow iframes in HTML Editor"; $MailTemplateRegistrationMessage = "Dear ((firstname)) ((lastname)),\n\nYou are registered on ((sitename)) with the following settings:\n\nUsername : ((username))\nPass : ((password))\n\nThe address of ((sitename)) is : ((url))\n\nIn case of trouble, contact us.\n\nYours sincerely -\n((admin_name)) ((admin_surname))."; -$Explanation = "Once you click on \"Create a course\", a course is created with a section for Tests, Project based learning, Assessments, Courses, Dropbox, Agenda and much more. Logging in as teacher provides you with editing privileges for this course."; -$CodeTaken = "This course code is already in use.
    Use the Back button on your browser and try again."; -$ExerciceEx = "Sample test"; -$Antique = "Irony"; -$SocraticIrony = "Socratic irony is..."; -$ManyAnswers = "(more than one answer can be true)"; -$Ridiculise = "Ridiculise one's interlocutor in order to have him concede he is wrong."; -$NoPsychology = "No. Socratic irony is not a matter of psychology, it concerns argumentation."; -$AdmitError = "Admit one's own errors to invite one's interlocutor to do the same."; -$NoSeduction = "No. Socratic irony is not a seduction strategy or a method based on the example."; -$Force = "Compell one's interlocutor, by a series of questions and sub-questions, to admit he doesn't know what he claims to know."; -$Indeed = "Indeed. Socratic irony is an interrogative method. The Greek \"eirotao\" means \"ask questions\""; -$Contradiction = "Use the Principle of Non Contradiction to force one's interlocutor into a dead end."; -$NotFalse = "This answer is not false. It is true that the revelation of the interlocutor's ignorance means showing the contradictory conclusions where lead his premisses."; -$AddPageHome = "Upload page and link to Homepage"; -$ModifyInfo = "Settings"; -$CourseDesc = "Description"; -$AgendaTitle = "Tuesday the 11th of December - First meeting. Room: LIN 18"; -$AgendaText = "General introduction to project management"; -$Micro = "Street interviews"; -$Google = "Quick and powerful search engine"; -$IntroductionTwo = "This page allows users and groups to publish documents."; -$AnnouncementEx = "This is an announcement example. Only trainers are allowed to publish announcements."; -$JustCreated = "You just created the course area"; -$CreateCourseGroups = "Groups"; -$CatagoryMain = "Main"; -$CatagoryGroup = "Groups forums"; -$Ln = "Language"; -$FieldsRequ = "All fields required"; -$Ex = "e.g. Innovation management"; -$Fac = "Category"; -$TargetFac = "This is the department or any other context where the course is delivered"; -$Doubt = "If you are unsure of your course code, consult the training details."; -$Program = "Course Program. If your course has no code, whatever the reason, invent one. For instance INNOVATION if the course is about Innovation Management"; -$Scormtool = "Courses"; -$Scormbuildertool = "Scorm Path builder"; -$Pathbuildertool = "Authoring tool"; -$OnlineConference = "Conference"; -$AgendaCreationTitle = "Course creation"; -$AgendaCreationContenu = "This course was created at this time"; -$OnlineDescription = "Conference description"; -$Only = "Only"; -$RandomLanguage = "Shuffle selection in aivailable languages"; -$ForumLanguage = "english"; -$NewCourse = "New course"; -$AddNewCourse = "Add a new course"; -$OtherProperties = "Other properties found in the archive"; -$SysId = "System ID"; -$ScoreShow = "Show score"; -$Visibility = "Visibility"; -$VersionDb = "Database version used at archive time"; -$Expire = "Expiration"; -$ChoseFile = "Select file"; -$FtpFileTips = "File on a FTP server"; -$HttpFileTips = "File on a Web (HTTP) server"; -$LocalFileTips = "File on the platform server"; -$PostFileTips = "File on your local computer"; -$Minimum = "minimum"; -$Maximum = "maximum"; -$RestoreACourse = "Restore a course"; -$Recycle = "Recycle course"; -$AnnouncementExampleTitle = "This is an announcement example"; -$Wikipedia = "Free online encyclopedia"; -$DefaultGroupCategory = "Default groups"; -$DefaultCourseImages = "Gallery"; -$ExampleForumCategory = "Example Forum Category"; -$ExampleForum = "Example Forum"; -$ExampleThread = "Example Thread"; -$ExampleThreadContent = "Example content"; -$IntroductionWiki = "The word Wiki is short for WikiWikiWeb. Wikiwiki is a Hawaiian word, meaning \"fast\" or \"speed\". In a wiki, people write pages together. If one person writes something wrong, the next person can correct it. The next person can also add something new to the page. Because of this, the pages improve continuously."; -$CreateCourseArea = "Create this course"; -$CreateCourse = "Create a course"; -$TitleNotification = "Since your latest visit"; -$ForumCategoryAdded = "The forum category has been added"; -$LearnpathAdded = "Course added"; -$GlossaryAdded = "Added new term in the Glossary"; -$QuizQuestionAdded = "Added new question in the quiz"; -$QuizQuestionUpdated = "Updated new question in the Quiz"; -$QuizQuestionDeleted = "Deleted new question in the Quiz"; -$QuizUpdated = "Quiz updated"; -$QuizAdded = "Quiz added"; -$QuizDeleted = "Quiz deleted"; -$DocumentInvisible = "Document invisible"; -$DocumentVisible = "Document visible"; -$CourseDescriptionAdded = "Course Description added"; -$NotebookAdded = "Note added"; -$NotebookUpdated = "Note updated"; -$NotebookDeleted = "Note deleted"; -$DeleteAllAttendances = "Delete all created attendances"; -$AssignSessionsTo = "Assign sessions to"; -$Upload = "Upload"; -$MailTemplateRegistrationTitle = "New user on ((sitename))"; -$Unsubscribe = "Unsubscribe"; -$AlreadyRegisteredToCourse = "Already registered in course"; -$ShowFeedback = "Show Feedback"; -$GiveFeedback = "Give / Edit Feedback"; -$JustUploadInSelect = "---Just upload---"; -$MailingNothingFor = "Nothing for"; -$MailingFileNotRegistered = "(not registered to this course)"; -$MailingFileSentTo = "sent to"; -$MailingFileIsFor = "is for"; -$ClickKw = "Click a keyword in the tree to select or deselect it."; -$KwHelp = "
    Click '+' button to open, '-' button to close, '++' button to open all, '--' button to close all.

    Clear all selected keywords by closing the tree and opening it again with the '+' button.
    Alt-click '+' searches the original keywords in the tree.

    Alt-click keyword selects a keyword without broader terms ordeselects a keyword with broader terms.

    If you change the description language, do not add keywords at the same time.

    "; -$SearchCrit = "One word per line!"; -$NoKeywords = "This course has no keywords"; -$KwCacheProblem = "The keyword cache cannot be opened"; -$CourseKwds = "This document contains the course keywords"; -$KwdsInMD = "keywords used in MD"; -$KwdRefs = "keyword references"; -$NonCourseKwds = "Non-course keywords"; -$KwdsUse = "Course keywords (bold = not used)"; -$TotalMDEs = "Total number of Links MD entries:"; -$ForumDeleted = "Forum deleted"; -$ForumCategoryDeleted = "Forum category deleted"; -$ForumLocked = "Forum blocked"; -$AddForumCategory = "Add forum category"; -$AddForum = "Add a forum"; -$Posts = "Posts"; -$LastPosts = "Latest Post"; -$NoForumInThisCategory = "There are no forums in this category"; -$InForumCategory = "Create in category"; -$AllowAnonymousPosts = "Allow anonymous posts?"; -$StudentsCanEdit = "Can learners edit their own posts?"; -$ApprovalDirect = "Approval / Direct Post"; -$AllowNewThreads = "Allow users to start new threads"; -$DefaultViewType = "Default view type"; -$GroupSettings = "Group Settings"; -$NotAGroupForum = "Not a group forum"; -$PublicPrivateGroupForum = "Public or private group forum?"; -$NewPostStored = "Your message has been saved"; -$ReplyToThread = "Reply to this thread"; -$QuoteMessage = "Quote this message"; -$NewTopic = "Create thread"; -$Views = "Views"; -$LastPost = "Latest post"; -$Quoting = "Quoting"; -$NotifyByEmail = "Notify me by e-mail when somebody replies"; -$StickyPost = "This is a sticky message (appears always on top and has a special sticky icon)"; -$ReplyShort = "Re:"; -$DeletePost = "Are you sure you want to delete this post? Deleting this post will also delete the replies on this post. Please check the threaded view to see which posts will also be deleted"; -$Locked = "Locked: students can no longer post new messages in this forum category, forum or thread but they can still read the messages that were already posted"; -$Unlocked = "Unlocked: learners can post new messages in this forum category, forum or thread"; -$Flat = "Flat"; -$Threaded = "Threaded"; -$Nested = "Nested"; -$FlatView = "List View"; -$ThreadedView = "Threaded View"; -$NestedView = "Nested View"; -$Structure = "Structure"; -$ForumCategoryEdited = "The forum category has been modified"; -$ForumEdited = "The forum has been modified"; -$NewThreadStored = "The new thread has been added"; -$Approval = "Approval"; -$Direct = "Direct"; -$ForGroup = "For Group"; -$ThreadLocked = "Thread is locked."; -$NotAllowedHere = "You are not allowed here."; -$ReplyAdded = "The reply has been added"; -$EditPost = "Edit a post"; -$EditPostStored = "The post has been modified"; -$NewForumPost = "New Post in the forum"; -$YouWantedToStayInformed = "You stated that you wanted to be informed by e-mail whenever somebody replies on the thread"; -$MessageHasToBeApproved = "Your message has to be approved before people can view it."; -$AllowAttachments = "Allow attachments"; -$EditForumCategory = "Edit forum category"; -$MovePost = "Move post"; -$MoveToThread = "Move to a thread"; -$ANewThread = "A new thread"; -$DeleteForum = "Delete forum ?"; -$DeleteForumCategory = "Delete forum category ?"; -$Lock = "Lock"; -$Unlock = "Unlock"; -$MoveThread = "Move Thread"; -$PostVisibilityChanged = "Post visibility changed"; -$PostDeleted = "Post has been deleted"; -$ThreadCanBeFoundHere = "The thread can be found here"; -$DeleteCompleteThread = "Delete complete thread?"; -$PostDeletedSpecial = "Special Post Deleted"; -$ThreadDeleted = "Thread deleted"; -$NextMessage = "Next message"; -$PrevMessage = "Previous message"; -$FirstMessage = "First message"; -$LastMessage = "Last message"; -$ForumSearch = "Search in the Forum"; -$ForumSearchResults = "Forum search results"; -$ForumSearchInformation = "You search on multiple words by using the + sign"; -$YouWillBeNotifiedOfNewPosts = "You will be notified of new posts by e-mail."; -$YouWillNoLongerBeNotifiedOfNewPosts = "You will no longer be notified of new posts by email"; -$AddImage = "Add image"; -$QualifyThread = "Grade thread"; -$ThreadUsersList = "Users list of the thread"; -$QualifyThisThread = "Grade this thread"; -$CourseUsers = "Users in course"; -$PostsNumber = "Number of posts"; -$NumberOfPostsForThisUser = "Number of posts for this user"; -$AveragePostPerUser = "Posts by user"; -$QualificationChangesHistory = "Assessment changes history"; -$MoreRecent = "more recent"; -$Older = "older"; -$WhoChanged = "Who changed"; -$NoteChanged = "Note changed"; -$DateChanged = "Date changed"; -$ViewComentPost = "View comments on the messages"; -$AllStudents = "All learners"; -$StudentsQualified = "Qualified learners"; -$StudentsNotQualified = "Unqualified learners"; -$NamesAndLastNames = "First names and last names"; -$MaxScore = "Max score"; -$QualificationCanNotBeGreaterThanMaxScore = "Grade cannot exceed max score"; -$ThreadStatistics = "Thread statistics"; -$Thread = "Thread"; -$NotifyMe = "Notify me"; -$ConfirmUserQualification = "Confirm mark"; -$NotChanged = "Unchanged"; -$QualifyThreadGradebook = "Grade this thread"; -$QualifyNumeric = "Score"; -$AlterQualifyThread = "Edit thread score"; -$ForumMoved = "The forum has moved"; -$YouMustAssignWeightOfQualification = "You must assign a score to this activity"; -$DeleteAttachmentFile = "Delete attachment file"; -$EditAnAttachment = "Edit an attachment"; -$CreateForum = "Create forum"; -$ModifyForum = "Edit forum"; -$CreateThread = "Create thread"; -$ModifyThread = "Edit thread"; -$EditForum = "Edit forum"; -$BackToForum = "Back to forum"; -$BackToForumOverview = "Back to forum overview"; -$BackToThread = "Back to thread"; -$ForumcategoryLocked = "Forum category Locked"; -$LinkMoved = "The link has been moved"; -$LinkName = "Link name"; -$LinkAdd = "Add a link"; -$LinkAdded = "The link has been added."; -$LinkMod = "Edit link"; -$LinkModded = "The link has been modified."; -$LinkDel = "Delete link"; -$LinkDeleted = "The link has been deleted"; -$LinkDelconfirm = "Do you want to delete this link?"; -$AllLinksDel = "Delete all links in this category"; -$CategoryName = "Category name"; -$CategoryAdd = "Add a category"; -$CategoryModded = "The category has been modified."; -$CategoryDel = "Delete category"; -$CategoryDelconfirm = "When deleting a category, all links of this category are also deleted.\nDo you really want to delete this category and its links ?"; -$AllCategoryDel = "Delete all categories and all links"; -$GiveURL = "Please give the link URL, it should be valid."; -$GiveCategoryName = "Please give the category name"; -$NoCategory = "General"; -$ShowNone = "Close all categories"; -$ListDeleted = "List has been deleted"; -$AddLink = "Add a link"; -$DelList = "Delete list"; -$ModifyLink = "Edit Link"; -$CsvImport = "CSV import"; -$CsvFileNotFound = "CSV import file could not be opened (e.g. empty, too big)"; -$CsvFileNoSeps = "CSV import file must use , or ; as listseparator"; -$CsvFileNoURL = "CSV import file must at least have columns URL and title"; -$CsvFileLine1 = "... - line 1 ="; -$CsvLinesFailed = "line(s) failed to import a link (no URL or no title)."; -$CsvLinesOld = "existing link(s) updated (same URL and category)."; -$CsvLinesNew = "new link(s) created."; -$CsvExplain = "The file should look like:

    URL;category;title;description;http://www.aaa.org/...;Important links;Name 1;Description 1;http://www.bbb.net/...;;Name 2;\"Description 2\";
    If URL and category are equal to those of an existing link, its title and description are updated. In all other cases a new link is created.

    Bold = mandatory. Fields can be in any order, names in upper- or lowercase. Additional fields are added to description. Separator: comma or semicolon. Values may be quoted, but not the field names. Some [b]HTML tags[/b] can be imported in the description field."; -$LinkUpdated = "Link has been updated"; -$OnHomepage = "Show link on course homepage"; -$ShowLinkOnHomepage = "Show this link as an icon on course homepage"; -$General = "general"; -$SearchFeatureDoIndexLink = "Index link title and description?"; -$SaveLink = "Save link"; -$SaveCategory = "Save folder"; -$BackToLinksOverview = "Back to links overview"; -$AddTargetOfLinkOnHomepage = "Select the \"target\" which shows the link on the homepage of the course"; -$StatDB = "Tracking DB."; -$EnableTracking = "Enable Tracking"; -$InstituteShortName = "Your company short name"; -$WarningResponsible = "Use this script only after backup. The Chamilo team is not responsible for lost or corrupted data."; -$AllowSelfRegProf = "Allow self-registration as a trainer"; -$EG = "ex."; -$DBHost = "Database Host"; -$DBLogin = "Database Login"; -$DBPassword = "Database Password"; -$MainDB = "Main Chamilo database (DB)"; -$AllFieldsRequired = "all fields required"; -$PrintVers = "Printable version"; -$LocalPath = "Corresponding local path"; -$AdminEmail = "Administrator email"; -$AdminName = "Administrator Name"; -$AdminSurname = "Surname of the Administrator"; -$AdminLogin = "Administrator login"; -$AdminPass = "Administrator password (you may want to change this)"; -$EducationManager = "Project manager"; -$CampusName = "Your portal name"; -$DBSettingIntro = "The install script will create the Chamilo main database(s). Please note that Chamilo will need to create several databases. If you are allowed to use only one database by your Hosting Service, Chamilo will not work, unless you chose the option \"One database\"."; -$TimeSpentByStudentsInCourses = "Time spent by students in courses"; -$Step3 = "Step 3"; -$Step4 = "Step 4"; -$Step5 = "Step 5"; -$Step6 = "Step 6"; -$CfgSetting = "Config settings"; -$DBSetting = "MySQL database settings"; -$MainLang = "Main language"; -$Licence = "Licence"; -$LastCheck = "Last check before install"; -$AutoEvaluation = "Auto evaluation"; -$DbPrefixForm = "MySQL database prefix"; -$DbPrefixCom = "Leave empty if not requested"; -$EncryptUserPass = "Encrypt user passwords in database"; -$SingleDb = "Use one or several DB for Chamilo"; -$AllowSelfReg = "Allow self-registration"; -$Recommended = "(recommended)"; -$ScormDB = "Scorm DB"; -$AdminLastName = "Administrator last name"; -$AdminPhone = "Administrator telephone"; -$NewNote = "New note"; -$Note = "Note"; -$NoteDeleted = "Note deleted"; -$NoteUpdated = "Note updated"; -$NoteCreated = "Note created"; -$YouMustWriteANote = "Please write a note"; -$SaveNote = "Save note"; -$WriteYourNoteHere = "Click here to write a new note"; -$SearchByTitle = "Search by title"; -$WriteTheTitleHere = "Write the title here"; -$UpdateDate = "Updated"; -$NoteAddNew = "Add new note in my personal notebook"; -$OrderByCreationDate = "Sort by date created"; -$OrderByModificationDate = "Sort by date last modified"; -$OrderByTitle = "Sort by title"; -$NoteTitle = "Note title"; -$NoteComment = "Note details"; -$NoteAdded = "Note added"; -$NoteConfirmDelete = "Are you sure you want to delete this note"; -$AddNote = "Create note"; -$ModifyNote = "Edit my personal note"; -$BackToNoteList = "Back to note list"; -$NotebookManagement = "Notebook management"; -$BackToNotesList = "Back to the notes list"; -$NotesSortedByTitleAsc = "Notes sorted by title ascendant"; -$NotesSortedByTitleDESC = "Notes sorted by title downward"; -$NotesSortedByUpdateDateAsc = "Notes sorted by update date ascendant"; -$NotesSortedByUpdateDateDESC = "Notes sorted by update date downward"; -$NotesSortedByCreationDateAsc = "Notes sorted by creation date ascendant"; -$NotesSortedByCreationDateDESC = "Notes sorted by creation date downward"; -$Titular = "Leader"; -$SendToAllUsers = "Send to all users"; -$AdministrationTools = "Administration Tools"; -$CatList = "Categories"; -$Subscribe = "Subscribe"; -$AlreadySubscribed = "Already subscribed"; -$CodeMandatory = "Code mandatory"; -$CourseCategoryMandatory = "Course category mandatory"; -$TeacherMandatory = "Teacher mandatory"; -$CourseCategoryStored = "Course category is created"; -$WithoutTimeLimits = "Without time limits"; -$Added = "Added"; -$Deleted = "Deleted"; -$Keeped = "Kept"; -$HideAndSubscribeClosed = "Hidden / Closed"; -$HideAndSubscribeOpen = "Hidden / Open"; -$ShowAndSubscribeOpen = "Visible / Open"; -$ShowAndSubscribeClosed = "Visible / Closed"; -$AdminThisUser = "Back to user"; -$Manage = "Manage Portal"; -$EnrollToCourseSuccessful = "You have been registered to the course"; -$SubCat = "sub-categories"; -$UnsubscribeNotAllowed = "Unsubscribing from this course is not allowed."; -$CourseAdminUnsubscribeNotAllowed = "You are a trainer in this course"; -$CourseManagement = "Courses catalog"; -$SortMyCourses = "Sort courses"; -$SubscribeToCourse = "Subscribe to course"; -$UnsubscribeFromCourse = "Unsubscribe from course"; -$CreateCourseCategory = "Create a personal courses category"; -$CourseCategoryAbout2bedeleted = "Are you sure you want to delete this courses category? Courses inside this category will be moved outside the categories"; -$CourseCategories = "Courses categories"; -$CoursesInCategory = "Courses in this category"; -$SearchCourse = "Search courses"; -$UpOneCategory = "One category up"; -$ConfirmUnsubscribeFromCourse = "Are you sure you want to unsubscribe?"; -$NoCourseCategory = "No courses category"; -$EditCourseCategorySucces = "The course has been added to the category"; -$SubscribingNotAllowed = "Subscribing not allowed"; -$CourseSortingDone = "Courses sorted"; -$ExistingCourseCategories = "Existing courses categories"; -$YouAreNowUnsubscribed = "You have been unsubscribed from this course"; -$ViewOpenCourses = "View public courses"; -$ErrorContactPlatformAdmin = "There happened an unknown error. Please contact the platform administrator."; -$CourseRegistrationCodeIncorrect = "The course password is incorrect"; -$CourseRequiresPassword = "This course requires a password"; -$SubmitRegistrationCode = "Submit registration code"; -$CourseCategoryDeleted = "The category was deleted"; -$CategorySortingDone = "Category sorting done"; -$CourseCategoryEditStored = "Category updated"; -$buttonCreateCourseCategory = "Save courses category"; -$buttonSaveCategory = "Save the category"; -$buttonChangeCategory = "Change category"; -$Expand = "Expand"; -$Collapse = "Collapse"; -$CourseDetails = "Course description"; -$DocumentList = "List of all documents"; -$OrganisationList = "Table of contents"; -$EditTOC = "Edit table of contents"; -$EditDocument = "Edit"; -$CreateDocument = "Create a rich media page / activity"; -$MissingImagesDetected = "Missing images detected"; -$Publish = "Publish"; -$Scormcontentstudent = "This is a Scorm format course. To play it, click here : "; -$Scormcontent = "This is a Scorm content
    "; -$DownloadAndZipEnd = " Zip file uploaded and uncompressed"; -$ZipNoPhp = "The zip file can not contain .PHP files"; -$GroupForumLink = "Group forum"; -$NotScormContent = "This is not a scorm ZIP file !"; -$NoText = "Please type your text / HTML content"; -$NoFileName = "Please enter the file name"; -$FileError = "The file to upload is not valid."; -$ViMod = "Visibility modified"; -$AddComment = "Add/Edit a comment to"; -$Impossible = "Operation impossible"; -$NoSpace = "The upload has failed. Either you have exceeded your maximum quota, or there is not enough disk space."; -$DownloadEnd = "The upload is finished"; -$FileExists = "The operation is impossible, a file with this name already exists."; -$DocCopied = "Document copied"; -$DocDeleted = "Document deleted"; -$ElRen = "Element renamed"; -$DirMv = "Element moved"; -$ComMod = "Comment modified"; -$Rename = "Rename"; -$NameDir = "Name of the new folder"; -$DownloadFile = "Download file"; -$Builder = "Create a course (authoring tool)"; -$MailMarkSelectedAsUnread = "Mark as unread"; -$ViewModeImpress = "Current view mode: Impress"; -$AllowTeachersToCreateSessionsComment = "Teachers can create, edit and delete their own sessions."; -$AllowTeachersToCreateSessionsTitle = "Allow teachers to create sessions"; -$SelectACategory = "Select a category"; -$MailMarkSelectedAsRead = "Mark as read"; -$MailSubjectReplyShort = "RE:"; -$AdvancedEdit = "Advanced edit"; -$ScormBuilder = "Create a course (authoring tool)"; -$CreateDoc = "Create a rich media page / activity"; -$OrganiseDocuments = "Create table of contents"; -$Uncompress = "Uncompress zip"; -$ExportShort = "Export as SCORM"; -$AllDay = "All day"; -$PublicationStartDate = "Published start date"; -$ShowStatus = "Show status"; -$Mode = "Mode"; -$Schedule = "Schedule"; -$Place = "Place/Location"; -$RecommendedNumberOfParticipants = "Recommended number of participants"; -$WCAGGoMenu = "Goto menu"; -$WCAGGoContent = "Goto content"; -$AdminBy = "Administration by"; -$Statistiques = "Statistics"; -$VisioHostLocal = "Videoconference host"; -$VisioRTMPIsWeb = "Whether the videoconference protocol is web-based (false most of the time)"; -$ShowBackLinkOnTopOfCourseTreeComment = "Show a link to go back in the courses hierarchy. A link is available at the bottom of the list anyway."; -$Used = "used"; -$Exist = "existing"; -$ShowBackLinkOnTopOfCourseTree = "Show back links from categories/courses"; -$ShowNumberOfCourses = "Show courses number"; -$DisplayTeacherInCourselistTitle = "Display teacher in course name"; -$DisplayTeacherInCourselistComment = "Display teacher in courses list"; -$DisplayCourseCodeInCourselistComment = "Display Course Code in courses list"; -$DisplayCourseCodeInCourselistTitle = "Display Code in Course name"; -$ThereAreNoVirtualCourses = "There are no Alias courses on the platform."; -$ConfigureHomePage = "Edit portal homepage"; -$CourseCreateActiveToolsTitle = "Modules active upon course creation"; -$CourseCreateActiveToolsComment = "Which tools have to be enabled (visible) by default when a new course is created?"; -$CreateUser = "Create user"; -$ModifyUser = "Edit user"; -$buttonEditUserField = "Edit user field"; -$ModifyCoach = "Edit coach"; -$ModifyThisSession = "Edit this session"; -$ExportSession = "Export session(s)"; -$ImportSession = "Import session(s)"; -$CourseBackup = "Backup this course"; -$CourseTitular = "Teacher"; -$CourseFaculty = "Category"; -$CourseDepartment = "Department"; -$CourseDepartmentURL = "Department URL"; -$CourseSubscription = "Course subscription"; -$PublicAccess = "Public access"; -$PrivateAccess = "Private access"; -$DBManagementOnlyForServerAdmin = "Database management is only available for the server administrator"; -$ShowUsersOfCourse = "Show users subscribed to this course"; -$ShowClassesOfCourse = "Show classes subscribed to this course"; -$ShowGroupsOfCourse = "Show groups of this course"; -$PhoneNumber = "Phone number"; -$AddToCourse = "Add to a course"; -$DeleteFromPlatform = "Remove from portal"; -$DeleteCourse = "Delete selected course(s)"; -$DeleteFromCourse = "Unsubscribe from course(s)"; -$DeleteSelectedClasses = "Delete selected classes"; -$DeleteSelectedGroups = "Delete selected groups"; -$Administrator = "Administrator"; -$ChangePicture = "Change picture"; -$XComments = "%s comments"; -$AddUsers = "Add a user"; -$AddGroups = "Add groups"; -$AddClasses = "Add classes"; -$ExportUsers = "Export users list"; -$NumberOfParticipants = "Number of members"; -$NumberOfUsers = "Number of users"; -$Participants = "members"; -$FirstLetterClass = "First letter (class name)"; -$FirstLetterUser = "First letter (last name)"; -$FirstLetterCourse = "First letter (code)"; -$ModifyUserInfo = "Edit user information"; -$ModifyClassInfo = "Edit class information"; -$ModifyGroupInfo = "Edit group information"; -$ModifyCourseInfo = "Edit course information"; -$PleaseEnterClassName = "Please enter the class name !"; -$PleaseEnterLastName = "Please enter the user's last name !"; -$PleaseEnterFirstName = "Please enter the user's first name !"; -$PleaseEnterValidEmail = "Please enter a valid e-mail address !"; -$PleaseEnterValidLogin = "Please enter a valid login !"; -$PleaseEnterCourseCode = "Please enter the course code."; -$PleaseEnterTitularName = "Please enter the teacher's First and Last Name."; -$PleaseEnterCourseTitle = "Please enter the course title"; -$AcceptedPictureFormats = "Accepted formats are JPG, PNG and GIF !"; -$LoginAlreadyTaken = "This login is already taken !"; -$ImportUserListXMLCSV = "Import users list"; -$ExportUserListXMLCSV = "Export users list"; -$OnlyUsersFromCourse = "Only users from the course"; -$AddClassesToACourse = "Add classes to a course"; -$AddUsersToACourse = "Add users to course"; -$AddUsersToAClass = "Add users to a class"; -$AddUsersToAGroup = "Add users to a group"; -$AtLeastOneClassAndOneCourse = "You must select at least one class and one course"; -$AtLeastOneUser = "You must select at least one user !"; -$AtLeastOneUserAndOneCourse = "You must select at least one user and one course"; -$ClassList = "Class list"; -$AddToThatCourse = "Add to the course(s)"; -$AddToClass = "Add to the class"; -$RemoveFromClass = "Remove from the class"; -$AddToGroup = "Add to the group"; -$RemoveFromGroup = "Remove from the group"; -$UsersOutsideClass = "Users outside the class"; -$UsersInsideClass = "Users inside the class"; -$UsersOutsideGroup = "Users outside the group"; -$UsersInsideGroup = "Users inside the group"; -$MustUseSeparator = "must use the ';' character as a separator"; -$CSVMustLookLike = "The CSV file must look like this"; -$XMLMustLookLike = "The XML file must look like this"; -$MandatoryFields = "Fields in bold are mandatory."; -$NotXML = "The specified file is not XML format !"; -$NotCSV = "The specified file is not CSV format !"; -$NoNeededData = "The specified file doesn't contain all needed data !"; -$MaxImportUsers = "You can't import more than 500 users at once !"; -$AdminDatabases = "Databases (phpMyAdmin)"; -$AdminUsers = "Users"; -$AdminClasses = "Classes of users"; -$AdminGroups = "Groups of users"; -$AdminCourses = "Courses"; -$AdminCategories = "Courses categories"; -$SubscribeUserGroupToCourse = "Subscribe a user / group to a course"; -$NoCategories = "There are no categories here"; -$AllowCoursesInCategory = "Allow adding courses in this category?"; -$GoToForum = "Go to the forum"; -$CategoryCode = "Category code"; -$MetaTwitterCreatorComment = "The Twitter Creator is a Twitter account (e.g. @ywarnier) that represents the *person* that created the site. This field is optional."; -$EditNode = "Edit this category"; -$OpenNode = "Open this category"; -$DeleteNode = "Delete this category"; -$AddChildNode = "Add a sub-category"; -$ViewChildren = "View children"; -$TreeRebuildedIn = "Tree rebuilded in"; -$TreeRecountedIn = "Tree recounted in"; -$RebuildTree = "Rebuild the tree"; -$RefreshNbChildren = "Refresh number of children"; -$ShowTree = "Show tree"; -$MetaImagePathTitle = "Meta image path"; -$LogDeleteCat = "Category deleted"; -$RecountChildren = "Recount children"; -$UpInSameLevel = "Up in same level"; -$MailTo = "Mail to :"; -$AddAdminInApache = "Add an administrator"; -$AddFaculties = "Add categories"; -$SearchACourse = "Search for a course"; -$SearchAUser = "Search for a user"; -$TechnicalTools = "Technical"; -$Config = "System config"; -$LogIdentLogoutComplete = "Login list (extended)"; -$LimitUsersListDefaultMax = "Maximum users showing in scroll list"; -$NoTimeLimits = "No time limits"; -$GeneralProperties = "General properties"; -$CourseCoach = "Course coach"; -$UsersNumber = "Users number"; -$PublicAdmin = "Public administration"; -$PageAfterLoginTitle = "Page after login"; -$PageAfterLoginComment = "The page which is seen by the user entering the platform"; -$TabsMyProfile = "My Profile tab"; -$GlobalRole = "Global Role"; -$NomOutilTodo = "Manage Todo list"; -$NomPageAdmin = "Administration"; -$SysInfo = "Info about the System"; -$DiffTranslation = "Compare translations"; -$StatOf = "Reporting for"; -$PDFDownloadNotAllowedForStudents = "PDF download is not allowed for students"; -$LogIdentLogout = "Login list"; -$ServerStatus = "Status of MySQL server :"; -$DataBase = "Database"; -$Run = "works"; -$Client = "MySql Client"; -$Server = "MySql Server"; -$titulary = "Owner"; -$UpgradeBase = "Upgrade database"; -$ErrorsFound = "errors found"; -$Maintenance = "Backup"; -$Upgrade = "Upgrade Chamilo"; -$Website = "Chamilo website"; -$Documentation = "Documentation"; -$Contribute = "Contribute"; -$InfoServer = "Server Information"; -$SendMailToUsers = "Send a mail to users"; -$CourseSystemCode = "System code"; -$CourseVisualCode = "Visual code"; -$SystemCode = "System Code"; -$VisualCode = "visual code"; -$AddCourse = "Create a course"; -$AdminManageVirtualCourses = "Manage virtual courses"; -$AdminCreateVirtualCourse = "Create a virtual course"; -$AdminCreateVirtualCourseExplanation = "The virtual course will share storage space (directory and database) with an existing 'real' course."; -$RealCourseCode = "Real course code"; -$CourseCreationSucceeded = "The course was successfully created."; -$OnTheHardDisk = "on the hard disk"; -$IsVirtualCourse = "Virtual course?"; -$AnnouncementUpdated = "Announcement has been updated"; -$MetaImagePathComment = "This Meta Image path is the path to a file inside your Chamilo directory (e.g. home/image.png) that should show in a Twitter card or a OpenGraph card when showing a link to your LMS. Twitter recommends an image of 120 x 120 pixels, which might sometimes be cropped to 120x90."; -$PermissionsForNewFiles = "Permissions for new files"; -$PermissionsForNewFilesComment = "The ability to define the permissions settings to assign to every newly created file lets you improve security against attacks by hackers uploading dangerous content to your portal. The default setting (0550) should be enough to give your server a reasonable protection level. The given format uses the UNIX terminology of Owner-Group-Others with Read-Write-Execute permissions.If you use Oogie, take care that the user who launch OpenOffice can write files in the course folder."; -$Guest = "Guest"; -$LoginAsThisUserColumnName = "Login as"; -$LoginAsThisUser = "Login"; -$SelectPicture = "Select picture..."; -$DontResetPassword = "Don't reset password"; -$ParticipateInCommunityDevelopment = "Participate in development"; -$CourseAdmin = "Teacher"; -$PlatformLanguageTitle = "Portal Language"; -$ServerStatusComment = "What sort of server is this? This enables or disables some specific options. On a development server there is a translation feature functional that inidcates untranslated strings"; -$ServerStatusTitle = "Server Type"; -$PlatformLanguages = "Chamilo Portal Languages"; -$PlatformLanguagesExplanation = "This tool manages the language selection menu on the login page. As a platform administrator you can decide which languages should be available for your users."; -$OriginalName = "Original name"; -$EnglishName = "English name"; -$LMSFolder = "Chamilo folder"; -$Properties = "Properties"; -$PlatformConfigSettings = "Configuration settings"; -$SettingsStored = "The settings have been stored"; -$InstitutionTitle = "Organization name"; -$InstitutionComment = "The name of the organization (appears in the header on the right)"; -$InstitutionUrlTitle = "Organization URL (web address)"; -$InstitutionUrlComment = "The URL of the institutions (the link that appears in the header on the right)"; -$SiteNameTitle = "E-learning portal name"; -$SiteNameComment = "The Name of your Chamilo Portal (appears in the header)"; -$emailAdministratorTitle = "Portal Administrator: E-mail"; -$emailAdministratorComment = "The e-mail address of the Platform Administrator (appears in the footer on the left)"; -$administratorSurnameTitle = "Portal Administrator: Last Name"; -$administratorSurnameComment = "The Family Name of the Platform Administrator (appears in the footer on the left)"; -$administratorNameTitle = "Portal Administrator: First Name"; -$administratorNameComment = "The First Name of the Platform Administrator (appears in the footer on the left)"; -$ShowAdministratorDataTitle = "Platform Administrator Information in footer"; -$ShowAdministratorDataComment = "Show the Information of the Platform Administrator in the footer?"; -$HomepageViewTitle = "Course homepage design"; -$HomepageViewComment = "How would you like the homepage of a course to look?"; -$HomepageViewDefault = "Two column layout. Inactive tools are hidden"; -$HomepageViewFixed = "Three column layout. Inactive tools are greyed out (Icons stay on their place)"; -$ShowToolShortcutsTitle = "Tools shortcuts"; -$ShowToolShortcutsComment = "Show the tool shortcuts in the banner?"; -$ShowStudentViewTitle = "Learner View"; -$ShowStudentViewComment = "Enable Learner View?
    This feature allows the teacher to see the learner view."; -$AllowGroupCategories = "Group categories"; -$AllowGroupCategoriesComment = "Allow teachers to create categories in the Groups tool?"; -$PlatformLanguageComment = "You can determine the platform languages in a different part of the platform administration, namely: Chamilo Platform Languages"; -$ProductionServer = "Production Server"; -$TestServer = "Test Server"; -$ShowOnlineTitle = "Who's Online"; -$AsPlatformLanguage = "as platformlanguage"; -$ShowOnlineComment = "Display the number of persons that are online?"; -$AllowNameChangeTitle = "Allow Name Change in profile?"; -$AllowNameChangeComment = "Is the user allowed to change his/her firste and last name?"; -$DefaultDocumentQuotumTitle = "Default hard disk space"; -$DefaultDocumentQuotumComment = "What is the available disk space for a course? You can override the quota for specific course through: platform administration > Courses > modify"; -$ProfileChangesTitle = "Profile"; -$ProfileChangesComment = "Which parts of the profile can be changed?"; -$RegistrationRequiredFormsTitle = "Registration: required fields"; -$RegistrationRequiredFormsComment = "Which fields are required (besides name, first name, login and password)"; -$DefaultGroupQuotumTitle = "Group disk space available"; -$DefaultGroupQuotumComment = "What is the default hard disk spacde available for a groups documents tool?"; -$AllowLostPasswordTitle = "Lost password"; -$AllowLostPasswordComment = "Are users allowed to request their lost password?"; -$AllowRegistrationTitle = "Registration"; -$AllowRegistrationComment = "Is registration as a new user allowed? Can users create new accounts?"; -$AllowRegistrationAsTeacherTitle = "Registration as teacher"; -$AllowRegistrationAsTeacherComment = "Can one register as a teacher (with the ability to create courses)?"; -$PlatformLanguage = "Portal Language"; -$Tuning = "Tuning"; -$SplitUsersUploadDirectory = "Split users' upload directory"; -$SplitUsersUploadDirectoryComment = "On high-load portals, where a lot of users are registered and send their pictures, the upload directory (main/upload/users/) might contain too many files for the filesystem to handle (it has been reported with more than 36000 files on a Debian server). Changing this option will enable a one-level splitting of the directories in the upload directory. 9 directories will be used in the base directory and all subsequent users' directories will be stored into one of these 9 directories. The change of this option will not affect the directories structure on disk, but will affect the behaviour of the Chamilo code, so if you change this option, you have to create the new directories and move the existing directories by yourself on te server. Be aware that when creating and moving those directories, you will have to move the directories of users 1 to 9 into subdirectories of the same name. If you are not sure about this option, it is best not to activate it."; -$CourseQuota = "Disk Space"; -$EditNotice = "Edit notice"; -$InsertLink = "Add a page (CMS)"; -$EditNews = "Edit News"; -$EditCategories = "Edit courses categories"; -$EditHomePage = "Edit Homepage central area"; -$AllowUserHeadingsComment = "Can a teacher define learner profile fields to retrieve additional information?"; -$MetaTwitterSiteTitle = "Twitter Site account"; -$Languages = "Languages"; -$NoticeTitle = "Title of Notice"; -$NoticeText = "Text of Notice"; -$LinkURL = "URL of Link"; -$OpenInNewWindow = "Open in new window"; -$LimitUsersListDefaultMaxComment = "In the screens allowing addition of users to courses or classes, if the first non-filtered list contains more than this number of users, then default to the first letter (A)"; -$HideDLTTMarkupComment = "Hide the [= ... =] markup when a language variable is not translated"; -$UpgradeFromLMS19x = "Upgrade from LMS v1.9.*"; -$SignUp = "Sign up!"; -$UserDeleted = "The user has been deleted"; -$NoClassesForThisCourse = "There are no classes subscribed to this course"; -$CourseUsage = "Course usage"; -$NoCoursesForThisUser = "This user isn't subscribed in a course"; -$NoClassesForThisUser = "This user isn't subscribed in a class"; -$NoCoursesForThisClass = "This class isn't subscribed in a course"; -$Tool = "tool"; -$NumberOfItems = "number of items"; -$DocumentsAndFolders = "Documents and folders"; -$Exercises = "Tests"; -$AllowPersonalAgendaTitle = "Personal Agenda"; -$AllowPersonalAgendaComment = "Can the learner add personal events to the Agenda?"; -$CurrentValue = "current value"; -$AlreadyRegisteredToSession = "Already registered to session"; -$MyCoursesDefaultView = "My courses default view"; -$UserPassword = "Password"; -$SubscriptionAllowed = "Registr. allowed"; -$UnsubscriptionAllowed = "Unreg. allowed"; -$AddDummyContentToCourse = "Add some dummy (example) content to this course"; -$DummyCourseCreator = "Create dummy course content"; -$DummyCourseDescription = "This will add some dummy (example) content to this course. This is only meant for testing purposes."; -$AvailablePlugins = "These are the plugins that have been found on your system. You can download additional plugins on http://www.chamilo.org/extensions/index.php?section=plugins"; -$CreateVirtualCourse = "Create a virtual course"; -$DisplayListVirtualCourses = "Display list of virtual courses"; -$LinkedToRealCourseCode = "Linked to real course code"; -$AttemptedCreationVirtualCourse = "Attempted creation of virtual course..."; -$WantedCourseCode = "Wanted course code"; -$ResetPassword = "Reset password"; -$CheckToSendNewPassword = "Check to send new password"; -$AutoGeneratePassword = "Automatically generate a new password"; -$UseDocumentTitleTitle = "Use a title for the document name"; -$UseDocumentTitleComment = "This will allow the use of a title for document names instead of document_name.ext"; -$StudentPublications = "Assignments"; -$PermanentlyRemoveFilesTitle = "Deleted files cannot be restored"; -$PermanentlyRemoveFilesComment = "Deleting a file in the documents tool permanently deletes it. The file cannot be restored"; -$DropboxMaxFilesizeTitle = "Dropbox: Maximum file size of a document"; -$DropboxMaxFilesizeComment = "How big (in MB) can a dropbox document be?"; -$DropboxAllowOverwriteTitle = "Dropbox: Can documents be overwritten"; -$DropboxAllowOverwriteComment = "Can the original document be overwritten when a user or trainer uploads a document with the name of a document that already exist? If you answer yes then you loose the versioning mechanism."; -$DropboxAllowJustUploadTitle = "Dropbox: Upload to own dropbox space?"; -$DropboxAllowJustUploadComment = "Allow trainers and users to upload documents to their dropbox without sending the documents to themselves"; -$DropboxAllowStudentToStudentTitle = "Dropbox: Learner <-> Learner"; -$DropboxAllowStudentToStudentComment = "Allow users to send documents to other users (peer 2 peer). Users might use this for less relevant documents also (mp3, tests solutions, ...). If you disable this then the users can send documents to the trainer only."; -$DropboxAllowMailingTitle = "Dropbox: Allow mailing"; -$DropboxAllowMailingComment = "With the mailing functionality you can send each learner a personal document"; -$PermissionsForNewDirs = "Permissions for new directories"; -$PermissionsForNewDirsComment = "The ability to define the permissions settings to assign to every newly created directory lets you improve security against attacks by hackers uploading dangerous content to your portal. The default setting (0770) should be enough to give your server a reasonable protection level. The given format uses the UNIX terminology of Owner-Group-Others with Read-Write-Execute permissions."; -$UserListHasBeenExported = "The users list has been exported."; -$ClickHereToDownloadTheFile = "Download the file"; -$administratorTelephoneTitle = "Portal Administrator: Telephone"; -$administratorTelephoneComment = "The telephone number of the platform administrator"; -$SendMailToNewUser = "Send mail to new user"; -$ExtendedProfileTitle = "Extended profile"; -$ExtendedProfileComment = "If this setting is set to 'True', a user can fill in following (optional) fields: 'My competences', 'My diplomas', 'What I am able to teach' and 'My personal open area'"; -$Classes = "Classes"; -$UserUnsubscribed = "User is now unsubscribed"; -$CannotUnsubscribeUserFromCourse = "User can not be unsubscribed because he is one of the teachers."; -$InvalidStartDate = "Invalid start date was given."; -$InvalidEndDate = "Invalid end date was given."; -$DateFormatLabel = "(d/m/y h:m)"; -$HomePageFilesNotWritable = "Homepage-files are not writable!"; -$PleaseEnterNoticeText = "Please give a notice text"; -$PleaseEnterNoticeTitle = "Please give a notice title"; -$PleaseEnterLinkName = "Plese give a link name"; -$InsertThisLink = "Insert this link"; -$FirstPlace = "First place"; -$DropboxAllowGroupTitle = "Dropbox: allow group"; -$DropboxAllowGroupComment = "Users can send files to groups"; -$ClassDeleted = "The class is deleted"; -$ClassesDeleted = "The classes are deleted"; -$NoUsersInClass = "No users in this class"; -$UsersAreSubscibedToCourse = "The selected users are subscribed to the selected course"; -$InvalidTitle = "Please enter a title"; -$CatCodeAlreadyUsed = "This category is already used"; -$PleaseEnterCategoryInfo = "Please enter a code and a name for the category"; -$RegisterYourPortal = "Register your portal"; -$ShowNavigationMenuTitle = "Display course navigation menu"; -$ShowNavigationMenuComment = "Display a navigation menu that quickens access to the tools"; -$LoginAs = "Login as"; -$ImportClassListCSV = "Import class list via CSV"; -$ShowOnlineWorld = "Display number of users online on the login page (visible for the world)"; -$ShowOnlineUsers = "Display number of users online all pages (visible for the persons who are logged in)"; -$ShowOnlineCourse = "Display number of users online in this course"; -$ShowIconsInNavigationsMenuTitle = "Show icons in navigation menu?"; -$SeeAllRightsAllRolesForSpecificLocation = "Focus on location"; -$MetaTwitterCreatorTitle = "Twitter Creator account"; -$ClassesSubscribed = "The selected classes were subscribed to the selected course"; -$RoleId = "Role ID"; -$RoleName = "Role name"; -$RoleType = "Type"; -$MakeAvailable = "Make available"; -$MakeUnavailable = "Make unavailable"; -$Stylesheets = "Style sheets"; -$ShowIconsInNavigationsMenuComment = "Should the navigation menu show the different tool icons?"; -$Plugin = "Plugin"; -$MainMenu = "Main menu"; -$MainMenuLogged = "Main menu after login"; -$Banner = "Banner"; -$ImageResizeTitle = "Resize uploaded user images"; -$ImageResizeComment = "User images can be resized on upload if PHP is compiled with the GD library. If GD is unavailable, this setting will be silently ignored."; -$MaxImageWidthTitle = "Maximum user image width"; -$MaxImageWidthComment = "Maximum width in pixels of a user image. This setting only applies if user images are set to be resized on upload."; -$MaxImageHeightTitle = "Maximum user image height"; -$MaxImageHeightComment = "Maximum height in pixels of a user image. This setting only applies if user images are set to be resized on upload."; -$YourVersionIs = "Your version is"; -$ConnectSocketError = "Socket Connection Error"; -$SocketFunctionsDisabled = "Socket connections are disabled"; -$ShowEmailAddresses = "Show email addresses"; -$ShowEmailAddressesComment = "Show email addresses to users"; -$ActiveExtensions = "Activate this service"; -$Visioconf = "Chamilo LIVE"; -$VisioconfDescription = "Chamilo LIVE is a videoconferencing tool that offers: Slides sharing, whiteboard to draw and write on top of slides, audio/video duplex and chat. It requires Flash® player 9+ and offers 2 modes : one to many and many to many."; -$Ppt2lp = "Chamilo RAPID"; -$Ppt2lpDescription = "Chamilo RAPID is a Rapid Learning tool available in Chamilo Pro and Chamilo Medical. It allows you to convert Powerpoint presentations and their Openoffice equivalents to SCORM-compliant e-courses. After the conversion, you end up in the Courses authoring tool and are able to add audio comments on slides and pages, tests and activities between the slides or pages and interaction activities like forum discussions or assigment upload. Every step becomes an independent and removable learning object. And the whole course generates accurate SCORM reporting for further coaching."; -$BandWidthStatistics = "Bandwidth statistics"; -$BandWidthStatisticsDescription = "MRTG allow you to consult advanced statistics about the state of the server on the last 24 hours."; -$ServerStatistics = "Server statistics"; -$ServerStatisticsDescription = "AWStats allows you to consult the statistics of your platform : visitors, page views, referers..."; -$SearchEngine = "Chamilo LIBRARY"; -$SearchEngineDescription = "Chamilo LIBRARY is a Search Engine offering multi-criteria indexing and research. It is part of the Chamilo Medical features."; -$ListSession = "Training sessions list"; -$AddSession = "Add a training session"; -$ImportSessionListXMLCSV = "Import sessions list"; -$ExportSessionListXMLCSV = "Export sessions list"; -$NbCourses = "Courses"; -$DateStart = "Start date"; -$DateEnd = "End date"; -$CoachName = "Coach name"; -$SessionNameIsRequired = "A name is required for the session"; -$NextStep = "Next step"; -$Confirm = "Confirm"; -$UnsubscribeUsersFromCourse = "Unsubscribe users from course"; -$MissingClassName = "Missing class name"; -$ClassNameExists = "Class name exists"; -$ImportCSVFileLocation = "CSV file import location"; -$ClassesCreated = "Classes created"; -$ErrorsWhenImportingFile = "Errors when importing file"; -$ServiceActivated = "Service activated"; -$ActivateExtension = "Activate service"; -$InvalidExtension = "Invalid extension"; -$VersionCheckExplanation = "In order to enable the automatic version checking you have to register your portal on chamilo.org. The information obtained by clicking this button is only for internal use and only aggregated data will be publicly available (total number of portals, total number of chamilo course, total number of chamilo users, ...) (see http://www.chamilo.org/stats/. When registering you will also appear on the worldwide list (http://www.chamilo.org/community.php. If you do not want to appear in this list you have to check the checkbox below. The registration is as easy as it can be: you only have to click this button:
    "; -$AfterApproval = "After approval"; -$StudentViewEnabledTitle = "Enable learner view"; -$StudentViewEnabledComment = "Enable the learner view, which allows a teacher or admin to see a course as a learner would see it"; -$TimeLimitWhosonlineTitle = "Time limit on Who Is Online"; -$TimeLimitWhosonlineComment = "This time limit defines for how many minutes after his last action a user will be considered *online*"; -$ExampleMaterialCourseCreationTitle = "Example material on course creation"; -$ExampleMaterialCourseCreationComment = "Create example material automatically when creating a new course"; -$AccountValidDurationTitle = "Account validity"; -$AccountValidDurationComment = "A user account is valid for this number of days after creation"; -$UseSessionModeTitle = "Use training sessions"; -$UseSessionModeComment = "Training sessions give a different way of dealing with training, where courses have an author, a coach and learners. Each coach gives a course for a set period of time, called a *training session*, to a set of learners who do not mix with other learner groups attached to another training session."; -$HomepageViewActivity = "Activity view (default)"; -$HomepageView2column = "Two columns view"; -$HomepageView3column = "Three columns view"; -$AllowUserHeadings = "Allow users profiling inside courses"; -$IconsOnly = "Icons only"; -$TextOnly = "Text only"; -$IconsText = "Icons and text"; -$EnableToolIntroductionTitle = "Enable tool introduction"; -$EnableToolIntroductionComment = "Enable introductions on each tool's homepage"; -$BreadCrumbsCourseHomepageTitle = "Course homepage breadcrumb"; -$BreadCrumbsCourseHomepageComment = "The breadcrumb is the horizontal links navigation system usually in the top left of your page. This option selects what you want to appear in the breadcrumb on courses' homepages"; -$MetaTwitterSiteComment = "The Twitter site is a Twitter account (e.g. @chamilo_news) that is related to your site. It is usually a more temporary account than the Twitter creator account, or represents an entity (instead of a person). This field is required if you want the Twitter card meta fields to show."; -$LoginPageMainArea = "Login page main area"; -$LoginPageMenu = "Login page menu"; -$CampusHomepageMainArea = "Portal homepage main area"; -$CampusHomepageMenu = "Portal homepage menu"; -$MyCoursesMainArea = "Courses main area"; -$MyCoursesMenu = "Courses menu"; -$Header = "Header"; -$Footer = "Footer"; -$PublicPagesComplyToWAITitle = "Public pages compliance to WAI"; -$PublicPagesComplyToWAIComment = "WAI (Web Accessibility Initiative) is an initiative to make the web more accessible. By selecting this option, the public pages of Chamilo will become more accessible. This also means that some content on the portal's public pages might appear differently."; -$VersionCheck = "Version check"; -$SessionOverview = "Session overview"; -$SubscribeUserIfNotAllreadySubscribed = "Add user in the course only if not yet in"; -$UnsubscribeUserIfSubscriptionIsNotInFile = "Remove user from course if his name is not in the list"; -$DeleteSelectedSessions = "Delete selected sessions"; -$CourseListInSession = "Courses in this session"; -$UnsubscribeCoursesFromSession = "Unsubscribe selected courses from this session"; -$NbUsers = "Users"; -$SubscribeUsersToSession = "Subscribe users to this session"; -$UserListInPlatform = "Portal users list"; -$UserListInSession = "List of users registered in this session"; -$CourseListInPlatform = "Courses list"; -$Host = "Host"; -$UserOnHost = "Login"; -$FtpPassword = "FTP password"; -$PathToLzx = "Path to LZX files"; -$WCAGContent = "Text"; -$SubscribeCoursesToSession = "Add courses to this session"; -$DateStartSession = "Start date (available from 00:00:00 on this date)"; -$DateEndSession = "End date (until 23:59:59 on this date)"; -$EditSession = "Edit this session"; -$VideoConferenceUrl = "Path to live conferencing"; -$VideoClassroomUrl = "Path to classroom live conferencing"; -$ReconfigureExtension = "Reconfigure extension"; -$ServiceReconfigured = "Service reconfigured"; -$ChooseNewsLanguage = "Choose news language"; -$Ajax_course_tracking_refresh = "Total time spent in a course"; -$Ajax_course_tracking_refresh_comment = "This option is used to calculate in real time the time that a user spend in a course. The value in the field is the refresh interval in seconds. To disable this option, let the default value 0 in the field."; -$FinishSessionCreation = "Finish session creation"; -$VisioRTMPPort = "Videoconference RTMTP protocol port"; -$SessionNameAlreadyExists = "Session name already exists"; -$NoClassesHaveBeenCreated = "No classes have been created"; -$ThisFieldShouldBeNumeric = "This field should be numeric"; -$UserLocked = "User locked"; -$UserUnlocked = "User unlocked"; -$CannotDeleteUser = "You cannot delete this user"; -$SelectedUsersDeleted = "Selected users deleted"; -$SomeUsersNotDeleted = "Some users has not been deleted"; -$ExternalAuthentication = "External authentification"; -$RegistrationDate = "Registration date"; -$UserUpdated = "User updated"; -$HomePageFilesNotReadable = "Homepage files are not readable"; -$Choose = "Choose"; -$ModifySessionCourse = "Edit session course"; -$CourseSessionList = "Courses in this session"; -$SelectACoach = "Select a coach"; -$UserNameUsedTwice = "Login is used twice"; -$UserNameNotAvailable = "This login is not available"; -$UserNameTooLong = "This login is too long"; -$WrongStatus = "This status doesn't exist"; -$ClassNameNotAvailable = "This classname is not available"; -$FileImported = "File imported"; -$WhichSessionToExport = "Choose the session to export"; -$AllSessions = "All the sessions"; -$CodeDoesNotExists = "This code does not exist"; -$UnknownUser = "Unknown user"; -$UnknownStatus = "Unknown status"; -$SessionDeleted = "The session has been deleted"; -$CourseDoesNotExist = "This course doesn't exist"; -$UserDoesNotExist = "This user doesn't exist"; -$ButProblemsOccured = "but problems occured"; -$UsernameTooLongWasCut = "This login was cut"; -$NoInputFile = "No file was sent"; -$StudentStatusWasGivenTo = "Learner status has been given to"; -$WrongDate = "Wrong date format (yyyy-mm-dd)"; -$YouWillSoonReceiveMailFromCoach = "You will soon receive an email from your coach."; -$SlideSize = "Size of the slides"; -$EphorusPlagiarismPrevention = "Ephorus plagiarism prevention"; -$CourseTeachers = "Teachers"; -$UnknownTeacher = "Unknown trainer"; -$HideDLTTMarkup = "Hide DLTT Markup"; -$ListOfCoursesOfSession = "List of courses of the session"; -$UnsubscribeSelectedUsersFromSession = "Unsubscribe selected users from session"; -$ShowDifferentCourseLanguageComment = "Show the language each course is in, next to the course title, on the homepage courses list"; -$ShowEmptyCourseCategoriesComment = "Show the categories of courses on the homepage, even if they're empty"; -$ShowEmptyCourseCategories = "Show empty courses categories"; -$XMLNotValid = "XML document is not valid"; -$ForTheSession = "for the session"; -$AllowEmailEditorTitle = "Online e-mail editor enabled"; -$AllowEmailEditorComment = "If this option is activated, clicking on an e-mail address will open an online mail editor."; -$AddCSVHeader = "Add the CSV header line?"; -$YesAddCSVHeader = "Yes, add the CSV header
    This line defines the fields and is necessary when you want to import the file in a different Chamilo portal"; -$ListOfUsersSubscribedToCourse = "List of users subscribed to course"; -$NumberOfCourses = "Courses"; -$ShowDifferentCourseLanguage = "Show course languages"; -$VisioRTMPTunnelPort = "Videoconference RTMTP protocol tunnel port"; -$Security = "Security"; -$UploadExtensionsListType = "Type of filtering on document uploads"; -$UploadExtensionsListTypeComment = "Whether you want to use the blacklist or whitelist filtering. See blacklist or whitelist description below for more details."; -$Blacklist = "Blacklist"; -$Whitelist = "Whitelist"; -$UploadExtensionsBlacklist = "Blacklist - setting"; -$UploadExtensionsWhitelist = "Whitelist - setting"; -$UploadExtensionsBlacklistComment = "The blacklist is used to filter the files extensions by removing (or renaming) any file which extension figures in the blacklist below. The extensions should figure without the leading dot (.) and separated by semi-column (;) like the following: exe;com;bat;scr;php. Files without extension are accepted. Letter casing (uppercase/lowercase) doesn't matter."; -$UploadExtensionsWhitelistComment = "The whitelist is used to filter the files extensions by removing (or renaming) any file which extension does *NOT* figure in the whitelist below. It is generally considered as a safer but more restrictive approach to filtering. The extensions should figure without the leading dot (.) and separated by semi-column (;) like the following: htm;html;txt;doc;xls;ppt;jpg;jpeg;gif;sxw . Files without extension are accepted. Letter casing (uppercase/lowercase) doesn't matter."; -$UploadExtensionsSkip = "Filtering behaviour (skip/rename)"; -$UploadExtensionsSkipComment = "If you choose to skip, the files filtered through the blacklist or whitelist will not be uploaded to the system. If you choose to rename them, their extension will be replaced by the one defined in the extension replacement setting. Beware that renaming doesn't really protect you, and may cause name collision if several files of the same name but different extensions exist."; -$UploadExtensionsReplaceBy = "Replacement extension"; -$UploadExtensionsReplaceByComment = "Enter the extension that you want to use to replace the dangerous extensions detected by the filter. Only needed if you have selected a filter by replacement."; -$ShowNumberOfCoursesComment = "Show the number of courses in each category in the courses categories on the homepage"; -$EphorusDescription = "Start using the Ephorus anti plagiarism service in Chamilo.
    \t\t\t\t\t\t\t\t\t\t\t\t\t\tWith Ephorus, you will prevent internet plagiarism without any additional effort.
    \t\t\t\t\t\t\t\t\t\t\t\t\t\t You can use our unique open standard webservice to build your own integration or you can use one of our Chamilo-integration modules."; -$EphorusLeadersInAntiPlagiarism = "Leaders in 
    anti plagiarism
    \t\t\t\t"; -$EphorusClickHereForInformationsAndPrices = "Click here for more information and prices\t\t\t"; -$NameOfTheSession = "Session name"; -$NoSessionsForThisUser = "This user isn't subscribed in a session"; -$DisplayCategoriesOnHomepageTitle = "Display categories on home page"; -$DisplayCategoriesOnHomepageComment = "This option will display or hide courses categories on the portal home page"; -$ShowTabsTitle = "Tabs in the header"; -$ShowTabsComment = "Check the tabs you want to see appear in the header. The unchecked tabs will appear on the right hand menu on the portal homepage and my courses page if these need to appear"; -$DefaultForumViewTitle = "Default forum view"; -$DefaultForumViewComment = "What should be the default option when creating a new forum. Any trainer can however choose a different view for every individual forum"; -$TabsMyCourses = "Courses tab"; -$TabsCampusHomepage = "Portal homepage tab"; -$TabsReporting = "Reporting tab"; -$TabsPlatformAdministration = "Platform Administration tab"; -$NoCoursesForThisSession = "No course for this session"; -$NoUsersForThisSession = "No Users for this session"; -$LastNameMandatory = "The last name cannot be empty"; -$FirstNameMandatory = "The first name cannot be empty"; -$EmailMandatory = "The email cannot be empty"; -$TabsMyAgenda = "Agenda tab"; -$NoticeWillBeNotDisplayed = "The notice will be not displayed on the homepage"; -$LetThoseFieldsEmptyToHideTheNotice = "Let those fields empty to hide the notice"; -$Ppt2lpVoiceRecordingNeedsRed5 = "The voice recording feature in the course editor relies on a Red5 streaming server. This server's parameters can be configured in the videoconference section on the current page."; -$PlatformCharsetTitle = "Character set"; -$PlatformCharsetComment = "The character set is what pilots the way specific languages can be displayed in Chamilo. If you use Russian or Japanese characters, for example, you might want to change this. For all english, latin and west-european characters, the default UTF-8 should be alright."; -$ExtendedProfileRegistrationTitle = "Extended profile fields in registration"; -$ExtendedProfileRegistrationComment = "Which of the following fields of the extended profile have to be available in the user registration process? This requires that the extended profile is activated (see above)."; -$ExtendedProfileRegistrationRequiredTitle = "Required extended profile fields in registration"; -$ExtendedProfileRegistrationRequiredComment = "Which of the following fields of the extende profile are required in the user registration process? This requires that the extended profile is activated and that the field is also available in the registration form (see above)."; -$NoReplyEmailAddress = "No-reply e-mail address"; -$NoReplyEmailAddressComment = "This is the e-mail address to be used when an e-mail has to be sent specifically requesting that no answer be sent in return. Generally, this e-mail address should be configured on your server to drop/ignore any incoming e-mail."; -$SurveyEmailSenderNoReply = "Survey e-mail sender (no-reply)"; -$SurveyEmailSenderNoReplyComment = "Should the survey invitations use the coach email address or the no-reply address defined in the main configuration section?"; -$CourseCoachEmailSender = "Coach email address"; -$NoReplyEmailSender = "No-reply e-mail address"; -$OpenIdAuthenticationComment = "Enable the OpenID URL-based authentication (displays an additional login form on the homepage)"; -$VersionCheckEnabled = "Version check enabled"; -$InstallDirAccessibleSecurityThreat = "The main/install directory of your Chamilo system is still accessible to web users. This might represent a security threat for your installation. We recommend that you remove this directory or that you change its permissions so web users cannot use the scripts it contains."; -$GradebookActivation = "Assessments tool activation"; -$GradebookActivationComment = "The Assessments tool allows you to assess competences in your organization by merging classroom and online activities evaluations into Performance reports. Do you want to activate it?"; -$UserTheme = "Theme (stylesheet)"; -$UserThemeSelection = "User theme selection"; -$UserThemeSelectionComment = "Allow users to select their own visual theme in their profile. This will change the look of Chamilo for them, but will leave the default style of the portal intact. If a specific course or session has a specific theme assigned, it will have priority over user-defined themes."; -$VisioHost = "Videoconference streaming server hostname or IP address"; -$VisioPort = "Videoconference streaming server port"; -$VisioPassword = "Videoconference streaming server password"; -$Port = "Port"; -$EphorusClickHereForADemoAccount = "Click here for a demo account"; -$ManageUserFields = "Profiling"; -$AddUserField = "Add profile field"; -$FieldLabel = "Field label"; -$FieldType = "Field type"; -$FieldTitle = "Field title"; -$FieldDefaultValue = "Default value"; -$FieldOrder = "Order"; -$FieldVisibility = "Visible?"; -$FieldChangeability = "Can change"; -$FieldTypeText = "Text"; -$FieldTypeTextarea = "Text area"; -$FieldTypeRadio = "Radio buttons"; -$FieldTypeSelect = "Select drop-down"; -$FieldTypeSelectMultiple = "Multiple selection drop-down"; -$FieldAdded = "Field succesfully added"; -$GradebookScoreDisplayColoring = "Grades thresholds colouring"; -$GradebookScoreDisplayColoringComment = "Tick the box to enable marks thresholds"; -$TabsGradebookEnableColoring = "Enable marks thresholds"; -$GradebookScoreDisplayCustom = "Competence levels labelling"; -$GradebookScoreDisplayCustomComment = "Tick the box to enable Competence levels labelling"; -$TabsGradebookEnableCustom = "Enable Competence level labelling"; -$GradebookScoreDisplayColorSplit = "Threshold"; -$GradebookScoreDisplayColorSplitComment = "The threshold (in %) under which scores will be colored red"; -$GradebookScoreDisplayUpperLimit = "Display score upper limit"; -$GradebookScoreDisplayUpperLimitComment = "Tick the box to show the score's upper limit"; -$TabsGradebookEnableUpperLimit = "Enable score's upper limit display"; -$AddUserFields = "Add profile field"; -$FieldPossibleValues = "Possible values"; -$FieldPossibleValuesComment = "Only given for repetitive fields, split by semi-column (;)"; -$FieldTypeDate = "Date"; -$FieldTypeDatetime = "Date and time"; -$UserFieldsAddHelp = "Adding a user field is very easy:
    - pick a one-word, lowercase identifier,
    - select a type,
    - pick a text that should appear to the user (if you use an existing translated name like BirthDate or UserSex, it will automatically get translated to any language),
    - if you picked a multiple type (radio, select, multiple select), provide the possible choices (again, it can make use of the language variables defined in Chamilo), split by semi-column characters,
    - for text types, you can choose a default value.

    Once you're done, add the field and choose whether you want to make it visible and modifiable. Making it modifiable but not visible is useless."; -$AllowCourseThemeTitle = "Allow course themes"; -$AllowCourseThemeComment = "Allows course graphical themes and makes it possible to change the style sheet used by a course to any of the possible style sheets available to Chamilo. When a user enters the course, the style sheet of the course will have priority over the user's own style sheet and the platform's default style sheet."; -$DisplayMiniMonthCalendarTitle = "Display the small month calendar in the agenda tool"; -$DisplayMiniMonthCalendarComment = "This setting enables or disables the small month calendar that appears in the left column of the agenda tool"; -$DisplayUpcomingEventsTitle = "Display the upcoming events in the agenda tool"; -$DisplayUpcomingEventsComment = "This setting enables or disables the upcoming events that appears in the left column of the agenda tool of the course"; -$NumberOfUpcomingEventsTitle = "Number of upcoming events that have to be displayed."; -$NumberOfUpcomingEventsComment = "The number of upcoming events that have to be displayed in the agenda. This requires that the upcoming event functionlity is activated (see setting above)."; -$ShowClosedCoursesTitle = "Display closed courses on login page and portal start page?"; -$ShowClosedCoursesComment = "Display closed courses on the login page and courses start page? On the portal start page an icon will appear next to the courses to quickly subscribe to each courses. This will only appear on the portal's start page when the user is logged in and when the user is not subscribed to the portal yet."; -$LDAPConnectionError = "LDAP Connection Error"; -$LDAP = "LDAP"; -$LDAPEnableTitle = "Enable LDAP"; -$LDAPEnableComment = "If you have an LDAP server, you will have to configure its settings below and modify your configuration file as described in the installation guide, and then activate it. This will allow users to authenticate using their LDAP logins. If you don't know what LDAP is, please leave it disabled"; -$LDAPMainServerAddressTitle = "Main LDAP server address"; -$LDAPMainServerAddressComment = "The IP address or url of your main LDAP server."; -$LDAPMainServerPortTitle = "Main LDAP server's port."; -$LDAPMainServerPortComment = "The port on which the main LDAP server will respond (usually 389). This is a mandatory setting."; -$LDAPDomainTitle = "LDAP domain"; -$LDAPDomainComment = "This is the LDAP domain (dc) that will be used to find the contacts on the LDAP server. For example: dc=xx, dc=yy, dc=zz"; -$LDAPReplicateServerAddressTitle = "Replicate server address"; -$LDAPReplicateServerAddressComment = "When the main server is not available, this server will be accessed. Leave blank or use the same value as the main server if you don't have a replicate server."; -$LDAPReplicateServerPortTitle = "Replicate server's port"; -$LDAPReplicateServerPortComment = "The port on which the replicate server will respond."; -$LDAPSearchTermTitle = "Search term"; -$LDAPSearchTermComment = "This term will be used to filter the search for contacts on the LDAP server. If you are unsure what to put in here, please refer to your LDAP server's documentation and configuration."; -$LDAPVersionTitle = "LDAP version"; -$LDAPVersionComment = "Please select the version of the LDAP server you want to use. Using the right version depends on your LDAP server's configuration."; -$LDAPVersion2 = "LDAP 2"; -$LDAPVersion3 = "LDAP 3"; -$LDAPFilledTutorFieldTitle = "Tutor identification field"; -$LDAPFilledTutorFieldComment = "A check will be done on this LDAP contact field on new users insertion. If this field is not empty, the user will be considered as a tutor and inserted in Chamilo as such. If you want all your users to be recognised as simple users, leave this field empty. You can modify this behaviour by changing the code. Please read the installation guide for more information."; -$LDAPAuthenticationLoginTitle = "Authentication login"; -$LDAPAuthenticationLoginComment = "If you are using an LDAP server that does not support or accept anonymous access, fill the following field with the user login that should be used. Do not include \"cn=\". Leave empty for anonymous access."; -$LDAPAuthenticationPasswordTitle = "Authentication password"; -$LDAPAuthenticationPasswordComment = "If you are using an LDAP server that does not support or accept anonymous access, fill the following field with the user password that should be used."; -$LDAPImport = "LDAP Import"; -$EmailNotifySubscription = "Notify subscribed users by e-mail"; -$DontUncheck = "Do not uncheck"; -$AllSlashNone = "All/None"; -$LDAPImportUsersSteps = "LDAP Import: Users/Steps"; -$EnterStepToAddToYourSession = "Enter step to add to your session"; -$ToDoThisYouMustEnterYearDepartmentAndStep = "In order to do this, you must enter the year, the department and the step"; -$FollowEachOfTheseStepsStepByStep = "Follow each of these steps, step by step"; -$RegistrationYearExample = "Registration year. Example: %s for academic year %s-%s"; -$SelectDepartment = "Select department"; -$RegistrationYear = "Registration year"; -$SelectStepAcademicYear = "Select step (academic year)"; -$ErrorExistingStep = "Error: this step already exists"; -$ErrorStepNotFoundOnLDAP = "Error: step not found on LDAP server"; -$StepDeletedSuccessfully = "Step deleted successfully"; -$StepUsersDeletedSuccessfully = "Step users removed successfully"; -$NoStepForThisSession = "No LOs in this session"; -$DeleteStepUsers = "Remove users from step"; -$ImportStudentsOfAllSteps = "Import learners of all steps"; -$ImportLDAPUsersIntoPlatform = "Import LDAP users into the platform"; -$NoUserInThisSession = "No user in this session"; -$SubscribeSomeUsersToThisSession = "Subscribe some users to this session"; -$EnterStudentsToSubscribeToCourse = "Enter the learners you would like to register to your course"; -$ToDoThisYouMustEnterYearComponentAndComponentStep = "In order to do this, you must enter the year, the component and the component's step"; -$SelectComponent = "Select component"; -$Component = "Component"; -$SelectStudents = "Select learners"; -$LDAPUsersAdded = "LDAP users added"; -$NoUserAdded = "No user added"; -$ImportLDAPUsersIntoCourse = "Import LDAP users into a course"; -$ImportLDAPUsersAndStepIntoSession = "Import LDAP users and a step into a session"; -$LDAPSynchroImportUsersAndStepsInSessions = "LDAP synchro: Import learners/steps into course sessions"; -$TabsMyGradebook = "Assessments tab"; -$LDAPUsersAddedOrUpdated = "LDAP users added or updated"; -$SearchLDAPUsers = "Search for LDAP users"; -$SelectCourseToImportUsersTo = "Select a course in which you would like to register the users you are going to select next"; -$ImportLDAPUsersIntoSession = "Import LDAP users into a session"; -$LDAPSelectFilterOnUsersOU = "Select a filter to find a matching string at the end of the OU attribute"; -$LDAPOUAttributeFilter = "The OU attribute filter"; -$SelectSessionToImportUsersTo = "Select the session in which you want to import these users"; -$VisioUseRtmptTitle = "Use the rtmpt protocol"; -$VisioUseRtmptComment = "The rtmpt protocol allows access to the videoconference from behind a firewall, by redirecting the communications on port 80. This, however, will slow down the streaming, so it is recommended not to use it unless necessary."; -$UploadNewStylesheet = "New stylesheet file"; -$NameStylesheet = "Name of the stylesheet"; -$StylesheetAdded = "The stylesheet has been added"; -$LDAPFilledTutorFieldValueTitle = "Tutor identification value"; -$LDAPFilledTutorFieldValueComment = "When a check is done on the tutor field given above, this value has to be inside one of the tutor fields sub-elements for the user to be considered as a trainer. If you leave this field blank, the only condition is that the field exists for this LDAP user to be considered as a trainer. As an example, the field could be \"memberof\" and the value to search for could be \"CN=G_TRAINER,OU=Trainer\"."; -$IsNotWritable = "is not writeable"; -$FieldMovedDown = "The field is successfully moved down"; -$CannotMoveField = "Cannot move the field."; -$FieldMovedUp = "The field is successfully moved up."; -$MetaTitleTitle = "OpenGraph meta title"; -$MetaDescriptionComment = "This will show an OpenGraph Description meta (og:description) in your site's headers"; -$MetaDescriptionTitle = "Meta description"; -$MetaTitleComment = "This will show an OpenGraph Title meta (og:title) in your site's headers"; -$FieldDeleted = "The field has been deleted"; -$CannotDeleteField = "Cannot delete the field"; -$AddUsersByCoachTitle = "Register users by Coach"; -$AddUsersByCoachComment = "Coach users may create users to the platform and subscribe users to a session."; -$UserFieldsSortOptions = "Sort the options of the profiling fields"; -$FieldOptionMovedUp = "The option has been moved up."; -$CannotMoveFieldOption = "Cannot move the option."; -$FieldOptionMovedDown = "The option has been moved down."; -$DefineSessionOptions = "Define access limits for the coach"; -$DaysBefore = "days before session starts"; -$DaysAfter = "days after"; -$SessionAddTypeUnique = "Single registration"; -$SessionAddTypeMultiple = "Multiple registration"; -$EnableSearchTitle = "Full-text search feature"; -$EnableSearchComment = "Select \"Yes\" to enable this feature. It is highly dependent on the Xapian extension for PHP, so this will not work if this extension is not installed on your server, in version 1.x at minimum."; -$SearchASession = "Find a training session"; -$ActiveSession = "Session session"; -$AddUrl = "Add Url"; -$ShowSessionCoachTitle = "Show session coach"; -$ShowSessionCoachComment = "Show the global session coach name in session title box in the courses list"; -$ExtendRightsForCoachTitle = "Extend rights for coach"; -$ExtendRightsForCoachComment = "Activate this option will give the coach the same permissions as the trainer on authoring tools"; -$ExtendRightsForCoachOnSurveyComment = "Activate this option will allow the coachs to create and edit surveys"; -$ExtendRightsForCoachOnSurveyTitle = "Extend rights for coachs on surveys"; -$CannotDeleteUserBecauseOwnsCourse = "This user cannot be deleted because he is still teacher in a course. You can either remove his teacher status from these courses and then delete his account, or disable his account instead of deleting it."; -$AllowUsersToCreateCoursesTitle = "Allow non admin to create courses"; -$AllowUsersToCreateCoursesComment = "Allow non administrators (teachers) to create new courses on the server"; -$AllowStudentsToBrowseCoursesComment = "Allow learners to browse the courses catalogue and subscribe to available courses"; -$YesWillDeletePermanently = "Yes (the files will be deleted permanently and will not be recoverable)"; -$NoWillDeletePermanently = "No (the files will be deleted from the application but will be manually recoverable by your server administrator)"; -$SelectAResponsible = "Select a manager"; -$ThereIsNotStillAResponsible = "No HR manager available"; -$AllowStudentsToBrowseCoursesTitle = "Learners access to courses catalogue"; -$SharedSettingIconComment = "This is a shared setting"; -$GlobalAgenda = "Global agenda"; -$AdvancedFileManagerTitle = "Advanced file manager in the WYSIWYG editor"; -$AdvancedFileManagerComment = "Enable advanced file manager for WYSIWYG editor? This will add a considerable amount of additional options to the file manager that opens in a pop-up window when uploading files to the server, but might be a little more complicated to use for the final user."; -$ScormAndLPProgressTotalAverage = "Average progress in courses"; -$MultipleAccessURLs = "Multiple access URL / Branding"; -$SearchShowUnlinkedResultsTitle = "Full-text search: show unlinked results"; -$SearchShowUnlinkedResultsComment = "When showing the results of a full-text search, what should be done with the results that are not accessible to the current user?"; -$SearchHideUnlinkedResults = "Do not show them"; -$SearchShowUnlinkedResults = "Show them but without a link to the resource"; -$Templates = "Templates"; -$EnableVersionCheck = "Enable version check"; -$AllowMessageToolTitle = "Internal messaging tool"; -$AllowReservationTitle = "Booking"; -$AllowReservationComment = "The booking system allows you to book resources for your courses (rooms, tables, books, screens, ...). You need this tool to be enabled (through the Admin) to have it appear in the user menu."; -$ConfigureResourceType = "Configure"; -$ConfigureMultipleAccessURLs = "Configure multiple access URL"; -$URLAdded = "The URL has been added"; -$URLAlreadyAdded = "This URL already exists, please select another URL"; -$AreYouSureYouWantToSetThisLanguageAsThePortalDefault = "Are you sure you want to set this language as the portal's default?"; -$CurrentLanguagesPortal = "Current portal's language"; -$EditUsersToURL = "Edit users and URLs"; -$AddUsersToURL = "Add users to an URL"; -$URLList = "URL list"; -$AddToThatURL = "Add users to that URL"; -$SelectUrl = "Select URL"; -$UserListInURL = "Users subscribed to this URL"; -$UsersWereEdited = "The user accounts have been updated"; -$AtLeastOneUserAndOneURL = "You must select at least one user and one URL"; -$UsersBelongURL = "The user accounts are now attached to the URL"; -$LPTestScore = "Course score"; -$ScormAndLPTestTotalAverage = "Average of tests in learning paths"; -$ImportUsersToACourse = "Import users list"; -$ImportCourses = "Import courses list"; -$ManageUsers = "Manage users"; -$ManageCourses = "Manage courses"; -$UserListIn = "Users of"; -$URLInactive = "The URL has been disabled"; -$URLActive = "The URL has been enabled"; -$EditUsers = "Edit users"; -$EditCourses = "Edit courses"; -$CourseListIn = "Courses of"; -$AddCoursesToURL = "Add courses to an URL"; -$EditCoursesToURL = "Edit courses of an URL"; -$AddCoursesToThatURL = "Add courses to that URL"; -$EnablePlugins = "Enable the selected plugins"; -$AtLeastOneCourseAndOneURL = "At least one course and one URL"; -$ClickToRegisterAdmin = "Click here to register the admin into all sites"; -$AdminShouldBeRegisterInSite = "Admin user should be registered here"; -$URLNotConfiguredPleaseChangedTo = "URL not configured yet, please add this URL :"; -$AdminUserRegisteredToThisURL = "Admin user assigned to this URL"; -$CoursesWereEdited = "Courses updated successfully"; -$URLEdited = "The URL has been edited"; -$AddSessionToURL = "Add session to an URL"; -$FirstLetterSession = "Session title's first letter"; -$EditSessionToURL = "Edit session"; -$AddSessionsToThatURL = "Add sessions to that URL"; -$SessionBelongURL = "Sessions were edited"; -$ManageSessions = "Manage sessions"; -$AllowMessageToolComment = "Enabling the internal messaging tool allows users to send messages to other users of the platform and to have a messaging inbox."; -$AllowSocialToolTitle = "Social network tool (Facebook-like)"; -$AllowSocialToolComment = "The social network tool allows users to define relations with other users and, by doing so, to define groups of friends. Combined with the internal messaging tool, this tool allows tight communication with friends, inside the portal environment."; -$SetLanguageAsDefault = "Set language as default"; -$FieldFilter = "Filter"; -$FilterOn = "Filter on"; -$FilterOff = "Filter off"; -$FieldFilterSetOn = "You can now use this field as a filter"; -$FieldFilterSetOff = "You can't use this field as a filter"; -$buttonAddUserField = "Add user field"; -$UsersSubscribedToFollowingCoursesBecauseOfVirtualCourses = "The users have been subscribed to the following courses because several courses share the same visual code"; -$TheFollowingCoursesAlreadyUseThisVisualCode = "The following courses already use this code"; -$UsersSubscribedToBecauseVisualCode = "The users have been subscribed to the following courses because several courses share the same visual code"; -$UsersUnsubscribedFromBecauseVisualCode = "The users have been unsubscribed from the following courses because several courses share the same visual code"; -$FilterUsers = "Filter users"; -$SeveralCoursesSubscribedToSessionBecauseOfSameVisualCode = "Several courses were subscribed to the session because of a duplicate course code"; -$CoachIsRequired = "You must select a coach"; -$EncryptMethodUserPass = "Encryption method"; -$AddTemplate = "Add a template"; -$TemplateImageComment100x70 = "This image will represent the template in the templates list. It should be no larger than 100x70 pixels"; -$TemplateAdded = "Template added"; -$TemplateDeleted = "Template deleted"; -$EditTemplate = "Template edition"; -$FileImportedJustUsersThatAreNotRegistered = "The users that were not registered on the platform have been imported"; -$YouMustImportAFileAccordingToSelectedOption = "You must import a file corresponding to the selected format"; -$ShowEmailOfTeacherOrTutorTitle = "Show teacher or tutor's e-mail address in the footer"; -$ShowEmailOfTeacherOrTutorComent = "Show trainer or tutor's e-mail in footer ?"; -$AddSystemAnnouncement = "Add a system announcement"; -$EditSystemAnnouncement = "Edit system announcement"; -$LPProgressScore = "% of learning objects visited"; -$TotalTimeByCourse = "Total time in course"; -$LastTimeTheCourseWasUsed = "Last time learner entered the course"; -$AnnouncementAvailable = "The announcement is available"; -$AnnouncementNotAvailable = "The announcement is not available"; -$Searching = "Searching"; -$AddLDAPUsers = "Add LDAP users"; -$Academica = "Academica"; -$AddNews = "Add news"; -$SearchDatabaseOpeningError = "Failed to open the search database"; -$SearchDatabaseVersionError = "The search database uses an unsupported format"; -$SearchDatabaseModifiedError = "The search database has been modified/broken"; -$SearchDatabaseLockError = "Failed to lock the search database"; -$SearchDatabaseCreateError = "Failed to create the search database"; -$SearchDatabaseCorruptError = "The search database has suffered corruption"; -$SearchNetworkTimeoutError = "Connection timed out while communicating with the remote search database"; -$SearchOtherXapianError = "Error in search engine"; -$SearchXapianModuleNotInstalled = "The Xapian search module is not installed"; -$FieldRemoved = "Field removed"; -$TheNewSubLanguageHasBeenAdded = "The new sub-language has been added"; -$DeleteSubLanguage = "Delete sub-language"; -$CreateSubLanguageForLanguage = "Create a sub-language for this language"; -$DeleteSubLanguageFromLanguage = "Delete this sub-language"; -$CreateSubLanguage = "Create sub-language"; -$RegisterTermsOfSubLanguageForLanguage = "Define new terms for this sub-language"; -$AddTermsOfThisSubLanguage = "Sub-language terms"; -$LoadLanguageFile = "Load language file"; -$AllowUseSubLanguageTitle = "Allow definition and use of sub-languages"; -$AllowUseSubLanguageComment = "By enabling this option, you will be able to define variations for each of the language terms used in the platform's interface, in the form of a new language based on and extending an existing language. You'll find this option in the languages section of the administration panel."; -$AddWordForTheSubLanguage = "Add terms to the sub-language"; -$TemplateEdited = "Template edited"; -$SubLanguage = "Sub-language"; -$LanguageIsNowVisible = "The language has been made visible and can now be used throughout the platform."; -$LanguageIsNowHidden = "The language has been hidden. It will not be possible to use it until it becomes visible again."; -$LanguageDirectoryNotWriteableContactAdmin = "The /main/lang directory, used on this portal to store the languages, is not writable. Please contact your platform administrator and report this message."; -$ShowGlossaryInDocumentsTitle = "Show glossary terms in documents"; -$ShowGlossaryInDocumentsComment = "From here you can configure how to add links to the glossary terms from the documents"; -$ShowGlossaryInDocumentsIsAutomatic = "Automatic: adds links to all defined glossary terms found in the document"; -$ShowGlossaryInDocumentsIsManual = "Manual: shows a glossary icon in the online editor, so you can mark the terms that are in the glossary and that you want to link"; -$ShowGlossaryInDocumentsIsNone = "None: doesn't add any glossary terms to the documents"; -$LanguageVariable = "Language variable"; -$ToExportDocumentsWithGlossaryYouHaveToSelectGlossary = "To export a document that has glossary terms with its references to the glossary, you have to make sure you include the glossary tool in the export"; -$ShowTutorDataTitle = "Session's tutor's data is shown in the footer."; -$ShowTutorDataComment = "Show the session's tutor reference (name and e-mail if available) in the footer?"; -$ShowTeacherDataTitle = "Show teacher information in footer"; -$ShowTeacherDataComment = "Show the teacher reference (name and e-mail if available) in the footer?"; -$HTMLText = "HTML"; -$PageLink = "Page Link"; -$DisplayTermsConditions = "Display a Terms & Conditions statement on the registration page, require visitor to accept the T&C to register."; -$AllowTermsAndConditionsTitle = "Enable terms and conditions"; -$AllowTermsAndConditionsComment = "This option will display the Terms and Conditions in the register form for new users. Need to be configured first in the portal administration page."; -$Load = "Load"; -$AllVersions = "All versions"; -$EditTermsAndConditions = "Edit terms and conditions"; -$ExplainChanges = "Explain changes"; -$TermAndConditionNotSaved = "Term and condition not saved"; -$TheSubLanguageHasBeenRemoved = "The sub language has been removed"; -$AddTermsAndConditions = "Add terms and conditions"; -$TermAndConditionSaved = "Term and condition saved"; -$ListSessionCategory = "Sessions categories list"; -$AddSessionCategory = "Add category"; -$SessionCategoryName = "Category name"; -$EditSessionCategory = "Edit session category"; -$SessionCategoryAdded = "The category has been added"; -$SessionCategoryUpdate = "Category update"; -$SessionCategoryDelete = "The selected categories have been deleted"; -$SessionCategoryNameIsRequired = "Please give a name to the sessions category"; -$ThereIsNotStillASession = "There are no sessions available"; -$SelectASession = "Select a session"; -$OriginCoursesFromSession = "Courses from the original session"; -$DestinationCoursesFromSession = "Courses from the destination session"; -$CopyCourseFromSessionToSessionExplanation = "Help for the copy of courses from session to session"; -$TypeOfCopy = "Type of copy"; -$CopyFromCourseInSessionToAnotherSession = "Copy from course in session to another session"; -$YouMustSelectACourseFromOriginalSession = "You must select a course from original session"; -$MaybeYouWantToDeleteThisUserFromSession = "Maybe you want to delete the user, instead of unsubscribing him from all courses...?"; -$EditSessionCoursesByUser = "Edit session courses by user"; -$CoursesUpdated = "Courses updated"; -$CurrentCourses = "Current courses"; -$CoursesToAvoid = "Unaccessible courses"; -$EditSessionCourses = "Edit session courses"; -$SessionVisibility = "Visibility after end date"; -$BlockCoursesForThisUser = "Block user from courses in this session"; -$LanguageFile = "Language file"; -$ShowCoursesDescriptionsInCatalogTitle = "Show the courses descriptions in the catalog"; -$ShowCoursesDescriptionsInCatalogComment = "Show the courses descriptions as an integrated popup when clicking on a course info icon in the courses catalog"; -$StylesheetNotHasBeenAdded = "The stylesheet could not be added"; -$AddSessionsInCategories = "Add sessions in categories"; -$ItIsRecommendedInstallImagickExtension = "It is recommended to install the imagick php extension for better performances in the resolution for generating the thumbnail images otherwise not show very well, if it is not install by default uses the php-gd extension."; -$EditSpecificSearchField = "Edit specific search field"; -$FieldName = "Field name"; -$SpecialExports = "Special exports"; -$SpecialCreateFullBackup = "Special create full backup"; -$SpecialLetMeSelectItems = "Special let me select items"; -$AllowCoachsToEditInsideTrainingSessions = "Allow coaches to edit inside course sessions"; -$AllowCoachsToEditInsideTrainingSessionsComment = "Allow coaches to edit inside course sessions"; -$ShowSessionDataTitle = "Show session data title"; -$ShowSessionDataComment = "Show session data comment"; -$SubscribeSessionsToCategory = "Subscription sessions in the category"; -$SessionListInPlatform = "List of session in the platform"; -$SessionListInCategory = "List of sesiones in the categories"; -$ToExportSpecialSelect = "If you want to export courses containing sessions, which will ensure that these seansido included in the export to any of that will have to choose in the list."; -$ErrorMsgSpecialExport = "There were no courses registered or may not have made the association with the sessions"; -$ConfigureInscription = "Setting the registration page"; -$MsgErrorSessionCategory = "Select category and sessions"; -$NumberOfSession = "Number sessions"; -$DeleteSelectedSessionCategory = "Delete only the selected categories without sessions"; -$DeleteSelectedFullSessionCategory = "Delete the selected categories to sessions"; -$EditTopRegister = "Edit Note"; -$InsertTabs = "Add Tabs"; -$EditTabs = "Edit Tabs"; -$AnnEmpty = "Announcements list has been cleared up"; -$AnnouncementModified = "Announcement has been modified"; -$AnnouncementAdded = "Announcement has been added"; -$AnnouncementDeleted = "Announcement has been deleted"; -$AnnouncementPublishedOn = "Published on"; -$AddAnnouncement = "Add an announcement"; -$AnnouncementDeleteAll = "Clear list of announcements"; -$professorMessage = "Message from the trainer"; -$EmailSent = " and emailed to registered learners"; -$EmailOption = "Send this announcement by email to selected groups/users"; -$On = "On"; -$RegUser = "registered users of the site"; -$Unvalid = "have unvalid or no email address"; -$ModifAnn = "Modifies this announcement"; -$SelMess = "Warnings to some users"; -$SelectedUsers = "Selected Users"; -$PleaseEnterMessage = "You must introduce the message text."; -$PleaseSelectUsers = "You must select some users."; -$Teachersubject = "Message sent to users"; -$MessageToSelectedUsers = "Messages to selected users"; -$IntroText = "To send a message, select groups of users (see G) or single users from the list on the left."; -$MsgSent = "The message has been sent to the selected learners"; -$SelUser = "selected users of the site"; -$MessageToSelectedGroups = "Message to selected groups"; -$SelectedGroups = "selected groups"; -$Msg = "Messages"; -$MsgText = "Message"; -$AnnouncementDeletedAll = "All announcements have been deleted"; -$AnnouncementMoved = "The announcement has been moved"; -$NoAnnouncements = "There are no announcements."; -$SelectEverybody = "Select Everybody"; -$SelectedUsersGroups = "selected user groups"; -$LearnerMessage = "Message from a learner"; -$TitleIsRequired = "Title is required"; -$AnnounceSentByEmail = "Announcement sent by email"; -$AnnounceSentToUserSelection = "Announcement sent to the selected users"; -$SendAnnouncement = "Send announcement"; -$ModifyAnnouncement = "Edit announcement"; -$ButtonPublishAnnouncement = "Send announcement"; -$LineNumber = "Line Number"; -$LineOrLines = "line(s)"; -$AddNewHeading = "Add new heading"; -$CourseAdministratorOnly = "Teachers only"; -$DefineHeadings = "Define Headings"; -$BackToUsersList = "Back to users list"; -$CourseManager = "Teacher"; -$ModRight = "change rights of"; -$NoAdmin = "has from now on no rights on this page"; -$AllAdmin = "has from now on all rights on this page"; -$ModRole = "Change role of"; -$IsNow = "is from now on"; -$InC = "in this course"; -$Filled = "You have left some fields empty."; -$UserNo = "The login you chose"; -$Taken = "is already in use. Choose another one."; -$Tutor = "Coach"; -$Unreg = "Unsubscribe"; -$GroupUserManagement = "Groups management"; -$AddAUser = "Add a user"; -$UsersUnsubscribed = "The selected users have been unsubscribed from the course"; -$ThisStudentIsSubscribeThroughASession = "This learner is subscribed in this training through a training session. You cannot edit his information"; -$AddToFriends = "Are you sure you want to add this contact to your friends ?"; -$AddPersonalMessage = "Add a personal message"; -$Friends = "Friends"; -$PersonalData = "Profile"; -$Contacts = "Contacts"; -$SocialInformationComment = "This screen allows you to organise your contacts"; -$AttachContactsToGroup = "Attach contacts to group"; -$ContactsList = "Contacts list"; -$AttachToGroup = "Add to a group"; -$SelectOneContact = "Select one contact"; -$SelectOneGroup = "Select one group"; -$AttachContactsPersonal = "Add personal contacts"; -$AttachContactsToGroupSuccesfuly = "Successfully added contacts to group"; -$AddedContactToList = "Added contact to list"; -$ContactsGroupsComment = "This screen is a list of contacts sorted by groups"; -$YouDontHaveContactsInThisGroup = "No contacts found"; -$SelectTheCheckbox = "Select the check box"; -$YouDontHaveInvites = "Empty"; -$SocialInvitesComment = "Pending invitations."; -$InvitationSentBy = "Invitation sent by"; -$RequestContact = "Request contact"; -$SocialUnknow = "Unknown"; -$SocialParent = "My parents"; -$SocialFriend = "My friends"; -$SocialGoodFriend = "My real friends"; -$SocialEnemy = "My enemies"; -$SocialDeleted = "Contact deleted"; -$MessageOutboxComment = "Messages sent."; -$MyPersonalData = "My personal data"; -$AlterPersonalData = "Alter personal data"; -$Invites = "Invitations"; -$ContactsGroups = "Group contacts"; -$MyInbox = "My inbox"; -$ViewSharedProfile = "View shared profile"; -$ImagesUploaded = "Uploaded images"; -$ExtraInformation = "Extra information"; -$SearchContacts = "Search contacts"; -$SocialSeeContacts = "See contacts"; -$SocialUserInformationAttach = "Please write a message before sending the request"; -$MessageInvitationNotSent = "your invitation message has not been sent"; -$SocialAddToFriends = "Add to my contacts"; -$ChangeContactGroup = "Change contact group"; -$Friend = "Friend"; -$ViewMySharedProfile = "My shared profile"; -$UserStatistics = "Reporting for this user"; -$EditUser = "Edit this user"; -$ViewUser = "View this user"; -$RSSFeeds = "RSS feed"; -$NoFriendsInYourContactList = "No friends in your contact list"; -$TryAndFindSomeFriends = "Try and find some friends"; -$SendInvitation = "Send invitation"; -$SocialInvitationToFriends = "Invite to join my group of friends"; -$MyCertificates = "My certificates"; -$NewGroupCreate = "Create new group(s)"; -$GroupCreation = "New groups creation"; -$NewGroups = "new group(s)"; -$Max = "max. 20 characters, e.g. INNOV21"; -$GroupPlacesThis = "seats (optional)"; -$GroupsAdded = "group(s) has (have) been added"; -$GroupDel = "Group deleted"; -$ExistingGroups = "Groups"; -$Registered = "Registered"; -$GroupAllowStudentRegistration = "Learners are allowed to self-register in groups"; -$GroupTools = "Tools"; -$GroupDocument = "Documents"; -$GroupPropertiesModified = "Group settings have been modified"; -$GroupName = "Group name"; -$GroupDescription = "Group description"; -$GroupMembers = "Group members"; -$EditGroup = "Edit this group"; -$GroupSettingsModified = "Group settings modified"; -$GroupTooMuchMembers = "Number proposed exceeds max. that you allowed (you can modify it below). \t\t\t\tGroup composition has not been modified"; -$GroupTutor = "Group tutor"; -$GroupNoTutor = "(none)"; -$GroupNone = "(none)"; -$GroupNoneMasc = "(none)"; -$AddTutors = "Admin users list"; -$MyGroup = "my group"; -$OneMyGroups = "my supervision"; -$GroupSelfRegistration = "Registration"; -$GroupSelfRegInf = "register"; -$RegIntoGroup = "Add me to this group"; -$GroupNowMember = "You are now a member of this group."; -$Private = "Private access (access authorized to group members only)"; -$Public = "Public access (access authorized to any member of the course)"; -$PropModify = "Edit settings"; -$State = "State"; -$GroupFilledGroups = "Groups have been filled (or completed) by users present in the 'Users' list."; -$Subscribed = "users registered in this course"; -$StudentsNotInThisGroups = "Learners not in this group"; -$QtyOfUserCanSubscribe_PartBeforeNumber = "A user can be member of maximum"; -$QtyOfUserCanSubscribe_PartAfterNumber = " groups"; -$GroupLimit = "Limit"; -$CreateGroup = "Create group(s)"; -$ProceedToCreateGroup = "Proceed to create group(s)"; -$StudentRegAllowed = "Learners are allowed to self-register to groups"; -$GroupAllowStudentUnregistration = "Learners are allowed to unregister themselves from groups"; -$AllGroups = "All groups"; -$StudentUnsubscribe = "Unsubscribe me from this group."; -$StudentDeletesHimself = "You're now unsubscribed."; -$DefaultSettingsForNewGroups = "Default settings for new groups"; -$SelectedGroupsDeleted = "All selected groups have been deleted"; -$SelectedGroupsEmptied = "All selected groups are now empty"; -$GroupEmptied = "The group is now empty"; -$SelectedGroupsFilled = "All selected groups have been filled"; -$GroupSelfUnRegInf = "unregister"; -$SameForAll = "same for all"; -$NoLimit = "No limitation"; -$PleaseEnterValidNumber = "Please enter the desired number of groups"; -$CreateGroupsFromVirtualCourses = "Create groups from all users in the virtual courses"; -$CreateGroupsFromVirtualCoursesInfo = "This course is a combination of a real course and one or more virtual courses. If you press following button, new groups will be created according to these (virtual) courses. All learners will be subscribed to the groups."; -$NoGroupsAvailable = "No groups available"; -$GroupsFromVirtualCourses = "Virtual courses"; -$CreateSubgroups = "Create subgroups"; -$CreateSubgroupsInfo = "This option allows you to create new groups based on an existing group. Provide the desired number of groups and choose an existing group. The given number of groups will be created and all members of the existing group will be subscribed in those new groups. The existing group remains unchanged."; -$CreateNumberOfGroups = "Create number of groups"; -$WithUsersFrom = "groups with members from"; -$FillGroup = "Fill the group randomly with course students"; -$EmptyGroup = "unsubscribe all users"; -$MaxGroupsPerUserInvalid = "The maximum number of groups per user you submitted is invalid. There are now users who are subscribed in more groups than the number you propose."; -$GroupOverview = "Groups overview"; -$GroupCategory = "Group category"; -$NoTitleGiven = "Please give a title"; -$InvalidMaxNumberOfMembers = "Please enter a valid number for the maximum number of members."; -$CategoryOrderChanged = "The category order was changed"; -$CategoryCreated = "Category created"; -$GroupTutors = "Coaches"; -$GroupWork = "Assignments"; -$GroupCalendar = "Agenda"; -$GroupAnnouncements = "Announcements"; -$NoCategoriesDefined = "No categories defined"; -$GroupsFromClasses = "Groups from classes"; -$GroupsFromClassesInfo = "Using this option, you can create groups based on the classes subscribed to your course."; -$BackToGroupList = "Back to Groups list"; -$NewForumCreated = "A new forum has now been created"; -$NewThreadCreated = "A new forum thread has now been created"; -$AddHotpotatoes = "Add hotpotatoes"; -$HideAttemptView = "Hide attempt view"; -$ExtendAttemptView = "Extend attempt view"; -$LearnPathAddedTitle = "Welcome to the Chamilo course authoring tool !"; -$BuildComment = "Add learning objects and activities to your course"; -$BasicOverviewComment = "Add audio comments and order learning objects in the table of contents"; -$DisplayComment = "Watch the course from learner's viewpoint"; -$NewChapterComment = "Chapter 1, Chapter 2 or Week 1, Week 2..."; -$NewStepComment = "Add tests, activities and multimedia content"; -$LearnpathTitle = "Title"; -$LearnpathPrerequisites = "Prerequisites"; -$LearnpathMoveUp = "Up"; -$LearnpathMoveDown = "Down"; -$ThisItem = "this learning object"; -$LearnpathTitleAndDesc = "Name & description"; -$LearnpathChangeOrder = "Change order"; -$LearnpathAddPrereqi = "Add prerequisities"; -$LearnpathAddTitleAndDesc = "Edit name & desc."; -$LearnpathMystatus = "My progress in this course"; -$LearnpathCompstatus = "completed"; -$LearnpathIncomplete = "incomplete"; -$LearnpathPassed = "passed"; -$LearnpathFailed = "failed"; -$LearnpathPrevious = "Previous learning object"; -$LearnpathNext = "Next learning object"; -$LearnpathRestart = "Restart"; -$LearnpathThisStatus = "This learning object is now"; -$LearnpathToEnter = "To enter"; -$LearnpathFirstNeedTo = "you need first accomplish"; -$LearnpathLessonTitle = "Section name"; -$LearnpathStatus = "Status"; -$LearnpathScore = "Score"; -$LearnpathTime = "Time"; -$LearnpathVersion = "version"; -$LearnpathRestarted = "No learning object is completed."; -$LearnpathNoNext = "This is the last learning object."; -$LearnpathNoPrev = "This is the first learning object."; -$LearnpathAddLearnpath = "Create new learning path"; -$LearnpathEditLearnpath = "Edit learnpath"; -$LearnpathDeleteLearnpath = "Delete course"; -$LearnpathDoNotPublish = "do not publish"; -$LearnpathPublish = "Publish on course homepage"; -$LearnpathNotPublished = "not published"; -$LearnpathPublished = "published"; -$LearnpathEditModule = "Edit section description/name"; -$LearnpathDeleteModule = "Delete section"; -$LearnpathNoChapters = "No sectionss added yet."; -$LearnpathAddItem = "Add learning objects to this section"; -$LearnpathItemDeleted = "The learning object has been deleted"; -$LearnpathItemEdited = "The learning object has been edited"; -$LearnpathPrereqNotCompleted = "This learning object cannot display because the course prerequisites are not completed. This happens when a course imposes that you follow it step by step or get a minimum score in tests before you reach the next steps."; -$NewChapter = "Add section"; -$NewStep = "Add learning object or activity"; -$EditPrerequisites = "Edit the prerequisites of the current LO"; -$TitleManipulateChapter = "Edit section"; -$TitleManipulateModule = "Edit section"; -$TitleManipulateDocument = "Edit document"; -$TitleManipulateLink = "Edit link"; -$TitleManipulateQuiz = "Edit test structure"; -$TitleManipulateStudentPublication = "Edit assignment"; -$EnterDataNewChapter = "Adding a section to the course"; -$EnterDataNewModule = "Enter information for section"; -$CreateNewStep = "Create new rich media page"; -$NewDocument = "Rich media page / activity"; -$UseAnExistingResource = "Or use an existing resource :"; -$Position = "In table of contents"; -$NewChapterCreated = "A new section has now been created. You may continue by adding a section or step."; -$NewLinksCreated = "The new link has been created"; -$NewStudentPublicationCreated = "The new assignment has been created"; -$NewModuleCreated = "The new section has been created. You can now add a section or a learning object to it."; -$NewExerciseCreated = "The test has been added to the course"; -$ItemRemoved = "The learning object has been removed"; -$Converting = "Converting..."; -$Ppt2lpError = "Error during the conversion of PowerPoint. Please check if there are special characters in the name of your PowerPoint."; -$Build = "Build"; -$ViewModeEmbedded = "Current view mode: embedded"; -$ViewModeFullScreen = "Current view mode: fullscreen"; -$ShowDebug = "Show debug"; -$HideDebug = "Hide debug"; -$CantEditDocument = "This document is not editable"; -$After = "After"; -$LearnpathPrerequisitesLimit = "Prerequisities (limit)"; -$HotPotatoesFinished = "This HotPotatoes test has been closed."; -$CompletionLimit = "Completion limit (minimum points)"; -$PrereqToEnter = "To enter"; -$PrereqFirstNeedTo = " you need first accomplish"; -$PrereqModuleMinimum1 = "At least 1 step is missing from"; -$PrereqModuleMinimum2 = " which is set as prerequisities."; -$PrereqTestLimit1 = " you must reach minimum"; -$PrereqTestLimit2 = " points in"; -$PrereqTestLimitNow = "Now you have :"; -$LearnpathExitFullScreen = "back to normal screen"; -$LearnpathFullScreen = "full screen"; -$ItemMissing1 = "There was a"; -$ItemMissing2 = "page (step) here in the original Chamilo Learning Path."; -$NoItemSelected = "Select a learning object in the table of contents"; -$NewDocumentCreated = "The rich media page/activity has been added to the course"; -$EditCurrentChapter = "Edit the current section"; -$ditCurrentModule = "Edit the current section"; -$CreateTheDocument = "Adding a rich media page/activity to the course"; -$MoveTheCurrentDocument = "Move the current document"; -$EditTheCurrentDocument = "Edit the current document"; -$Warning = "Warning !"; -$WarningEditingDocument = "When you edit an existing document in Courses, the new version of the document will not overwrite the old version but will be saved as a new document. If you want to edit a document definitively, you can do that with the document tool."; -$CreateTheExercise = "Adding a test to the course"; -$MoveTheCurrentExercise = "Move the current test"; -$EditCurrentExecice = "Edit the current test"; -$UploadScorm = "Import SCORM course"; -$PowerPointConvert = "Chamilo RAPID"; -$LPCreatedToContinue = "To continue add a section or a learning object or activity to your course."; -$LPCreatedAddChapterStep = "

    \"practicerAnim.gif\"Welcome to the Chamilo course authoring tool !

    • Build : Add learning objects and activities to your course
    • Organize : Add audio comments and order learning objects in the table of contents
    • Display : Watch the course from learner's viewpoint
    • Add section : Chapter 1, Chapter 2 or Week 1, Week 2...
    • Add learning object or activity : activities, tests, videos, multimedia pages
    "; -$PrerequisitesAdded = "Prerequisites to the current learning object have been added."; -$AddEditPrerequisites = "Add/edit prerequisites"; -$NoDocuments = "No documents"; -$NoExercisesAvailable = "No tests available"; -$NoLinksAvailable = "No links available"; -$NoItemsInLp = "There are no learning objects in the course. Click on \"Build\" to enter authoring mode."; -$FirstPosition = "First position"; -$NewQuiz = "New test"; -$CreateTheForum = "Adding a forum to the course"; -$AddLpIntro = "Welcome to the Chamilo Course authoring tool.
    Create your courses step-by-step. The table of contents will appear to the left."; -$AddLpToStart = "To start, give a title to your course"; -$CreateTheLink = "Adding a link to the course"; -$MoveCurrentLink = "Move the current link"; -$EditCurrentLink = "Edit the current link"; -$MoveCurrentStudentPublication = "Move the current assignment"; -$EditCurrentStudentPublication = "Edit the current assignment"; -$AllowMultipleAttempts = "Allow multiple attempts"; -$PreventMultipleAttempts = "Prevent multiple attempts"; -$MakeScormRecordingExtra = "Make SCORM recordings extra"; -$MakeScormRecordingNormal = "Make SCORM recordings normal"; -$DocumentHasBeenDeleted = "The document cannot be displayed because it has been deleted"; -$EditCurrentForum = "Edit the current forum"; -$NoPrerequisites = "No prerequisites"; -$NewExercise = "New test"; -$CreateANewLink = "Create a new link"; -$CreateANewForum = "Create a new forum"; -$WoogieConversionPowerPoint = "Woogie : Word conversion"; -$WelcomeWoogieSubtitle = "MS Word to course converter"; -$WelcomeWoogieConverter = "Welcome to Woogie Rapid Learning
    • Choose a file .doc, .sxw, .odt
    • Upload it to Woogie. It will be convert to a SCORM course
    • You will then be able to add audio comments on each page and insert quizzes and other activities between pages
    "; -$WoogieError = "Error during the conversion of the word document. Please check if there are special characters in the name of your document.."; -$WordConvert = "MS Word conversion"; -$InteractionID = "Interaction ID"; -$TimeFinished = "Time (finished at...)"; -$CorrectAnswers = "Correct answers"; -$StudentResponse = "Learner answers"; -$LatencyTimeSpent = "Time spent"; -$SplitStepsPerPage = "A page, a learning object"; -$SplitStepsPerChapter = "A section, a learning object"; -$TakeSlideName = "Use the slides names as course learning object names"; -$CannotConnectToOpenOffice = "The connection to the document converter failed. Please contact your platform administrator to fix the problem."; -$OogieConversionFailed = "The conversion failed.
    Some documents are too complex to be treated automatically by the document converter.
    We try to improve it."; -$OogieUnknownError = "The conversion failed for an unknown reason.
    Please contact your administrator to get more information."; -$OogieBadExtension = "Please upload presentations only. Filename should end with .ppt or .odp"; -$WoogieBadExtension = "Please upload text documents only. Filename should end with .doc, .docx or .odt"; -$ShowAudioRecorder = "Show audio recorder"; -$SearchFeatureSearchExplanation = "To search the course database, please use the following syntax:
       term tag:tag_name -exclude +include \"exact phrase\"
    For example:
       car tag:truck -ferrari +ford \"high consumption\".
    This will show all the results for the word 'car' tagged as 'truck', not including the word 'ferrari' but including the word 'ford' and the exact phrase 'high consumption'."; -$ViewLearningPath = "View course"; -$SearchFeatureDocumentTagsIfIndexing = "Tags to add to the document, if indexing"; -$ReturnToLearningPaths = "Back to learning paths"; -$UploadMp3audio = "Upload Mp3 audio"; -$UpdateAllAudioFragments = "Add audio"; -$LeaveEmptyToKeepCurrentFile = "Leave import form empty to keep current audio file"; -$RemoveAudio = "Remove audio"; -$SaveAudio = "Validate"; -$ViewScoreChangeHistory = "View score change history"; -$ImageWillResizeMsg = "Trainer picture will resize if needed"; -$ImagePreview = "Image preview"; -$UplAlreadyExists = " already exists."; -$UplUnableToSaveFile = "The uploaded file could not be saved (perhaps a permission problem?)"; -$MoveDocument = "Move document"; -$EditLPSettings = "Edit course settings"; -$SaveLPSettings = "Save course settings"; -$ShowAllAttempts = "Show all attempts"; -$HideAllAttempts = "Hide all attempts"; -$ShowAllAttemptsByExercise = "Show all attempts by test"; -$ShowAttempt = "Show attempt"; -$ShowAndQualifyAttempt = "Show and grade attempt"; -$ModifyPrerequisites = "Save prerequisites settings"; -$CreateLearningPath = "Continue"; -$AddExercise = "Add test to course"; -$LPCreateDocument = "Add this document to the course"; -$ObjectiveID = "Objective ID"; -$ObjectiveStatus = "Objective status"; -$ObjectiveRawScore = "Objective raw score"; -$ObjectiveMaxScore = "Objective max score"; -$ObjectiveMinScore = "Objective min score"; -$LPName = "Course name"; -$AuthoringOptions = "Authoring options"; -$SaveSection = "Save section"; -$AddLinkToCourse = "Add link to course"; -$AddAssignmentToCourse = "Add assignment to course"; -$AddForumToCourse = "Add forum to course"; -$SaveAudioAndOrganization = "Save audio and organization"; -$UploadOnlyMp3Files = "Please upload mp3 files only"; -$OpenBadgesTitle = "Chamilo supports the OpenBadges standard"; -$NoPosts = "No posts"; -$WithoutAchievedSkills = "Without achieved skills"; -$TypeMessage = "Please type your message!"; -$ConfirmReset = "Do you really want to delete all messages?"; +\n((admin_name)) ((admin_surname))."; +$Explanation = "Once you click on \"Create a course\", a course is created with a section for Tests, Project based learning, Assessments, Courses, Dropbox, Agenda and much more. Logging in as teacher provides you with editing privileges for this course."; +$CodeTaken = "This course code is already in use.
    Use the Back button on your browser and try again."; +$ExerciceEx = "Sample test"; +$Antique = "Irony"; +$SocraticIrony = "Socratic irony is..."; +$ManyAnswers = "(more than one answer can be true)"; +$Ridiculise = "Ridiculise one's interlocutor in order to have him concede he is wrong."; +$NoPsychology = "No. Socratic irony is not a matter of psychology, it concerns argumentation."; +$AdmitError = "Admit one's own errors to invite one's interlocutor to do the same."; +$NoSeduction = "No. Socratic irony is not a seduction strategy or a method based on the example."; +$Force = "Compell one's interlocutor, by a series of questions and sub-questions, to admit he doesn't know what he claims to know."; +$Indeed = "Indeed. Socratic irony is an interrogative method. The Greek \"eirotao\" means \"ask questions\""; +$Contradiction = "Use the Principle of Non Contradiction to force one's interlocutor into a dead end."; +$NotFalse = "This answer is not false. It is true that the revelation of the interlocutor's ignorance means showing the contradictory conclusions where lead his premisses."; +$AddPageHome = "Upload page and link to Homepage"; +$ModifyInfo = "Settings"; +$CourseDesc = "Description"; +$AgendaTitle = "Tuesday the 11th of December - First meeting. Room: LIN 18"; +$AgendaText = "General introduction to project management"; +$Micro = "Street interviews"; +$Google = "Quick and powerful search engine"; +$IntroductionTwo = "This page allows users and groups to publish documents."; +$AnnouncementEx = "This is an announcement example. Only trainers are allowed to publish announcements."; +$JustCreated = "You just created the course area"; +$CreateCourseGroups = "Groups"; +$CatagoryMain = "Main"; +$CatagoryGroup = "Groups forums"; +$Ln = "Language"; +$FieldsRequ = "All fields required"; +$Ex = "e.g. Innovation management"; +$Fac = "Category"; +$TargetFac = "This is the department or any other context where the course is delivered"; +$Doubt = "If you are unsure of your course code, consult the training details."; +$Program = "Course Program. If your course has no code, whatever the reason, invent one. For instance INNOVATION if the course is about Innovation Management"; +$Scormtool = "Courses"; +$Scormbuildertool = "Scorm Path builder"; +$Pathbuildertool = "Authoring tool"; +$OnlineConference = "Conference"; +$AgendaCreationTitle = "Course creation"; +$AgendaCreationContenu = "This course was created at this time"; +$OnlineDescription = "Conference description"; +$Only = "Only"; +$RandomLanguage = "Shuffle selection in aivailable languages"; +$ForumLanguage = "english"; +$NewCourse = "New course"; +$AddNewCourse = "Add a new course"; +$OtherProperties = "Other properties found in the archive"; +$SysId = "System ID"; +$ScoreShow = "Show score"; +$Visibility = "Visibility"; +$VersionDb = "Database version used at archive time"; +$Expire = "Expiration"; +$ChoseFile = "Select file"; +$FtpFileTips = "File on a FTP server"; +$HttpFileTips = "File on a Web (HTTP) server"; +$LocalFileTips = "File on the platform server"; +$PostFileTips = "File on your local computer"; +$Minimum = "minimum"; +$Maximum = "maximum"; +$RestoreACourse = "Restore a course"; +$Recycle = "Recycle course"; +$AnnouncementExampleTitle = "This is an announcement example"; +$Wikipedia = "Free online encyclopedia"; +$DefaultGroupCategory = "Default groups"; +$DefaultCourseImages = "Gallery"; +$ExampleForumCategory = "Example Forum Category"; +$ExampleForum = "Example Forum"; +$ExampleThread = "Example Thread"; +$ExampleThreadContent = "Example content"; +$IntroductionWiki = "The word Wiki is short for WikiWikiWeb. Wikiwiki is a Hawaiian word, meaning \"fast\" or \"speed\". In a wiki, people write pages together. If one person writes something wrong, the next person can correct it. The next person can also add something new to the page. Because of this, the pages improve continuously."; +$CreateCourseArea = "Create this course"; +$CreateCourse = "Create a course"; +$TitleNotification = "Since your latest visit"; +$ForumCategoryAdded = "The forum category has been added"; +$LearnpathAdded = "Course added"; +$GlossaryAdded = "Added new term in the Glossary"; +$QuizQuestionAdded = "Added new question in the quiz"; +$QuizQuestionUpdated = "Updated new question in the Quiz"; +$QuizQuestionDeleted = "Deleted new question in the Quiz"; +$QuizUpdated = "Quiz updated"; +$QuizAdded = "Quiz added"; +$QuizDeleted = "Quiz deleted"; +$DocumentInvisible = "Document invisible"; +$DocumentVisible = "Document visible"; +$CourseDescriptionAdded = "Course Description added"; +$NotebookAdded = "Note added"; +$NotebookUpdated = "Note updated"; +$NotebookDeleted = "Note deleted"; +$DeleteAllAttendances = "Delete all created attendances"; +$AssignSessionsTo = "Assign sessions to"; +$Upload = "Upload"; +$MailTemplateRegistrationTitle = "New user on ((sitename))"; +$Unsubscribe = "Unsubscribe"; +$AlreadyRegisteredToCourse = "Already registered in course"; +$ShowFeedback = "Show Feedback"; +$GiveFeedback = "Give / Edit Feedback"; +$JustUploadInSelect = "---Just upload---"; +$MailingNothingFor = "Nothing for"; +$MailingFileNotRegistered = "(not registered to this course)"; +$MailingFileSentTo = "sent to"; +$MailingFileIsFor = "is for"; +$ClickKw = "Click a keyword in the tree to select or deselect it."; +$KwHelp = "
    Click '+' button to open, '-' button to close, '++' button to open all, '--' button to close all.

    Clear all selected keywords by closing the tree and opening it again with the '+' button.
    Alt-click '+' searches the original keywords in the tree.

    Alt-click keyword selects a keyword without broader terms ordeselects a keyword with broader terms.

    If you change the description language, do not add keywords at the same time.

    "; +$SearchCrit = "One word per line!"; +$NoKeywords = "This course has no keywords"; +$KwCacheProblem = "The keyword cache cannot be opened"; +$CourseKwds = "This document contains the course keywords"; +$KwdsInMD = "keywords used in MD"; +$KwdRefs = "keyword references"; +$NonCourseKwds = "Non-course keywords"; +$KwdsUse = "Course keywords (bold = not used)"; +$TotalMDEs = "Total number of Links MD entries:"; +$ForumDeleted = "Forum deleted"; +$ForumCategoryDeleted = "Forum category deleted"; +$ForumLocked = "Forum blocked"; +$AddForumCategory = "Add forum category"; +$AddForum = "Add a forum"; +$Posts = "Posts"; +$LastPosts = "Latest Post"; +$NoForumInThisCategory = "There are no forums in this category"; +$InForumCategory = "Create in category"; +$AllowAnonymousPosts = "Allow anonymous posts?"; +$StudentsCanEdit = "Can learners edit their own posts?"; +$ApprovalDirect = "Approval / Direct Post"; +$AllowNewThreads = "Allow users to start new threads"; +$DefaultViewType = "Default view type"; +$GroupSettings = "Group Settings"; +$NotAGroupForum = "Not a group forum"; +$PublicPrivateGroupForum = "Public or private group forum?"; +$NewPostStored = "Your message has been saved"; +$ReplyToThread = "Reply to this thread"; +$QuoteMessage = "Quote this message"; +$NewTopic = "Create thread"; +$Views = "Views"; +$LastPost = "Latest post"; +$Quoting = "Quoting"; +$NotifyByEmail = "Notify me by e-mail when somebody replies"; +$StickyPost = "This is a sticky message (appears always on top and has a special sticky icon)"; +$ReplyShort = "Re:"; +$DeletePost = "Are you sure you want to delete this post? Deleting this post will also delete the replies on this post. Please check the threaded view to see which posts will also be deleted"; +$Locked = "Locked: students can no longer post new messages in this forum category, forum or thread but they can still read the messages that were already posted"; +$Unlocked = "Unlocked: learners can post new messages in this forum category, forum or thread"; +$Flat = "Flat"; +$Threaded = "Threaded"; +$Nested = "Nested"; +$FlatView = "List View"; +$ThreadedView = "Threaded View"; +$NestedView = "Nested View"; +$Structure = "Structure"; +$ForumCategoryEdited = "The forum category has been modified"; +$ForumEdited = "The forum has been modified"; +$NewThreadStored = "The new thread has been added"; +$Approval = "Approval"; +$Direct = "Direct"; +$ForGroup = "For Group"; +$ThreadLocked = "Thread is locked."; +$NotAllowedHere = "You are not allowed here."; +$ReplyAdded = "The reply has been added"; +$EditPost = "Edit a post"; +$EditPostStored = "The post has been modified"; +$NewForumPost = "New Post in the forum"; +$YouWantedToStayInformed = "You stated that you wanted to be informed by e-mail whenever somebody replies on the thread"; +$MessageHasToBeApproved = "Your message has to be approved before people can view it."; +$AllowAttachments = "Allow attachments"; +$EditForumCategory = "Edit forum category"; +$MovePost = "Move post"; +$MoveToThread = "Move to a thread"; +$ANewThread = "A new thread"; +$DeleteForum = "Delete forum ?"; +$DeleteForumCategory = "Delete forum category ?"; +$Lock = "Lock"; +$Unlock = "Unlock"; +$MoveThread = "Move Thread"; +$PostVisibilityChanged = "Post visibility changed"; +$PostDeleted = "Post has been deleted"; +$ThreadCanBeFoundHere = "The thread can be found here"; +$DeleteCompleteThread = "Delete complete thread?"; +$PostDeletedSpecial = "Special Post Deleted"; +$ThreadDeleted = "Thread deleted"; +$NextMessage = "Next message"; +$PrevMessage = "Previous message"; +$FirstMessage = "First message"; +$LastMessage = "Last message"; +$ForumSearch = "Search in the Forum"; +$ForumSearchResults = "Forum search results"; +$ForumSearchInformation = "You search on multiple words by using the + sign"; +$YouWillBeNotifiedOfNewPosts = "You will be notified of new posts by e-mail."; +$YouWillNoLongerBeNotifiedOfNewPosts = "You will no longer be notified of new posts by email"; +$AddImage = "Add image"; +$QualifyThread = "Grade thread"; +$ThreadUsersList = "Users list of the thread"; +$QualifyThisThread = "Grade this thread"; +$CourseUsers = "Users in course"; +$PostsNumber = "Number of posts"; +$NumberOfPostsForThisUser = "Number of posts for this user"; +$AveragePostPerUser = "Posts by user"; +$QualificationChangesHistory = "Assessment changes history"; +$MoreRecent = "more recent"; +$Older = "older"; +$WhoChanged = "Who changed"; +$NoteChanged = "Note changed"; +$DateChanged = "Date changed"; +$ViewComentPost = "View comments on the messages"; +$AllStudents = "All learners"; +$StudentsQualified = "Qualified learners"; +$StudentsNotQualified = "Unqualified learners"; +$NamesAndLastNames = "First names and last names"; +$MaxScore = "Max score"; +$QualificationCanNotBeGreaterThanMaxScore = "Grade cannot exceed max score"; +$ThreadStatistics = "Thread statistics"; +$Thread = "Thread"; +$NotifyMe = "Notify me"; +$ConfirmUserQualification = "Confirm mark"; +$NotChanged = "Unchanged"; +$QualifyThreadGradebook = "Grade this thread"; +$QualifyNumeric = "Score"; +$AlterQualifyThread = "Edit thread score"; +$ForumMoved = "The forum has moved"; +$YouMustAssignWeightOfQualification = "You must assign a score to this activity"; +$DeleteAttachmentFile = "Delete attachment file"; +$EditAnAttachment = "Edit an attachment"; +$CreateForum = "Create forum"; +$ModifyForum = "Edit forum"; +$CreateThread = "Create thread"; +$ModifyThread = "Edit thread"; +$EditForum = "Edit forum"; +$BackToForum = "Back to forum"; +$BackToForumOverview = "Back to forum overview"; +$BackToThread = "Back to thread"; +$ForumcategoryLocked = "Forum category Locked"; +$LinkMoved = "The link has been moved"; +$LinkName = "Link name"; +$LinkAdd = "Add a link"; +$LinkAdded = "The link has been added."; +$LinkMod = "Edit link"; +$LinkModded = "The link has been modified."; +$LinkDel = "Delete link"; +$LinkDeleted = "The link has been deleted"; +$LinkDelconfirm = "Do you want to delete this link?"; +$AllLinksDel = "Delete all links in this category"; +$CategoryName = "Category name"; +$CategoryAdd = "Add a category"; +$CategoryModded = "The category has been modified."; +$CategoryDel = "Delete category"; +$CategoryDelconfirm = "When deleting a category, all links of this category are also deleted.\nDo you really want to delete this category and its links ?"; +$AllCategoryDel = "Delete all categories and all links"; +$GiveURL = "Please give the link URL, it should be valid."; +$GiveCategoryName = "Please give the category name"; +$NoCategory = "General"; +$ShowNone = "Close all categories"; +$ListDeleted = "List has been deleted"; +$AddLink = "Add a link"; +$DelList = "Delete list"; +$ModifyLink = "Edit Link"; +$CsvImport = "CSV import"; +$CsvFileNotFound = "CSV import file could not be opened (e.g. empty, too big)"; +$CsvFileNoSeps = "CSV import file must use , or ; as listseparator"; +$CsvFileNoURL = "CSV import file must at least have columns URL and title"; +$CsvFileLine1 = "... - line 1 ="; +$CsvLinesFailed = "line(s) failed to import a link (no URL or no title)."; +$CsvLinesOld = "existing link(s) updated (same URL and category)."; +$CsvLinesNew = "new link(s) created."; +$CsvExplain = "The file should look like:
    URL;category;title;description;http://www.aaa.org/...;Important links;Name 1;Description 1;http://www.bbb.net/...;;Name 2;\"Description 2\";
    If URL and category are equal to those of an existing link, its title and description are updated. In all other cases a new link is created.

    Bold = mandatory. Fields can be in any order, names in upper- or lowercase. Additional fields are added to description. Separator: comma or semicolon. Values may be quoted, but not the field names. Some [b]HTML tags[/b] can be imported in the description field."; +$LinkUpdated = "Link has been updated"; +$OnHomepage = "Show link on course homepage"; +$ShowLinkOnHomepage = "Show this link as an icon on course homepage"; +$General = "general"; +$SearchFeatureDoIndexLink = "Index link title and description?"; +$SaveLink = "Save link"; +$SaveCategory = "Save folder"; +$BackToLinksOverview = "Back to links overview"; +$AddTargetOfLinkOnHomepage = "Select the \"target\" which shows the link on the homepage of the course"; +$StatDB = "Tracking DB."; +$EnableTracking = "Enable Tracking"; +$InstituteShortName = "Your company short name"; +$WarningResponsible = "Use this script only after backup. The Chamilo team is not responsible for lost or corrupted data."; +$AllowSelfRegProf = "Allow self-registration as a trainer"; +$EG = "ex."; +$DBHost = "Database Host"; +$DBLogin = "Database Login"; +$DBPassword = "Database Password"; +$MainDB = "Main Chamilo database (DB)"; +$AllFieldsRequired = "all fields required"; +$PrintVers = "Printable version"; +$LocalPath = "Corresponding local path"; +$AdminEmail = "Administrator email"; +$AdminName = "Administrator Name"; +$AdminSurname = "Surname of the Administrator"; +$AdminLogin = "Administrator login"; +$AdminPass = "Administrator password (you may want to change this)"; +$EducationManager = "Project manager"; +$CampusName = "Your portal name"; +$DBSettingIntro = "The install script will create the Chamilo main database(s). Please note that Chamilo will need to create several databases. If you are allowed to use only one database by your Hosting Service, Chamilo will not work, unless you chose the option \"One database\"."; +$TimeSpentByStudentsInCourses = "Time spent by students in courses"; +$Step3 = "Step 3"; +$Step4 = "Step 4"; +$Step5 = "Step 5"; +$Step6 = "Step 6"; +$CfgSetting = "Config settings"; +$DBSetting = "MySQL database settings"; +$MainLang = "Main language"; +$Licence = "Licence"; +$LastCheck = "Last check before install"; +$AutoEvaluation = "Auto evaluation"; +$DbPrefixForm = "MySQL database prefix"; +$DbPrefixCom = "Leave empty if not requested"; +$EncryptUserPass = "Encrypt user passwords in database"; +$SingleDb = "Use one or several DB for Chamilo"; +$AllowSelfReg = "Allow self-registration"; +$Recommended = "(recommended)"; +$ScormDB = "Scorm DB"; +$AdminLastName = "Administrator last name"; +$AdminPhone = "Administrator telephone"; +$NewNote = "New note"; +$Note = "Note"; +$NoteDeleted = "Note deleted"; +$NoteUpdated = "Note updated"; +$NoteCreated = "Note created"; +$YouMustWriteANote = "Please write a note"; +$SaveNote = "Save note"; +$WriteYourNoteHere = "Click here to write a new note"; +$SearchByTitle = "Search by title"; +$WriteTheTitleHere = "Write the title here"; +$UpdateDate = "Updated"; +$NoteAddNew = "Add new note in my personal notebook"; +$OrderByCreationDate = "Sort by date created"; +$OrderByModificationDate = "Sort by date last modified"; +$OrderByTitle = "Sort by title"; +$NoteTitle = "Note title"; +$NoteComment = "Note details"; +$NoteAdded = "Note added"; +$NoteConfirmDelete = "Are you sure you want to delete this note"; +$AddNote = "Create note"; +$ModifyNote = "Edit my personal note"; +$BackToNoteList = "Back to note list"; +$NotebookManagement = "Notebook management"; +$BackToNotesList = "Back to the notes list"; +$NotesSortedByTitleAsc = "Notes sorted by title ascendant"; +$NotesSortedByTitleDESC = "Notes sorted by title downward"; +$NotesSortedByUpdateDateAsc = "Notes sorted by update date ascendant"; +$NotesSortedByUpdateDateDESC = "Notes sorted by update date downward"; +$NotesSortedByCreationDateAsc = "Notes sorted by creation date ascendant"; +$NotesSortedByCreationDateDESC = "Notes sorted by creation date downward"; +$Titular = "Leader"; +$SendToAllUsers = "Send to all users"; +$AdministrationTools = "Administration Tools"; +$CatList = "Categories"; +$Subscribe = "Subscribe"; +$AlreadySubscribed = "Already subscribed"; +$CodeMandatory = "Code mandatory"; +$CourseCategoryMandatory = "Course category mandatory"; +$TeacherMandatory = "Teacher mandatory"; +$CourseCategoryStored = "Course category is created"; +$WithoutTimeLimits = "Without time limits"; +$Added = "Added"; +$Deleted = "Deleted"; +$Keeped = "Kept"; +$HideAndSubscribeClosed = "Hidden / Closed"; +$HideAndSubscribeOpen = "Hidden / Open"; +$ShowAndSubscribeOpen = "Visible / Open"; +$ShowAndSubscribeClosed = "Visible / Closed"; +$AdminThisUser = "Back to user"; +$Manage = "Manage Portal"; +$EnrollToCourseSuccessful = "You have been registered to the course"; +$SubCat = "sub-categories"; +$UnsubscribeNotAllowed = "Unsubscribing from this course is not allowed."; +$CourseAdminUnsubscribeNotAllowed = "You are a trainer in this course"; +$CourseManagement = "Courses catalog"; +$SortMyCourses = "Sort courses"; +$SubscribeToCourse = "Subscribe to course"; +$UnsubscribeFromCourse = "Unsubscribe from course"; +$CreateCourseCategory = "Create a personal courses category"; +$CourseCategoryAbout2bedeleted = "Are you sure you want to delete this courses category? Courses inside this category will be moved outside the categories"; +$CourseCategories = "Courses categories"; +$CoursesInCategory = "Courses in this category"; +$SearchCourse = "Search courses"; +$UpOneCategory = "One category up"; +$ConfirmUnsubscribeFromCourse = "Are you sure you want to unsubscribe?"; +$NoCourseCategory = "No courses category"; +$EditCourseCategorySucces = "The course has been added to the category"; +$SubscribingNotAllowed = "Subscribing not allowed"; +$CourseSortingDone = "Courses sorted"; +$ExistingCourseCategories = "Existing courses categories"; +$YouAreNowUnsubscribed = "You have been unsubscribed from this course"; +$ViewOpenCourses = "View public courses"; +$ErrorContactPlatformAdmin = "There happened an unknown error. Please contact the platform administrator."; +$CourseRegistrationCodeIncorrect = "The course password is incorrect"; +$CourseRequiresPassword = "This course requires a password"; +$SubmitRegistrationCode = "Submit registration code"; +$CourseCategoryDeleted = "The category was deleted"; +$CategorySortingDone = "Category sorting done"; +$CourseCategoryEditStored = "Category updated"; +$buttonCreateCourseCategory = "Save courses category"; +$buttonSaveCategory = "Save the category"; +$buttonChangeCategory = "Change category"; +$Expand = "Expand"; +$Collapse = "Collapse"; +$CourseDetails = "Course description"; +$DocumentList = "List of all documents"; +$OrganisationList = "Table of contents"; +$EditTOC = "Edit table of contents"; +$EditDocument = "Edit"; +$CreateDocument = "Create a rich media page / activity"; +$MissingImagesDetected = "Missing images detected"; +$Publish = "Publish"; +$Scormcontentstudent = "This is a Scorm format course. To play it, click here : "; +$Scormcontent = "This is a Scorm content
    "; +$DownloadAndZipEnd = " Zip file uploaded and uncompressed"; +$ZipNoPhp = "The zip file can not contain .PHP files"; +$GroupForumLink = "Group forum"; +$NotScormContent = "This is not a scorm ZIP file !"; +$NoText = "Please type your text / HTML content"; +$NoFileName = "Please enter the file name"; +$FileError = "The file to upload is not valid."; +$ViMod = "Visibility modified"; +$AddComment = "Add/Edit a comment to"; +$Impossible = "Operation impossible"; +$NoSpace = "The upload has failed. Either you have exceeded your maximum quota, or there is not enough disk space."; +$DownloadEnd = "The upload is finished"; +$FileExists = "The operation is impossible, a file with this name already exists."; +$DocCopied = "Document copied"; +$DocDeleted = "Document deleted"; +$ElRen = "Element renamed"; +$DirMv = "Element moved"; +$ComMod = "Comment modified"; +$Rename = "Rename"; +$NameDir = "Name of the new folder"; +$DownloadFile = "Download file"; +$Builder = "Create a course (authoring tool)"; +$MailMarkSelectedAsUnread = "Mark as unread"; +$ViewModeImpress = "Current view mode: Impress"; +$AllowTeachersToCreateSessionsComment = "Teachers can create, edit and delete their own sessions."; +$AllowTeachersToCreateSessionsTitle = "Allow teachers to create sessions"; +$SelectACategory = "Select a category"; +$MailMarkSelectedAsRead = "Mark as read"; +$MailSubjectReplyShort = "RE:"; +$AdvancedEdit = "Advanced edit"; +$ScormBuilder = "Create a course (authoring tool)"; +$CreateDoc = "Create a rich media page / activity"; +$OrganiseDocuments = "Create table of contents"; +$Uncompress = "Uncompress zip"; +$ExportShort = "Export as SCORM"; +$AllDay = "All day"; +$PublicationStartDate = "Published start date"; +$ShowStatus = "Show status"; +$Mode = "Mode"; +$Schedule = "Schedule"; +$Place = "Place/Location"; +$RecommendedNumberOfParticipants = "Recommended number of participants"; +$WCAGGoMenu = "Goto menu"; +$WCAGGoContent = "Goto content"; +$AdminBy = "Administration by"; +$Statistiques = "Statistics"; +$VisioHostLocal = "Videoconference host"; +$VisioRTMPIsWeb = "Whether the videoconference protocol is web-based (false most of the time)"; +$ShowBackLinkOnTopOfCourseTreeComment = "Show a link to go back in the courses hierarchy. A link is available at the bottom of the list anyway."; +$Used = "used"; +$Exist = "existing"; +$ShowBackLinkOnTopOfCourseTree = "Show back links from categories/courses"; +$ShowNumberOfCourses = "Show courses number"; +$DisplayTeacherInCourselistTitle = "Display teacher in course name"; +$DisplayTeacherInCourselistComment = "Display teacher in courses list"; +$DisplayCourseCodeInCourselistComment = "Display Course Code in courses list"; +$DisplayCourseCodeInCourselistTitle = "Display Code in Course name"; +$ThereAreNoVirtualCourses = "There are no Alias courses on the platform."; +$ConfigureHomePage = "Edit portal homepage"; +$CourseCreateActiveToolsTitle = "Modules active upon course creation"; +$CourseCreateActiveToolsComment = "Which tools have to be enabled (visible) by default when a new course is created?"; +$CreateUser = "Create user"; +$ModifyUser = "Edit user"; +$buttonEditUserField = "Edit user field"; +$ModifyCoach = "Edit coach"; +$ModifyThisSession = "Edit this session"; +$ExportSession = "Export session(s)"; +$ImportSession = "Import session(s)"; +$CourseBackup = "Backup this course"; +$CourseTitular = "Teacher"; +$CourseFaculty = "Category"; +$CourseDepartment = "Department"; +$CourseDepartmentURL = "Department URL"; +$CourseSubscription = "Course subscription"; +$PublicAccess = "Public access"; +$PrivateAccess = "Private access"; +$DBManagementOnlyForServerAdmin = "Database management is only available for the server administrator"; +$ShowUsersOfCourse = "Show users subscribed to this course"; +$ShowClassesOfCourse = "Show classes subscribed to this course"; +$ShowGroupsOfCourse = "Show groups of this course"; +$PhoneNumber = "Phone number"; +$AddToCourse = "Add to a course"; +$DeleteFromPlatform = "Remove from portal"; +$DeleteCourse = "Delete selected course(s)"; +$DeleteFromCourse = "Unsubscribe from course(s)"; +$DeleteSelectedClasses = "Delete selected classes"; +$DeleteSelectedGroups = "Delete selected groups"; +$Administrator = "Administrator"; +$ChangePicture = "Change picture"; +$XComments = "%s comments"; +$AddUsers = "Add a user"; +$AddGroups = "Add groups"; +$AddClasses = "Add classes"; +$ExportUsers = "Export users list"; +$NumberOfParticipants = "Number of members"; +$NumberOfUsers = "Number of users"; +$Participants = "members"; +$FirstLetterClass = "First letter (class name)"; +$FirstLetterUser = "First letter (last name)"; +$FirstLetterCourse = "First letter (code)"; +$ModifyUserInfo = "Edit user information"; +$ModifyClassInfo = "Edit class information"; +$ModifyGroupInfo = "Edit group information"; +$ModifyCourseInfo = "Edit course information"; +$PleaseEnterClassName = "Please enter the class name !"; +$PleaseEnterLastName = "Please enter the user's last name !"; +$PleaseEnterFirstName = "Please enter the user's first name !"; +$PleaseEnterValidEmail = "Please enter a valid e-mail address !"; +$PleaseEnterValidLogin = "Please enter a valid login !"; +$PleaseEnterCourseCode = "Please enter the course code."; +$PleaseEnterTitularName = "Please enter the teacher's First and Last Name."; +$PleaseEnterCourseTitle = "Please enter the course title"; +$AcceptedPictureFormats = "Accepted formats are JPG, PNG and GIF !"; +$LoginAlreadyTaken = "This login is already taken !"; +$ImportUserListXMLCSV = "Import users list"; +$ExportUserListXMLCSV = "Export users list"; +$OnlyUsersFromCourse = "Only users from the course"; +$AddClassesToACourse = "Add classes to a course"; +$AddUsersToACourse = "Add users to course"; +$AddUsersToAClass = "Add users to a class"; +$AddUsersToAGroup = "Add users to a group"; +$AtLeastOneClassAndOneCourse = "You must select at least one class and one course"; +$AtLeastOneUser = "You must select at least one user !"; +$AtLeastOneUserAndOneCourse = "You must select at least one user and one course"; +$ClassList = "Class list"; +$AddToThatCourse = "Add to the course(s)"; +$AddToClass = "Add to the class"; +$RemoveFromClass = "Remove from the class"; +$AddToGroup = "Add to the group"; +$RemoveFromGroup = "Remove from the group"; +$UsersOutsideClass = "Users outside the class"; +$UsersInsideClass = "Users inside the class"; +$UsersOutsideGroup = "Users outside the group"; +$UsersInsideGroup = "Users inside the group"; +$MustUseSeparator = "must use the ';' character as a separator"; +$CSVMustLookLike = "The CSV file must look like this"; +$XMLMustLookLike = "The XML file must look like this"; +$MandatoryFields = "Fields in bold are mandatory."; +$NotXML = "The specified file is not XML format !"; +$NotCSV = "The specified file is not CSV format !"; +$NoNeededData = "The specified file doesn't contain all needed data !"; +$MaxImportUsers = "You can't import more than 500 users at once !"; +$AdminDatabases = "Databases (phpMyAdmin)"; +$AdminUsers = "Users"; +$AdminClasses = "Classes of users"; +$AdminGroups = "Groups of users"; +$AdminCourses = "Courses"; +$AdminCategories = "Courses categories"; +$SubscribeUserGroupToCourse = "Subscribe a user / group to a course"; +$NoCategories = "There are no categories here"; +$AllowCoursesInCategory = "Allow adding courses in this category?"; +$GoToForum = "Go to the forum"; +$CategoryCode = "Category code"; +$MetaTwitterCreatorComment = "The Twitter Creator is a Twitter account (e.g. @ywarnier) that represents the *person* that created the site. This field is optional."; +$EditNode = "Edit this category"; +$OpenNode = "Open this category"; +$DeleteNode = "Delete this category"; +$AddChildNode = "Add a sub-category"; +$ViewChildren = "View children"; +$TreeRebuildedIn = "Tree rebuilded in"; +$TreeRecountedIn = "Tree recounted in"; +$RebuildTree = "Rebuild the tree"; +$RefreshNbChildren = "Refresh number of children"; +$ShowTree = "Show tree"; +$MetaImagePathTitle = "Meta image path"; +$LogDeleteCat = "Category deleted"; +$RecountChildren = "Recount children"; +$UpInSameLevel = "Up in same level"; +$MailTo = "Mail to :"; +$AddAdminInApache = "Add an administrator"; +$AddFaculties = "Add categories"; +$SearchACourse = "Search for a course"; +$SearchAUser = "Search for a user"; +$TechnicalTools = "Technical"; +$Config = "System config"; +$LogIdentLogoutComplete = "Login list (extended)"; +$LimitUsersListDefaultMax = "Maximum users showing in scroll list"; +$NoTimeLimits = "No time limits"; +$GeneralProperties = "General properties"; +$CourseCoach = "Course coach"; +$UsersNumber = "Users number"; +$PublicAdmin = "Public administration"; +$PageAfterLoginTitle = "Page after login"; +$PageAfterLoginComment = "The page which is seen by the user entering the platform"; +$TabsMyProfile = "My Profile tab"; +$GlobalRole = "Global Role"; +$NomOutilTodo = "Manage Todo list"; +$NomPageAdmin = "Administration"; +$SysInfo = "Info about the System"; +$DiffTranslation = "Compare translations"; +$StatOf = "Reporting for"; +$PDFDownloadNotAllowedForStudents = "PDF download is not allowed for students"; +$LogIdentLogout = "Login list"; +$ServerStatus = "Status of MySQL server :"; +$DataBase = "Database"; +$Run = "works"; +$Client = "MySql Client"; +$Server = "MySql Server"; +$titulary = "Owner"; +$UpgradeBase = "Upgrade database"; +$ErrorsFound = "errors found"; +$Maintenance = "Backup"; +$Upgrade = "Upgrade Chamilo"; +$Website = "Chamilo website"; +$Documentation = "Documentation"; +$Contribute = "Contribute"; +$InfoServer = "Server Information"; +$SendMailToUsers = "Send a mail to users"; +$CourseSystemCode = "System code"; +$CourseVisualCode = "Visual code"; +$SystemCode = "System Code"; +$VisualCode = "visual code"; +$AddCourse = "Create a course"; +$AdminManageVirtualCourses = "Manage virtual courses"; +$AdminCreateVirtualCourse = "Create a virtual course"; +$AdminCreateVirtualCourseExplanation = "The virtual course will share storage space (directory and database) with an existing 'real' course."; +$RealCourseCode = "Real course code"; +$CourseCreationSucceeded = "The course was successfully created."; +$OnTheHardDisk = "on the hard disk"; +$IsVirtualCourse = "Virtual course?"; +$AnnouncementUpdated = "Announcement has been updated"; +$MetaImagePathComment = "This Meta Image path is the path to a file inside your Chamilo directory (e.g. home/image.png) that should show in a Twitter card or a OpenGraph card when showing a link to your LMS. Twitter recommends an image of 120 x 120 pixels, which might sometimes be cropped to 120x90."; +$PermissionsForNewFiles = "Permissions for new files"; +$PermissionsForNewFilesComment = "The ability to define the permissions settings to assign to every newly created file lets you improve security against attacks by hackers uploading dangerous content to your portal. The default setting (0550) should be enough to give your server a reasonable protection level. The given format uses the UNIX terminology of Owner-Group-Others with Read-Write-Execute permissions.If you use Oogie, take care that the user who launch OpenOffice can write files in the course folder."; +$Guest = "Guest"; +$LoginAsThisUserColumnName = "Login as"; +$LoginAsThisUser = "Login"; +$SelectPicture = "Select picture..."; +$DontResetPassword = "Don't reset password"; +$ParticipateInCommunityDevelopment = "Participate in development"; +$CourseAdmin = "Teacher"; +$PlatformLanguageTitle = "Portal Language"; +$ServerStatusComment = "What sort of server is this? This enables or disables some specific options. On a development server there is a translation feature functional that inidcates untranslated strings"; +$ServerStatusTitle = "Server Type"; +$PlatformLanguages = "Chamilo Portal Languages"; +$PlatformLanguagesExplanation = "This tool manages the language selection menu on the login page. As a platform administrator you can decide which languages should be available for your users."; +$OriginalName = "Original name"; +$EnglishName = "English name"; +$LMSFolder = "Chamilo folder"; +$Properties = "Properties"; +$PlatformConfigSettings = "Configuration settings"; +$SettingsStored = "The settings have been stored"; +$InstitutionTitle = "Organization name"; +$InstitutionComment = "The name of the organization (appears in the header on the right)"; +$InstitutionUrlTitle = "Organization URL (web address)"; +$InstitutionUrlComment = "The URL of the institutions (the link that appears in the header on the right)"; +$SiteNameTitle = "E-learning portal name"; +$SiteNameComment = "The Name of your Chamilo Portal (appears in the header)"; +$emailAdministratorTitle = "Portal Administrator: E-mail"; +$emailAdministratorComment = "The e-mail address of the Platform Administrator (appears in the footer on the left)"; +$administratorSurnameTitle = "Portal Administrator: Last Name"; +$administratorSurnameComment = "The Family Name of the Platform Administrator (appears in the footer on the left)"; +$administratorNameTitle = "Portal Administrator: First Name"; +$administratorNameComment = "The First Name of the Platform Administrator (appears in the footer on the left)"; +$ShowAdministratorDataTitle = "Platform Administrator Information in footer"; +$ShowAdministratorDataComment = "Show the Information of the Platform Administrator in the footer?"; +$HomepageViewTitle = "Course homepage design"; +$HomepageViewComment = "How would you like the homepage of a course to look?"; +$HomepageViewDefault = "Two column layout. Inactive tools are hidden"; +$HomepageViewFixed = "Three column layout. Inactive tools are greyed out (Icons stay on their place)"; +$ShowToolShortcutsTitle = "Tools shortcuts"; +$ShowToolShortcutsComment = "Show the tool shortcuts in the banner?"; +$ShowStudentViewTitle = "Learner View"; +$ShowStudentViewComment = "Enable Learner View?
    This feature allows the teacher to see the learner view."; +$AllowGroupCategories = "Group categories"; +$AllowGroupCategoriesComment = "Allow teachers to create categories in the Groups tool?"; +$PlatformLanguageComment = "You can determine the platform languages in a different part of the platform administration, namely: Chamilo Platform Languages"; +$ProductionServer = "Production Server"; +$TestServer = "Test Server"; +$ShowOnlineTitle = "Who's Online"; +$AsPlatformLanguage = "as platformlanguage"; +$ShowOnlineComment = "Display the number of persons that are online?"; +$AllowNameChangeTitle = "Allow Name Change in profile?"; +$AllowNameChangeComment = "Is the user allowed to change his/her firste and last name?"; +$DefaultDocumentQuotumTitle = "Default hard disk space"; +$DefaultDocumentQuotumComment = "What is the available disk space for a course? You can override the quota for specific course through: platform administration > Courses > modify"; +$ProfileChangesTitle = "Profile"; +$ProfileChangesComment = "Which parts of the profile can be changed?"; +$RegistrationRequiredFormsTitle = "Registration: required fields"; +$RegistrationRequiredFormsComment = "Which fields are required (besides name, first name, login and password)"; +$DefaultGroupQuotumTitle = "Group disk space available"; +$DefaultGroupQuotumComment = "What is the default hard disk spacde available for a groups documents tool?"; +$AllowLostPasswordTitle = "Lost password"; +$AllowLostPasswordComment = "Are users allowed to request their lost password?"; +$AllowRegistrationTitle = "Registration"; +$AllowRegistrationComment = "Is registration as a new user allowed? Can users create new accounts?"; +$AllowRegistrationAsTeacherTitle = "Registration as teacher"; +$AllowRegistrationAsTeacherComment = "Can one register as a teacher (with the ability to create courses)?"; +$PlatformLanguage = "Portal Language"; +$Tuning = "Tuning"; +$SplitUsersUploadDirectory = "Split users' upload directory"; +$SplitUsersUploadDirectoryComment = "On high-load portals, where a lot of users are registered and send their pictures, the upload directory (main/upload/users/) might contain too many files for the filesystem to handle (it has been reported with more than 36000 files on a Debian server). Changing this option will enable a one-level splitting of the directories in the upload directory. 9 directories will be used in the base directory and all subsequent users' directories will be stored into one of these 9 directories. The change of this option will not affect the directories structure on disk, but will affect the behaviour of the Chamilo code, so if you change this option, you have to create the new directories and move the existing directories by yourself on te server. Be aware that when creating and moving those directories, you will have to move the directories of users 1 to 9 into subdirectories of the same name. If you are not sure about this option, it is best not to activate it."; +$CourseQuota = "Disk Space"; +$EditNotice = "Edit notice"; +$InsertLink = "Add a page (CMS)"; +$EditNews = "Edit News"; +$EditCategories = "Edit courses categories"; +$EditHomePage = "Edit Homepage central area"; +$AllowUserHeadingsComment = "Can a teacher define learner profile fields to retrieve additional information?"; +$MetaTwitterSiteTitle = "Twitter Site account"; +$Languages = "Languages"; +$NoticeTitle = "Title of Notice"; +$NoticeText = "Text of Notice"; +$LinkURL = "URL of Link"; +$OpenInNewWindow = "Open in new window"; +$LimitUsersListDefaultMaxComment = "In the screens allowing addition of users to courses or classes, if the first non-filtered list contains more than this number of users, then default to the first letter (A)"; +$HideDLTTMarkupComment = "Hide the [= ... =] markup when a language variable is not translated"; +$UpgradeFromLMS19x = "Upgrade from LMS v1.9.*"; +$SignUp = "Sign up!"; +$UserDeleted = "The user has been deleted"; +$NoClassesForThisCourse = "There are no classes subscribed to this course"; +$CourseUsage = "Course usage"; +$NoCoursesForThisUser = "This user isn't subscribed in a course"; +$NoClassesForThisUser = "This user isn't subscribed in a class"; +$NoCoursesForThisClass = "This class isn't subscribed in a course"; +$Tool = "tool"; +$NumberOfItems = "number of items"; +$DocumentsAndFolders = "Documents and folders"; +$Exercises = "Tests"; +$AllowPersonalAgendaTitle = "Personal Agenda"; +$AllowPersonalAgendaComment = "Can the learner add personal events to the Agenda?"; +$CurrentValue = "current value"; +$AlreadyRegisteredToSession = "Already registered to session"; +$MyCoursesDefaultView = "My courses default view"; +$UserPassword = "Password"; +$SubscriptionAllowed = "Registr. allowed"; +$UnsubscriptionAllowed = "Unreg. allowed"; +$AddDummyContentToCourse = "Add some dummy (example) content to this course"; +$DummyCourseCreator = "Create dummy course content"; +$DummyCourseDescription = "This will add some dummy (example) content to this course. This is only meant for testing purposes."; +$AvailablePlugins = "These are the plugins that have been found on your system. You can download additional plugins on http://www.chamilo.org/extensions/index.php?section=plugins"; +$CreateVirtualCourse = "Create a virtual course"; +$DisplayListVirtualCourses = "Display list of virtual courses"; +$LinkedToRealCourseCode = "Linked to real course code"; +$AttemptedCreationVirtualCourse = "Attempted creation of virtual course..."; +$WantedCourseCode = "Wanted course code"; +$ResetPassword = "Reset password"; +$CheckToSendNewPassword = "Check to send new password"; +$AutoGeneratePassword = "Automatically generate a new password"; +$UseDocumentTitleTitle = "Use a title for the document name"; +$UseDocumentTitleComment = "This will allow the use of a title for document names instead of document_name.ext"; +$StudentPublications = "Assignments"; +$PermanentlyRemoveFilesTitle = "Deleted files cannot be restored"; +$PermanentlyRemoveFilesComment = "Deleting a file in the documents tool permanently deletes it. The file cannot be restored"; +$DropboxMaxFilesizeTitle = "Dropbox: Maximum file size of a document"; +$DropboxMaxFilesizeComment = "How big (in MB) can a dropbox document be?"; +$DropboxAllowOverwriteTitle = "Dropbox: Can documents be overwritten"; +$DropboxAllowOverwriteComment = "Can the original document be overwritten when a user or trainer uploads a document with the name of a document that already exist? If you answer yes then you loose the versioning mechanism."; +$DropboxAllowJustUploadTitle = "Dropbox: Upload to own dropbox space?"; +$DropboxAllowJustUploadComment = "Allow trainers and users to upload documents to their dropbox without sending the documents to themselves"; +$DropboxAllowStudentToStudentTitle = "Dropbox: Learner <-> Learner"; +$DropboxAllowStudentToStudentComment = "Allow users to send documents to other users (peer 2 peer). Users might use this for less relevant documents also (mp3, tests solutions, ...). If you disable this then the users can send documents to the trainer only."; +$DropboxAllowMailingTitle = "Dropbox: Allow mailing"; +$DropboxAllowMailingComment = "With the mailing functionality you can send each learner a personal document"; +$PermissionsForNewDirs = "Permissions for new directories"; +$PermissionsForNewDirsComment = "The ability to define the permissions settings to assign to every newly created directory lets you improve security against attacks by hackers uploading dangerous content to your portal. The default setting (0770) should be enough to give your server a reasonable protection level. The given format uses the UNIX terminology of Owner-Group-Others with Read-Write-Execute permissions."; +$UserListHasBeenExported = "The users list has been exported."; +$ClickHereToDownloadTheFile = "Download the file"; +$administratorTelephoneTitle = "Portal Administrator: Telephone"; +$administratorTelephoneComment = "The telephone number of the platform administrator"; +$SendMailToNewUser = "Send mail to new user"; +$ExtendedProfileTitle = "Extended profile"; +$ExtendedProfileComment = "If this setting is set to 'True', a user can fill in following (optional) fields: 'My competences', 'My diplomas', 'What I am able to teach' and 'My personal open area'"; +$Classes = "Classes"; +$UserUnsubscribed = "User is now unsubscribed"; +$CannotUnsubscribeUserFromCourse = "User can not be unsubscribed because he is one of the teachers."; +$InvalidStartDate = "Invalid start date was given."; +$InvalidEndDate = "Invalid end date was given."; +$DateFormatLabel = "(d/m/y h:m)"; +$HomePageFilesNotWritable = "Homepage-files are not writable!"; +$PleaseEnterNoticeText = "Please give a notice text"; +$PleaseEnterNoticeTitle = "Please give a notice title"; +$PleaseEnterLinkName = "Plese give a link name"; +$InsertThisLink = "Insert this link"; +$FirstPlace = "First place"; +$DropboxAllowGroupTitle = "Dropbox: allow group"; +$DropboxAllowGroupComment = "Users can send files to groups"; +$ClassDeleted = "The class is deleted"; +$ClassesDeleted = "The classes are deleted"; +$NoUsersInClass = "No users in this class"; +$UsersAreSubscibedToCourse = "The selected users are subscribed to the selected course"; +$InvalidTitle = "Please enter a title"; +$CatCodeAlreadyUsed = "This category is already used"; +$PleaseEnterCategoryInfo = "Please enter a code and a name for the category"; +$RegisterYourPortal = "Register your portal"; +$ShowNavigationMenuTitle = "Display course navigation menu"; +$ShowNavigationMenuComment = "Display a navigation menu that quickens access to the tools"; +$LoginAs = "Login as"; +$ImportClassListCSV = "Import class list via CSV"; +$ShowOnlineWorld = "Display number of users online on the login page (visible for the world)"; +$ShowOnlineUsers = "Display number of users online all pages (visible for the persons who are logged in)"; +$ShowOnlineCourse = "Display number of users online in this course"; +$ShowIconsInNavigationsMenuTitle = "Show icons in navigation menu?"; +$SeeAllRightsAllRolesForSpecificLocation = "Focus on location"; +$MetaTwitterCreatorTitle = "Twitter Creator account"; +$ClassesSubscribed = "The selected classes were subscribed to the selected course"; +$RoleId = "Role ID"; +$RoleName = "Role name"; +$RoleType = "Type"; +$MakeAvailable = "Make available"; +$MakeUnavailable = "Make unavailable"; +$Stylesheets = "Style sheets"; +$ShowIconsInNavigationsMenuComment = "Should the navigation menu show the different tool icons?"; +$Plugin = "Plugin"; +$MainMenu = "Main menu"; +$MainMenuLogged = "Main menu after login"; +$Banner = "Banner"; +$ImageResizeTitle = "Resize uploaded user images"; +$ImageResizeComment = "User images can be resized on upload if PHP is compiled with the GD library. If GD is unavailable, this setting will be silently ignored."; +$MaxImageWidthTitle = "Maximum user image width"; +$MaxImageWidthComment = "Maximum width in pixels of a user image. This setting only applies if user images are set to be resized on upload."; +$MaxImageHeightTitle = "Maximum user image height"; +$MaxImageHeightComment = "Maximum height in pixels of a user image. This setting only applies if user images are set to be resized on upload."; +$YourVersionIs = "Your version is"; +$ConnectSocketError = "Socket Connection Error"; +$SocketFunctionsDisabled = "Socket connections are disabled"; +$ShowEmailAddresses = "Show email addresses"; +$ShowEmailAddressesComment = "Show email addresses to users"; +$ActiveExtensions = "Activate this service"; +$Visioconf = "Chamilo LIVE"; +$VisioconfDescription = "Chamilo LIVE is a videoconferencing tool that offers: Slides sharing, whiteboard to draw and write on top of slides, audio/video duplex and chat. It requires Flash® player 9+ and offers 2 modes : one to many and many to many."; +$Ppt2lp = "Chamilo RAPID"; +$Ppt2lpDescription = "Chamilo RAPID is a Rapid Learning tool available in Chamilo Pro and Chamilo Medical. It allows you to convert Powerpoint presentations and their Openoffice equivalents to SCORM-compliant e-courses. After the conversion, you end up in the Courses authoring tool and are able to add audio comments on slides and pages, tests and activities between the slides or pages and interaction activities like forum discussions or assigment upload. Every step becomes an independent and removable learning object. And the whole course generates accurate SCORM reporting for further coaching."; +$BandWidthStatistics = "Bandwidth statistics"; +$BandWidthStatisticsDescription = "MRTG allow you to consult advanced statistics about the state of the server on the last 24 hours."; +$ServerStatistics = "Server statistics"; +$ServerStatisticsDescription = "AWStats allows you to consult the statistics of your platform : visitors, page views, referers..."; +$SearchEngine = "Chamilo LIBRARY"; +$SearchEngineDescription = "Chamilo LIBRARY is a Search Engine offering multi-criteria indexing and research. It is part of the Chamilo Medical features."; +$ListSession = "Training sessions list"; +$AddSession = "Add a training session"; +$ImportSessionListXMLCSV = "Import sessions list"; +$ExportSessionListXMLCSV = "Export sessions list"; +$NbCourses = "Courses"; +$DateStart = "Start date"; +$DateEnd = "End date"; +$CoachName = "Coach name"; +$SessionNameIsRequired = "A name is required for the session"; +$NextStep = "Next step"; +$Confirm = "Confirm"; +$UnsubscribeUsersFromCourse = "Unsubscribe users from course"; +$MissingClassName = "Missing class name"; +$ClassNameExists = "Class name exists"; +$ImportCSVFileLocation = "CSV file import location"; +$ClassesCreated = "Classes created"; +$ErrorsWhenImportingFile = "Errors when importing file"; +$ServiceActivated = "Service activated"; +$ActivateExtension = "Activate service"; +$InvalidExtension = "Invalid extension"; +$VersionCheckExplanation = "In order to enable the automatic version checking you have to register your portal on chamilo.org. The information obtained by clicking this button is only for internal use and only aggregated data will be publicly available (total number of portals, total number of chamilo course, total number of chamilo users, ...) (see http://www.chamilo.org/stats/. When registering you will also appear on the worldwide list (http://www.chamilo.org/community.php. If you do not want to appear in this list you have to check the checkbox below. The registration is as easy as it can be: you only have to click this button:
    "; +$AfterApproval = "After approval"; +$StudentViewEnabledTitle = "Enable learner view"; +$StudentViewEnabledComment = "Enable the learner view, which allows a teacher or admin to see a course as a learner would see it"; +$TimeLimitWhosonlineTitle = "Time limit on Who Is Online"; +$TimeLimitWhosonlineComment = "This time limit defines for how many minutes after his last action a user will be considered *online*"; +$ExampleMaterialCourseCreationTitle = "Example material on course creation"; +$ExampleMaterialCourseCreationComment = "Create example material automatically when creating a new course"; +$AccountValidDurationTitle = "Account validity"; +$AccountValidDurationComment = "A user account is valid for this number of days after creation"; +$UseSessionModeTitle = "Use training sessions"; +$UseSessionModeComment = "Training sessions give a different way of dealing with training, where courses have an author, a coach and learners. Each coach gives a course for a set period of time, called a *training session*, to a set of learners who do not mix with other learner groups attached to another training session."; +$HomepageViewActivity = "Activity view (default)"; +$HomepageView2column = "Two columns view"; +$HomepageView3column = "Three columns view"; +$AllowUserHeadings = "Allow users profiling inside courses"; +$IconsOnly = "Icons only"; +$TextOnly = "Text only"; +$IconsText = "Icons and text"; +$EnableToolIntroductionTitle = "Enable tool introduction"; +$EnableToolIntroductionComment = "Enable introductions on each tool's homepage"; +$BreadCrumbsCourseHomepageTitle = "Course homepage breadcrumb"; +$BreadCrumbsCourseHomepageComment = "The breadcrumb is the horizontal links navigation system usually in the top left of your page. This option selects what you want to appear in the breadcrumb on courses' homepages"; +$MetaTwitterSiteComment = "The Twitter site is a Twitter account (e.g. @chamilo_news) that is related to your site. It is usually a more temporary account than the Twitter creator account, or represents an entity (instead of a person). This field is required if you want the Twitter card meta fields to show."; +$LoginPageMainArea = "Login page main area"; +$LoginPageMenu = "Login page menu"; +$CampusHomepageMainArea = "Portal homepage main area"; +$CampusHomepageMenu = "Portal homepage menu"; +$MyCoursesMainArea = "Courses main area"; +$MyCoursesMenu = "Courses menu"; +$Header = "Header"; +$Footer = "Footer"; +$PublicPagesComplyToWAITitle = "Public pages compliance to WAI"; +$PublicPagesComplyToWAIComment = "WAI (Web Accessibility Initiative) is an initiative to make the web more accessible. By selecting this option, the public pages of Chamilo will become more accessible. This also means that some content on the portal's public pages might appear differently."; +$VersionCheck = "Version check"; +$SessionOverview = "Session overview"; +$SubscribeUserIfNotAllreadySubscribed = "Add user in the course only if not yet in"; +$UnsubscribeUserIfSubscriptionIsNotInFile = "Remove user from course if his name is not in the list"; +$DeleteSelectedSessions = "Delete selected sessions"; +$CourseListInSession = "Courses in this session"; +$UnsubscribeCoursesFromSession = "Unsubscribe selected courses from this session"; +$NbUsers = "Users"; +$SubscribeUsersToSession = "Subscribe users to this session"; +$UserListInPlatform = "Portal users list"; +$UserListInSession = "List of users registered in this session"; +$CourseListInPlatform = "Courses list"; +$Host = "Host"; +$UserOnHost = "Login"; +$FtpPassword = "FTP password"; +$PathToLzx = "Path to LZX files"; +$WCAGContent = "Text"; +$SubscribeCoursesToSession = "Add courses to this session"; +$DateStartSession = "Start date (available from 00:00:00 on this date)"; +$DateEndSession = "End date (until 23:59:59 on this date)"; +$EditSession = "Edit this session"; +$VideoConferenceUrl = "Path to live conferencing"; +$VideoClassroomUrl = "Path to classroom live conferencing"; +$ReconfigureExtension = "Reconfigure extension"; +$ServiceReconfigured = "Service reconfigured"; +$ChooseNewsLanguage = "Choose news language"; +$Ajax_course_tracking_refresh = "Total time spent in a course"; +$Ajax_course_tracking_refresh_comment = "This option is used to calculate in real time the time that a user spend in a course. The value in the field is the refresh interval in seconds. To disable this option, let the default value 0 in the field."; +$FinishSessionCreation = "Finish session creation"; +$VisioRTMPPort = "Videoconference RTMTP protocol port"; +$SessionNameAlreadyExists = "Session name already exists"; +$NoClassesHaveBeenCreated = "No classes have been created"; +$ThisFieldShouldBeNumeric = "This field should be numeric"; +$UserLocked = "User locked"; +$UserUnlocked = "User unlocked"; +$CannotDeleteUser = "You cannot delete this user"; +$SelectedUsersDeleted = "Selected users deleted"; +$SomeUsersNotDeleted = "Some users has not been deleted"; +$ExternalAuthentication = "External authentification"; +$RegistrationDate = "Registration date"; +$UserUpdated = "User updated"; +$HomePageFilesNotReadable = "Homepage files are not readable"; +$Choose = "Choose"; +$ModifySessionCourse = "Edit session course"; +$CourseSessionList = "Courses in this session"; +$SelectACoach = "Select a coach"; +$UserNameUsedTwice = "Login is used twice"; +$UserNameNotAvailable = "This login is not available"; +$UserNameTooLong = "This login is too long"; +$WrongStatus = "This status doesn't exist"; +$ClassNameNotAvailable = "This classname is not available"; +$FileImported = "File imported"; +$WhichSessionToExport = "Choose the session to export"; +$AllSessions = "All the sessions"; +$CodeDoesNotExists = "This code does not exist"; +$UnknownUser = "Unknown user"; +$UnknownStatus = "Unknown status"; +$SessionDeleted = "The session has been deleted"; +$CourseDoesNotExist = "This course doesn't exist"; +$UserDoesNotExist = "This user doesn't exist"; +$ButProblemsOccured = "but problems occured"; +$UsernameTooLongWasCut = "This login was cut"; +$NoInputFile = "No file was sent"; +$StudentStatusWasGivenTo = "Learner status has been given to"; +$WrongDate = "Wrong date format (yyyy-mm-dd)"; +$YouWillSoonReceiveMailFromCoach = "You will soon receive an email from your coach."; +$SlideSize = "Size of the slides"; +$EphorusPlagiarismPrevention = "Ephorus plagiarism prevention"; +$CourseTeachers = "Teachers"; +$UnknownTeacher = "Unknown trainer"; +$HideDLTTMarkup = "Hide DLTT Markup"; +$ListOfCoursesOfSession = "List of courses of the session"; +$UnsubscribeSelectedUsersFromSession = "Unsubscribe selected users from session"; +$ShowDifferentCourseLanguageComment = "Show the language each course is in, next to the course title, on the homepage courses list"; +$ShowEmptyCourseCategoriesComment = "Show the categories of courses on the homepage, even if they're empty"; +$ShowEmptyCourseCategories = "Show empty courses categories"; +$XMLNotValid = "XML document is not valid"; +$ForTheSession = "for the session"; +$AllowEmailEditorTitle = "Online e-mail editor enabled"; +$AllowEmailEditorComment = "If this option is activated, clicking on an e-mail address will open an online mail editor."; +$AddCSVHeader = "Add the CSV header line?"; +$YesAddCSVHeader = "Yes, add the CSV header
    This line defines the fields and is necessary when you want to import the file in a different Chamilo portal"; +$ListOfUsersSubscribedToCourse = "List of users subscribed to course"; +$NumberOfCourses = "Courses"; +$ShowDifferentCourseLanguage = "Show course languages"; +$VisioRTMPTunnelPort = "Videoconference RTMTP protocol tunnel port"; +$Security = "Security"; +$UploadExtensionsListType = "Type of filtering on document uploads"; +$UploadExtensionsListTypeComment = "Whether you want to use the blacklist or whitelist filtering. See blacklist or whitelist description below for more details."; +$Blacklist = "Blacklist"; +$Whitelist = "Whitelist"; +$UploadExtensionsBlacklist = "Blacklist - setting"; +$UploadExtensionsWhitelist = "Whitelist - setting"; +$UploadExtensionsBlacklistComment = "The blacklist is used to filter the files extensions by removing (or renaming) any file which extension figures in the blacklist below. The extensions should figure without the leading dot (.) and separated by semi-column (;) like the following: exe;com;bat;scr;php. Files without extension are accepted. Letter casing (uppercase/lowercase) doesn't matter."; +$UploadExtensionsWhitelistComment = "The whitelist is used to filter the files extensions by removing (or renaming) any file which extension does *NOT* figure in the whitelist below. It is generally considered as a safer but more restrictive approach to filtering. The extensions should figure without the leading dot (.) and separated by semi-column (;) like the following: htm;html;txt;doc;xls;ppt;jpg;jpeg;gif;sxw . Files without extension are accepted. Letter casing (uppercase/lowercase) doesn't matter."; +$UploadExtensionsSkip = "Filtering behaviour (skip/rename)"; +$UploadExtensionsSkipComment = "If you choose to skip, the files filtered through the blacklist or whitelist will not be uploaded to the system. If you choose to rename them, their extension will be replaced by the one defined in the extension replacement setting. Beware that renaming doesn't really protect you, and may cause name collision if several files of the same name but different extensions exist."; +$UploadExtensionsReplaceBy = "Replacement extension"; +$UploadExtensionsReplaceByComment = "Enter the extension that you want to use to replace the dangerous extensions detected by the filter. Only needed if you have selected a filter by replacement."; +$ShowNumberOfCoursesComment = "Show the number of courses in each category in the courses categories on the homepage"; +$EphorusDescription = "Start using the Ephorus anti plagiarism service in Chamilo.
    \t\t\t\t\t\t\t\t\t\t\t\t\t\tWith Ephorus, you will prevent internet plagiarism without any additional effort.
    \t\t\t\t\t\t\t\t\t\t\t\t\t\t You can use our unique open standard webservice to build your own integration or you can use one of our Chamilo-integration modules."; +$EphorusLeadersInAntiPlagiarism = "Leaders in 
    anti plagiarism
    \t\t\t\t"; +$EphorusClickHereForInformationsAndPrices = "Click here for more information and prices\t\t\t"; +$NameOfTheSession = "Session name"; +$NoSessionsForThisUser = "This user isn't subscribed in a session"; +$DisplayCategoriesOnHomepageTitle = "Display categories on home page"; +$DisplayCategoriesOnHomepageComment = "This option will display or hide courses categories on the portal home page"; +$ShowTabsTitle = "Tabs in the header"; +$ShowTabsComment = "Check the tabs you want to see appear in the header. The unchecked tabs will appear on the right hand menu on the portal homepage and my courses page if these need to appear"; +$DefaultForumViewTitle = "Default forum view"; +$DefaultForumViewComment = "What should be the default option when creating a new forum. Any trainer can however choose a different view for every individual forum"; +$TabsMyCourses = "Courses tab"; +$TabsCampusHomepage = "Portal homepage tab"; +$TabsReporting = "Reporting tab"; +$TabsPlatformAdministration = "Platform Administration tab"; +$NoCoursesForThisSession = "No course for this session"; +$NoUsersForThisSession = "No Users for this session"; +$LastNameMandatory = "The last name cannot be empty"; +$FirstNameMandatory = "The first name cannot be empty"; +$EmailMandatory = "The email cannot be empty"; +$TabsMyAgenda = "Agenda tab"; +$NoticeWillBeNotDisplayed = "The notice will be not displayed on the homepage"; +$LetThoseFieldsEmptyToHideTheNotice = "Let those fields empty to hide the notice"; +$Ppt2lpVoiceRecordingNeedsRed5 = "The voice recording feature in the course editor relies on a Red5 streaming server. This server's parameters can be configured in the videoconference section on the current page."; +$PlatformCharsetTitle = "Character set"; +$PlatformCharsetComment = "The character set is what pilots the way specific languages can be displayed in Chamilo. If you use Russian or Japanese characters, for example, you might want to change this. For all english, latin and west-european characters, the default UTF-8 should be alright."; +$ExtendedProfileRegistrationTitle = "Extended profile fields in registration"; +$ExtendedProfileRegistrationComment = "Which of the following fields of the extended profile have to be available in the user registration process? This requires that the extended profile is activated (see above)."; +$ExtendedProfileRegistrationRequiredTitle = "Required extended profile fields in registration"; +$ExtendedProfileRegistrationRequiredComment = "Which of the following fields of the extende profile are required in the user registration process? This requires that the extended profile is activated and that the field is also available in the registration form (see above)."; +$NoReplyEmailAddress = "No-reply e-mail address"; +$NoReplyEmailAddressComment = "This is the e-mail address to be used when an e-mail has to be sent specifically requesting that no answer be sent in return. Generally, this e-mail address should be configured on your server to drop/ignore any incoming e-mail."; +$SurveyEmailSenderNoReply = "Survey e-mail sender (no-reply)"; +$SurveyEmailSenderNoReplyComment = "Should the survey invitations use the coach email address or the no-reply address defined in the main configuration section?"; +$CourseCoachEmailSender = "Coach email address"; +$NoReplyEmailSender = "No-reply e-mail address"; +$OpenIdAuthenticationComment = "Enable the OpenID URL-based authentication (displays an additional login form on the homepage)"; +$VersionCheckEnabled = "Version check enabled"; +$InstallDirAccessibleSecurityThreat = "The main/install directory of your Chamilo system is still accessible to web users. This might represent a security threat for your installation. We recommend that you remove this directory or that you change its permissions so web users cannot use the scripts it contains."; +$GradebookActivation = "Assessments tool activation"; +$GradebookActivationComment = "The Assessments tool allows you to assess competences in your organization by merging classroom and online activities evaluations into Performance reports. Do you want to activate it?"; +$UserTheme = "Theme (stylesheet)"; +$UserThemeSelection = "User theme selection"; +$UserThemeSelectionComment = "Allow users to select their own visual theme in their profile. This will change the look of Chamilo for them, but will leave the default style of the portal intact. If a specific course or session has a specific theme assigned, it will have priority over user-defined themes."; +$VisioHost = "Videoconference streaming server hostname or IP address"; +$VisioPort = "Videoconference streaming server port"; +$VisioPassword = "Videoconference streaming server password"; +$Port = "Port"; +$EphorusClickHereForADemoAccount = "Click here for a demo account"; +$ManageUserFields = "Profiling"; +$AddUserField = "Add profile field"; +$FieldLabel = "Field label"; +$FieldType = "Field type"; +$FieldTitle = "Field title"; +$FieldDefaultValue = "Default value"; +$FieldOrder = "Order"; +$FieldVisibility = "Visible?"; +$FieldChangeability = "Can change"; +$FieldTypeText = "Text"; +$FieldTypeTextarea = "Text area"; +$FieldTypeRadio = "Radio buttons"; +$FieldTypeSelect = "Select drop-down"; +$FieldTypeSelectMultiple = "Multiple selection drop-down"; +$FieldAdded = "Field succesfully added"; +$GradebookScoreDisplayColoring = "Grades thresholds colouring"; +$GradebookScoreDisplayColoringComment = "Tick the box to enable marks thresholds"; +$TabsGradebookEnableColoring = "Enable marks thresholds"; +$GradebookScoreDisplayCustom = "Competence levels labelling"; +$GradebookScoreDisplayCustomComment = "Tick the box to enable Competence levels labelling"; +$TabsGradebookEnableCustom = "Enable Competence level labelling"; +$GradebookScoreDisplayColorSplit = "Threshold"; +$GradebookScoreDisplayColorSplitComment = "The threshold (in %) under which scores will be colored red"; +$GradebookScoreDisplayUpperLimit = "Display score upper limit"; +$GradebookScoreDisplayUpperLimitComment = "Tick the box to show the score's upper limit"; +$TabsGradebookEnableUpperLimit = "Enable score's upper limit display"; +$AddUserFields = "Add profile field"; +$FieldPossibleValues = "Possible values"; +$FieldPossibleValuesComment = "Only given for repetitive fields, split by semi-column (;)"; +$FieldTypeDate = "Date"; +$FieldTypeDatetime = "Date and time"; +$UserFieldsAddHelp = "Adding a user field is very easy:
    - pick a one-word, lowercase identifier,
    - select a type,
    - pick a text that should appear to the user (if you use an existing translated name like BirthDate or UserSex, it will automatically get translated to any language),
    - if you picked a multiple type (radio, select, multiple select), provide the possible choices (again, it can make use of the language variables defined in Chamilo), split by semi-column characters,
    - for text types, you can choose a default value.

    Once you're done, add the field and choose whether you want to make it visible and modifiable. Making it modifiable but not visible is useless."; +$AllowCourseThemeTitle = "Allow course themes"; +$AllowCourseThemeComment = "Allows course graphical themes and makes it possible to change the style sheet used by a course to any of the possible style sheets available to Chamilo. When a user enters the course, the style sheet of the course will have priority over the user's own style sheet and the platform's default style sheet."; +$DisplayMiniMonthCalendarTitle = "Display the small month calendar in the agenda tool"; +$DisplayMiniMonthCalendarComment = "This setting enables or disables the small month calendar that appears in the left column of the agenda tool"; +$DisplayUpcomingEventsTitle = "Display the upcoming events in the agenda tool"; +$DisplayUpcomingEventsComment = "This setting enables or disables the upcoming events that appears in the left column of the agenda tool of the course"; +$NumberOfUpcomingEventsTitle = "Number of upcoming events that have to be displayed."; +$NumberOfUpcomingEventsComment = "The number of upcoming events that have to be displayed in the agenda. This requires that the upcoming event functionlity is activated (see setting above)."; +$ShowClosedCoursesTitle = "Display closed courses on login page and portal start page?"; +$ShowClosedCoursesComment = "Display closed courses on the login page and courses start page? On the portal start page an icon will appear next to the courses to quickly subscribe to each courses. This will only appear on the portal's start page when the user is logged in and when the user is not subscribed to the portal yet."; +$LDAPConnectionError = "LDAP Connection Error"; +$LDAP = "LDAP"; +$LDAPEnableTitle = "Enable LDAP"; +$LDAPEnableComment = "If you have an LDAP server, you will have to configure its settings below and modify your configuration file as described in the installation guide, and then activate it. This will allow users to authenticate using their LDAP logins. If you don't know what LDAP is, please leave it disabled"; +$LDAPMainServerAddressTitle = "Main LDAP server address"; +$LDAPMainServerAddressComment = "The IP address or url of your main LDAP server."; +$LDAPMainServerPortTitle = "Main LDAP server's port."; +$LDAPMainServerPortComment = "The port on which the main LDAP server will respond (usually 389). This is a mandatory setting."; +$LDAPDomainTitle = "LDAP domain"; +$LDAPDomainComment = "This is the LDAP domain (dc) that will be used to find the contacts on the LDAP server. For example: dc=xx, dc=yy, dc=zz"; +$LDAPReplicateServerAddressTitle = "Replicate server address"; +$LDAPReplicateServerAddressComment = "When the main server is not available, this server will be accessed. Leave blank or use the same value as the main server if you don't have a replicate server."; +$LDAPReplicateServerPortTitle = "Replicate server's port"; +$LDAPReplicateServerPortComment = "The port on which the replicate server will respond."; +$LDAPSearchTermTitle = "Search term"; +$LDAPSearchTermComment = "This term will be used to filter the search for contacts on the LDAP server. If you are unsure what to put in here, please refer to your LDAP server's documentation and configuration."; +$LDAPVersionTitle = "LDAP version"; +$LDAPVersionComment = "Please select the version of the LDAP server you want to use. Using the right version depends on your LDAP server's configuration."; +$LDAPVersion2 = "LDAP 2"; +$LDAPVersion3 = "LDAP 3"; +$LDAPFilledTutorFieldTitle = "Tutor identification field"; +$LDAPFilledTutorFieldComment = "A check will be done on this LDAP contact field on new users insertion. If this field is not empty, the user will be considered as a tutor and inserted in Chamilo as such. If you want all your users to be recognised as simple users, leave this field empty. You can modify this behaviour by changing the code. Please read the installation guide for more information."; +$LDAPAuthenticationLoginTitle = "Authentication login"; +$LDAPAuthenticationLoginComment = "If you are using an LDAP server that does not support or accept anonymous access, fill the following field with the user login that should be used. Do not include \"cn=\". Leave empty for anonymous access."; +$LDAPAuthenticationPasswordTitle = "Authentication password"; +$LDAPAuthenticationPasswordComment = "If you are using an LDAP server that does not support or accept anonymous access, fill the following field with the user password that should be used."; +$LDAPImport = "LDAP Import"; +$EmailNotifySubscription = "Notify subscribed users by e-mail"; +$DontUncheck = "Do not uncheck"; +$AllSlashNone = "All/None"; +$LDAPImportUsersSteps = "LDAP Import: Users/Steps"; +$EnterStepToAddToYourSession = "Enter step to add to your session"; +$ToDoThisYouMustEnterYearDepartmentAndStep = "In order to do this, you must enter the year, the department and the step"; +$FollowEachOfTheseStepsStepByStep = "Follow each of these steps, step by step"; +$RegistrationYearExample = "Registration year. Example: %s for academic year %s-%s"; +$SelectDepartment = "Select department"; +$RegistrationYear = "Registration year"; +$SelectStepAcademicYear = "Select step (academic year)"; +$ErrorExistingStep = "Error: this step already exists"; +$ErrorStepNotFoundOnLDAP = "Error: step not found on LDAP server"; +$StepDeletedSuccessfully = "Step deleted successfully"; +$StepUsersDeletedSuccessfully = "Step users removed successfully"; +$NoStepForThisSession = "No LOs in this session"; +$DeleteStepUsers = "Remove users from step"; +$ImportStudentsOfAllSteps = "Import learners of all steps"; +$ImportLDAPUsersIntoPlatform = "Import LDAP users into the platform"; +$NoUserInThisSession = "No user in this session"; +$SubscribeSomeUsersToThisSession = "Subscribe some users to this session"; +$EnterStudentsToSubscribeToCourse = "Enter the learners you would like to register to your course"; +$ToDoThisYouMustEnterYearComponentAndComponentStep = "In order to do this, you must enter the year, the component and the component's step"; +$SelectComponent = "Select component"; +$Component = "Component"; +$SelectStudents = "Select learners"; +$LDAPUsersAdded = "LDAP users added"; +$NoUserAdded = "No user added"; +$ImportLDAPUsersIntoCourse = "Import LDAP users into a course"; +$ImportLDAPUsersAndStepIntoSession = "Import LDAP users and a step into a session"; +$LDAPSynchroImportUsersAndStepsInSessions = "LDAP synchro: Import learners/steps into course sessions"; +$TabsMyGradebook = "Assessments tab"; +$LDAPUsersAddedOrUpdated = "LDAP users added or updated"; +$SearchLDAPUsers = "Search for LDAP users"; +$SelectCourseToImportUsersTo = "Select a course in which you would like to register the users you are going to select next"; +$ImportLDAPUsersIntoSession = "Import LDAP users into a session"; +$LDAPSelectFilterOnUsersOU = "Select a filter to find a matching string at the end of the OU attribute"; +$LDAPOUAttributeFilter = "The OU attribute filter"; +$SelectSessionToImportUsersTo = "Select the session in which you want to import these users"; +$VisioUseRtmptTitle = "Use the rtmpt protocol"; +$VisioUseRtmptComment = "The rtmpt protocol allows access to the videoconference from behind a firewall, by redirecting the communications on port 80. This, however, will slow down the streaming, so it is recommended not to use it unless necessary."; +$UploadNewStylesheet = "New stylesheet file"; +$NameStylesheet = "Name of the stylesheet"; +$StylesheetAdded = "The stylesheet has been added"; +$LDAPFilledTutorFieldValueTitle = "Tutor identification value"; +$LDAPFilledTutorFieldValueComment = "When a check is done on the tutor field given above, this value has to be inside one of the tutor fields sub-elements for the user to be considered as a trainer. If you leave this field blank, the only condition is that the field exists for this LDAP user to be considered as a trainer. As an example, the field could be \"memberof\" and the value to search for could be \"CN=G_TRAINER,OU=Trainer\"."; +$IsNotWritable = "is not writeable"; +$FieldMovedDown = "The field is successfully moved down"; +$CannotMoveField = "Cannot move the field."; +$FieldMovedUp = "The field is successfully moved up."; +$MetaTitleTitle = "OpenGraph meta title"; +$MetaDescriptionComment = "This will show an OpenGraph Description meta (og:description) in your site's headers"; +$MetaDescriptionTitle = "Meta description"; +$MetaTitleComment = "This will show an OpenGraph Title meta (og:title) in your site's headers"; +$FieldDeleted = "The field has been deleted"; +$CannotDeleteField = "Cannot delete the field"; +$AddUsersByCoachTitle = "Register users by Coach"; +$AddUsersByCoachComment = "Coach users may create users to the platform and subscribe users to a session."; +$UserFieldsSortOptions = "Sort the options of the profiling fields"; +$FieldOptionMovedUp = "The option has been moved up."; +$CannotMoveFieldOption = "Cannot move the option."; +$FieldOptionMovedDown = "The option has been moved down."; +$DefineSessionOptions = "Define access limits for the coach"; +$DaysBefore = "days before session starts"; +$DaysAfter = "days after"; +$SessionAddTypeUnique = "Single registration"; +$SessionAddTypeMultiple = "Multiple registration"; +$EnableSearchTitle = "Full-text search feature"; +$EnableSearchComment = "Select \"Yes\" to enable this feature. It is highly dependent on the Xapian extension for PHP, so this will not work if this extension is not installed on your server, in version 1.x at minimum."; +$SearchASession = "Find a training session"; +$ActiveSession = "Session session"; +$AddUrl = "Add Url"; +$ShowSessionCoachTitle = "Show session coach"; +$ShowSessionCoachComment = "Show the global session coach name in session title box in the courses list"; +$ExtendRightsForCoachTitle = "Extend rights for coach"; +$ExtendRightsForCoachComment = "Activate this option will give the coach the same permissions as the trainer on authoring tools"; +$ExtendRightsForCoachOnSurveyComment = "Activate this option will allow the coachs to create and edit surveys"; +$ExtendRightsForCoachOnSurveyTitle = "Extend rights for coachs on surveys"; +$CannotDeleteUserBecauseOwnsCourse = "This user cannot be deleted because he is still teacher in a course. You can either remove his teacher status from these courses and then delete his account, or disable his account instead of deleting it."; +$AllowUsersToCreateCoursesTitle = "Allow non admin to create courses"; +$AllowUsersToCreateCoursesComment = "Allow non administrators (teachers) to create new courses on the server"; +$AllowStudentsToBrowseCoursesComment = "Allow learners to browse the courses catalogue and subscribe to available courses"; +$YesWillDeletePermanently = "Yes (the files will be deleted permanently and will not be recoverable)"; +$NoWillDeletePermanently = "No (the files will be deleted from the application but will be manually recoverable by your server administrator)"; +$SelectAResponsible = "Select a manager"; +$ThereIsNotStillAResponsible = "No HR manager available"; +$AllowStudentsToBrowseCoursesTitle = "Learners access to courses catalogue"; +$SharedSettingIconComment = "This is a shared setting"; +$GlobalAgenda = "Global agenda"; +$AdvancedFileManagerTitle = "Advanced file manager in the WYSIWYG editor"; +$AdvancedFileManagerComment = "Enable advanced file manager for WYSIWYG editor? This will add a considerable amount of additional options to the file manager that opens in a pop-up window when uploading files to the server, but might be a little more complicated to use for the final user."; +$ScormAndLPProgressTotalAverage = "Average progress in courses"; +$MultipleAccessURLs = "Multiple access URL / Branding"; +$SearchShowUnlinkedResultsTitle = "Full-text search: show unlinked results"; +$SearchShowUnlinkedResultsComment = "When showing the results of a full-text search, what should be done with the results that are not accessible to the current user?"; +$SearchHideUnlinkedResults = "Do not show them"; +$SearchShowUnlinkedResults = "Show them but without a link to the resource"; +$Templates = "Templates"; +$EnableVersionCheck = "Enable version check"; +$AllowMessageToolTitle = "Internal messaging tool"; +$AllowReservationTitle = "Booking"; +$AllowReservationComment = "The booking system allows you to book resources for your courses (rooms, tables, books, screens, ...). You need this tool to be enabled (through the Admin) to have it appear in the user menu."; +$ConfigureResourceType = "Configure"; +$ConfigureMultipleAccessURLs = "Configure multiple access URL"; +$URLAdded = "The URL has been added"; +$URLAlreadyAdded = "This URL already exists, please select another URL"; +$AreYouSureYouWantToSetThisLanguageAsThePortalDefault = "Are you sure you want to set this language as the portal's default?"; +$CurrentLanguagesPortal = "Current portal's language"; +$EditUsersToURL = "Edit users and URLs"; +$AddUsersToURL = "Add users to an URL"; +$URLList = "URL list"; +$AddToThatURL = "Add users to that URL"; +$SelectUrl = "Select URL"; +$UserListInURL = "Users subscribed to this URL"; +$UsersWereEdited = "The user accounts have been updated"; +$AtLeastOneUserAndOneURL = "You must select at least one user and one URL"; +$UsersBelongURL = "The user accounts are now attached to the URL"; +$LPTestScore = "Course score"; +$ScormAndLPTestTotalAverage = "Average of tests in learning paths"; +$ImportUsersToACourse = "Import users list"; +$ImportCourses = "Import courses list"; +$ManageUsers = "Manage users"; +$ManageCourses = "Manage courses"; +$UserListIn = "Users of"; +$URLInactive = "The URL has been disabled"; +$URLActive = "The URL has been enabled"; +$EditUsers = "Edit users"; +$EditCourses = "Edit courses"; +$CourseListIn = "Courses of"; +$AddCoursesToURL = "Add courses to an URL"; +$EditCoursesToURL = "Edit courses of an URL"; +$AddCoursesToThatURL = "Add courses to that URL"; +$EnablePlugins = "Enable the selected plugins"; +$AtLeastOneCourseAndOneURL = "At least one course and one URL"; +$ClickToRegisterAdmin = "Click here to register the admin into all sites"; +$AdminShouldBeRegisterInSite = "Admin user should be registered here"; +$URLNotConfiguredPleaseChangedTo = "URL not configured yet, please add this URL :"; +$AdminUserRegisteredToThisURL = "Admin user assigned to this URL"; +$CoursesWereEdited = "Courses updated successfully"; +$URLEdited = "The URL has been edited"; +$AddSessionToURL = "Add session to an URL"; +$FirstLetterSession = "Session title's first letter"; +$EditSessionToURL = "Edit session"; +$AddSessionsToThatURL = "Add sessions to that URL"; +$SessionBelongURL = "Sessions were edited"; +$ManageSessions = "Manage sessions"; +$AllowMessageToolComment = "Enabling the internal messaging tool allows users to send messages to other users of the platform and to have a messaging inbox."; +$AllowSocialToolTitle = "Social network tool (Facebook-like)"; +$AllowSocialToolComment = "The social network tool allows users to define relations with other users and, by doing so, to define groups of friends. Combined with the internal messaging tool, this tool allows tight communication with friends, inside the portal environment."; +$SetLanguageAsDefault = "Set language as default"; +$FieldFilter = "Filter"; +$FilterOn = "Filter on"; +$FilterOff = "Filter off"; +$FieldFilterSetOn = "You can now use this field as a filter"; +$FieldFilterSetOff = "You can't use this field as a filter"; +$buttonAddUserField = "Add user field"; +$UsersSubscribedToFollowingCoursesBecauseOfVirtualCourses = "The users have been subscribed to the following courses because several courses share the same visual code"; +$TheFollowingCoursesAlreadyUseThisVisualCode = "The following courses already use this code"; +$UsersSubscribedToBecauseVisualCode = "The users have been subscribed to the following courses because several courses share the same visual code"; +$UsersUnsubscribedFromBecauseVisualCode = "The users have been unsubscribed from the following courses because several courses share the same visual code"; +$FilterUsers = "Filter users"; +$SeveralCoursesSubscribedToSessionBecauseOfSameVisualCode = "Several courses were subscribed to the session because of a duplicate course code"; +$CoachIsRequired = "You must select a coach"; +$EncryptMethodUserPass = "Encryption method"; +$AddTemplate = "Add a template"; +$TemplateImageComment100x70 = "This image will represent the template in the templates list. It should be no larger than 100x70 pixels"; +$TemplateAdded = "Template added"; +$TemplateDeleted = "Template deleted"; +$EditTemplate = "Template edition"; +$FileImportedJustUsersThatAreNotRegistered = "The users that were not registered on the platform have been imported"; +$YouMustImportAFileAccordingToSelectedOption = "You must import a file corresponding to the selected format"; +$ShowEmailOfTeacherOrTutorTitle = "Show teacher or tutor's e-mail address in the footer"; +$ShowEmailOfTeacherOrTutorComent = "Show trainer or tutor's e-mail in footer ?"; +$AddSystemAnnouncement = "Add a system announcement"; +$EditSystemAnnouncement = "Edit system announcement"; +$LPProgressScore = "% of learning objects visited"; +$TotalTimeByCourse = "Total time in course"; +$LastTimeTheCourseWasUsed = "Last time learner entered the course"; +$AnnouncementAvailable = "The announcement is available"; +$AnnouncementNotAvailable = "The announcement is not available"; +$Searching = "Searching"; +$AddLDAPUsers = "Add LDAP users"; +$Academica = "Academica"; +$AddNews = "Add news"; +$SearchDatabaseOpeningError = "Failed to open the search database"; +$SearchDatabaseVersionError = "The search database uses an unsupported format"; +$SearchDatabaseModifiedError = "The search database has been modified/broken"; +$SearchDatabaseLockError = "Failed to lock the search database"; +$SearchDatabaseCreateError = "Failed to create the search database"; +$SearchDatabaseCorruptError = "The search database has suffered corruption"; +$SearchNetworkTimeoutError = "Connection timed out while communicating with the remote search database"; +$SearchOtherXapianError = "Error in search engine"; +$SearchXapianModuleNotInstalled = "The Xapian search module is not installed"; +$FieldRemoved = "Field removed"; +$TheNewSubLanguageHasBeenAdded = "The new sub-language has been added"; +$DeleteSubLanguage = "Delete sub-language"; +$CreateSubLanguageForLanguage = "Create a sub-language for this language"; +$DeleteSubLanguageFromLanguage = "Delete this sub-language"; +$CreateSubLanguage = "Create sub-language"; +$RegisterTermsOfSubLanguageForLanguage = "Define new terms for this sub-language"; +$AddTermsOfThisSubLanguage = "Sub-language terms"; +$LoadLanguageFile = "Load language file"; +$AllowUseSubLanguageTitle = "Allow definition and use of sub-languages"; +$AllowUseSubLanguageComment = "By enabling this option, you will be able to define variations for each of the language terms used in the platform's interface, in the form of a new language based on and extending an existing language. You'll find this option in the languages section of the administration panel."; +$AddWordForTheSubLanguage = "Add terms to the sub-language"; +$TemplateEdited = "Template edited"; +$SubLanguage = "Sub-language"; +$LanguageIsNowVisible = "The language has been made visible and can now be used throughout the platform."; +$LanguageIsNowHidden = "The language has been hidden. It will not be possible to use it until it becomes visible again."; +$LanguageDirectoryNotWriteableContactAdmin = "The /main/lang directory, used on this portal to store the languages, is not writable. Please contact your platform administrator and report this message."; +$ShowGlossaryInDocumentsTitle = "Show glossary terms in documents"; +$ShowGlossaryInDocumentsComment = "From here you can configure how to add links to the glossary terms from the documents"; +$ShowGlossaryInDocumentsIsAutomatic = "Automatic: adds links to all defined glossary terms found in the document"; +$ShowGlossaryInDocumentsIsManual = "Manual: shows a glossary icon in the online editor, so you can mark the terms that are in the glossary and that you want to link"; +$ShowGlossaryInDocumentsIsNone = "None: doesn't add any glossary terms to the documents"; +$LanguageVariable = "Language variable"; +$ToExportDocumentsWithGlossaryYouHaveToSelectGlossary = "To export a document that has glossary terms with its references to the glossary, you have to make sure you include the glossary tool in the export"; +$ShowTutorDataTitle = "Session's tutor's data is shown in the footer."; +$ShowTutorDataComment = "Show the session's tutor reference (name and e-mail if available) in the footer?"; +$ShowTeacherDataTitle = "Show teacher information in footer"; +$ShowTeacherDataComment = "Show the teacher reference (name and e-mail if available) in the footer?"; +$HTMLText = "HTML"; +$PageLink = "Page Link"; +$DisplayTermsConditions = "Display a Terms & Conditions statement on the registration page, require visitor to accept the T&C to register."; +$AllowTermsAndConditionsTitle = "Enable terms and conditions"; +$AllowTermsAndConditionsComment = "This option will display the Terms and Conditions in the register form for new users. Need to be configured first in the portal administration page."; +$Load = "Load"; +$AllVersions = "All versions"; +$EditTermsAndConditions = "Edit terms and conditions"; +$ExplainChanges = "Explain changes"; +$TermAndConditionNotSaved = "Term and condition not saved"; +$TheSubLanguageHasBeenRemoved = "The sub language has been removed"; +$AddTermsAndConditions = "Add terms and conditions"; +$TermAndConditionSaved = "Term and condition saved"; +$ListSessionCategory = "Sessions categories list"; +$AddSessionCategory = "Add category"; +$SessionCategoryName = "Category name"; +$EditSessionCategory = "Edit session category"; +$SessionCategoryAdded = "The category has been added"; +$SessionCategoryUpdate = "Category update"; +$SessionCategoryDelete = "The selected categories have been deleted"; +$SessionCategoryNameIsRequired = "Please give a name to the sessions category"; +$ThereIsNotStillASession = "There are no sessions available"; +$SelectASession = "Select a session"; +$OriginCoursesFromSession = "Courses from the original session"; +$DestinationCoursesFromSession = "Courses from the destination session"; +$CopyCourseFromSessionToSessionExplanation = "Help for the copy of courses from session to session"; +$TypeOfCopy = "Type of copy"; +$CopyFromCourseInSessionToAnotherSession = "Copy from course in session to another session"; +$YouMustSelectACourseFromOriginalSession = "You must select a course from original session"; +$MaybeYouWantToDeleteThisUserFromSession = "Maybe you want to delete the user, instead of unsubscribing him from all courses...?"; +$EditSessionCoursesByUser = "Edit session courses by user"; +$CoursesUpdated = "Courses updated"; +$CurrentCourses = "Current courses"; +$CoursesToAvoid = "Unaccessible courses"; +$EditSessionCourses = "Edit session courses"; +$SessionVisibility = "Visibility after end date"; +$BlockCoursesForThisUser = "Block user from courses in this session"; +$LanguageFile = "Language file"; +$ShowCoursesDescriptionsInCatalogTitle = "Show the courses descriptions in the catalog"; +$ShowCoursesDescriptionsInCatalogComment = "Show the courses descriptions as an integrated popup when clicking on a course info icon in the courses catalog"; +$StylesheetNotHasBeenAdded = "The stylesheet could not be added"; +$AddSessionsInCategories = "Add sessions in categories"; +$ItIsRecommendedInstallImagickExtension = "It is recommended to install the imagick php extension for better performances in the resolution for generating the thumbnail images otherwise not show very well, if it is not install by default uses the php-gd extension."; +$EditSpecificSearchField = "Edit specific search field"; +$FieldName = "Field name"; +$SpecialExports = "Special exports"; +$SpecialCreateFullBackup = "Special create full backup"; +$SpecialLetMeSelectItems = "Special let me select items"; +$AllowCoachsToEditInsideTrainingSessions = "Allow coaches to edit inside course sessions"; +$AllowCoachsToEditInsideTrainingSessionsComment = "Allow coaches to edit inside course sessions"; +$ShowSessionDataTitle = "Show session data title"; +$ShowSessionDataComment = "Show session data comment"; +$SubscribeSessionsToCategory = "Subscription sessions in the category"; +$SessionListInPlatform = "List of session in the platform"; +$SessionListInCategory = "List of sesiones in the categories"; +$ToExportSpecialSelect = "If you want to export courses containing sessions, which will ensure that these seansido included in the export to any of that will have to choose in the list."; +$ErrorMsgSpecialExport = "There were no courses registered or may not have made the association with the sessions"; +$ConfigureInscription = "Setting the registration page"; +$MsgErrorSessionCategory = "Select category and sessions"; +$NumberOfSession = "Number sessions"; +$DeleteSelectedSessionCategory = "Delete only the selected categories without sessions"; +$DeleteSelectedFullSessionCategory = "Delete the selected categories to sessions"; +$EditTopRegister = "Edit Note"; +$InsertTabs = "Add Tabs"; +$EditTabs = "Edit Tabs"; +$AnnEmpty = "Announcements list has been cleared up"; +$AnnouncementModified = "Announcement has been modified"; +$AnnouncementAdded = "Announcement has been added"; +$AnnouncementDeleted = "Announcement has been deleted"; +$AnnouncementPublishedOn = "Published on"; +$AddAnnouncement = "Add an announcement"; +$AnnouncementDeleteAll = "Clear list of announcements"; +$professorMessage = "Message from the trainer"; +$EmailSent = " and emailed to registered learners"; +$EmailOption = "Send this announcement by email to selected groups/users"; +$On = "On"; +$RegUser = "registered users of the site"; +$Unvalid = "have unvalid or no email address"; +$ModifAnn = "Modifies this announcement"; +$SelMess = "Warnings to some users"; +$SelectedUsers = "Selected Users"; +$PleaseEnterMessage = "You must introduce the message text."; +$PleaseSelectUsers = "You must select some users."; +$Teachersubject = "Message sent to users"; +$MessageToSelectedUsers = "Messages to selected users"; +$IntroText = "To send a message, select groups of users (see G) or single users from the list on the left."; +$MsgSent = "The message has been sent to the selected learners"; +$SelUser = "selected users of the site"; +$MessageToSelectedGroups = "Message to selected groups"; +$SelectedGroups = "selected groups"; +$Msg = "Messages"; +$MsgText = "Message"; +$AnnouncementDeletedAll = "All announcements have been deleted"; +$AnnouncementMoved = "The announcement has been moved"; +$NoAnnouncements = "There are no announcements."; +$SelectEverybody = "Select Everybody"; +$SelectedUsersGroups = "selected user groups"; +$LearnerMessage = "Message from a learner"; +$TitleIsRequired = "Title is required"; +$AnnounceSentByEmail = "Announcement sent by email"; +$AnnounceSentToUserSelection = "Announcement sent to the selected users"; +$SendAnnouncement = "Send announcement"; +$ModifyAnnouncement = "Edit announcement"; +$ButtonPublishAnnouncement = "Send announcement"; +$LineNumber = "Line Number"; +$LineOrLines = "line(s)"; +$AddNewHeading = "Add new heading"; +$CourseAdministratorOnly = "Teachers only"; +$DefineHeadings = "Define Headings"; +$BackToUsersList = "Back to users list"; +$CourseManager = "Teacher"; +$ModRight = "change rights of"; +$NoAdmin = "has from now on no rights on this page"; +$AllAdmin = "has from now on all rights on this page"; +$ModRole = "Change role of"; +$IsNow = "is from now on"; +$InC = "in this course"; +$Filled = "You have left some fields empty."; +$UserNo = "The login you chose"; +$Taken = "is already in use. Choose another one."; +$Tutor = "Coach"; +$Unreg = "Unsubscribe"; +$GroupUserManagement = "Groups management"; +$AddAUser = "Add a user"; +$UsersUnsubscribed = "The selected users have been unsubscribed from the course"; +$ThisStudentIsSubscribeThroughASession = "This learner is subscribed in this training through a training session. You cannot edit his information"; +$AddToFriends = "Are you sure you want to add this contact to your friends ?"; +$AddPersonalMessage = "Add a personal message"; +$Friends = "Friends"; +$PersonalData = "Profile"; +$Contacts = "Contacts"; +$SocialInformationComment = "This screen allows you to organise your contacts"; +$AttachContactsToGroup = "Attach contacts to group"; +$ContactsList = "Contacts list"; +$AttachToGroup = "Add to a group"; +$SelectOneContact = "Select one contact"; +$SelectOneGroup = "Select one group"; +$AttachContactsPersonal = "Add personal contacts"; +$AttachContactsToGroupSuccesfuly = "Successfully added contacts to group"; +$AddedContactToList = "Added contact to list"; +$ContactsGroupsComment = "This screen is a list of contacts sorted by groups"; +$YouDontHaveContactsInThisGroup = "No contacts found"; +$SelectTheCheckbox = "Select the check box"; +$YouDontHaveInvites = "Empty"; +$SocialInvitesComment = "Pending invitations."; +$InvitationSentBy = "Invitation sent by"; +$RequestContact = "Request contact"; +$SocialUnknow = "Unknown"; +$SocialParent = "My parents"; +$SocialFriend = "My friends"; +$SocialGoodFriend = "My real friends"; +$SocialEnemy = "My enemies"; +$SocialDeleted = "Contact deleted"; +$MessageOutboxComment = "Messages sent."; +$MyPersonalData = "My personal data"; +$AlterPersonalData = "Alter personal data"; +$Invites = "Invitations"; +$ContactsGroups = "Group contacts"; +$MyInbox = "My inbox"; +$ViewSharedProfile = "View shared profile"; +$ImagesUploaded = "Uploaded images"; +$ExtraInformation = "Extra information"; +$SearchContacts = "Search contacts"; +$SocialSeeContacts = "See contacts"; +$SocialUserInformationAttach = "Please write a message before sending the request"; +$MessageInvitationNotSent = "your invitation message has not been sent"; +$SocialAddToFriends = "Add to my contacts"; +$ChangeContactGroup = "Change contact group"; +$Friend = "Friend"; +$ViewMySharedProfile = "My shared profile"; +$UserStatistics = "Reporting for this user"; +$EditUser = "Edit this user"; +$ViewUser = "View this user"; +$RSSFeeds = "RSS feed"; +$NoFriendsInYourContactList = "No friends in your contact list"; +$TryAndFindSomeFriends = "Try and find some friends"; +$SendInvitation = "Send invitation"; +$SocialInvitationToFriends = "Invite to join my group of friends"; +$MyCertificates = "My certificates"; +$NewGroupCreate = "Create new group(s)"; +$GroupCreation = "New groups creation"; +$NewGroups = "new group(s)"; +$Max = "max. 20 characters, e.g. INNOV21"; +$GroupPlacesThis = "seats (optional)"; +$GroupsAdded = "group(s) has (have) been added"; +$GroupDel = "Group deleted"; +$ExistingGroups = "Groups"; +$Registered = "Registered"; +$GroupAllowStudentRegistration = "Learners are allowed to self-register in groups"; +$GroupTools = "Tools"; +$GroupDocument = "Documents"; +$GroupPropertiesModified = "Group settings have been modified"; +$GroupName = "Group name"; +$GroupDescription = "Group description"; +$GroupMembers = "Group members"; +$EditGroup = "Edit this group"; +$GroupSettingsModified = "Group settings modified"; +$GroupTooMuchMembers = "Number proposed exceeds max. that you allowed (you can modify it below). \t\t\t\tGroup composition has not been modified"; +$GroupTutor = "Group tutor"; +$GroupNoTutor = "(none)"; +$GroupNone = "(none)"; +$GroupNoneMasc = "(none)"; +$AddTutors = "Admin users list"; +$MyGroup = "my group"; +$OneMyGroups = "my supervision"; +$GroupSelfRegistration = "Registration"; +$GroupSelfRegInf = "register"; +$RegIntoGroup = "Add me to this group"; +$GroupNowMember = "You are now a member of this group."; +$Private = "Private access (access authorized to group members only)"; +$Public = "Public access (access authorized to any member of the course)"; +$PropModify = "Edit settings"; +$State = "State"; +$GroupFilledGroups = "Groups have been filled (or completed) by users present in the 'Users' list."; +$Subscribed = "users registered in this course"; +$StudentsNotInThisGroups = "Learners not in this group"; +$QtyOfUserCanSubscribe_PartBeforeNumber = "A user can be member of maximum"; +$QtyOfUserCanSubscribe_PartAfterNumber = " groups"; +$GroupLimit = "Limit"; +$CreateGroup = "Create group(s)"; +$ProceedToCreateGroup = "Proceed to create group(s)"; +$StudentRegAllowed = "Learners are allowed to self-register to groups"; +$GroupAllowStudentUnregistration = "Learners are allowed to unregister themselves from groups"; +$AllGroups = "All groups"; +$StudentUnsubscribe = "Unsubscribe me from this group."; +$StudentDeletesHimself = "You're now unsubscribed."; +$DefaultSettingsForNewGroups = "Default settings for new groups"; +$SelectedGroupsDeleted = "All selected groups have been deleted"; +$SelectedGroupsEmptied = "All selected groups are now empty"; +$GroupEmptied = "The group is now empty"; +$SelectedGroupsFilled = "All selected groups have been filled"; +$GroupSelfUnRegInf = "unregister"; +$SameForAll = "same for all"; +$NoLimit = "No limitation"; +$PleaseEnterValidNumber = "Please enter the desired number of groups"; +$CreateGroupsFromVirtualCourses = "Create groups from all users in the virtual courses"; +$CreateGroupsFromVirtualCoursesInfo = "This course is a combination of a real course and one or more virtual courses. If you press following button, new groups will be created according to these (virtual) courses. All learners will be subscribed to the groups."; +$NoGroupsAvailable = "No groups available"; +$GroupsFromVirtualCourses = "Virtual courses"; +$CreateSubgroups = "Create subgroups"; +$CreateSubgroupsInfo = "This option allows you to create new groups based on an existing group. Provide the desired number of groups and choose an existing group. The given number of groups will be created and all members of the existing group will be subscribed in those new groups. The existing group remains unchanged."; +$CreateNumberOfGroups = "Create number of groups"; +$WithUsersFrom = "groups with members from"; +$FillGroup = "Fill the group randomly with course students"; +$EmptyGroup = "unsubscribe all users"; +$MaxGroupsPerUserInvalid = "The maximum number of groups per user you submitted is invalid. There are now users who are subscribed in more groups than the number you propose."; +$GroupOverview = "Groups overview"; +$GroupCategory = "Group category"; +$NoTitleGiven = "Please give a title"; +$InvalidMaxNumberOfMembers = "Please enter a valid number for the maximum number of members."; +$CategoryOrderChanged = "The category order was changed"; +$CategoryCreated = "Category created"; +$GroupTutors = "Coaches"; +$GroupWork = "Assignments"; +$GroupCalendar = "Agenda"; +$GroupAnnouncements = "Announcements"; +$NoCategoriesDefined = "No categories defined"; +$GroupsFromClasses = "Groups from classes"; +$GroupsFromClassesInfo = "Using this option, you can create groups based on the classes subscribed to your course."; +$BackToGroupList = "Back to Groups list"; +$NewForumCreated = "A new forum has now been created"; +$NewThreadCreated = "A new forum thread has now been created"; +$AddHotpotatoes = "Add hotpotatoes"; +$HideAttemptView = "Hide attempt view"; +$ExtendAttemptView = "Extend attempt view"; +$LearnPathAddedTitle = "Welcome to the Chamilo course authoring tool !"; +$BuildComment = "Add learning objects and activities to your course"; +$BasicOverviewComment = "Add audio comments and order learning objects in the table of contents"; +$DisplayComment = "Watch the course from learner's viewpoint"; +$NewChapterComment = "Chapter 1, Chapter 2 or Week 1, Week 2..."; +$NewStepComment = "Add tests, activities and multimedia content"; +$LearnpathTitle = "Title"; +$LearnpathPrerequisites = "Prerequisites"; +$LearnpathMoveUp = "Up"; +$LearnpathMoveDown = "Down"; +$ThisItem = "this learning object"; +$LearnpathTitleAndDesc = "Name & description"; +$LearnpathChangeOrder = "Change order"; +$LearnpathAddPrereqi = "Add prerequisities"; +$LearnpathAddTitleAndDesc = "Edit name & desc."; +$LearnpathMystatus = "My progress in this course"; +$LearnpathCompstatus = "completed"; +$LearnpathIncomplete = "incomplete"; +$LearnpathPassed = "passed"; +$LearnpathFailed = "failed"; +$LearnpathPrevious = "Previous learning object"; +$LearnpathNext = "Next learning object"; +$LearnpathRestart = "Restart"; +$LearnpathThisStatus = "This learning object is now"; +$LearnpathToEnter = "To enter"; +$LearnpathFirstNeedTo = "you need first accomplish"; +$LearnpathLessonTitle = "Section name"; +$LearnpathStatus = "Status"; +$LearnpathScore = "Score"; +$LearnpathTime = "Time"; +$LearnpathVersion = "version"; +$LearnpathRestarted = "No learning object is completed."; +$LearnpathNoNext = "This is the last learning object."; +$LearnpathNoPrev = "This is the first learning object."; +$LearnpathAddLearnpath = "Create new learning path"; +$LearnpathEditLearnpath = "Edit learnpath"; +$LearnpathDeleteLearnpath = "Delete course"; +$LearnpathDoNotPublish = "do not publish"; +$LearnpathPublish = "Publish on course homepage"; +$LearnpathNotPublished = "not published"; +$LearnpathPublished = "published"; +$LearnpathEditModule = "Edit section description/name"; +$LearnpathDeleteModule = "Delete section"; +$LearnpathNoChapters = "No sectionss added yet."; +$LearnpathAddItem = "Add learning objects to this section"; +$LearnpathItemDeleted = "The learning object has been deleted"; +$LearnpathItemEdited = "The learning object has been edited"; +$LearnpathPrereqNotCompleted = "This learning object cannot display because the course prerequisites are not completed. This happens when a course imposes that you follow it step by step or get a minimum score in tests before you reach the next steps."; +$NewChapter = "Add section"; +$NewStep = "Add learning object or activity"; +$EditPrerequisites = "Edit the prerequisites of the current LO"; +$TitleManipulateChapter = "Edit section"; +$TitleManipulateModule = "Edit section"; +$TitleManipulateDocument = "Edit document"; +$TitleManipulateLink = "Edit link"; +$TitleManipulateQuiz = "Edit test structure"; +$TitleManipulateStudentPublication = "Edit assignment"; +$EnterDataNewChapter = "Adding a section to the course"; +$EnterDataNewModule = "Enter information for section"; +$CreateNewStep = "Create new rich media page"; +$NewDocument = "Rich media page / activity"; +$UseAnExistingResource = "Or use an existing resource :"; +$Position = "In table of contents"; +$NewChapterCreated = "A new section has now been created. You may continue by adding a section or step."; +$NewLinksCreated = "The new link has been created"; +$NewStudentPublicationCreated = "The new assignment has been created"; +$NewModuleCreated = "The new section has been created. You can now add a section or a learning object to it."; +$NewExerciseCreated = "The test has been added to the course"; +$ItemRemoved = "The learning object has been removed"; +$Converting = "Converting..."; +$Ppt2lpError = "Error during the conversion of PowerPoint. Please check if there are special characters in the name of your PowerPoint."; +$Build = "Build"; +$ViewModeEmbedded = "Current view mode: embedded"; +$ViewModeFullScreen = "Current view mode: fullscreen"; +$ShowDebug = "Show debug"; +$HideDebug = "Hide debug"; +$CantEditDocument = "This document is not editable"; +$After = "After"; +$LearnpathPrerequisitesLimit = "Prerequisities (limit)"; +$HotPotatoesFinished = "This HotPotatoes test has been closed."; +$CompletionLimit = "Completion limit (minimum points)"; +$PrereqToEnter = "To enter"; +$PrereqFirstNeedTo = " you need first accomplish"; +$PrereqModuleMinimum1 = "At least 1 step is missing from"; +$PrereqModuleMinimum2 = " which is set as prerequisities."; +$PrereqTestLimit1 = " you must reach minimum"; +$PrereqTestLimit2 = " points in"; +$PrereqTestLimitNow = "Now you have :"; +$LearnpathExitFullScreen = "back to normal screen"; +$LearnpathFullScreen = "full screen"; +$ItemMissing1 = "There was a"; +$ItemMissing2 = "page (step) here in the original Chamilo Learning Path."; +$NoItemSelected = "Select a learning object in the table of contents"; +$NewDocumentCreated = "The rich media page/activity has been added to the course"; +$EditCurrentChapter = "Edit the current section"; +$ditCurrentModule = "Edit the current section"; +$CreateTheDocument = "Adding a rich media page/activity to the course"; +$MoveTheCurrentDocument = "Move the current document"; +$EditTheCurrentDocument = "Edit the current document"; +$Warning = "Warning !"; +$WarningEditingDocument = "When you edit an existing document in Courses, the new version of the document will not overwrite the old version but will be saved as a new document. If you want to edit a document definitively, you can do that with the document tool."; +$CreateTheExercise = "Adding a test to the course"; +$MoveTheCurrentExercise = "Move the current test"; +$EditCurrentExecice = "Edit the current test"; +$UploadScorm = "Import SCORM course"; +$PowerPointConvert = "Chamilo RAPID"; +$LPCreatedToContinue = "To continue add a section or a learning object or activity to your course."; +$LPCreatedAddChapterStep = "

    \"practicerAnim.gif\"Welcome to the Chamilo course authoring tool !

    • Build : Add learning objects and activities to your course
    • Organize : Add audio comments and order learning objects in the table of contents
    • Display : Watch the course from learner's viewpoint
    • Add section : Chapter 1, Chapter 2 or Week 1, Week 2...
    • Add learning object or activity : activities, tests, videos, multimedia pages
    "; +$PrerequisitesAdded = "Prerequisites to the current learning object have been added."; +$AddEditPrerequisites = "Add/edit prerequisites"; +$NoDocuments = "No documents"; +$NoExercisesAvailable = "No tests available"; +$NoLinksAvailable = "No links available"; +$NoItemsInLp = "There are no learning objects in the course. Click on \"Build\" to enter authoring mode."; +$FirstPosition = "First position"; +$NewQuiz = "New test"; +$CreateTheForum = "Adding a forum to the course"; +$AddLpIntro = "Welcome to the Chamilo Course authoring tool.
    Create your courses step-by-step. The table of contents will appear to the left."; +$AddLpToStart = "To start, give a title to your course"; +$CreateTheLink = "Adding a link to the course"; +$MoveCurrentLink = "Move the current link"; +$EditCurrentLink = "Edit the current link"; +$MoveCurrentStudentPublication = "Move the current assignment"; +$EditCurrentStudentPublication = "Edit the current assignment"; +$AllowMultipleAttempts = "Allow multiple attempts"; +$PreventMultipleAttempts = "Prevent multiple attempts"; +$MakeScormRecordingExtra = "Make SCORM recordings extra"; +$MakeScormRecordingNormal = "Make SCORM recordings normal"; +$DocumentHasBeenDeleted = "The document cannot be displayed because it has been deleted"; +$EditCurrentForum = "Edit the current forum"; +$NoPrerequisites = "No prerequisites"; +$NewExercise = "New test"; +$CreateANewLink = "Create a new link"; +$CreateANewForum = "Create a new forum"; +$WoogieConversionPowerPoint = "Woogie : Word conversion"; +$WelcomeWoogieSubtitle = "MS Word to course converter"; +$WelcomeWoogieConverter = "Welcome to Woogie Rapid Learning
    • Choose a file .doc, .sxw, .odt
    • Upload it to Woogie. It will be convert to a SCORM course
    • You will then be able to add audio comments on each page and insert quizzes and other activities between pages
    "; +$WoogieError = "Error during the conversion of the word document. Please check if there are special characters in the name of your document.."; +$WordConvert = "MS Word conversion"; +$InteractionID = "Interaction ID"; +$TimeFinished = "Time (finished at...)"; +$CorrectAnswers = "Correct answers"; +$StudentResponse = "Learner answers"; +$LatencyTimeSpent = "Time spent"; +$SplitStepsPerPage = "A page, a learning object"; +$SplitStepsPerChapter = "A section, a learning object"; +$TakeSlideName = "Use the slides names as course learning object names"; +$CannotConnectToOpenOffice = "The connection to the document converter failed. Please contact your platform administrator to fix the problem."; +$OogieConversionFailed = "The conversion failed.
    Some documents are too complex to be treated automatically by the document converter.
    We try to improve it."; +$OogieUnknownError = "The conversion failed for an unknown reason.
    Please contact your administrator to get more information."; +$OogieBadExtension = "Please upload presentations only. Filename should end with .ppt or .odp"; +$WoogieBadExtension = "Please upload text documents only. Filename should end with .doc, .docx or .odt"; +$ShowAudioRecorder = "Show audio recorder"; +$SearchFeatureSearchExplanation = "To search the course database, please use the following syntax:
       term tag:tag_name -exclude +include \"exact phrase\"
    For example:
       car tag:truck -ferrari +ford \"high consumption\".
    This will show all the results for the word 'car' tagged as 'truck', not including the word 'ferrari' but including the word 'ford' and the exact phrase 'high consumption'."; +$ViewLearningPath = "View course"; +$SearchFeatureDocumentTagsIfIndexing = "Tags to add to the document, if indexing"; +$ReturnToLearningPaths = "Back to learning paths"; +$UploadMp3audio = "Upload Mp3 audio"; +$UpdateAllAudioFragments = "Add audio"; +$LeaveEmptyToKeepCurrentFile = "Leave import form empty to keep current audio file"; +$RemoveAudio = "Remove audio"; +$SaveAudio = "Validate"; +$ViewScoreChangeHistory = "View score change history"; +$ImageWillResizeMsg = "Trainer picture will resize if needed"; +$ImagePreview = "Image preview"; +$UplAlreadyExists = " already exists."; +$UplUnableToSaveFile = "The uploaded file could not be saved (perhaps a permission problem?)"; +$MoveDocument = "Move document"; +$EditLPSettings = "Edit course settings"; +$SaveLPSettings = "Save course settings"; +$ShowAllAttempts = "Show all attempts"; +$HideAllAttempts = "Hide all attempts"; +$ShowAllAttemptsByExercise = "Show all attempts by test"; +$ShowAttempt = "Show attempt"; +$ShowAndQualifyAttempt = "Show and grade attempt"; +$ModifyPrerequisites = "Save prerequisites settings"; +$CreateLearningPath = "Continue"; +$AddExercise = "Add test to course"; +$LPCreateDocument = "Add this document to the course"; +$ObjectiveID = "Objective ID"; +$ObjectiveStatus = "Objective status"; +$ObjectiveRawScore = "Objective raw score"; +$ObjectiveMaxScore = "Objective max score"; +$ObjectiveMinScore = "Objective min score"; +$LPName = "Course name"; +$AuthoringOptions = "Authoring options"; +$SaveSection = "Save section"; +$AddLinkToCourse = "Add link to course"; +$AddAssignmentToCourse = "Add assignment to course"; +$AddForumToCourse = "Add forum to course"; +$SaveAudioAndOrganization = "Save audio and organization"; +$UploadOnlyMp3Files = "Please upload mp3 files only"; +$OpenBadgesTitle = "Chamilo supports the OpenBadges standard"; +$NoPosts = "No posts"; +$WithoutAchievedSkills = "Without achieved skills"; +$TypeMessage = "Please type your message!"; +$ConfirmReset = "Do you really want to delete all messages?"; $MailCronCourseExpirationReminderBody = "Dear %s, It has come to our attention that you have not completed the course %s although its expiration date had been set on %s, remaining %s days to finish it. @@ -2650,3526 +2650,3526 @@ You can return to the course connecting to the platform through this address: %s Best Regards, -%s Team"; -$MailCronCourseExpirationReminderSubject = "Urgent: %s course expiration reminder"; -$ExerciseAndLearningPath = "Exercise and learning path"; -$LearningPathGradebookWarning = "Warning: It is possible to use, in the gradebook, tests that are part of learning paths. If the learning path itself is already included, this test might be part of the gradebook already. The learning paths evaluation is made on the basis of a progress percentage, while the evaluation on tests is made on the basis of a score. Survey evaluation is based on whether the user has answered (1) or not (0). Make sure you test your combinations of gradebook evaluations to avoid mind-blogging situations."; -$ChooseEitherDurationOrTimeLimit = "Choose either duration or time limit"; -$ClearList = "Clear the chat"; -$SessionBanner = "Session banner"; -$ShortDescription = "Short description"; -$TargetAudience = "Target audience"; -$OpenBadgesActionCall = "Convert your virtual campus to a skills-based learning experience"; -$CallSent = "Chat call has been sent. Waiting for the approval of your partner."; -$ChatDenied = "Your call has been denied by your partner."; -$Send = "Send message"; -$Connected = "Chat partners"; -$Exercice = "Test"; -$NoEx = "There is no test for the moment"; -$NewEx = "Create a new test"; -$Questions = "Questions"; -$Answers = "Answers"; -$True = "True"; -$Answer = "Answer"; -$YourResults = "Your results"; -$StudentResults = "Score"; -$ExerciseType = "Sequential"; -$ExerciseName = "Test name"; -$ExerciseDescription = "Give a context to the test"; -$SimpleExercise = "All questions on one page"; -$SequentialExercise = "One question by page"; -$RandomQuestions = "Random questions"; -$GiveExerciseName = "Please give the test name"; -$Sound = "Audio or video file"; -$DeleteSound = "Delete the audio or video file"; -$NoAnswer = "There is no answer for the moment"; -$GoBackToQuestionPool = "Go back to the question pool"; -$GoBackToQuestionList = "Go back to the questions list"; -$QuestionAnswers = "Answers to the question"; -$UsedInSeveralExercises = "Warning ! This question and its answers are used in several tests. Would you like to Edit them"; -$ModifyInAllExercises = "in all tests"; -$ModifyInThisExercise = "only in the current test"; -$AnswerType = "Answer type"; -$MultipleSelect = "Multiple answers"; -$FillBlanks = "Fill blanks or form"; -$Matching = "Matching"; -$ReplacePicture = "Replace the picture"; -$DeletePicture = "Delete picture"; -$QuestionDescription = "Enrich question"; -$GiveQuestion = "Please type the question"; -$WeightingForEachBlank = "Please enter a score for each blank"; -$UseTagForBlank = "use square brackets [...] to define one or more blanks"; -$QuestionWeighting = "Score"; -$MoreAnswers = "+answ"; -$LessAnswers = "-answ"; -$MoreElements = "+elem"; -$LessElements = "-elem"; -$TypeTextBelow = "Please type your text below"; -$DefaultTextInBlanks = "

    Example fill the form activity : calculate the Body Mass Index

    Age [25] years old
    Sex [M] (M or F)
    Weight 95 Kg
    Height 1.81 m
    Body Mass Index [29] BMI =Weight/Size2 (Cf. Wikipedia article)
    "; -$DefaultMatchingOptA = "Note down the address"; -$DefaultMatchingOptB = "Contact the emergency services"; -$DefaultMakeCorrespond1 = "First step"; -$DefaultMakeCorrespond2 = "Second step"; -$DefineOptions = "Please define the options"; -$MakeCorrespond = "Match them"; -$FillLists = "Please fill the two lists below"; -$GiveText = "Please type the text"; -$DefineBlanks = "Please define at least one blank with square brackets [...]"; -$GiveAnswers = "Please type the question's answers"; -$ChooseGoodAnswer = "Please check the correct answer"; -$ChooseGoodAnswers = "Please check one or more correct answers"; -$QuestionList = "Question list of the test"; -$GetExistingQuestion = "Recycle existing questions"; -$FinishTest = "Correct test"; -$QuestionPool = "Recycle existing questions"; -$OrphanQuestions = "Orphan questions"; -$NoQuestion = "Questions list (there is no question so far)."; -$AllExercises = "All tests"; -$GoBackToEx = "Go back to the test"; -$Reuse = "Re-use in current test"; -$ExerciseManagement = "Tests management"; -$QuestionManagement = "Question / Answer management"; -$QuestionNotFound = "Question not found"; -$ExerciseNotFound = "Test not found or not visible"; -$AlreadyAnswered = "You already answered the question"; -$ElementList = "Elements list"; -$CorrespondsTo = "Corresponds to"; -$ExpectedChoice = "Expected choice"; -$YourTotalScore = "Score for the test"; -$ReachedMaxAttemptsAdmin = "You have reached the maximum number of attempts for this test. Being a trainer, you can go on practicing but your Results will not be reported."; -$ExerciseAdded = "Exercise added"; -$EvalSet = "Assesment settings"; -$Active = "active"; -$Inactive = "inactive"; -$QuestCreate = "Create questions"; -$ExRecord = "your test has been saved"; -$BackModif = "back to the edit page of questions"; -$DoEx = "make test"; -$DefScor = "Describe assessment settings"; -$CreateModif = "Create/Edit questions"; -$Sub = "subtitle"; -$MyAnswer = "My answer"; -$MorA = "+ answer"; -$LesA = "- answer"; -$RecEx = "Save test"; -$RecQu = "Add question to test"; -$RecAns = "Save Answers"; -$Introduction = "Introduction"; -$TitleAssistant = "Assistant for the creation of tests"; -$QuesList = "questionlist"; -$SaveEx = "save tests"; -$QImage = "Question with an image"; -$AddQ = "Add a question"; -$DoAnEx = "Do an test"; -$Generator = "Test list"; -$Correct = "Correct"; -$PossAnsw = "Number of good answers for one question"; -$StudAnsw = "number of errors by the learner"; -$Determine = "Determine"; -$NonNumber = "a non numeric value"; -$Replaced = "Replaced"; -$Superior = "a value larger than 20"; -$Rep20 = "Replace 20"; -$DefComment = "previous values will be replaced by clicking the \"default values\" button"; -$ScoreGet = "black numbers = score"; -$ShowScor = "Show score to learner:"; -$Step1 = "Step 1"; -$Step2 = "Step 2"; -$ImportHotPotatoesQuiz = "Import Hotpotatoes"; -$HotPotatoesTests = "Import Hotpotatoes tests"; -$DownloadImg = "Upload Image file to the server"; -$NoImg = "Test whithout Images"; -$ImgNote_st = "
    You still have to upload"; -$ImgNote_en = " image(s) :"; -$NameNotEqual = "is not the valid file !"; -$Indice = "Index"; -$Indices = "Indexes"; -$DateExo = "Date"; -$ShowQuestion = "Show Question"; -$UnknownExercise = "Unknown Test"; -$ReuseQuestion = "Reuse the question"; -$CreateExercise = "Create test"; -$CreateQuestion = "Create a question"; -$CreateAnswers = "Create answers"; -$ModifyExercise = "Edit test name and settings"; -$ModifyAnswers = "Edit answers"; -$ForExercise = "for the test"; -$UseExistantQuestion = "Use an existing question"; -$FreeAnswer = "Open question"; -$notCorrectedYet = "This answer has not yet been corrected. Meanwhile, your score for this question is set to 0, affecting the total score."; -$adminHP = "Hot Potatoes Admin"; -$NewQu = "New question"; -$NoImage = "Please select an image"; -$AnswerHotspot = "Description and scoring are required for each hotspot - feedback is optional"; -$MinHotspot = "You have to create one (1) hotspot at least."; -$MaxHotspot = "The maximum hotspots you can create is twelve (12)."; -$HotspotError = "Please supply a description and weighing for each hotspot."; -$MoreHotspots = "Add hotspot"; -$LessHotspots = "Remove hotspot"; -$HotspotZones = "Image zones"; -$CorrectAnswer = "Correct answer"; -$HotspotHit = "Your answer was"; -$OnlyJPG = "For hotspots you can only use JPG (or JPEG) images"; -$FinishThisTest = "Show correct answers to each question and the score for the test"; -$AllQuestions = "All questions"; -$ModifyTitleDescription = "Edit title and description"; -$ModifyHotspots = "Edit answers/hotspots"; -$HotspotNotDrawn = "You haven't drawn all your hotspots yet"; -$HotspotWeightingError = "You must give a positive score for each hotspots"; -$HotspotValidateError1 = "You should answer completely to the question ("; -$HotspotValidateError2 = " click(s) required on the image) before seeing the results"; -$HotspotRequired = "Description and scoring are required for each hotspot. Feedback is optional."; -$HotspotChoose = "To create a hotspot: select a shape next to the colour, and draw the hotspot. To move a hotspot, select the colour, click another spot in the image, and draw the hotspot. To add a hotspot: click the Add hotspot button. To close a polygon shape: right click and select Close polygon."; -$Fault = "Incorrect"; -$HotSpot = "Image zones"; -$ClickNumber = "Click number"; -$HotspotGiveAnswers = "Please give an answer"; -$Addlimits = "Add limits"; -$AreYouSure = "Are you sure"; -$StudentScore = "Learner score"; -$backtoTesthome = "Back to test home"; -$MarkIsUpdated = "The grade has been updated"; -$MarkInserted = "Grade inserted"; -$PleaseGiveAMark = "Please give a grade"; -$EditCommentsAndMarks = "Edit individual feedback and grade the open question"; -$AddComments = "Add individual feedback"; -$Number = "N°"; -$Weighting = "Score"; -$ChooseQuestionType = "To create a new question, choose the type above"; -$MatchesTo = "Matches To"; -$CorrectTest = "Correct test"; -$ViewTest = "View"; -$NotAttempted = "Not attempted"; -$AddElem = "Add element"; -$DelElem = "Remove element"; -$PlusAnswer = "Add answer option"; -$LessAnswer = "Remove answer option"; -$YourScore = "Your score"; -$Attempted = "Attempted"; -$AssignMarks = "Assign a grade"; -$ExerciseStored = "Proceed by clicking on a question type, then enter the appropriate information."; -$ChooseAtLeastOneCheckbox = "Choose at least one good answer"; -$ExerciseEdited = "Test name and settings have been saved."; -$ExerciseDeleted = "The test has been deleted"; -$ClickToCommentAndGiveFeedback = "Click this link to check the answer and/or give feedback"; -$OpenQuestionsAttempted = "A learner has answered an open question"; -$AttemptDetails = "Attempt details"; -$TestAttempted = "Test attempted"; -$StudentName = "Learner name"; -$StudentEmail = "Learner email"; -$OpenQuestionsAttemptedAre = "Open question attempted is"; -$UploadJpgPicture = "Upload image (jpg, png or gif) to apply hotspots."; -$HotspotDescription = "Now click on : (...)"; -$ExamSheetVCC = "Examsheet viewed/corrected/commented by the trainer"; -$AttemptVCC = "Your following attempt has been viewed/commented/corrected by the trainer"; -$ClickLinkToViewComment = "Click the link below to access your account and view your commented Examsheet."; -$Regards = "Regards"; -$AttemptVCCLong = "You attempt for the test %s has been viewed/commented/corrected by the trainer. Click the link below to access your account and view your Examsheet."; -$DearStudentEmailIntroduction = "Dear learner,"; -$ResultsEnabled = "Results enabled for learners"; -$ResultsDisabled = "Results disabled for learners"; -$ExportWithUserFields = "Include profiling"; -$ExportWithoutUserFields = "Exclude profiling"; -$DisableResults = "Do not show results"; -$EnableResults = "Show results to learners"; -$ValidateAnswer = "Validate answers"; -$FillInBlankSwitchable = "Allow answers order switches"; -$ReachedMaxAttempts = "You cannot take test %s because you have already reached the maximum of %s attempts."; -$RandomQuestionsToDisplay = "Number of random questions to display"; -$RandomQuestionsHelp = "To randomize all questions choose 10. To disable randomization, choose \"Do not randomize\"."; -$ExerciseAttempts = "Max number of attempts"; -$DoNotRandomize = "Do not randomize"; -$Infinite = "Infinite"; -$BackToExercisesList = "Back to Tests tool"; -$NoStartDate = "No start date"; -$ExeStartTime = "Start date"; -$ExeEndTime = "End date"; -$DeleteAttempt = "Delete attempt?"; -$WithoutComment = "Without comment"; -$QuantityQuestions = "Questions"; -$FilterExercices = "Filter tests"; -$FilterByNotRevised = "Only unqualified"; -$FilterByRevised = "Only qualified"; -$ReachedTimeLimit = "Time limit reached"; -$TryAgain = "Try again"; -$SeeTheory = "Theory link"; -$EndActivity = "End of activity"; -$NoFeedback = "Exam (no feedback)"; -$DirectFeedback = "Self-evaluation (immediate feedback)"; -$FeedbackType = "Feedback"; -$Scenario = "Scenario"; -$VisitUrl = "Visit this link"; -$ExitTest = "Exit test"; -$DurationFormat = "%1 seconds"; -$Difficulty = "Difficulty"; -$NewScore = "New score"; -$NewComment = "New comment"; -$ExerciseNoStartedYet = "The test did not start yet"; -$ExerciseNoStartedAdmin = "The trainer did not allow the test to start yet"; -$SelectTargetLP = "Select target course"; -$SelectTargetQuestion = "Select target question"; -$DirectFeedbackCantModifyTypeQuestion = "The test type cannot be modified since it was set to self evaluation. Self evaluation gives you the possibility to give direct feedback to the user, but this is not compatible with all question types and, so this type quiz cannot be changed afterward."; -$CantShowResults = "Not available"; -$CantViewResults = "Can't view results"; -$ShowCorrectedOnly = "With individual feedback"; -$ShowUnCorrectedOnly = "Uncorrected results"; -$HideResultsToStudents = "Hide results"; -$ShowResultsToStudents = "Show score to learner"; -$ProcedToQuestions = "Proceed to questions"; -$AddQuestionToExercise = "Add this question to the test"; -$PresentationQuestions = "Display"; -$UniqueAnswer = "Multiple choice"; -$MultipleAnswer = "Multiple answer"; -$ReachedOneAttempt = "You can not take this test because you have already reached one attempt"; -$QuestionsPerPage = "Questions per page"; -$QuestionsPerPageOne = "One"; -$QuestionsPerPageAll = "All"; -$EditIndividualComment = "Edit individual feedback"; -$ThankYouForPassingTheTest = "Thank you for passing the test"; -$ExerciseAtTheEndOfTheTest = "At end of test"; -$EnrichQuestion = "Enrich question"; -$DefaultUniqueQuestion = "Select the good reasoning"; -$DefaultUniqueAnswer1 = "A then B then C"; -$DefaultUniqueComment1 = "Milk is the basis of many dairy products such as butter, cheese, yogurt, among other"; -$DefaultUniqueAnswer2 = "A then C then B"; -$DefaultUniqueComment2 = "Oats are one of the most comprehensive grain. By their energy and nutritional qualities has been the basis of feeding people"; -$DefaultMultipleQuestion = "The marasmus is a consequence of"; -$DefaultMultipleAnswer1 = "Lack of Calcium"; -$DefaultMultipleComment1 = "The calcium acts as a ..."; -$DefaultMultipleAnswer2 = "Lack of Vitamin A"; -$DefaultMultipleComment2 = "The Vitamin A is responsible for..."; -$DefaultFillBlankQuestion = "Calculate the Body Mass Index"; -$DefaultMathingQuestion = "Order the operations"; -$DefaultOpenQuestion = "List what you consider the 10 top qualities of a good project manager?"; -$MoreHotspotsImage = "Add/edit hotspots on the image"; -$ReachedTimeLimitAdmin = "Reached time limit admin"; -$LastScoreTest = "Last score of a exercise"; -$BackToResultList = "Back to result list"; -$EditingScoreCauseProblemsToExercisesInLP = "If you edit a question score, please remember that this Exercise was added in a Course"; -$SelectExercise = "Select exercise"; -$YouHaveToSelectATest = "You have to select a test"; -$HotspotDelineation = "Hotspot delineation"; -$CreateQuestions = "Create questions"; -$MoreOAR = "More areas at risk"; -$LessOAR = "Less areas at risk"; -$LearnerIsInformed = "This message, as well as the results table, will appear to the learner if he fails this step"; -$MinOverlap = "Minimum overlap"; -$MaxExcess = "Maximum excess"; -$MaxMissing = "Maximum missing"; -$IfNoError = "If no error"; -$LearnerHasNoMistake = "The learner made no mistake"; -$YourDelineation = "Your delineation :"; -$ResultIs = "Your result is :"; -$Overlap = "Overlapping area"; -$Missing = "Missing area"; -$Excess = "Excessive area"; -$Min = "Minimum"; -$Requirements = "Requirements"; -$OARHit = "One (or more) area at risk has been hit"; -$TooManyIterationsPleaseTryUsingMoreStraightforwardPolygons = "Too many iterations while calculating your answer. Please try drawing your delineation in a more straightforward manner"; -$Thresholds = "Thresholds"; -$Delineation = "Delineation"; -$QuestionTypeDoesNotBelongToFeedbackTypeInExercise = "Question type does not belong to feedback type in exercise"; -$Title = "Title"; -$By = "By"; -$UsersOnline = "Users online"; -$Remove = "Remove"; -$Enter = "Back to courses list"; -$Description = "Description"; -$Links = "Links"; -$Works = "Assignments"; -$Forums = "Forums"; -$GradebookListOfStudentsReports = "Students list report"; -$CreateDir = "Create folder"; -$Name = "Name"; -$Comment = "Comment"; -$Visible = "Visible"; -$NewDir = "Name of the new folder"; -$DirCr = "Folder created"; -$Download = "Download"; -$Group = "Groups"; -$Edit = "Edit"; -$GroupForum = "Group Forum"; -$Language = "Language"; -$LoginName = "Login"; -$AutostartMp3 = "Do you want audio file to START automatically?"; -$Assignments = "Assignments"; -$Forum = "Forum"; -$DelImage = "Remove picture"; -$Code = "Course code"; -$Up = "Up"; -$Down = "down"; -$TimeReportForCourseX = "Time report for course %s"; -$Theme = "Graphical theme"; -$TheListIsEmpty = "Empty"; -$UniqueSelect = "Multiple choice"; -$CreateCategory = "Create category"; -$SendFile = "Upload document"; -$SaveChanges = "Save changes"; -$SearchTerm = "Search term"; -$TooShort = "Too short"; -$CourseCreate = "Create a course"; -$Todo = "To do"; -$UserName = "Username"; -$TimeReportIncludingAllCoursesAndSessionsByTeacher = "Time report including all courses and sessions, by teacher"; -$CategoryMod = "Edit Category"; -$Hide = "Hide"; -$Dear = "Dear"; -$Archive = "archive"; -$CourseCode = "Code"; -$NoDescription = "No description"; -$OfficialCode = "Code"; -$FirstName = "First name"; -$LastName = "Last name"; -$Status = "Status"; -$Email = "e-mail"; -$SlideshowConversion = "Slideshow conversion"; -$UploadFile = "File upload"; -$AvailableFrom = "Available from"; -$AvailableTill = "Until"; -$Preview = "Preview"; -$Type = "Type"; -$EmailAddress = "Email address"; -$Organisation = "Company"; -$Reporting = "Reporting"; -$Update = "Update"; -$SelectQuestionType = "Select question type"; -$CurrentCourse = "Current course"; -$Back = "Back"; -$Info = "Information"; -$Search = "Search"; -$AdvancedSearch = "Advanced search"; -$Open = "Open"; -$Import = "Import"; -$AddAnother = "Add another"; -$Author = "Author"; -$TrueFalse = "True / False"; -$QuestionType = "Question type"; -$NoSearchResults = "No search results"; -$SelectQuestion = "Select question"; -$AddNewQuestionType = "Add new question type"; -$Numbered = "Numbered"; -$iso639_2_code = "en"; -$iso639_1_code = "eng"; -$charset = "iso-8859-1"; -$text_dir = "ltr"; -$left_font_family = "verdana, helvetica, arial, geneva, sans-serif"; -$right_font_family = "helvetica, arial, geneva, sans-serif"; -$number_thousands_separator = ","; -$number_decimal_separator = "."; -$dateFormatShort = "%b %d, %Y"; -$dateFormatLong = "%A %B %d, %Y"; -$dateTimeFormatLong = "%B %d, %Y at %I:%M %p"; -$timeNoSecFormat = "%I:%M %p"; -$Yes = "Yes"; -$No = "No"; -$Next = "Next"; -$Allowed = "Allowed"; -$BackHome = "Back to Home Page of"; -$Propositions = "Proposals for an improvement of"; -$Maj = "Update"; -$Modify = "Edit"; -$Invisible = "invisible"; -$Save = "Save"; -$Move = "Move"; -$Help = "Help"; -$Ok = "Validate"; -$Add = "Add"; -$AddIntro = "Add an introduction text"; -$BackList = "Return to the list"; -$Text = "Text"; -$Empty = "You left some fields empty.
    Use the Back button on your browser and try again.
    If you ignore your training code, see the Training Program"; -$ConfirmYourChoice = "Please confirm your choice"; -$And = "and"; -$Choice = "Your choice"; -$Finish = "Quit test"; -$Cancel = "Cancel"; -$NotAllowed = "You are not allowed to see this page. Either your connection has expired or you are trying to access a page for which you do not have the sufficient privileges."; -$NotLogged = "You are not logged in"; -$Manager = "Administrator"; -$Optional = "Optional"; -$NextPage = "Next page"; -$PreviousPage = "Previous page"; -$Use = "Use"; -$Total = "Total"; -$Take = "take"; -$One = "One"; -$Several = "Several"; -$Notice = "Notice"; -$Date = "Date"; -$Among = "among"; -$Show = "Show"; -$MyCourses = "My courses"; -$ModifyProfile = "Profile"; -$MyStats = "View my progress"; -$Logout = "Logout"; -$MyAgenda = "Personal agenda"; -$CourseHomepage = "Course home"; -$SwitchToTeacherView = "Switch to teacher view"; -$SwitchToStudentView = "Switch to student view"; -$AddResource = "Add it"; -$AddedResources = "Attachments"; -$TimeReportForTeacherX = "Time report for teacher %s"; -$TotalTime = "Total time"; -$NameOfLang['arabic'] = "arabic"; -$NameOfLang['brazilian'] = "brazilian"; -$NameOfLang['bulgarian'] = "bulgarian"; -$NameOfLang['catalan'] = "catalan"; -$NameOfLang['croatian'] = "croatian"; -$NameOfLang['danish'] = "danish"; -$NameOfLang['dutch'] = "dutch"; -$NameOfLang['english'] = "english"; -$NameOfLang['finnish'] = "finnish"; -$NameOfLang['french'] = "french"; -$NameOfLang['french_corporate'] = "french_corporate"; -$NameOfLang['french_KM'] = "french_KM"; -$NameOfLang['galician'] = "galician"; -$NameOfLang['german'] = "german"; -$NameOfLang['greek'] = "greek"; -$NameOfLang['italian'] = "italian"; -$NameOfLang['japanese'] = "japanese"; -$NameOfLang['polish'] = "polish"; -$NameOfLang['portuguese'] = "portuguese"; -$NameOfLang['russian'] = "russian"; -$NameOfLang['simpl_chinese'] = "simpl_chinese"; -$NameOfLang['spanish'] = "spanish"; -$Close = "Close"; -$Platform = "Portal"; -$localLangName = "language"; -$email = "e-mail"; -$CourseCodeAlreadyExists = "Sorry, but that course code already exists. Please choose another one."; -$Statistics = "Statistics"; -$GroupList = "Groups list"; -$Previous = "Previous"; -$DestDirectoryDoesntExist = "The target folder does not exist"; -$Courses = "Courses"; -$In = "in"; -$ShowAll = "Show all"; -$Page = "Page"; -$englishLangName = "English"; -$Home = "Home"; -$AreYouSureToDelete = "Are you sure you want to delete"; -$SelectAll = "Select all"; -$UnSelectAll = "Unselect all"; -$WithSelected = "With selected"; -$OnLine = "Online"; -$Users = "Users"; -$PlatformAdmin = "Administration"; -$NameOfLang['hungarian'] = "hungarian"; -$NameOfLang['indonesian'] = "indonesian"; -$NameOfLang['malay'] = "malay"; -$NameOfLang['slovenian'] = "slovenian"; -$NameOfLang['spanish_latin'] = "spanish_latin"; -$NameOfLang['swedish'] = "swedisch"; -$NameOfLang['thai'] = "thai"; -$NameOfLang['turkce'] = "turkish"; -$NameOfLang['vietnamese'] = "vietnamese"; -$UserInfo = "user information"; -$ModifyQuestion = "Save the question"; -$Example = "Example"; -$CheckAll = "Check all"; -$NbAnnoucement = "Announcement"; -$DisplayCertificate = "Display certificate"; -$Doc = "Document"; -$PlataformAdmin = "Portal Admin"; -$Groups = "Groups"; -$GroupManagement = "Groups management"; -$All = "All"; -$None = "none"; -$Sorry = "First select a course"; -$Denied = "This function is only available to trainers"; -$Today = "Today"; -$CourseHomepageLink = "Course home"; -$Attachment = "attachment"; -$User = "User"; -$MondayInit = "M"; -$TuesdayInit = "T"; -$WednesdayInit = "W"; -$ThursdayInit = "T"; -$FridayInit = "F"; -$SaturdayInit = "S"; -$SundayInit = "S"; -$MondayShort = "Mon"; -$TuesdayShort = "Tue"; -$WednesdayShort = "Wed"; -$ThursdayShort = "Thu"; -$FridayShort = "Fri"; -$SaturdayShort = "Sat"; -$SundayShort = "Sun"; -$MondayLong = "Monday"; -$TuesdayLong = "Tuesday"; -$WednesdayLong = "Wednesday"; -$ThursdayLong = "Thursday"; -$FridayLong = "Friday"; -$SaturdayLong = "Saturday"; -$SundayLong = "Sunday"; -$JanuaryInit = "J"; -$FebruaryInit = "F"; -$MarchInit = "M"; -$AprilInit = "A"; -$MayInit = "M"; -$JuneInit = "J"; -$JulyInit = "J"; -$AugustInit = "A"; -$SeptemberInit = "S"; -$OctoberInit = "O"; -$NovemberInit = "N"; -$DecemberInit = "D"; -$JanuaryShort = "Jan"; -$FebruaryShort = "Feb"; -$MarchShort = "Mar"; -$AprilShort = "Apr"; -$MayShort = "May"; -$JuneShort = "Jun"; -$JulyShort = "Jul"; -$AugustShort = "Aug"; -$SeptemberShort = "Sep"; -$OctoberShort = "Oct"; -$NovemberShort = "Nov"; -$DecemberShort = "Dec"; -$JanuaryLong = "January"; -$FebruaryLong = "February"; -$MarchLong = "March"; -$AprilLong = "April"; -$MayLong = "May"; -$JuneLong = "June"; -$JulyLong = "July"; -$AugustLong = "August"; -$SeptemberLong = "September"; -$OctoberLong = "October"; -$NovemberLong = "November"; -$DecemberLong = "December"; -$MyCompetences = "My competences"; -$MyDiplomas = "My diplomas"; -$MyPersonalOpenArea = "My personal open area"; -$MyTeach = "What I am able to teach"; -$Agenda = "Agenda"; -$HourShort = "h"; -$PleaseTryAgain = "Please Try Again!"; -$UplNoFileUploaded = "No file was uploaded."; -$UplSelectFileFirst = "Please select a file before pressing the upload button."; -$UplNotAZip = "The file you selected was not a zip file."; -$UplUploadSucceeded = "File upload succeeded!"; -$ExportAsCSV = "CSV export"; -$ExportAsXLS = "Excel export"; -$Openarea = "Personal area"; -$Done = "Done"; -$Documents = "Documents"; -$DocumentAdded = "Document added"; -$DocumentUpdated = "Document updated"; -$DocumentInFolderUpdated = "Document updated in folder"; -$Course_description = "Description"; -$Average = "Average"; -$Document = "Document"; -$Learnpath = "Courses"; -$Link = "Links"; -$Announcement = "Announcements"; -$Dropbox = "Dropbox"; -$Quiz = "Tests"; -$Chat = "Chat"; -$Conference = "Conference"; -$Student_publication = "Assignments"; -$Tracking = "Reporting"; -$homepage_link = "Add link to this page"; -$Course_setting = "Settings"; -$Backup = "Backup and import"; -$copy_course_content = "Copy this course's content"; -$recycle_course = "Empty this course"; -$StartDate = "Start Date"; -$EndDate = "End Date"; -$StartTime = "Start Time"; -$EndTime = "End Time"; -$YouWereCalled = "You were invited to chat with"; -$DoYouAccept = "Do you accept it ?"; -$Everybody = "All"; -$SentTo = "Visible to"; -$Export = "Export"; -$Tools = "Modules"; -$Everyone = "Everyone"; -$SelectGroupsUsers = "Select groups/users"; -$Student = "Learner"; -$Teacher = "Trainer"; -$Send2All = "You did not select a user / group. The announcement is visible for every learner"; -$Wiki = "Group wiki"; -$Complete = "Complete"; -$Incomplete = "Incomplete"; -$reservation = "Book resource"; -$StartTimeWindow = "Start"; -$EndTimeWindow = "End"; -$AccessNotAllowed = "The access to this page is not allowed"; -$InThisCourse = "in this course"; -$ThisFieldIsRequired = "required field"; -$AllowedHTMLTags = "Allowed HTML tags"; -$FormHasErrorsPleaseComplete = "The form contains incorrect or incomplete data. Please check your input."; -$StartDateShouldBeBeforeEndDate = "The first date should be before the end date"; -$InvalidDate = "Invalid date"; -$OnlyLettersAndNumbersAllowed = "Only letters and numbers allowed"; -$BasicOverview = "Organize"; -$CourseAdminRole = "Course admin"; -$UserRole = "Role"; -$OnlyImagesAllowed = "Only PNG, JPG or GIF images allowed"; -$ViewRight = "View"; -$EditRight = "Edit"; -$DeleteRight = "Delete"; -$OverviewCourseRights = "Roles & rights overview"; -$SeeAllRightsAllLocationsForSpecificRole = "Focus on role"; -$SeeAllRolesAllLocationsForSpecificRight = "Focus on right"; -$Advanced = "Authoring"; -$RightValueModified = "The value has been modified."; -$course_rights = "Roles & rights overview"; -$Visio_conference = "Virtual meeting"; -$CourseAdminRoleDescription = "Teacher"; -$MoveTo = "Move to"; -$Delete = "Delete"; -$MoveFileTo = "Move file to"; -$TimeReportForSessionX = "Time report for session %s"; -$Error = "Error"; -$Anonymous = "Anonymous"; -$h = "h"; -$CreateNewGlobalRole = "Create new global role"; -$CreateNewLocalRole = "Create new local role"; -$Actions = "Detail"; -$Inbox = "Inbox"; -$ComposeMessage = "Compose message"; -$Other = "Other"; -$AddRight = "Add"; -$CampusHomepage = "Homepage"; -$YouHaveNewMessage = "You have a new message!"; -$myActiveSessions = "My active Sessions"; -$myInactiveSessions = "My inactive sessions"; -$FileUpload = "File upload"; -$MyActiveSessions = "My active Sessions"; -$MyInActiveSessions = "My inactive sessions"; -$MySpace = "Reporting"; -$ExtensionActivedButNotYetOperational = "This extension has been actived but can't be operational for the moment."; -$MyStudents = "My learners"; -$Progress = "Progress"; -$Or = "or"; -$Uploading = "Uploading..."; -$AccountExpired = "Account expired"; -$AccountInactive = "Account inactive"; -$ActionNotAllowed = "Action not allowed"; -$SubTitle = "Sub-title"; -$NoResourcesToRecycle = "No resource to recycle"; -$noOpen = "Could not open"; -$TempsFrequentation = "Frequentation time"; -$Progression = "Progress"; -$NoCourse = "This course could not be found"; -$Teachers = "Trainers"; -$Session = "Session"; -$Sessions = "Course sessions"; -$NoSession = "The session could not be found"; -$NoStudent = "The learner could not be found"; -$Students = "Learners"; -$NoResults = "No results found"; -$Tutors = "Coaches"; -$Tel = "Tel"; -$NoTel = "No tel"; -$SendMail = "Send mail"; -$RdvAgenda = "Agenda appointment"; -$VideoConf = "Chamilo LIVE"; -$MyProgress = "Progress"; -$NoOnlineStudents = "Nobody online"; -$InCourse = "In course"; -$UserOnlineListSession = "Users online - In my training sessions"; -$From = "From"; -$To = "To"; -$Content = "Content"; -$Year = "year"; -$Years = "years"; -$Day = "Day"; -$Days = "days"; -$PleaseStandBy = "Please stand by..."; -$AvailableUntil = "Until"; -$HourMinuteDivider = "h"; -$Visio_classroom = "Virtual classroom"; -$Survey = "Survey"; -$More = "More"; -$ClickHere = "Click here"; -$Here = "here"; -$SaveQuestion = "Save question"; -$ReturnTo = "You can now return to the"; -$Horizontal = "Horizontal"; -$Vertical = "Vertical"; -$DisplaySearchResults = "Display search results"; -$DisplayAll = "Display all"; -$File_upload = "File upload"; -$NoUsersInCourse = "No users in course"; -$Percentage = "Percentage"; -$Information = "Information"; -$EmailDestination = "Receiver"; -$SendEmail = "Send email"; -$EmailTitle = "Subject"; -$EmailText = "Email content"; -$Comments = "Comments"; -$ModifyRecipientList = "Edit recipient list"; -$Line = "Line"; -$NoLinkVisited = "No link visited"; -$NoDocumentDownloaded = "No document downloaded"; -$Clicks = "clicks"; -$SearchResults = "Search results"; -$SessionPast = "Past"; -$SessionActive = "Active"; -$SessionFuture = "Not yet begun"; -$DateFormatLongWithoutDay = "%B %d, %Y"; -$InvalidDirectoryPleaseCreateAnImagesFolder = "Invalid folder: Please create a folder with the name images in your documents tool so that the images can be uploaded in this folder"; -$UsersConnectedToMySessions = "Online in my sessions"; -$Category = "Category"; -$DearUser = "Dear user"; -$YourRegistrationData = "Your registration data"; -$ResetLink = "Click here to recover your password"; -$VisibilityChanged = "The visibility has been changed."; -$MainNavigation = "Main navigation"; -$SeeDetail = "See detail"; -$GroupSingle = "Group"; -$PleaseLoginAgainFromHomepage = "Please try to login again from the homepage"; -$PleaseLoginAgainFromFormBelow = "Please try to login again using the form below"; -$AccessToFaq = "Access to the Frequently Asked Questions"; -$Faq = "Frequently Asked Question"; -$RemindInactivesLearnersSince = "Remind learners inactive since"; -$RemindInactiveLearnersMailSubject = "Inactivity on %s"; -$RemindInactiveLearnersMailContent = "Dear user,

    you are not active on %s since more than %s days."; -$OpenIdAuthentication = "OpenID authentication"; -$UploadMaxSize = "Upload max size"; -$Unknown = "Unknown"; -$MoveUp = "Move up"; -$MoveDown = "Move down"; -$UplUnableToSaveFileFilteredExtension = "File upload failed: this file extension or file type is prohibited"; -$OpenIDURL = "OpenID URL"; -$UplFileTooBig = "The file is too big to upload."; -$UplGenericError = "The file you uploaded was not received succesfully. Please try again later or contact the administrator of this portal."; -$MyGradebook = "Assessments"; -$Gradebook = "Assessments"; -$OpenIDWhatIs = "What is OpenID?"; -$OpenIDDescription = "OpenID eliminates the need for multiple logins across different websites, simplifying your online experience. You get to choose the OpenID Provider that best meets your needs and most importantly that you trust. At the same time, your OpenID can stay with you, no matter which Provider you move to. And best of all, the OpenID technology is not proprietary and is completely free.For businesses, this means a lower cost of password and account management, while drawing new web traffic. OpenID lowers user frustration by letting users have control of their login.

    Read on..."; -$NoManager = "No administrator"; -$ExportiCal = "iCal export"; -$ExportiCalPublic = "Export in iCal format as public event"; -$ExportiCalPrivate = "Export in iCal format as private event"; -$ExportiCalConfidential = "Export in iCal format as confidential event"; -$MoreStats = "More stats"; -$Drh = "Human Resources Manager"; -$MinDecade = "decade"; -$MinYear = "year"; -$MinMonth = "month"; -$MinWeek = "week"; -$MinDay = "day"; -$MinHour = "hour"; -$MinMinute = "minute"; -$MinDecades = "decades"; -$MinYears = "years"; -$MinMonths = "months"; -$MinWeeks = "weeks"; -$MinDays = "days"; -$MinHours = "hours"; -$MinMinutes = "minutes"; -$HomeDirectory = "Home"; -$DocumentCreated = "Documented created"; -$ForumAdded = "The forum has been added"; -$ForumThreadAdded = "Forum thread added"; -$ForumAttachmentAdded = "Forum attachment added"; -$directory = "directory"; -$Directories = "directories"; -$UserAge = "Age"; -$UserBirthday = "Birthday"; -$Course = "Course"; -$FilesUpload = "documents"; -$ExerciseFinished = "Test Finished"; -$UserSex = "Sex"; -$UserNativeLanguage = "Native language"; -$UserResidenceCountry = "Country of residence"; -$AddAnAttachment = "Add attachment"; -$FileComment = "File comment"; -$FileName = "Filename"; -$SessionsAdmin = "Sessions administrator"; -$MakeChangeable = "Make changeable"; -$MakeUnchangeable = "Make unchangeable"; -$UserFields = "Profile attributes"; -$FieldShown = "The field is now visible for the user."; -$CannotShowField = "Cannot make the field visible."; -$FieldHidden = "The field is now invisible for the user."; -$CannotHideField = "Cannot make the field invisible"; -$FieldMadeChangeable = "The field is now changeable by the user: the user can now fill or edit the field"; -$CannotMakeFieldChangeable = "The field can not be made changeable."; -$FieldMadeUnchangeable = "The field is now made unchangeable: the user cannot fill or edit the field."; -$CannotMakeFieldUnchangeable = "The field cannot be made unchangeable"; -$Folder = "Folder"; -$CloseOtherSession = "The chat is not available because another course has been opened in another page. To avoid this, please make sure you remain inside the same course for the duration of your chat session. To join the chat session again, please re-launch the chat from the course homepage."; -$FileUploadSucces = "The file has successfully been uploaded."; -$Yesterday = "Yesterday"; -$Submit = "Submit"; -$Department = "Department"; -$BackToNewSearch = "Back to start new search"; -$Step = "Step"; -$SomethingFemininAddedSuccessfully = "added successfully"; -$SomethingMasculinAddedSuccessfully = "added successfully"; -$DeleteError = "Delete error"; -$StepsList = "Steps list"; -$AddStep = "Add step"; -$StepCode = "Step code"; -$Label = "Label"; -$UnableToConnectTo = "Unable to connect to"; -$NoUser = "No user"; -$SearchResultsFor = "Search results for:"; -$SelectFile = "Select a file"; -$WarningFaqFileNonWriteable = "Warning - The FAQ file, located in the /home/ directory of your portal, is not writable. Your text will not be saved until the file permissions are changed."; -$AddCategory = "Add category"; -$NoExercises = "No tests"; -$NotAllowedClickBack = "Sorry, you are not allowed to access this page, or maybe your connection has expired. Please click your browser's \"Back\" button or follow the link below to return to the previous page."; -$Exercise = "Test"; -$Result = "Result"; -$AttemptingToLoginAs = "Attempting to login as %s %s (id %s)"; -$LoginSuccessfulGoToX = "Login successful. Go to %s"; -$FckMp3Autostart = "Start audio automatically"; -$Learner = "Learner"; -$IntroductionTextUpdated = "Intro was updated"; -$Align = "Align"; -$Width = "Width"; -$VSpace = "V Space"; -$HSpace = "H Space"; -$Border = "Border"; -$Alt = "Alt"; -$Height = "Height"; -$ImageManager = "Image manager"; -$ImageFile = "Image File"; -$ConstrainProportions = "Constrain proportions"; -$InsertImage = "Insert image"; -$AccountActive = "Account active"; -$GroupSpace = "Group area"; -$GroupWiki = "Wiki"; -$ExportToPDF = "Export to PDF"; -$CommentAdded = "You comment has been added"; -$BackToPreviousPage = "Back to previous page"; -$ListView = "List view"; -$NoOfficialCode = "No code"; -$Owner = "Owner"; -$DisplayOrder = "Display order"; -$SearchFeatureDoIndexDocument = "Index document text?"; -$SearchFeatureDocumentLanguage = "Document language for indexation"; -$With = "with"; -$GeneralCoach = "General coach"; -$SaveDocument = "Save document"; -$CategoryDeleted = "The category has been deleted."; -$CategoryAdded = "Category added"; -$IP = "IP"; -$Qualify = "Grade activity"; -$Words = "Words"; -$GoBack = "Go back"; -$Details = "Details"; -$EditLink = "Edit link"; -$LinkEdited = "Assessment edited"; -$ForumThreads = "Forum threads"; -$GradebookVisible = "Visible"; -$GradebookInvisible = "Invisible"; -$Phone = "Phone"; -$InfoMessage = "Information message"; -$ConfirmationMessage = "Confirmation message"; -$WarningMessage = "Warning message"; -$ErrorMessage = "Error message"; -$Glossary = "Glossary"; -$Coach = "Coach"; -$Condition = "Condition"; -$CourseSettings = "Course settings"; -$EmailNotifications = "Email notifications"; -$UserRights = "User rights"; -$Theming = "Graphical theme"; -$Qualification = "Score"; -$OnlyNumbers = "Only numbers"; -$ReorderOptions = "Reorder options"; -$EditUserFields = "Edit user fields"; -$OptionText = "Text"; -$FieldTypeDoubleSelect = "Double select"; -$FieldTypeDivider = "Visual divider"; -$ScormUnknownPackageFormat = "Unknown package format"; -$ResourceDeleted = "The resource has been deleted"; -$AdvancedParameters = "Advanced settings"; -$GoTo = "Go to"; -$SessionNameAndCourseTitle = "Session and course name"; -$CreationDate = "Creation date"; -$LastUpdateDate = "Latest update"; -$ViewHistoryChange = "View changes history"; -$NameOfLang['asturian'] = "asturian"; -$SearchGoToLearningPath = "Go to course"; -$SearchLectureLibrary = "Lectures library"; -$SearchImagePreview = "Preview image"; -$SearchAdvancedOptions = "Advanced search options"; -$SearchResetKeywords = "Reset keywords"; -$SearchKeywords = "Keywords"; -$IntroductionTextDeleted = "Intro was deleted"; -$SearchKeywordsHelpTitle = "Keywords search help"; -$SearchKeywordsHelpComment = "Select keywords in one or more fields and click the search button.

    To select more than one keyword in a field, use Ctrl+click."; -$Validate = "Validate"; -$SearchCombineSearchWith = "Combine keywords with"; -$SearchFeatureNotEnabledComment = "The full-text search feature is not enabled in Chamilo. Please contact the Chamilo administrator."; -$Top = "Top"; -$YourTextHere = "Your text here"; -$OrderBy = "Order by"; -$Notebook = "Notebook"; -$FieldRequired = "Mandatory field"; -$BookingSystem = "Booking system"; -$Any = "Any"; -$SpecificSearchFields = "Specific search fields"; -$SpecificSearchFieldsIntro = "Here you can define the fields you want to use for indexing content. When you are indexing one element you should add one or many terms on each field separated by comas."; -$AddSpecificSearchField = "Add a specific search field"; -$SaveSettings = "Save settings"; -$NoParticipation = "There are no participants"; -$Subscribers = "Subscribers"; -$Accept = "Accept"; -$Reserved = "Reserved"; -$SharedDocumentsDirectory = "Shared documents folder"; -$Gallery = "Gallery"; -$Audio = "Audio"; -$GoToQuestion = "Go to question"; -$Level = "Level"; -$Duration = "Duration"; -$SearchPrefilterPrefix = "Specific Field for prefilter"; -$SearchPrefilterPrefixComment = "This option let you choose the Specific field to use on prefilter search type."; -$MaxTimeAllowed = "Max. time (minutes)"; -$Class = "Class"; -$Select = "Select"; -$Booking = "Booking"; -$ManageReservations = "Booking"; -$DestinationUsers = "Destination users"; -$AttachmentFileDeleteSuccess = "The attached file has been deleted"; -$AccountURLInactive = "Account inactive for this URL"; -$MaxFileSize = "Maximum file size"; -$SendFileError = "An error has been detected while receiving your file. Please check your file is not corrupted and try again."; -$Expired = "Expired"; -$InvitationHasBeenSent = "The invitation has been sent"; -$InvitationHasBeenNotSent = "The invitation hasn't been sent"; -$Outbox = "Outbox"; -$Overview = "Overview"; -$ApiKeys = "API keys"; -$GenerateApiKey = "Generate API key"; -$MyApiKey = "My API key"; -$DateSend = "Date sent"; -$Deny = "Deny"; -$ThereIsNotQualifiedLearners = "There are no qualified learners"; -$ThereIsNotUnqualifiedLearners = "There are no unqualified learners"; -$SocialNetwork = "Social network"; -$BackToOutbox = "Back to outbox"; -$Invitation = "Invitation"; -$SeeMoreOptions = "See more options"; -$TemplatePreview = "Template preview"; -$NoTemplatePreview = "Preview not available"; -$ModifyCategory = "Edit category"; -$Photo = "Photo"; -$MoveFile = "Move the file"; -$Filter = "Filter"; -$Subject = "Subject"; -$Message = "Message"; -$MoreInformation = "More information"; -$MakeInvisible = "Make invisible"; -$MakeVisible = "Make Visible"; -$Image = "Image"; -$SaveIntroText = "Save intro text"; -$CourseName = "Course name"; -$SendAMessage = "Send a message"; -$Menu = "Menu"; -$BackToUserList = "Back to user list"; -$GraphicNotAvailable = "Graphic not available"; -$BackTo = "Back to"; -$HistoryTrainingSessions = "Courses history"; -$ConversionFailled = "Conversion failled"; -$AlreadyExists = "Already exists"; -$TheNewWordHasBeenAdded = "The new word has been added"; -$CommentErrorExportDocument = "Some of the documents are too complex to be treated automatically by the document converter"; -$YourGradebookFirstNeedsACertificateInOrderToBeLinkedToASkill = "Your gradebook first needs a certificate in order to be linked to a skill"; -$DataType = "Data type"; -$Value = "Value"; -$System = "System"; -$ImportantActivities = "Important activities"; -$SearchActivities = "Search for specific activities"; -$Parent = "Parent"; -$SurveyAdded = "Survey added"; -$WikiAdded = "Wiki added"; -$ReadOnly = "Read only"; -$Unacceptable = "Unacceptable"; -$DisplayTrainingList = "Display courses list"; -$HistoryTrainingSession = "Courses history"; -$Until = "Until"; -$FirstPage = "First page"; -$LastPage = "Last page"; -$Coachs = "Coachs"; -$ModifyEvaluation = "Save assessment"; -$CreateLink = "Add this learning activity to the assessment"; -$AddResultNoStudents = "There are no learners to add results for"; -$ScoreEdit = "Skills ranking"; -$ScoreColor = "Competence thresholds colouring"; -$ScoringSystem = "Skills ranking"; -$EnableScoreColor = "Enable Competence thresholds"; -$Below = "Below"; -$WillColorRed = "The mark will be coloured in red"; -$EnableScoringSystem = "Enable skills ranking"; -$IncludeUpperLimit = "Include upper limit (e.g. 0-20 includes 20)"; -$ScoreInfo = "Score info"; -$Between = "Between"; -$CurrentCategory = "Current course"; -$RootCat = "Main folder"; -$NewCategory = "New category"; -$NewEvaluation = "Add classroom activity"; -$Weight = "Weight"; -$PickACourse = "Pick a course"; -$CourseIndependent = "Independent from course"; -$CourseIndependentEvaluation = "Course independent evaluation"; -$EvaluationName = "Assessment"; -$DateEval = "Evaluation date"; -$AddUserToEval = "Add users to evaluation"; -$NewSubCategory = "New sub-category"; -$MakeLink = "Add online activity"; -$DeleteSelected = "Delete selected"; -$SetVisible = "Set visible"; -$SetInvisible = "Set invisible"; -$ChooseLink = "Choose type of activity to assess"; -$LMSDropbox = "Dropbox"; -$ChooseExercise = "Choose test"; -$AddResult = "Grade learners"; -$BackToOverview = "Back to folder view"; -$ExportPDF = "Export to PDF"; -$ChooseOrientation = "Choose orientation"; -$Portrait = "Portrait"; -$Landscape = "Landscape"; -$FilterCategory = "Filter category"; -$ScoringUpdated = "Skills ranking updated"; -$CertificateWCertifiesStudentXFinishedCourseYWithGradeZ = "%s certifies that\n\n %s \n\nhas successfully completed the course \n\n '%s' \n\nwith a grade of\n\n '%s'"; -$CertificateMinScore = "Minimum certification score"; -$InViMod = "Assessment made invisible"; -$ViewResult = "Assessment details"; -$NoResultsInEvaluation = "No results in evaluation for now"; -$AddStudent = "Add learners"; -$ImportResult = "Import marks"; -$ImportFileLocation = "Import marks in an assessment"; -$FileType = "File type"; -$ExampleCSVFile = "Example CSV file"; -$ExampleXMLFile = "Example XML file"; -$OverwriteScores = "Overwrite scores"; -$IgnoreErrors = "Ignore errors"; -$ItemsVisible = "The resources became visible"; -$ItemsInVisible = "The resources became invisible"; -$NoItemsSelected = "No resource selected"; -$DeletedCategories = "Deleted categories"; -$DeletedEvaluations = "Deleted evaluations"; -$DeletedLinks = "Deleted links"; -$TotalItems = "Total resources"; -$EditEvaluation = "Edit evaluation"; -$DeleteResult = "Delete marks"; -$Display = "Ranking"; -$ViewStatistics = "Graphical view"; -$ResultAdded = "Result added"; -$EvaluationStatistics = "Evaluation statistics"; -$ExportResult = "PDF Report"; -$EditResult = "Grade learners"; -$GradebookWelcomeMessage = "Welcome to the Assessments tool. This tool allows you to assess competences in your organization. Generate Competences Reports by merging the score of various learning activities including classroom and online activities. This will typically fit in a blended learning environment."; -$CreateAllCat = "Create all the courses categories"; -$AddAllCat = "Added all categories"; -$StatsStudent = "Statistics of"; -$Results = "Results and feedback"; -$Certificates = "Certificates"; -$Certificate = "Certificate"; -$ChooseUser = "Choose users for this evaluation"; -$ResultEdited = "Result edited"; -$ChooseFormat = "PDF report"; -$OutputFileType = "Output file type"; -$OverMax = "Value exceeds score."; -$MoreInfo = "More info"; -$ResultsPerUser = "Results per user"; -$TotalUser = "Total for user"; -$AverageTotal = "Average total"; -$Evaluation = "Score"; -$EvaluationAverage = "Assessment average"; -$EditAllWeights = "Weight in Report"; -$GradebookQualificationTotal = "Total"; -$GradebookEvaluationDeleted = "Assessment deleted"; -$GradebookQualifyLog = "Assessment history"; -$GradebookNameLog = "Assessment name"; -$GradebookDescriptionLog = "Assessment description"; -$GradebookVisibilityLog = "Assessment visibility"; -$ResourceType = "Category"; -$GradebookWhoChangedItLog = "Who changed it"; -$EvaluationEdited = "The evaluation has been succesfully edited"; -$CategoryEdited = "Category updated"; -$IncorrectData = "Incorrect data"; -$Resource = "Assessment"; -$PleaseEnableScoringSystem = "Please enable Skills ranking"; -$AllResultDeleted = "All results have been removed"; -$ImportNoFile = "There is no file to import"; -$ProblemUploadingFile = "There was a problem sending your file. Nothing has been received."; -$AllResultsEdited = "All results have been edited"; -$UserInfoDoesNotMatch = "The user info doesn't match."; -$ScoreDoesNotMatch = "The score doesn't match"; -$FileUploadComplete = "File upload successfull"; -$NoResultsAvailable = "No results available"; -$CannotChangeTheMaxNote = "Cannot change the score"; -$GradebookWeightUpdated = "Weights updated successfully"; -$ChooseItem = "Choose activity to assess"; -$AverageResultsVsResource = "Average results vs resource"; -$ToViewGraphScoreRuleMustBeEnabled = "To view graph score rule must be enabled"; -$GradebookPreviousWeight = "Previous weight of resource"; -$AddAssessment = "Add this classroom activity to the assessment"; -$FolderView = "Assessment home"; -$GradebookSkillsRanking = "Skills ranking"; -$SaveScoringRules = "Save weights in report"; -$AttachCertificate = "Attach certificate"; -$GradebookSeeListOfStudentsCertificates = "See list of learner certificates"; -$CreateCertificate = "Create certificate"; -$UploadCertificate = "Upload certificate"; -$CertificateName = "Certificate name"; -$CertificateOverview = "Certificate overview"; -$CreateCertificateWithTags = "Create certificate with this tags"; -$ViewPresenceSheets = "View presence sheets"; -$ViewEvaluations = "View evaluations"; -$NewPresenceSheet = "New presence sheet"; -$NewPresenceStep1 = "New presence sheet: step 1/2 : fill in the details of the presence sheet"; -$TitlePresenceSheet = "Title of the activity"; -$PresenceSheetCreatedBy = "Presence sheet created by"; -$SavePresence = "Save presence sheet and continue to step 2"; -$NewPresenceStep2 = "New presence sheet: step 2/2 : check the trainees that are present"; -$NoCertificateAvailable = "No certificate available"; -$SaveCertificate = "Save certificate"; -$CertificateNotRemoved = "Certificate can't be removed"; -$CertificateRemoved = "Certificate removed"; -$NoDefaultCertificate = "No default"; -$DefaultCertificate = "Default certificate"; -$PreviewCertificate = "Preview certificate"; -$IsDefaultCertificate = "Certificate set to default"; -$ImportPresences = "Import presences"; -$AddPresences = "Add presences"; -$DeletePresences = "Delete presences"; -$GradebookListOfStudentsCertificates = "List of learner certificates"; -$NewPresence = "New presence"; -$EditPresence = "Edit presence"; -$SavedEditPresence = "Saved edit presence"; -$PresenceSheetFormatExplanation = "You should use the presence sheet that you can download above. This presence sheet contains a list of all the learners in this course. The first column of the XLS file is the official code of the learner, followed by the lastname and the firstname. You should only change the 4th column and note 0 = absent, 1 = present"; -$ValidatePresenceSheet = "Validate presence sheet"; -$PresenceSheet = "Presence sheet"; -$PresenceSheets = "Presence sheets"; -$Evaluations = "Evaluations"; -$SaveEditPresence = "Save changes in presence sheet"; -$Training = "Course"; -$Present = "Present"; -$Numero = "N"; -$PresentAbsent = "0 = absent, 1 = present"; -$ExampleXLSFile = "Example Excel (XLS) file"; -$NoResultsInPresenceSheet = "No presence registered"; -$EditPresences = "Modify presences"; -$TotalWeightMustNotBeMoreThan = "Total weight must not be more than"; -$ThereIsNotACertificateAvailableByDefault = "There is no certificate available by default"; -$CertificateMinimunScoreIsRequiredAndMustNotBeMoreThan = "Certificate minimun score is required and must not be more than"; -$CourseProgram = "Description"; -$ThisCourseDescriptionIsEmpty = "There is no course description so far."; -$Vacancies = "Vacancies"; -$QuestionPlan = "Help"; -$Cost = "Cost"; -$NewBloc = "Other"; -$TeachingHours = "Lecture hours"; -$Area = "Area"; -$InProcess = "In process"; -$CourseDescriptionUpdated = "The description has been updated"; -$CourseDescriptionDeleted = "Description has been deleted"; -$PreventSessionAdminsToManageAllUsersComment = "By enabling this option, session admins will only be able to see, in the administration page, the users they created."; -$InvalidId = "Login failed - incorrect login or password."; -$Pass = "Pass"; -$Advises = "Advises"; -$CourseDoesntExist = "Warning : This course does not exist"; -$GetCourseFromOldPortal = "click here to get this course from your old portal"; -$SupportForum = "Support forum"; -$BackToHomePage = "Categories Overview"; -$LostPassword = "I lost my password"; -$Valvas = "Latest announcements"; -$Helptwo = "Help"; -$EussMenu = "menu"; -$Opinio = "Opinion"; -$Intranet = "Intranet"; -$Englin = "English"; -$InvalidForSelfRegistration = "Login failed - if you are not registered, you can do so using the registration form"; -$MenuGeneral = "Help"; -$MenuUser = "My account"; -$MenuAdmin = "Portal Admin"; -$UsersOnLineList = "Online users list"; -$TotalOnLine = "Total online"; -$Refresh = "Refresh"; -$SystemAnnouncements = "Portal news"; -$HelpMaj = "Help"; -$NotRegistered = "Not Registered"; -$Login = "Login"; -$RegisterForCourse = "Register for course"; -$UnregisterForCourse = "Unregister from course"; -$Refresh = "Refresh"; -$TotalOnLine = "total users online"; -$CourseClosed = "(the course is currently closed)"; -$Teach = "What s/he can teach"; -$Productions = "Productions"; -$SendChatRequest = "Send a chat proposal to this person"; -$RequestDenied = "The invitation has been rejected."; -$UsageDatacreated = "Usage data created"; -$SessionView = "Display courses ordered by training sessions"; -$CourseView = "Display the full list of the courses"; -$DropboxFileAdded = "Dropbox file added"; -$NewMessageInForum = "New message posted in the forum"; -$FolderCreated = "New folder created"; -$AgendaAdded = "Event added"; -$ShouldBeCSVFormat = "File should be CSV format. Do not add spaces. Structure should be exactly :"; -$Enter2passToChange = "To change your password, enter your current password in the field above and your new password in both fields below. To maintain the current password, leave the three fields empty."; -$AuthInfo = "Authentication"; -$ImageWrong = "The file size should be smaller than"; -$NewPass = "New password"; -$CurrentPasswordEmptyOrIncorrect = "The current password is incorrect"; -$password_request = "You have asked to reset your password. If you did not ask, then ignore this mail."; -$YourPasswordHasBeenEmailed = "Your password has been emailed to you."; -$EnterEmailAndWeWillSendYouYourPassword = "Enter the e-mail address that you used to register and we will send you your password back."; -$Action = "Action"; -$Preserved = "Preserved"; -$ConfirmUnsubscribe = "Confirm user unsubscription"; -$See = "Go to"; -$LastVisits = "My latest visits"; -$IfYouWantToAddManyUsers = "If you want to add a list of users in your course, please contact your web administrator."; -$PassTooEasy = "this password is too simple. Use a pass like this"; -$AddedToCourse = "has been registered to your course"; -$UserAlreadyRegistered = "A user with same name is already registered in this course."; -$BackUser = "Back to users list"; -$UserOneByOneExplanation = "He (she) will receive email confirmation with login and password"; -$GiveTutor = "Make coach"; -$RemoveRight = "Remove this right"; -$GiveAdmin = "Make admin"; -$UserNumber = "number"; -$DownloadUserList = "Upload the list"; -$UserAddExplanation = "Every line of file to send will necessarily and only include 5 fields: First name   LastName   Login   Password   Email separated by tabs and in this order. Users will receive email confirmation with login/password."; -$UserMany = "Import a users list"; -$OneByOne = "Add user manually"; -$AddHereSomeCourses = "Edit courses list

    Check the courses you want to follow.
    Uncheck the ones you don't want to follow anymore.
    Then click Ok at the bottom of the list"; -$ImportUserList = "Import list of users"; -$AddAU = "Add a user"; -$AddedU = "has been added. An email has been sent to give him his login"; -$TheU = "The user"; -$RegYou = "has registered you to this course"; -$OneResp = "One of the course administrators"; -$UserPicture = "Picture"; -$ProfileReg = "Your new profile has been saved"; -$EmailWrong = "The email address is not complete or contains some invalid characters"; -$UserTaken = "This login is already in use"; -$Fields = "You left some fields empty"; -$Again = "Try again!"; -$PassTwo = "You have typed two different passwords"; -$ViewProfile = "View my e-portfolio"; -$ModifProfile = "Edit Profile"; -$IsReg = "Your modifications have been registered"; -$NowGoCreateYourCourse = "You can now create your course"; -$NowGoChooseYourCourses = "You can now select, in the list, the course you want access to"; -$MailHasBeenSent = "An email has been sent to help you remember your login and password"; -$PersonalSettings = "Your personal settings have been registered"; -$Problem = "In case of trouble, contact us."; -$Is = "is"; -$Address = "The address of"; -$FieldTypeFile = "File upload"; -$YourReg = "Your registration on"; -$UserFree = "This login is already taken. Use your browser's back button and choose another."; -$EmptyFields = "You left some fields empty. Use your browser's back button and try again."; -$PassTwice = "You typed two different passwords. Use your browser's back button and try again."; -$RegAdmin = "Teacher (creates courses)"; -$RegStudent = "Student (follows courses)"; -$Confirmation = "Confirm password"; -$Surname = "Last name"; -$Registration = "Registration"; -$YourAccountParam = "This is your information to connect to"; -$LoginRequest = "Login request"; -$AdminOfCourse = "Admin"; -$SimpleUserOfCourse = "User of course"; -$IsTutor = "Coach"; -$ParamInTheCourse = "Status in course"; -$HaveNoCourse = "No course available"; -$UserProfileReg = "User e-portfolio has been registered"; -$Courses4User = "User's courses"; -$CoursesByUser = "Courses by user"; -$SubscribeUserToCourse = "Enroll users to course"; -$Preced100 = "Previous 100"; -$Addmore = "Add registered users"; -$Addback = "Go to users list"; -$reg = "Register"; -$Quit = "Quit"; -$YourPasswordHasBeenReset = "Your password has been reset"; -$Sex = "Sex"; -$OptionalTextFields = "Optional fields"; -$FullUserName = "Full name"; -$SearchForUser = "Search for user"; -$SearchButton = "Search"; -$SearchNoResultsFound = "No search results found"; -$UsernameWrong = "Your login can only contain letters, numbers and _.-"; -$PasswordRequestFrom = "This is a password request for the e-mail address"; -$CorrespondsToAccount = "This e-mail address corresponds to the following user account."; -$CorrespondsToAccounts = "This e-mail address corresponds to the following user accounts."; -$AccountExternalAuthSource = "Chamilo can't handle the request automatically because the account has an external authentication source. Please take appropriate measures and notify the user."; -$AccountsExternalAuthSource = "Chamilo can't handle the request automatically because at least one of the accounts has an external authentication source. Please take appropriate measures for all accounts (including those with platform authentication) and notify the user."; -$RequestSentToPlatformAdmin = "Chamilo can't handle the request automatically for this type of account. Your request has been sent to the platform administrator, who will take appropriate measures and notify you of the result."; -$ProgressIntroduction = "Start with selecting a session below.
    You can then see your progress for every course you are subscribed to."; -$NeverExpires = "Never expires"; -$ActiveAccount = "Account"; -$YourAccountHasToBeApproved = "Your account has to be approved"; -$ApprovalForNewAccount = "Approval for new account"; -$ManageUser = "Manage user"; -$SubscribeUserToCourseAsTeacher = "Enroll teachers"; -$PasswordEncryptedForSecurity = "Your password is encrypted for security reasons. Thus, after pressing the link an e-mail will be sent to you again with your password."; -$SystemUnableToSendEmailContact = "This platform was unable to send the email. Please contact"; -$OpenIDCouldNotBeFoundPleaseRegister = "This OpenID could not be found in our database. Please register for a new account. If you have already an account with us, please edit your profile inside your account to add this OpenID"; -$UsernameMaxXCharacters = "The login needs to be maximum %s characters long"; -$PictureUploaded = "Your picture has been uploaded"; -$ProductionUploaded = "Your production file has been uploaded"; -$UsersRegistered = "These users have been registered to the course"; -$UserAlreadyRegisterByOtherCreator = "User already register by other coach."; -$UserCreatedPlatform = "User created in portal"; -$UserInSession = "User added into the session"; -$UserNotAdded = "User not added."; -$NoSessionId = "The session was not identified"; -$NoUsersRead = "Please verify your XML/CVS file"; -$UserImportFileMessage = "If in the XML/CVS file the logins are missing, the firstname and the lastname will merge to create a login, i.e Julio Montoya into jmontoya"; -$UserAlreadyRegisteredByOtherCreator = "User already register by other coach."; -$NewUserInTheCourse = "New user in the course"; -$MessageNewUserInTheCourse = "There is a new user in the course"; -$EditExtendProfile = "Edit extended profile"; -$EditInformation = "Edit profile"; -$RegisterUser = "Register"; -$IHaveReadAndAgree = "I have read and agree to the"; -$ByClickingRegisterYouAgreeTermsAndConditions = "By clicking on 'Register' below you are agreeing to the Terms and Conditions"; -$LostPass = "Forgot your password ?"; -$EnterEmailUserAndWellSendYouPassword = "Enter the username or the email address with which you registered and we will send your password."; -$NoUserAccountWithThisEmailAddress = "There is no account with this user and/or e-mail address"; -$InLnk = "Hidden tools and links"; -$DelLk = "Do you really want to delete this link?"; -$NameOfTheLink = "Name of the link"; -$CourseAdminOnly = "Teachers only"; -$PlatformAdminOnly = "Portal Administrators only"; -$CombinedCourse = "Combined course"; -$ToolIsNowVisible = "The tool is now visible."; -$ToolIsNowHidden = "The tool is now invisible."; -$GreyIcons = "Toolbox"; -$Interaction = "Interaction"; -$Authoring = "Authoring"; -$SessionIdentifier = "Identifier of session"; -$SessionCategory = "Sessions categories"; -$ConvertToUniqueAnswer = "Convert to unique answer"; -$ReportsRequiresNoSetting = "This report type requires no settings"; -$ShowWizard = "Show wizard"; -$ReportFormat = "Report format"; -$ReportType = "Report type"; -$PleaseChooseReportType = "Please choose a report type"; -$PleaseFillFormToBuildReport = "Please fill the form to build the report"; -$UnknownFormat = "Unknown format"; -$ErrorWhileBuildingReport = "An error occured while building the report"; -$WikiSearchResults = "Wiki Search Results"; -$StartPage = "Main page"; -$EditThisPage = "Edit this page"; -$ShowPageHistory = "History"; -$RecentChanges = "Latest changes"; -$AllPages = "All pages"; -$AddNew = "Add new page"; -$ChangesStored = "Audio added"; -$NewWikiSaved = "The wiki page has been saved."; -$DefaultContent = "

    \"Working

    To begin editing this page and remove this text

    "; -$CourseWikiPages = "Wiki pages"; -$GroupWikiPages = "Group wiki pages"; -$NoWikiPageTitle = "Your changes have been saved. You still have to give a name to the page"; -$WikiPageTitleExist = "This page name already exists. To edit the page content, click here:"; -$WikiDiffAddedLine = "A line has been added"; -$WikiDiffDeletedLine = "A line has been deleted"; -$WikiDiffMovedLine = "A line has been moved"; -$WikiDiffUnchangedLine = "Line without changes"; -$DifferencesNew = "Changes in version"; -$DifferencesOld = "old version of"; -$Differences = "Differences"; -$MostRecentVersion = "View of the latest selected version"; -$ShowDifferences = "Compare selected versions"; -$SearchPages = "Search"; -$Discuss = "Discuss"; -$History = "History"; -$ShowThisPage = "View this page"; -$DeleteThisPage = "Delete this page"; -$DiscussThisPage = "Discuss this page"; -$HomeWiki = "Wiki home"; -$DeleteWiki = "Delete all"; -$WikiDeleted = "Your Wiki has been deleted"; -$WikiPageDeleted = "The page and its history have been deleted."; -$NumLine = "Num line"; -$DeletePageHistory = "Delete this page and all its versions"; -$OnlyAdminDeleteWiki = "Trainers only can delete the Wiki"; -$OnlyAdminDeletePageWiki = "Trainers only can delete a page"; -$OnlyAddPagesGroupMembers = "Trainers and members of this group only can add pages to the group Wiki"; -$OnlyEditPagesGroupMembers = "Trainers and group members only can edit pages of the group Wiki"; -$ConfirmDeleteWiki = "Are you sure you want to delete this Wiki?"; -$ConfirmDeletePage = "Are you sure you want to delete this page and its history?"; -$AlsoSearchContent = "Search also in content"; -$PageLocked = "Page protected"; -$PageUnlocked = "Page unprotected"; -$PageLockedExtra = "This page is protected. Trainers only can change it"; -$PageUnlockedExtra = "This page is unprotected. All course users or group members can edit this page"; -$ShowAddOption = "Show add option"; -$HideAddOption = "Hide add option"; -$AddOptionProtected = "The Add option has been protected. Trainers only can add pages to this Wiki. But learners and group members can still edit them"; -$AddOptionUnprotected = "The add option has been enabled for all course users and group members"; -$NotifyChanges = "Notify me of changes"; -$NotNotifyChanges = "Do not notify me of changes"; -$CancelNotifyByEmail = "Do not notify me by email when this page is edited"; -$MostRecentVersionBy = "The latest version was edited by"; -$RatingMedia = "The average rating for the page is"; -$NumComments = "Comments on this page"; -$NumCommentsScore = "Number of comments scored:"; -$AddPagesLocked = "The add option has been temporarily disabled by the trainer"; -$LinksPages = "What links here"; -$ShowLinksPages = "Show the pages that have links to this page"; -$MoreWikiOptions = "More Wiki options"; -$DefaultTitle = "Home"; -$DiscussNotAvailable = "Discuss not available"; -$EditPage = "Edit"; -$AddedBy = "added by"; -$EditedBy = "edited by"; -$DeletedBy = "deleted by"; -$WikiStandardMode = "Wiki mode"; -$GroupTutorAndMember = "Coach and group member"; -$GroupStandardMember = "Group member"; -$AssignmentMode = "Individual assignment mode"; -$ConfigDefault = "Default config"; -$UnlockPage = "Unprotect"; -$LockPage = "Protect"; -$NotifyDiscussChanges = "Notify comment"; -$NotNotifyDiscussChanges = "Don't notify comments"; -$AssignmentWork = "Learner paper"; -$AssignmentDesc = "Assignment proposed by the trainer"; -$WikiDiffAddedTex = "Text added"; -$WikiDiffDeletedTex = "Text deleted"; -$WordsDiff = "word by word"; -$LinesDiff = "line by line"; -$MustSelectPage = "You must select a page first"; -$Export2ZIP = "Export to ZIP"; -$HidePage = "Hide Page"; -$ShowPage = "Show Page"; -$GoAndEditMainPage = "To start Wiki go and edit Main page"; -$UnlockDiscuss = "Unlock discuss"; -$LockDiscuss = "Lock discuss"; -$HideDiscuss = "Hide discuss"; -$ShowDiscuss = "Show discuss"; -$UnlockRatingDiscuss = "Activate rate"; -$LockRatingDiscuss = "Deactivate rating"; -$EditAssignmentWarning = "You can edit this page, but the pages of learners will not be modified"; -$ExportToDocArea = "Export latest version of this page to Documents"; -$LockByTeacher = "Disabled by trainer"; -$LinksPagesFrom = "Pages that link to this page"; -$DefineAssignmentPage = "Define this page as an individual assignment"; -$AssignmentDescription = "Assignment description"; -$UnlockRatingDiscussExtra = "Now all members can rate this page"; -$LockRatingDiscussExtra = "Now only trainers can rate this page"; -$HidePageExtra = "Now the page only is visible by trainer"; -$ShowPageExtra = "Now the page is visible by all users"; -$OnlyEditPagesCourseManager = "The Main Page can be edited by a teacher only"; -$AssignmentLinktoTeacherPage = "Acces to trainer page"; -$HideDiscussExtra = "Now discussion is visible by trainers only"; -$ShowDiscussExtra = "Now discussion is visible by all users"; -$LockDiscussExtra = "Now only trainers can add comments to this discussion"; -$UnlockDiscussExtra = "Now all members can add comments to this discussion"; -$AssignmentDescExtra = "This page is an assignment proposed by a trainer"; -$AssignmentWorkExtra = "This page is a learner work"; -$NoAreSeeingTheLastVersion = "Warning you are not seeing the latest version of the page"; -$AssignmentFirstComToStudent = "Change this page to make your work about the assignment proposed"; -$AssignmentLinkstoStudentsPage = "Access to the papers written by learners"; -$AllowLaterSends = "Allow delayed sending"; -$WikiStandBy = "This Wiki is frozen so far. A trainer must start it."; -$NotifyDiscussByEmail = "Notify by email of new comments about this page is allowed"; -$CancelNotifyDiscussByEmail = "The email notification of new comments on this page is disabled"; -$EmailWikiChanges = "Notify Wiki changes"; -$EmailWikipageModified = "It has modified the page"; -$EmailWikiPageAdded = "Page was added"; -$EmailWikipageDedeleted = "One page has been deleted in the Wiki"; -$EmailWikiPageDiscAdded = "New comment in the discussion of the page"; -$FullNotifyByEmail = "Receive an e-mail notification every time there is a change in the Wiki"; -$FullCancelNotifyByEmail = "Stop receiving notifications by e-mail every time there is a change in the Wiki"; -$EmailWikiChangesExt_1 = "This notification has been made in accordance with their desire to monitor changes in the Wiki. This option means you have activated the button"; -$EmailWikiChangesExt_2 = "If you want to stop being notified of changes in the Wiki, select the tabs Recent Changes, Current page, Talk as appropriate and then push the button"; -$OrphanedPages = "Orphaned pages"; -$WantedPages = "Wanted pages"; -$MostVisitedPages = "Most visited pages"; -$MostChangedPages = "Most changed pages"; -$Changes = "Changes"; -$MostActiveUsers = "Most active users"; -$Contributions = "contributions"; -$UserContributions = "User contributions"; -$WarningDeleteMainPage = "Deleting the homepage of the Wiki is not recommended because it is the main access to the wiki.
    If, however, you need to do so, do not forget to re-create this Homepage. Until then, other users will not be able to add new pages."; -$ConvertToLastVersion = "To set this version as the last one, click on"; -$CurrentVersion = "Current version"; -$LastVersion = "Latest version"; -$PageRestored = "The page has been restored. You can view it by clicking"; -$RestoredFromVersion = "Restored from version"; -$HWiki = "Help: wiki"; -$FirstSelectOnepage = "Please select a page first"; -$DefineTask = "If you enter a description, this page will be considered a special page that allows you to create a task"; -$ThisPageisBeginEditedBy = "At this time, this page is being edited by"; -$ThisPageisBeginEditedTryLater = "Please try again later. If the user who is currently editing the page does not save it, this page will be available to you around"; -$EditedByAnotherUser = "Your changes will not be saved because another user has modified and saved the page while you were editing it yourself"; -$WarningMaxEditingTime = "You have 20 minutes to edit this page. After this time, if you have not saved the page, another user will be able to edit it, and you might lose your changes"; -$TheTaskDoesNotBeginUntil = "Still is not the start date"; -$TheDeadlineHasBeenCompleted = "You have exceeded the deadline"; -$HasReachedMaxNumWords = "You have exceeded the number of words allowed"; -$HasReachedMaxiNumVersions = "You have exceeded the number of versions allowed"; -$DescriptionOfTheTask = "Description of the assignment"; -$OtherSettings = "Other requirements"; -$NMaxWords = "Maximum number of words"; -$NMaxVersion = "Maximum number of versions"; -$AddFeedback = "Add guidance messages associated with the progress on the page"; -$Feedback1 = "First message"; -$Feedback2 = "Second message"; -$Feedback3 = "Third message"; -$FProgress = "Progress"; -$PutATimeLimit = "Set a time limit"; -$StandardTask = "Standard Task"; -$ToolName = "Import Blackboard courses"; -$TrackingDisabled = "Reporting has been disabled by system administrator."; -$InactivesStudents = "Learners not connected for a week or more"; -$AverageTimeSpentOnThePlatform = "Time spent on portal"; -$AverageCoursePerStudent = "Courses by learner"; -$AverageProgressInLearnpath = "Progress in courses"; -$AverageResultsToTheExercices = "Tests score"; -$SeeStudentList = "See the learners list"; -$NbActiveSessions = "Active sessions"; -$NbPastSessions = "Past sessions"; -$NbFutureSessions = "Future sessions"; -$NbStudentPerSession = "Number of learners by session"; -$NbCoursesPerSession = "Number of courses per session"; -$SeeSessionList = "See the sessions list"; -$CourseStats = "Course Stats"; -$ToolsAccess = "Tools access"; -$LinksAccess = "Links"; -$DocumentsAccess = "Documents"; -$ScormAccess = "Courses"; -$LinksDetails = "Links accessed"; -$WorksDetails = "assignments uploaded"; -$LoginsDetails = "Click on the month name for more details"; -$DocumentsDetails = "Documents downloaded"; -$ExercicesDetails = "Tests score"; -$BackToList = "Back to users list"; -$StatsOfCourse = "Course reporting data"; -$StatsOfUser = "Statistics of user"; -$StatsOfCampus = "Statistics of portal"; -$CountUsers = "Number of users"; -$CountToolAccess = "Number of connections to this course"; -$LoginsTitleMonthColumn = "Month"; -$LoginsTitleCountColumn = "Number of logins"; -$ToolTitleToolnameColumn = "Name of the tool"; -$ToolTitleUsersColumn = "Users Clicks"; -$ToolTitleCountColumn = "Total Clicks"; -$LinksTitleLinkColumn = "Link"; -$LinksTitleUsersColumn = "Users Clicks"; -$LinksTitleCountColumn = "Total Clicks"; -$ExercicesTitleExerciceColumn = "Test"; -$ExercicesTitleScoreColumn = "Score"; -$DocumentsTitleDocumentColumn = "Document"; -$DocumentsTitleUsersColumn = "Users Downloads"; -$DocumentsTitleCountColumn = "Total Downloads"; -$ScormContentColumn = "Title"; -$ScormStudentColumn = "Learners"; -$ScormTitleColumn = "Step"; -$ScormStatusColumn = "Status"; -$ScormScoreColumn = "Score"; -$ScormTimeColumn = "Time"; -$ScormNeverOpened = "The user never opened the course."; -$WorkTitle = "Title"; -$WorkAuthors = "Authors"; -$WorkDescription = "Description"; -$informationsAbout = "Tracking of"; -$NoEmail = "No email address specified"; -$NoResult = "There is no result yet"; -$Hits = "Hits"; -$LittleHour = "h."; -$Last31days = "In the last 31 days"; -$Last7days = "In the last 7 days"; -$ThisDay = "This day"; -$Logins = "Logins"; -$LoginsExplaination = "Here is the list of your latest logins with the tools you visited during these sessions."; -$ExercicesResults = "Score for the tests done"; -$At = "at"; -$LoginTitleDateColumn = "Date"; -$LoginTitleCountColumn = "Visits"; -$LoginsAndAccessTools = "Logins and access to tools"; -$WorkUploads = "Contributions uploads"; -$ErrorUserNotInGroup = "Invalid user : this user doesn't exist in your group"; -$ListStudents = "List of learners in this group"; -$PeriodHour = "Hour"; -$PeriodDay = "Day"; -$PeriodWeek = "Week"; -$PeriodMonth = "Month"; -$PeriodYear = "Year"; -$NextDay = "Next Day"; -$PreviousDay = "Previous Day"; -$NextWeek = "Next Week"; -$PreviousWeek = "Previous Week"; -$NextMonth = "Next Month"; -$PreviousMonth = "Previous Month"; -$NextYear = "Next Year"; -$PreviousYear = "Previous Year"; -$ViewToolList = "View List of All Tools"; -$ToolList = "List of all tools"; -$PeriodToDisplay = "Period"; -$DetailView = "View by"; -$BredCrumpGroups = "Groups"; -$BredCrumpGroupSpace = "Group Area"; -$BredCrumpUsers = "Users"; -$AdminToolName = "Admin Stats"; -$PlatformStats = "Portal Statistics"; -$StatsDatabase = "Stats Database"; -$PlatformAccess = "Access to portal"; -$PlatformCoursesAccess = "Access to courses"; -$PlatformToolAccess = "Tools access"; -$HardAndSoftUsed = "Countries Providers Browsers Os Referers"; -$StrangeCases = "Problematic cases"; -$StatsDatabaseLink = "Click Here"; -$CountCours = "Courses"; -$CountCourseByFaculte = "Number of courses by category"; -$CountCourseByLanguage = "Number of courses by language"; -$CountCourseByVisibility = "Number of courses by visibility"; -$CountUsersByCourse = "Number of users by course"; -$CountUsersByFaculte = "Number of users by category"; -$CountUsersByStatus = "Number of users by status"; -$Access = "Access"; -$Countries = "Countries"; -$Providers = "Providers"; -$OS = "OS"; -$Browsers = "Browsers"; -$Referers = "Referers"; -$AccessExplain = "(When an user open the index of the portal)"; -$TotalPlatformAccess = "Total"; -$TotalPlatformLogin = "Total"; -$MultipleLogins = "Accounts with same Login"; -$MultipleUsernameAndPassword = "Accounts with same Login AND same Password"; -$MultipleEmails = "Accounts with same Email"; -$CourseWithoutProf = "Courses without teachers"; -$CourseWithoutAccess = "Unused courses"; -$LoginWithoutAccess = "Logins not used"; -$AllRight = "There is no strange case here"; -$Defcon = "Ooops, problematic cases detected !!"; -$NULLValue = "Empty (or NULL)"; -$TrafficDetails = "Traffic Details"; -$SeeIndividualTracking = "For individual tracking see Users tool."; -$PathNeverOpenedByAnybody = "This path was never opened by anybody."; -$SynthesisView = "Synthesis view"; -$Visited = "Visited"; -$FirstAccess = "First access"; -$LastAccess = "Latest access"; -$Probationers = "Learner"; -$MoyenneTest = "Tests score"; -$MoyCourse = "Course average"; -$MoyenneExamen = "Exam average"; -$MoySession = "Session average"; -$TakenSessions = "Taken sessions"; -$FollowUp = "Follow-up"; -$Trainers = "Teachers"; -$Administrators = "Administrators"; -$Tracks = "Tracks"; -$Success = "Success"; -$ExcelFormat = "Excel format"; -$MyLearnpath = "My learnpath"; -$LastConnexion = "Latest login"; -$ConnectionTime = "Connection time"; -$ConnectionsToThisCourse = "Connections to this course"; -$StudentTutors = "Learner's coaches"; -$StudentSessions = "Learner's sessions"; -$StudentCourses = "Learner's courses"; -$NoLearnpath = "No learning path"; -$Correction = "Correction"; -$NoExercise = "No tests"; -$LimitDate = "Limit date"; -$SentDate = "Sent date"; -$Annotate = "Notify"; -$DayOfDelay = "Day of delay"; -$NoProduction = "No production"; -$NoComment = "No comment"; -$LatestLogin = "Latest"; -$TimeSpentOnThePlatform = "Time spent in portal"; -$AveragePostsInForum = "Posts in forum"; -$AverageAssignments = "Average assignments per learner"; -$StudentDetails = "Learner details"; -$StudentDetailsInCourse = "Learner details in course"; -$OtherTools = "OTI (Online Training Interaction) settings report"; -$DetailsStudentInCourse = "Learner details in course"; -$CourseTitle = "Course title"; -$NbStudents = "Learners"; -$TimeSpentInTheCourse = "Time spent in the course"; -$AvgStudentsProgress = "Progress"; -$AvgCourseScore = "Average score in learning paths"; -$AvgMessages = "Messages per learner"; -$AvgAssignments = "Assignments"; -$ToolsMostUsed = "Tools most used"; -$StudentsTracking = "Report on learners"; -$CourseTracking = "Course report"; -$LinksMostClicked = "Links most visited"; -$DocumentsMostDownloaded = "Documents most downloaded"; -$LearningPathDetails = "Learnpath details"; -$NoConnexion = "No connection"; -$TeacherInterface = "Trainer View"; -$CoachInterface = "Coach interface"; -$AdminInterface = "Admin view"; -$NumberOfSessions = "Number of sessions"; -$YourCourseList = "Your courses"; -$YourStatistics = "Your statistics"; -$CoachList = "Trainer list"; -$CoachStudents = "Learners of trainer"; -$NoLearningPath = "No learning path available"; -$SessionCourses = "Courses sessions"; -$NoUsersInCourseTracking = "Tracking for the learners registered to this course"; -$AvgTimeSpentInTheCourse = "Time"; -$RemindInactiveUser = "Remind inactive user"; -$FirstLogin = "First connection"; -$AccessDetails = "Access details"; -$DateAndTimeOfAccess = "Date and time of access"; -$WrongDatasForTimeSpentOnThePlatform = "The datas about this user were registered when the calculation of time spent on the platform wasn't possible."; -$DisplayCoaches = "Trainers Overview"; -$DisplayUserOverview = "User overview"; -$ExportUserOverviewOptions = "User overview export options"; -$FollowingFieldsWillAlsoBeExported = "The following fields will also be exported"; -$TotalExercisesScoreObtained = "Total score obtained for tests"; -$TotalExercisesScorePossible = "Total possible score for tests"; -$TotalExercisesAnswered = "Number of tests answered"; -$TotalExercisesScorePercentage = "Total score percentage for tests"; -$ForumForumsNumber = "Forums Number"; -$ForumThreadsNumber = "Threads number"; -$ForumPostsNumber = "Posts number"; -$ChatConnectionsDuringLastXDays = "Connections to the chat during last %s days"; -$ChatLastConnection = "Latest chat connection"; -$CourseInformation = "Course Information"; -$NoAdditionalFieldsWillBeExported = "No additional fields will be exported"; -$SendNotification = "Notify"; -$TimeOfActiveByTraining = "Time in course"; -$AvgAllUsersInAllCourses = "Average of all learners in all courses"; -$AvgExercisesScore = "Tests score"; -$TrainingTime = "Time"; -$CourseProgress = "Progress"; -$ViewMinus = "View minus"; -$ResourcesTracking = "Report on resource"; -$MdCallingTool = "Documents"; -$NotInDB = "no such Links category"; -$ManifestSyntax = "(syntax error in manifest file...)"; -$EmptyManifest = "(empty manifest file...)"; -$NoManifest = "(no manifest file...)"; -$NotFolder = "are not possible, it is not a folder..."; -$UploadHtt = "Upload HTT file"; -$HttFileNotFound = "New HTT file could not be opened (e.g. empty, too big)"; -$HttOk = "New HTT file has been uploaded"; -$HttNotOk = "HTT file upload has failed"; -$RemoveHtt = "Remove HTT file"; -$HttRmvOk = "HTT file has been removed"; -$HttRmvNotOk = "HTT file remove has failed"; -$AllRemovedFor = "All entries removed for category"; -$Index = "Index Words"; -$MainMD = "Open Main MDE"; -$Lines = "lines"; -$Play = "Play index.php"; -$NonePossible = "No MD operations are possible"; -$OrElse = "Select a Links category"; -$WorkWith = "Work with Scorm Directory"; -$SDI = "... Scorm Directory with SD-id (and split manifest - or leave empty)"; -$Root = "root"; -$SplitData = "Split manifests, and #MDe, if any:"; -$MffNotOk = "Manifest file replace has failed"; -$MffOk = "Manifest file has been replaced"; -$MffFileNotFound = "New manifest file could not be opened (e.g. empty, too big)"; -$UploadMff = "Replace manifest file"; -$GroupSpaceLink = "Group area"; -$CreationSucces = "Table of contents successfully created."; -$CanViewOrganisation = "You can view your organisation"; -$ViewDocument = "View"; -$HtmlTitle = "Table of contents"; -$AddToTOC = "Add to contents"; -$AddChapter = "Add section"; -$Ready = "Generate table of contents"; -$StoreDocuments = "Store documents"; -$TocDown = "Down"; -$TocUp = "Up"; -$CutPasteLink = "No frames"; -$CreatePath = "Create a course (authoring tool)"; -$SendDocument = "Upload file"; -$ThisFolderCannotBeDeleted = "This folder cannot be deleted"; -$ChangeVisibility = "Change visibility"; -$VisibilityCannotBeChanged = "The visibility cannot be changed"; -$DocumentCannotBeMoved = "The document cannot be moved"; -$OogieConversionPowerPoint = "Chamilo RAPID : PowerPoint conversion"; -$WelcomeOogieSubtitle = "A PowerPoint to SCORM Courses converter"; -$GoMetadata = "Go"; -$QuotaForThisCourseIs = "The quota for this course is"; -$Del = "delete"; -$ShowCourseQuotaUse = "Space Available"; -$CourseCurrentlyUses = "This course currently uses"; -$MaximumAllowedQuota = "Your storage limit is"; -$PercentageQuotaInUse = "Percentage of your quota that is in use"; -$PercentageQuotaFree = "Percentage of your quota that is still free"; -$CurrentDirectory = "Current folder"; -$UplUploadDocument = "Upload documents"; -$UplPartialUpload = "The uploaded file was only partially uploaded."; -$UplExceedMaxPostSize = "The file size exceeds the maximum allowed setting:"; -$UplExceedMaxServerUpload = "The uploaded file exceeds the maximum filesize allowed by the server:"; -$UplUploadFailed = "The file upload has failed."; -$UplNotEnoughSpace = "There is not enough space to upload this file."; -$UplNoSCORMContent = "No SCORM content was found."; -$UplZipExtractSuccess = "The zipfile was successfully extracted."; -$UplZipCorrupt = "Unable to extract zip file (corrupt file?)."; -$UplFileSavedAs = "File saved as"; -$UplFileOverwritten = " was overwritten."; -$CannotCreateDir = "Unable to create the folder."; -$UplUpload = "Upload"; -$UplWhatIfFileExists = "If file exists:"; -$UplDoNothing = "Do nothing"; -$UplDoNothingLong = "Don't upload if file exists"; -$UplOverwrite = "Overwrite"; -$UplOverwriteLong = "Overwrite the existing file"; -$UplRename = "Rename"; -$UplRenameLong = "Rename the uploaded file if it exists"; -$DocumentQuota = "Space Available"; -$NoDocsInFolder = "There are no documents to be displayed."; -$UploadTo = "Upload to"; -$fileModified = "The file is modified"; -$DocumentsOverview = "Documents overview"; -$Options = "Options"; -$WelcomeOogieConverter = "Welcome to Chamilo RAPID
    • Browse your hard disk to find any .ppt or .odp file
    • Upload it to Oogie. It will tranform it into a Scorm course.
    • You will then be allowed to add audio comments on each slide and insert test and activities between the slides."; -$ConvertToLP = "Convert to course"; -$AdvancedSettings = "Advanced settings"; -$File = "File"; -$DocDeleteError = "Error during the delete of document"; -$ViModProb = "A problem occured while updating visibility"; -$DirDeleted = "Folder deleted"; -$TemplateName = "Template name"; -$TemplateDescription = "Template description"; -$DocumentSetAsTemplate = "Document set as a new template"; -$DocumentUnsetAsTemplate = "Document unset as template"; -$AddAsTemplate = "Add as a template"; -$RemoveAsTemplate = "Remove template"; -$ReadOnlyFile = "The file is read only"; -$FileNotFound = "The file was not found"; -$TemplateTitleFirstPage = "First page"; -$TemplateTitleFirstPageDescription = "It's the cover page of your course"; -$TemplateTitleDedicatory = "Dedication"; -$TemplateTitleDedicatoryDescription = "Make your own dedication"; -$TemplateTitlePreface = "Course preface"; -$TemplateTitlePrefaceDescription = "Preface"; -$TemplateTitleIntroduction = "Introduction"; -$TemplateTitleIntroductionDescription = "Insert the introduction text"; -$TemplateTitlePlan = "Plan"; -$TemplateTitlePlanDescription = "It's the table of content"; -$TemplateTitleTeacher = "Your instructor"; -$TemplateTitleTeacherDescription = "Dialog on the bottom with a trainer"; -$TemplateTitleProduction = "Production"; -$TemplateTitleProductionDescription = "Attended production description"; -$TemplateTitleAnalyze = "Analyze"; -$TemplateTitleAnalyzeDescription = "Analyze description"; -$TemplateTitleSynthetize = "Synthetize"; -$TemplateTitleSynthetizeDescription = "Synthetize description"; -$TemplateTitleText = "Text page"; -$TemplateTitleTextDescription = "Plain text page"; -$TemplateTitleLeftImage = "Left image"; -$TemplateTitleLeftImageDescription = "Left image"; -$TemplateTitleTextCentered = "Text and image centered"; -$TemplateTitleTextCenteredDescription = "It's a text with an image centered and legend"; -$TemplateTitleComparison = "Compare"; -$TemplateTitleComparisonDescription = "2 columns text page"; -$TemplateTitleDiagram = "Diagram explained"; -$TemplateTitleDiagramDescription = "Image on the left, comment on the right"; -$TemplateTitleImage = "Image alone"; -$TemplateTitleImageDescription = "Image alone"; -$TemplateTitleFlash = "Flash animation"; -$TemplateTitleFlashDescription = "Animation + introduction text"; -$TemplateTitleAudio = "Audio comment"; -$TemplateTitleAudioDescription = "Audio + image + text : listening comprehension"; -$TemplateTitleSchema = "Schema with audio explain"; -$TemplateTitleSchemaDescription = "A schema explain by a trainer"; -$TemplateTitleVideo = "Video page"; -$TemplateTitleVideoDescription = "On demand video + text"; -$TemplateTitleVideoFullscreen = "Video page fullscreen"; -$TemplateTitleVideoFullscreenDescription = "On demand video in fullscreen"; -$TemplateTitleTable = "Table page"; -$TemplateTitleTableDescription = "Spreadsheet-like page"; -$TemplateTitleAssigment = "Assignment description"; -$TemplateTitleAssigmentDescription = "Explain goals, roles, agenda"; -$TemplateTitleResources = "Resources"; -$TemplateTitleResourcesDescription = "Books, links, tools"; -$TemplateTitleBibliography = "Bibliography"; -$TemplateTitleBibliographyDescription = "Books, links, tools"; -$TemplateTitleFAQ = "Frequently asked questions"; -$TemplateTitleFAQDescription = "List of questions and answers"; -$TemplateTitleGlossary = "Glossary"; -$TemplateTitleGlossaryDescription = "List of term of the section"; -$TemplateTitleEvaluation = "Evaluation"; -$TemplateTitleEvaluationDescription = "Evaluation"; -$TemplateTitleCertificate = "Certificate of completion"; -$TemplateTitleCertificateDescription = "To appear at the end of a course"; -$TemplateTitleCheckList = "Checklist"; -$TemplateTitleCourseTitle = "Course title"; -$TemplateTitleLeftList = "Left list"; -$TemplateTitleLeftListDescription = "Left list with an instructor"; -$TemplateTitleCheckListDescription = "List of resources"; -$TemplateTitleCourseTitleDescription = "Course title with a logo"; -$TemplateTitleRightList = "Right list"; -$TemplateTitleRightListDescription = "Right list with an instructor"; -$TemplateTitleLeftRightList = "Left & right list"; -$TemplateTitleLeftRightListDescription = "Left & right list with an instructor"; -$TemplateTitleDesc = "Description"; -$TemplateTitleDescDescription = "Describe a resource"; -$TemplateTitleObjectives = "Course objectives"; -$TemplateTitleObjectivesDescription = "Describe the objectives of the course"; -$TemplateTitleCycle = "Cycle chart"; -$TemplateTitleCycleDescription = "2 list with cycle arrows"; -$TemplateTitleLearnerWonder = "Learner wonder"; -$TemplateTitleLearnerWonderDescription = "Learner wonder description"; -$TemplateTitleTimeline = "Phase timeline"; -$TemplateTitleTimelineDescription = "3 lists with an relational arrow"; -$TemplateTitleStopAndThink = "Stop and think"; -$TemplateTitleListLeftListDescription = "Left list with an instructor"; -$TemplateTitleStopAndThinkDescription = "Layout encouraging to stop and think"; -$CreateTemplate = "Create template"; -$SharedFolder = "Shared folder"; -$CreateFolder = "Create the folder"; -$HelpDefaultDirDocuments = "INFORMATION VISIBLE TO THE TEACHER ONLY:\nThis folder contains the default archives. You can clear files or add new ones, but if a file is hidden when it is inserted in a web document, the students will not be able to see it in this document. When inserting a file in a web document, first make sure it is visible. The folders can remain hidden."; -$HelpSharedFolder = "This folder contains the files that other learners (or yourself) sent into a course through the editor (if they didn't do it from the groups tool). By default, they will be visible by any trainer, but will be hidden from other learners (unless they access the files directly). If you make one user folder visible, other users will see all its content."; -$TemplateImage = "Template's icon"; -$MailingFileRecipDup = "multiple users have"; -$MailingFileRecipNotFound = "no such learner with"; -$MailingFileNoRecip = "name does not contain any recipient-id"; -$MailingFileNoPostfix = "name does not end with"; -$MailingFileNoPrefix = "name does not start with"; -$MailingFileFunny = "no name, or extension not 1-4 letters or digits"; -$MailingZipDups = "Mailing zipfile must not contain duplicate files - it will not be sent"; -$MailingZipPhp = "Mailing zipfile must not contain php files - it will not be sent"; -$MailingZipEmptyOrCorrupt = "Mailing zipfile is empty or not a valid zipfile"; -$MailingWrongZipfile = "Mailing must be zipfile with STUDENTID or LOGINNAME"; -$MailingConfirmSend = "Send content files to individuals?"; -$MailingSend = "Validate"; -$MailingNotYetSent = "Mailing content files have not yet been sent out..."; -$MailingInSelect = "---Mailing---"; -$MailingAsUsername = "Mailing"; -$Sender = "sender"; -$FileSize = "filesize"; -$PlatformUnsubscribeTitle = "Allow unsubscription from platform"; -$OverwriteFile = "Overwrite previous versions of same document?"; -$SentOn = "on"; -$DragAndDropAnElementHere = "Drag and drop an element here"; -$SendTo = "Send to"; -$ErrorCreatingDir = "Can't create the directory. Please contact your system administrator."; -$NoFileSpecified = "You didn't specify a file to upload."; -$NoUserSelected = "Please select a user to send the file to."; -$BadFormData = "Submit failed: bad form data. Please contact your system administrator."; -$GeneralError = "An error has occured. Please contact your system administrator."; -$ToPlayTheMediaYouWillNeedToUpdateYourBrowserToARecentVersionYouCanAlsoDownloadTheFile = "To play the media you will need to either update your browser to a recent version or update your Flash plugin. Check if the file has a correct extension."; -$UpdateRequire = "Update require"; -$ThereAreNoRegisteredDatetimeYet = "There is no date/time registered yet"; -$CalendarList = "Calendar list of attendances"; -$AttendanceCalendarDescription = "The attendance calendar allows you to register attendance lists (one per real session the students need to attend). Add new attendance lists here."; -$CleanCalendar = "Clean the calendar of all lists"; -$AddDateAndTime = "Add a date and time"; -$AttendanceSheet = "Attendance sheet"; -$GoToAttendanceCalendar = "Go to the attendance calendar"; -$AttendanceCalendar = "Attendance calendar"; -$QualifyAttendanceGradebook = "Grade the attendance list in the assessment tool"; -$CreateANewAttendance = "Create a new attendance list"; -$Attendance = "Attendance"; -$XResultsCleaned = "%d results cleaned"; -$AreYouSureToDeleteResults = "Are you sure to delete results"; -$CouldNotResetPassword = "Could not reset password"; -$ExerciseCopied = "Exercise copied"; -$AreYouSureToCopy = "Are you sure to copy"; -$ReceivedFiles = "Received Files"; -$SentFiles = "Sent Files"; -$ReceivedTitle = "Title"; -$SentTitle = "Sent Files"; -$Size = "Size"; -$LastResent = "Latest sent on"; -$kB = "kB"; -$UnsubscribeFromPlatformSuccess = "Your account %s has been completely removed from this portal. Thank you for staying with us for a while. We hope to see you again later."; -$UploadNewFile = "Share a new file"; -$Feedback = "Feedback"; -$CloseFeedback = "Close feedback"; -$AddNewFeedback = "Add feedback"; -$DropboxFeedbackStored = "The feedback message has been stored"; -$AllUsersHaveDeletedTheFileAndWillNotSeeFeedback = "All users have deleted the file so nobody will see the feedback you are adding."; -$FeedbackError = "Feedback error"; -$PleaseTypeText = "Please type some text."; -$YouAreNotAllowedToDownloadThisFile = "You are not allowed to download this file."; -$CheckAtLeastOneFile = "Check at least one file."; -$ReceivedFileDeleted = "The received file has been deleted."; -$SentFileDeleted = "The sent file has been deleted."; -$FilesMoved = "The selected files have been moved."; -$ReceivedFileMoved = "The received file has been moved."; -$SentFileMoved = "The sent file has been moved"; -$NotMovedError = "The file(s) can not be moved."; -$AddNewCategory = "Add a new folder"; -$EditCategory = "Edit this category"; -$ErrorPleaseGiveCategoryName = "Please give a category name"; -$CategoryAlreadyExistsEditIt = "This category already exists, please use a different name"; -$CurrentlySeeing = "You are in folder"; -$CategoryStored = "The folder has been created"; -$CategoryModified = "The category has been modified."; -$AuthorFieldCannotBeEmpty = "The author field cannot be empty"; -$YouMustSelectAtLeastOneDestinee = "You must select at least one destinee"; -$DropboxFileTooBig = "This file's volume is too big."; -$TheFileIsNotUploaded = "The file is not uploaded."; -$MailingNonMailingError = "Mailing cannot be overwritten by non-mailing and vice-versa"; -$MailingSelectNoOther = "Mailing cannot be combined with other recipients"; -$MailingJustUploadSelectNoOther = "Just Upload cannot be combined with other recipients"; -$PlatformUnsubscribeComment = "By enabling this option, you allow any user to definitively remove his own account and all data related to it from the platform. This is quite a radical action, but it is necessary for portals opened to the public where users can auto-register. An additional entry will appear in the user profile to unsubscribe after confirmation."; -$NewDropboxFileUploaded = "A new file has been sent in the dropbox"; -$NewDropboxFileUploadedContent = "A new file has been sent to the Dropbox"; -$AddEdit = "Add / Edit"; -$ErrorNoFilesInFolder = "This folder is empty"; -$EditingExerciseCauseProblemsInLP = "Editing exercise cause problems in Learning Path"; -$SentCatgoryDeleted = "The folder has been deleted"; -$ReceivedCatgoryDeleted = "The folder has been deleted"; -$MdTitle = "Learning Object Title"; -$MdDescription = "To store this information, press Store"; -$MdCoverage = "e.g. Bachelor of ..."; -$MdCopyright = "e.g. provided the source is acknowledged"; -$NoScript = "Script is not enabled in your browser, please ignore the screen part below this text, it won't work..."; -$LanguageTip = "the language in which this learning object was made"; -$Identifier = "Identifier"; -$IdentifierTip = "unique identification for this learning object, composed of letters, digits, _-.()'!*"; -$TitleTip = "title or name, and language of that title or name"; -$DescriptionTip = "description or comment, and language used for describing this learning object"; -$Keyword = "Keyword"; -$KeywordTip = "separate by commas (letters, digits, -.)"; -$Coverage = "Coverage"; -$CoverageTip = "for example bachelor of xxx: yyy"; -$KwNote = "If you change the description language, do not add keywords at the same time."; -$Location = "URL/URI"; -$LocationTip = "click to open object"; -$Store = "Store"; -$DeleteAll = "Delete all"; -$ConfirmDelete = "Do you *really* want to delete all metadata?"; -$WorkOn = "on"; -$Continue = "Continue"; -$Create = "Create"; -$RemainingFor = "obsolete entries removed for category"; -$WarningDups = " - duplicate categorynames were removed from the list!"; -$SLC = "Work with Links category named"; -$TermAddNew = "Add new glossary term"; -$TermName = "Term"; -$TermDefinition = "Term definition"; -$TermDeleted = "Term removed"; -$TermUpdated = "Term updated"; -$TermConfirmDelete = "Do you really want to delete this term"; -$TermAddButton = "Save term"; -$TermUpdateButton = "Update term"; -$TermEdit = "Edit term"; -$TermDeleteAction = "Delete term"; -$PreSelectedOrder = "Pre-defined"; -$TermAdded = "Term added"; -$YouMustEnterATermName = "You must enter a term"; -$YouMustEnterATermDefinition = "You must enter a term definition"; -$TableView = "Table view"; -$GlossaryTermAlreadyExistsYouShouldEditIt = "This glossary term already exists. Please change the term name."; -$GlossaryManagement = "Glossary management"; -$TermMoved = "The term has moved"; -$HFor = "Forums Help"; -$ForContent = "

      The forum is an discussion tool for asynchronous written work. In contrast to email, a forum is for public, or semi-public, group discussion.

      To use the Chamilo forum, members can simply use their browser - they do not require separate client software.

      To organize forums, clickon the Forums tool. Discussions are organized hierarchically according to the following structure: Category> Forum> Topic> Post To ensure members can participate in the forum tidily and effectively, it is essential in th first instance to create categories and forums; it's then up to the participants to create topics and posts. By default, the forum contains a single (public) category, an example topic and an example post. You can add forums to the category, change its title or create other categories within which you could then create new forums. (Don't confuse categories and forums, and remember that a category that contains no forum is useless and is not displayed.)

      \n

      The forum description might include a list of its members, a definition of its purpose, a target a task, a theme etc.

      Group forums should not be created via the Forum tool but instead via the Groups tool, where you can determinewhether your group forums should be private or public, at the same time providing a location for sharing groups of documents.

      Teaching Tips A learning forum is not quite the same as the forums you are used to seeing on the internet. For one thing, it is not possible for learners to alter their posts once they have been published as the course is logically archived to allow tracking of what has been said in the past. Furthermore, Chamilo forums allow for specific uses relevant to teaching. For example, some teachers/trainers publish corrections directly within forums in the following way:
    • A learner is asked to post a report directly into the forum, The teacher corrects it by clicking Edit (yellow pencil) and marking it using the graphics editor (color, underlining, etc.) Finally, other learners benefit from viewing the corrections was made on the production of one of of them, Note that the same principle can be applied between learners, but will require his copying/pasting the message of his fellow student because students / trainees can not edit one another's posts. <. li> "; -$HDropbox = "Dropbox Help"; -$DropboxContent = "

      The dropbox tool is a Content Management Tool facilitating peer-to-peer data exchange. It accepts any filetype (Word, Excel, PDF etc.) It will overwrite existing files with the same name only if directed to do so.

      Learners can can only send a file to their teacher, unless the system administrator has enabled sharing between users. A course manager, however, can opt to to send a file to all course users.

      The system administrator can configure the dropbox so that a user can receive but not send files.

      If the file list gets too long, some or all files can be deleted from the list, although the file itself remaims available to other users until all users have deleted it.

      In the received folder, the dropbox tool displays files that have been sent to you and in the sent folder it shows files sent to other course members.

      To send a document to more than one person, you need to hold CTRLand check the multiple select box(i.e.the field showing the list of members).

      "; -$HHome = "Homepage Help"; -$HomeContent = "

      The Course Homepage displays a range of tools (introductory text, description, documents manager etc.) This page is modular in the sense that you can hide or show any of the tools in learner view with a single click on the 'eye' icon (hidden tools can be reactivated any time.

      Navigation

      In order to browse the course, you can simply click on the icons; a 'breadcrumb' navigation tool at the top of the page allows you to retrace your steps back to the course homepage.

      Best practice

      To help motivate learners, it is helpful to make you course appear 'alive' by suggesting that there is always someone present 'behind the screen'. An effective way to make this impression is to update the introductory text (just click on the yellow pencil) at least once a week with the latest news, deadlines etc.

      When you construct your course, try the following steps:

      1. In the Course Settings, make course acccess private and subscription available only to trainers. That way, nobody can enter your course area during construction,
      2. Use whatever tools you need to 'fill' your area with content, activities, guidelines, tests etc.,
      3. Now hide all tools so your home page is empty in learner view by clicking on the eyes to make the icons grey.
      4. Use the Learning Path tool to create a learning path to structure the way learners will follow it and learn within it. That way, although you will be using the other tools, you don't initially need to show them on the homepage.
      5. Click on the eye icon beside the path you created to show it on your home page.
      6. your course is ready to view. Its homepage will display an introductory text followed by a single link to lead learners into and through the course. Click on the Learner View button (top right) to see the course from the learner's point of view.
      "; -$HOnline = "Chamilo LIVE Help"; -$OnlineContent = "
      Introduction

      The Chamilo online conferencing system allows you to teach, inform or gather together up to five hundred people quickly and simply.
        • live audio : the trainer's voice is broadcast live to participants,
        • slides : the participants follow the Power Point or PDF presentation,
        • interaction : the participants ask questions through chat.

      Learner / participant


      To attend a conference you need:

      1. Loudspeakers (or a headset)connected to your PC

      \"speakers\"

      2. Winamp Media player

      \"Winamp\"

      Mac : use Quicktime
      Linux : use XMMS

        3. Acrobat PDF reader or Word or PowerPoint, depending on the format of the teacher's slides

      \"acrobat


      Trainer / lecturer


      To give a lecture, you need :

      1. A microphone headset

      \"Headset\"
      We advise you to use a LogitechUSB one for a better audio broadcasting quality.

      2. Winamp

      \"Winamp\"

      3. SHOUTcast DSP Plug-In for Winamp 2.x

      \"Shoutcast\"

      Follow instructions on www.shoutcast.comon how to install andconfigure Shoutcast Winamp DSP Plug-In.


      How to give a conference?

      Create a Chamilo course > Enterit > Show then enter Conference tool > Edit (pencil icon on top left) the settings > upload your slides (PDF, PowerPoint or whatever) > type an introduction text> type the URL of your live streaming according to the information you got from your technical admin.
      \"conference
      Don't forget to give a clear meeting date, time and other guidelines to your participants beforehand.

      Tip : 10 minutes before conference time, type a short message in the chat to inform participants that you are here and to help people who might have audio problems.


      Streaming Server

      To give an online live streaming conference, you need a streaming server and probably a technical administrator to help you use it. This guy will give you the URL you need to type in the live streaming form field once you edit your conferencesettings.

      \"Chamilo
      Chamilo streaming


      Do it yourself : install, configure and admin Shoutcast or AppleDarwin.

      Or contact Chamilo. We can help you organise your conference, asssist your lecturer and rent you a low cost streaming slot on our servers : http://www.Chamilo.org/hosting.php


      "; -$HClar = "Chamilo Help"; -$HDoc = "Documents Help"; -$DocContent = "

      The Documents tool allows you to organise files just like you do on your pc/laptop.

      You can create simple web pages ('Create a document') or upload files of any type (HTML, Word, Powerpoint, Excel, Acrobat, Flash, Quicktime, etc.). Remember, of course, that your learners will need to have the appropriate software to open and run these files. Some file types can contain viruses; be careful not to upload virus-contaminated files, unless your portal admin has installed server side anti=virus software. It is, in any case, a worthwhile precaution to check documents with antivirus software before uploading them.

      Documents are presented in alphabetical order.

      Tip : If you want to present them in a different order, number them (e.g. 01, 02, 03...) Or use the Learning Path to present a sophisticated Table of Contents. Note that once your documents are uploaded, you may decide to hide the documents area and show only one link on the Homepage (using the links tool) or a Learning Path containing some documents from your Documents area.

      Create a document

      Select Create a document > Give it a title (no spaces, no accents) > type your text > Use the buttons in the wysiwyg (What You See Is What You Get) editor to input information, tables, styles etc. To create effective web pages, you need to become familiar with three key functions: Links, Images and Tables. Be aware that web pages offer less layout options than e.g. Ms-Word pages. Note also that as well as creating a document from scratch in the editor, you can also cut and paste existing content from a web page or a Word document. This is an easy and quick way to import content into your Chamilo course.

      • To add a link, you need to copy the URL of the target page. We suggest you open two browser windows/tabs simultaneously, one with your Chamilo course and the other to browse the web. Once you find the page you are looking for (note that this page can be inside your Chamilo course), copy its URL (CTRL+C or APPLE+C), go back to the page editor, select the word to be the link, click on the small chain icon, paste the URL of your target in the popup window and submit. Once your page is saved, test the link to check it opens the target. You can decide in the Link popup menu whether the link will create a new page/tab or replace your Chamilo page in the same window.
      • To add an image, the process is the same as for the link feature : browse the web in a second window, find the image (if the image is inside your course's documents area, copy its URL (CTRL+C or APPLE+C in the URL bar after selecting the whole URL) then go back to your web page editor, position your mouse where you want your image to appear, then click on the small tree icon and copy the URL of the target image into the URL field, preview and submit. Note that in web pages, you cannot redimension your images as in a PowerPoint presentation, neither can you re-locate the image anywhere in the page.
      • To add a table, position your mouse in the field where you want the table to appear, then select the table icon in the Wysiwyg editor menu, decide on the number of columns and lines you need and submit. To get nice tables, we suggest that you choose the following values : border=1, cellspacing=0, cellpadding=4. Note that you will not be allowed to redimension your table or add lines or columns to it after its creation (sorry about this, it is just an online editor, not a word processor yet!).

      Upload a document

      • Select the file on your computer using the Browse button \ton the right of your screen.
      • \t\t
      • \t\t\tLaunch the upload with the Upload Button .\t\t
      • \t\t
      • \t\t\tCheck the checkbox under the Upload button if your document is zip file or a so-called SCORM package. SCORM packages are special files designed according to an international norm : SCORM. This is a special format for learning content which allows for the free exchange of these materials between different Learning Management Systems. SCORM materials are platform independent and their import and export are simple.\t\t
      • \t
      \t

      \t\tRename a document (a directory)\t

      \t
        \t\t
      • \t\t\tclick on the \t\t\tbutton in the Rename column\t\t
      • \t\t
      • \t\t\tType the new name in the field (top left)\t\t
      • \t\t
      • \t\t\tValidate by clicking .\t\t
      • \t
      \t\t

      \t\t\tDelete a document (or a directory)\t\t

      \t\t
        \t\t\t
      • \t\t\t\tClick on \t\t\t\tin column 'Delete'.\t\t\t
      • \t\t
      \t\t

      \t\t\tMake a document (or directory) invisible to users\t\t

      \t\t
        \t\t\t
      • \t\t\t\tClick on \t\t\t\tin column 'Visible/invisible'.\t\t\t
      • \t\t\t
      • \t\t\t\tThe document (or directory) still exists but it is not visible by users anymore.\t\t\t
      • \t\t\t
      • \t\t\t\tTo make it invisible back again, click on\t\t\t\t\t\t\t\tin column 'Visible/invisible'\t\t\t
      • \t\t
      \t\t

      \t\t\tAdd or modify a comment to a document (or a directory)\t\t

      \t\t
        \t\t\t
      • \t\t\t\tClick on in column 'Comment'\t\t\t
      • \t\t\t
      • \t\t\t\tType new comment in the corresponding field (top right).\t\t\t
      • \t\t\t
      • \t\t\t\tValidate by clicking \t\t\t.
      • \t\t
      \t\t

      \t\tTo delete a comment, click on ,\t\tdelete the old comment in the field and click\t\t.\t\t


      \t\t

      \t\t\tYou can organise your content through filing. For this:\t\t

      \t\t

      \t\t\t\t\t\t\tCreate a directory\t\t\t\t\t

      \t\t
        \t\t\t
      • \t\t\t\tClick on\t\t\t\t\t\t\t\t'Create a directory' (top left)\t\t\t
      • \t\t\t
      • \t\t\t\tType the name of your new directory in the corresponding field (top left)\t\t\t
      • \t\t\t
      • \t\t\t\tValidate by clicking .\t\t\t
      • \t\t
      \t\t

      \t\t\tMove a document (or directory)\t\t

      \t\t
        \t\t\t
      • \t\t\t\tClick on button \t\t\t\tin column 'Move'\t\t\t
      • \t\t\t
      • \t\t\t\tChoose the directory into which you want to move the document (or directory) in the corresponding scrolling menu (top left) (note: the word 'root' means you cannot go higher than that level in the document tree of the server).\t\t\t
      • \t\t\t
      • \t\t\t\tValidate by clicking on .\t\t\t
      • \t\t

      \t\t\t\t\t\t\tCreate a Learning Path\t\t\t\t\t

      This learning path will look like a Table of Contents and can be used as a Table of Contents, but can offer you much more in terms of functionality. (See Learning Path Help)."; -$HUser = "Users Help"; -$HExercise = "Tests Help"; -$HPath = "Learning Path Help"; -$HDescription = "Description Help"; -$HLinks = "Links Help"; -$HMycourses = "My Courses Help"; -$HAgenda = "Agenda Help"; -$HAnnouncements = "Announcements Help"; -$HChat = "Chat Help"; -$HWork = "Assignments Help"; -$HTracking = "Reporting Help"; -$IsInductionSession = "Induction-type session"; -$PublishSurvey = "Publish survey"; -$CompareQuestions = "Compare questions"; -$InformationUpdated = "Information updated"; -$SurveyTitle = "Survey title"; -$SurveyIntroduction = "Survey introduction"; -$CreateNewSurvey = "Create survey"; -$SurveyTemplate = "Survey template"; -$PleaseEnterSurveyTitle = "Please enter survey title"; -$PleaseEnterValidDate = "Please Enter Valid Date"; -$NotPublished = "Not published"; -$AdvancedReportDetails = "Advanced report allows to choose the user and the questions to see more precis informations"; -$AdvancedReport = "Advanced report"; -$CompleteReportDetails = "Complete report allows to see all the results given by the people questioned, and export it in csv (for Excel)"; -$CompleteReport = "Complete report"; -$OnlyThoseAddresses = "Send the survey to these addresses only"; -$BackToQuestions = "Back to the questions"; -$SelectWhichLanguage = "Select in which language should be created the survey"; -$CreateInAnotherLanguage = "Create this survey in another language"; -$ExportInExcel = "Export in Excel format"; -$ComparativeResults = "Comparative results"; -$SelectDataYouWantToCompare = "Select the data you want to compare"; -$OrCopyPasteUrl = "Or copy paste the link into the url bar of your browser :"; -$ClickHereToOpenSurvey = "Click here to take the survey"; -$SurveyNotShared = "No Surveys have been shared yet"; -$ViewSurvey = "View survey"; -$SelectDisplayType = "Select Display Type :"; -$Thanks = "Feedback message"; -$SurveyReporting = "Survey reporting"; -$NoSurveyAvailable = "No survey available"; -$YourSurveyHasBeenPublished = "has been published"; -$CreateFromExistingSurvey = "Create from existing survey"; -$SearchASurvey = "Search a survey"; -$SurveysOfAllCourses = "Survey(s) of all courses"; -$PleaseSelectAChoice = "Please make a choice"; -$ThereAreNoQuestionsInTheDatabase = "There are no questions in the database"; -$UpdateQuestionType = "Update Question Type :"; -$AddAnotherQuestion = "Add new question"; -$IsShareSurvey = "Share survey with others"; -$Proceed = "Proceed"; -$PleaseFillNumber = "Please fill numeric values for points."; -$PleaseFillAllPoints = "Please fill points from 1-5"; -$PleasFillAllAnswer = "Please fill all the answer fields."; -$PleaseSelectFourTrue = "Please select at least Four true answers."; -$PleaseSelectFourDefault = "Please Select at least Four Default Answers."; -$PleaseFillDefaultText = "Please fill default text"; -$ModifySurveyInformation = "Edit survey information"; -$ViewQuestions = "View questions"; -$CreateSurvey = "Create survey"; -$FinishSurvey = "Finish survey"; -$QuestionsAdded = "Questions are added"; -$DeleteSurvey = "Delete survey"; -$SurveyCode = "Code"; -$SurveyList = "Survey list"; -$SurveyAttached = "Survey attached"; -$QuestionByType = "Question by type"; -$SelectQuestionByType = "Select question by type"; -$PleaseEnterAQuestion = "Please enter a question"; -$NoOfQuestions = "Number of question"; -$ThisCodeAlradyExists = "This code already exist"; -$SaveAndExit = "Save and exit"; -$ViewAnswers = "View answers"; -$CreateExistingSurvey = "Create from an existing survey"; -$SurveyName = "Survey name"; -$SurveySubTitle = "Survey subtitle"; -$ShareSurvey = "Share survey"; -$SurveyThanks = "Final thanks"; -$EditSurvey = "Edit survey"; -$OrReturnToSurveyOverview = "Or return to survey overview"; -$SurveyParametersMissingUseCopyPaste = "There is a parameter missing in the link. Please use copy and past"; -$WrongInvitationCode = "Wrong invitation code"; -$SurveyFinished = "You have finished this survey."; -$SurveyPreview = "Survey preview"; -$InvallidSurvey = "Invalid survey"; -$AddQuestion = "Add a question"; -$EditQuestion = "Edit question"; -$TypeDoesNotExist = "This type does not exist"; -$SurveyCreatedSuccesfully = "The survey has been created succesfully"; -$YouCanNowAddQuestionToYourSurvey = "You can now add questions to your survey"; -$SurveyUpdatedSuccesfully = "The survey has been updated succesfully"; -$QuestionAdded = "The question has been added."; -$QuestionUpdated = "The question has been updated."; -$RemoveAnswer = "Remove option"; -$AddAnswer = "Add option"; -$DisplayAnswersHorVert = "Display"; -$AnswerOptions = "Answer options"; -$MultipleResponse = "Multiple answers"; -$Dropdown = "Dropdown"; -$Pagebreak = "Page end (separate questions)"; -$QuestionNumber = "N°"; -$NumberOfOptions = "Options"; -$SurveyInvitations = "Survey invitations"; -$InvitationCode = "Invitation code"; -$InvitationDate = "Invitation date"; -$Answered = "Answered"; -$AdditonalUsersComment = "You can invite additional users to fill the survey. To do so you can type their email adresses here separated by , or ;"; -$MailTitle = "Mail subject"; -$InvitationsSend = "invitations sent."; -$SurveyDeleted = "The survey has been deleted."; -$NoSurveysSelected = "No surveys have been selected."; -$NumberOfQuestions = "Questions"; -$Invited = "Invited"; -$SubmitQuestionFilter = "Filter"; -$ResetQuestionFilter = "Reset filter"; -$ExportCurrentReport = "Export current report"; -$OnlyQuestionsWithPredefinedAnswers = "Only questions with predefined answers can be used"; -$SelectXAxis = "Select the question on the X axis"; -$SelectYAxis = "Select the question on the Y axis"; -$ComparativeReport = "Comparative report"; -$AllQuestionsOnOnePage = "This screen displays an exact copy of the form as it was filled by the user"; -$SelectUserWhoFilledSurvey = "Select user who filled the survey"; -$userreport = "User report"; -$VisualRepresentation = "Graphic"; -$AbsoluteTotal = "Absolute total"; -$NextQuestion = "Next question"; -$PreviousQuestion = "Previous question"; -$PeopleWhoAnswered = "People who have chosen this answer"; -$SurveyPublication = "Publication of the survey"; -$AdditonalUsers = "Additional users"; -$MailText = "Email message"; -$UseLinkSyntax = "The selected users will receive an email with the text above and a unique link that they have to click to fill the survey. If you want to put the link somewhere in your text you have to put the following text wherever you want in your text: **link** (star star link star star). This will then automatically be replaced by the unique link. If you do not add **link** to your text then the email link will be added to the end of the mail"; -$DetailedReportByUser = "Detailed report by user"; -$DetailedReportByQuestion = "Detailed report by question"; -$ComparativeReportDetail = "In this report you can compare two questions."; -$CompleteReportDetail = "In this report you get an overview of all the answers of all users on all questions. You also have the option to see only a selection of questions. You can export the results in CSV format and use this for processing in a statistical application"; -$DetailedReportByUserDetail = "In this report you can see all the answers a specific user has given."; -$DetailedReportByQuestionDetail = "In this report you see the results question by question. Basic statistical analysis and graphics are provided"; -$ReminderResendToAllUsers = "Remind all users of the survey. If you do not check this checkbox only the newly added users will receive an email."; -$Multiplechoice = "Multiple choice"; -$Score = "Performance"; -$Invite = "Invite"; -$MaximumScore = "Score"; -$ViewInvited = "View invited"; -$ViewAnswered = "View people who answered"; -$ViewUnanswered = "View people who didn't answer"; -$DeleteSurveyQuestion = "Are you sure you want to delete the question?"; -$YouAlreadyFilledThisSurvey = "You already filled this survey"; -$ClickHereToAnswerTheSurvey = "Click here to answer the survey"; -$UnknowUser = "Unknow user"; -$HaveAnswered = "have answered"; -$WereInvited = "were invited"; -$PagebreakNotFirst = "The page break cannot be the first"; -$PagebreakNotLast = "The page break cannot be the last one"; -$SurveyNotAvailableAnymore = "Sorry, this survey is not available anymore. Thank you for trying."; -$DuplicateSurvey = "Duplicate survey"; -$EmptySurvey = "Empty survey"; -$SurveyEmptied = "Answers to survey successfully deleted"; -$SurveyNotAvailableYet = "This survey is not yet available. Please try again later. Thank you."; -$PeopleAnswered = "people answered"; -$AnonymousSurveyCannotKnowWhoAnswered = "This survey is anonymous. You can't see who answered."; -$IllegalSurveyId = "Unknown survey id"; -$SurveyQuestionMoved = "The question has been moved"; -$IdenticalSurveycodeWarning = "This survey code already exists. That probably means the survey exists in other languages. Invited people will choose between different languages."; -$ThisSurveyCodeSoonExistsInThisLanguage = "This survey code soon exists in this language"; -$SurveyUserAnswersHaveBeenRemovedSuccessfully = "The user's answers to the survey have been succesfully removed."; -$DeleteSurveyByUser = "Delete this user's answers"; -$SelectType = "Select type"; -$Conditional = "Conditional"; -$ParentSurvey = "Parent Survey"; -$OneQuestionPerPage = "One question per page"; -$ActivateShuffle = "Enable shuffle mode"; -$ShowFormProfile = "Show profile form"; -$PersonalityQuestion = "Edit question"; -$YouNeedToCreateGroups = "You need to create groups"; -$ManageGroups = "Manage groups"; -$GroupCreatedSuccessfully = "Group created successfully"; -$GroupNeedName = "Group need name"; -$Personality = "Personalize"; -$Primary = "Primary"; -$Secondary = "Secondary"; -$PleaseChooseACondition = "Please choose a condition"; -$ChooseDifferentCategories = "Choose different categories"; -$Normal = "Normal"; -$NoLogOfDuration = "No log of duration"; -$AutoInviteLink = "Users who are not invited can use this link to take the survey:"; -$CompleteTheSurveysQuestions = "Complete the survey's questions"; -$SurveysDeleted = "Surveys deleted"; -$RemindUnanswered = "Remind only users who didn't answer"; -$ModifySurvey = "Edit survey"; -$CreateQuestionSurvey = "Create question"; -$ModifyQuestionSurvey = "Edit question"; -$BackToSurvey = "Back to survey"; -$UpdateInformation = "Update information"; -$PleaseFillSurvey = "Please fill survey"; -$ReportingOverview = "Reporting overview"; -$GeneralDescription = "Description"; -$GeneralDescriptionQuestions = "What is the goal of the course? Are there prerequisites? How is this training connected to other courses?"; -$GeneralDescriptionInformation = "Describe the course (number of hours, serial number, location) and teacher (name, office, Tel., e-mail, office hours . . . .)."; -$Objectives = "Objectives"; -$ObjectivesInformation = "What are the objectives of the course (competences, skills, outcomes)?"; -$ObjectivesQuestions = "What should the end results be when the learner has completed the course? What are the activities performed during the course?"; -$Topics = "Topics"; -$TopicsInformation = "List of topics included in the training. Importance of each topic. Level of difficulty. Structure and inter-dependence of the different parts."; -$TopicsQuestions = "How does the course progress? Where should the learner pay special care? Are there identifiable problems in understanding different areas? How much time should one dedicate to the different areas of the course?"; -$Methodology = "Methodology"; -$MethodologyQuestions = "What methods and activities help achieve the objectives of the course? What would the schedule be?"; -$MethodologyInformation = "Presentation of the activities (conference, papers, group research, labs...)."; -$CourseMaterial = "Course material"; -$CourseMaterialQuestions = "Is there a course book, a collection of papers, a bibliography, a list of links on the internet?"; -$CourseMaterialInformation = "Short description of the course materials."; -$HumanAndTechnicalResources = "Resources"; -$HumanAndTechnicalResourcesQuestions = "Consider the cpirses, coaches, a technical helpdesk, course managers, and/or materials available."; -$HumanAndTechnicalResourcesInformation = "Identify and describe the different contact persons and technical devices available."; -$Assessment = "Assessment"; -$AssessmentQuestions = "How will learners be assessed? Are there strategies to develop in order to master the topic?"; -$AssessmentInformation = "Criteria for skills acquisition."; -$Height = "Height"; -$ResizingComment = "Resize the image to the following dimensions (in pixels)"; -$Width = "Width"; -$Resizing = "RESIZE"; -$NoResizingComment = "Show all images in their original size. No resizing is done. Scrollbars will automatically appear if the image is larger than your monitor size."; -$ShowThumbnails = "Show Thumbnails"; -$SetSlideshowOptions = "Gallery settings"; -$SlideshowOptions = "Slideshow Options"; -$NoResizing = "NO RESIZING"; -$Brochure = "Brochure"; -$SlideShow = "Slideshow"; -$PublicationEndDate = "Published end date"; -$ViewSlideshow = "View Slideshow"; -$MyTasks = "My tasks"; -$FavoriteBlogs = "My projects"; -$Navigation = "Navigation"; -$TopTen = "Top ten"; -$ThisBlog = "This project"; -$NewPost = "New task"; -$TaskManager = "Roles management"; -$MemberManager = "Users management"; -$PostFullText = "Task"; -$ReadPost = "Read this post"; -$FirstPostText = "This is the first task in the project. Everybody subscribed to this project is able to participate"; -$AddNewComment = "Add a new comment"; -$ReplyToThisComment = "Reply to this comment"; -$ManageTasks = "Manage roles"; -$ManageMembers = "Subscribe / Unsubscribe users in this project"; -$Register = "Register"; -$UnRegister = "Unregister"; -$SubscribeMembers = "Subscribe users"; -$UnsubscribeMembers = "Unsubscribe users"; -$RightsManager = "Users rights management"; -$ManageRights = "Manage roles and rights of user in this project"; -$Task = "Task"; -$Tasks = "Tasks"; -$Member = "Member"; -$Members = "Members"; -$Role = "Role"; -$Rate = "Rate"; -$AddTask = "Add a new role"; -$AddTasks = "Add a new role"; -$AssignTask = "Assign a role"; -$AssignTasks = "Assign roles"; -$EditTask = "Edit this task"; -$DeleteTask = "Delete this task"; -$DeleteSystemTask = "This is a preset task. You can't delete a preset task."; -$SelectUser = "User"; -$SelectTask = "Task"; -$SelectTargetDate = "Date"; -$TargetDate = "Date"; -$Color = "Colour"; -$TaskList = "Roles in this project"; -$AssignedTasks = "Assigned tasks"; -$ArticleManager = "Tasks manager"; -$CommentManager = "Comment manager"; -$BlogManager = "Project manager"; -$ReadMore = "Read more..."; -$DeleteThisArticle = "Delete this task"; -$EditThisPost = "Edit this task"; -$DeleteThisComment = "Delete this comment"; -$NoArticles = "There are no tasks in this project. If you are the manager of this project, click on link 'New task' to write an task."; -$NoTasks = "No tasks"; -$Rating = "Rating"; -$RateThis = "Rate this task"; -$SelectTaskArticle = "Select a task for this role"; -$ExecuteThisTask = "A task for me"; -$WrittenBy = "Written by"; -$InBlog = "in the project"; -$ViewPostsOfThisDay = "View tasks for today"; -$PostsOf = "Tasks by"; -$NoArticleMatches = "No tasks have been found. Check the word spelling or try another search."; -$SaveProject = "Save blog"; -$Task1 = "Task 1"; -$Task2 = "Task 2"; -$Task3 = "Task 3"; -$Task1Desc = "Task 1 description"; -$Task2Desc = "Task 2 description"; -$Task3Desc = "Task 3 description"; -$blog_management = "Project management"; -$Welcome = "Welcome !"; -$Module = "Module"; -$UserHasPermissionNot = "The user hasn't rights"; -$UserHasPermission = "The user has rights"; -$UserHasPermissionByRoleGroup = "The user has rights of its group"; -$PromotionUpdated = "Promotion updated successfully"; -$AddBlog = "Create a new project"; -$EditBlog = "Edit a project"; -$DeleteBlog = "Delete this project"; -$Shared = "Shared"; -$PermissionGrantedByGroupOrRole = "Permission granted by group or role"; -$Reader = "Reader"; -$BlogDeleted = "The project has been deleted."; -$BlogEdited = "The project has been edited."; -$BlogStored = "The project has been added."; -$CommentCreated = "The comment has been saved."; -$BlogAdded = "The article has been added."; -$TaskCreated = "The task has been created"; -$TaskEdited = "The task has been edited."; -$TaskAssigned = "The task has been assigned."; -$AssignedTaskEdited = "The assigned task has been edited"; -$UserRegistered = "The user has been registered"; -$TaskDeleted = "The task has been deleted."; -$TaskAssignmentDeleted = "The task assignment has been deleted."; -$CommentDeleted = "The comment has been deleted."; -$RatingAdded = "A rating has been added."; -$ResourceAdded = "Resource added"; -$LearningPath = "Learning paths"; -$LevelUp = "level up"; -$AddIt = "Add it"; -$MainCategory = "main category"; -$AddToLinks = "Add to the course links"; -$DontAdd = "do not add"; -$ResourcesAdded = "Resources added"; -$ExternalResources = "External resources"; -$CourseResources = "Course resources"; -$ExternalLink = "External link"; -$DropboxAdd = "Add the dropbox to this section."; -$AddAssignmentPage = "Add the Assignments tool to the course"; -$ShowDelete = "Show / Delete"; -$IntroductionText = "Introduction text"; -$CourseDescription = "Course Description"; -$IntroductionTextAdd = "Add a page containing the introduction text to this section."; -$CourseDescriptionAdd = "Add a page containing the course description to this section."; -$GroupsAdd = "Add the Groups tool to this section."; -$UsersAdd = "Add the Users tool to this section."; -$ExportableCourseResources = "Exportable course resources"; -$LMSRelatedCourseMaterial = "Chamilo related course resources"; -$LinkTarget = "Link's target"; -$SameWindow = "In the same window"; -$NewWindow = "In a new window"; -$StepDeleted1 = "This"; -$StepDeleted2 = "item was deleted in that tool."; -$Chapter = "Section"; -$AgendaAdd = "Add event"; -$UserGroupFilter = "Filter on groups/users"; -$AgendaSortChronologicallyUp = "Ascending"; -$ShowCurrent = "Current month"; -$ModifyCalendarItem = "Edit event"; -$Detail = "Detail"; -$EditSuccess = "Event edited"; -$AddCalendarItem = "Add event to agenda"; -$AddAnn = "Add announcement"; -$ForumAddNewTopic = "Forum: add new topic"; -$ForumEditTopic = "Forum: edit topic"; -$ExerciseAnswers = "Test : Answers"; -$ForumReply = "Forum: reply"; -$AgendaSortChronologicallyDown = "Descending"; -$SendWork = "Upload paper"; -$TooBig = "You didn't choose any file to send, or it is too big"; -$DocModif = "paper title modified"; -$DocAdd = "The file has been added to the list of publications."; -$DocDel = "File deleted"; -$TitleWork = "Paper title"; -$Authors = "Authors"; -$WorkDelete = "Delete"; -$WorkModify = "Edit"; -$WorkConfirmDelete = "Do you really want to delete this file"; -$AllFiles = "Actions on all files"; -$DefaultUpload = "Default setting for the visibility of newly posted files"; -$NewVisible = "New documents are visible for all users"; -$NewUnvisible = "New documents are only visible for the teacher(s)"; -$MustBeRegisteredUser = "Only registered users of this course can publish documents."; -$ListDel = "Delete list"; -$CreateDirectory = "Validate"; -$CurrentDir = "current folder"; -$UploadADocument = "Upload a document"; -$EditToolOptions = "Assignments settings"; -$DocumentDeleted = "Document deleted"; -$SendMailBody = "A user posted a document in the Assignments tool"; -$DirDelete = "Delete directory"; -$ValidateChanges = "Validate changes"; -$FolderUpdated = "Folder updated"; -$EndsAt = "Ends at (completely closed)"; -$QualificationOfAssignment = "Assignment scoring"; -$MakeQualifiable = "Add to gradebook"; -$QualificationNumberOver = "Score"; -$WeightInTheGradebook = "Weight inside assessment"; -$DatesAvailables = "Date limits"; -$ExpiresAt = "Expires at"; -$DirectoryCreated = "Directory created"; -$Assignment = "Assignments"; -$ExpiryDateToSendWorkIs = "Deadline for assignments"; -$EnableExpiryDate = "Enable handing over deadline (visible to learners)"; -$EnableEndDate = "Enable final acceptance date (invisible to learners)"; -$IsNotPosibleSaveTheDocument = "Impossible to save the document"; -$EndDateCannotBeBeforeTheExpireDate = "End date cannot be before the expiry date"; -$SelectAFilter = "Select a filter"; -$FilterByNotExpired = "Filter by not expired"; -$FilterAssignments = "Filter assignments"; -$WeightNecessary = "Minimum score expected"; -$QualificationOver = "Score"; -$ExpiryDateAlreadyPassed = "Expiry date already passed"; -$EndDateAlreadyPassed = "End date already passed"; -$MoveXTo = "Move %s to"; -$QualificationMustNotBeMoreThanQualificationOver = "The mark cannot exceed maximum score"; -$ModifyDirectory = "Validate"; -$DeleteAllFiles = "Delete all papers"; -$BackToWorksList = "Back to Assignments list"; -$EditMedia = "Edit and mark paper"; -$AllFilesInvisible = "All papers are now invisible"; -$FileInvisible = "The file is now invisible"; -$AllFilesVisible = "All papers are now visible"; -$FileVisible = "The file is now visible"; -$ButtonCreateAssignment = "Create assignment"; -$AssignmentName = "Assignment name"; -$CreateAssignment = "Create assignment"; -$FolderEdited = "Folder edited"; -$UpdateWork = "Update this task"; -$MakeAllPapersInvisible = "Make all papers invisible"; -$MakeAllPapersVisible = "Make all papers visible"; -$AdminFirstName = "Administrator first name"; -$InstituteURL = "URL of this company"; -$UserDB = "User DB"; -$PleaseWait = "Continue"; -$PleaseCheckTheseValues = "Please check these values"; -$PleasGoBackToStep1 = "Please go back to step 1"; -$UserContent = "

      Adding users

      You can subscribe existing learners one by one to your course, by clicking on the link 'Subscribe users to this course'. Usually however it's better to open your course to self-registration and let learners register themselves.

      Description

      The description has no computer related function and does not indicate any particular rights or privileges within the system. It simply indicates who is who, in human terms. You can therefore modify this by clicking on the pencil, then typing whatever you want: professor, assistant, student, visitor, expert etc.

      Admin rights

      Admin rights, on the other hand, provide technical authorization to modify the content and organization of this course area. You can choose between allowing full admin rights or none.

      To allow an assistant, for instance, to co-admin the area, you need to be sure he/she is already registered, then click on the pencil, then check 'Teacher', then 'Ok'.

      Co-Trainers

      To mention the name of a co-teacher in the heading (co-chairman, etc.), use the 'Course settings' tool. This modification does not automatically register your co-Trainer as a course member. The 'Teachers' field is completely independent of the 'Users' list.

      Tracking and Personal Home Pages

      In addition to showing the users list and modifying their rights, the Users tool also shows individual tracking and allows the teacher to define headings for personal home pages to be completed by users.

      "; -$GroupContent = "

      Introduction

      This tool allows you to create and manage workgroups. On first creation (Create groups), groups are 'empty'. There are many ways to fill them:

      • automatically ('Fill groups (random)'),
      • manually ('Edit'),
      • self-registration by users (Groups settings: 'Self registration allowed...').
      These three ways can be combined. You can, for instance, first ask users to self-register.Then if you find some of them didn't register, decide to fill groups automatically (random) in order to complete them. You can also edit each group to determine membership, user by user, after or before self-registration and/or automatically on registration.

      Filling groups, whether automatically or manually, is possible only for users registered on the course. The users list is visible in Users tool.


      Create groups

      To create new groups, click on 'Create new group(s)' and decide the number of groups to create.


      Group settings

      You can determine Group settings globally (for all groups).Users may self-register in groups:

      You create empty groups, users self-register.If you have defined a maximum number, full groups do not accept new members.This method is handy for trainers unfamiliar with the users list when creating groups.

      Tools:

      Every group is assigned either a forum (private or public) or a Documents area(a shared file manager) or (in most cases) both.


      Manual editing

      Once groups have been created (Create groups), you will see, at the bottom of the page, a list of groups along with with several options:

      • EditManually modify group name, description, tutor, members list.
      • Delete Delete a group.

      "; -$ExerciseContent = "

      The tests tool allows you to create tests containing as many questions as you like.

      You can choose from a range of question formats clearly displayed at the top of the page when you create a test including (for example):

      • Multiple choice (single or multiple answers)
      • Matching
      • Fill in the blanks etc.
      A test can include any number and combination of questions and question formats.


      Test creation

      To create a test, click on the \"New test\" link.

      Type a name for the test, as well as an optional description.

      You can add various elements to this, including audio or video files, e.g. for listening comprehension, but take care to make such files as small as possible to optimise download time (e.g. use mp3 rather than wav files - they're far smaller but perfectly good quality).

      You can also choose between two modes of presentation:

      • Questions on an single page
      • One question per page (sequentially)
      and opt for questions to be randomly organised when the test is run.

      Finally, save your test. You will be taken to the question administration.


      Adding a question

      You can now add a question to the newly created test. You can if you wish include a description and/or an image. To create the test types mentioned above, follow the following steps:


      Multiple choice

      In order to create a MAQ / MCQ :

      • Define the answers for your question. You can add or delete an answer by clicking on the right-hand button
      • Check the left box for the correct answer(s)
      • Add an optional comment. This comment won't be seen by the user until he/she has answered the question
      • Give a weighting to each answer. The weighting can be any positive or negative integer (or zero)
      • Save your answers


      Fill in the blanks

      This allows you to create a cloze passage. The purpose is to prompt the user to find words that you have removed from the text.

      To remove a word from the text, and thus create a blank, put brackets [like this] around it.

      Once the text has been typed and blanks defined, you can add a comment that will be seen by the learner depending on the reply to the question.

      Save your text, and you will be taken to the next step allowing you to assign a weighting to each blank. For example, if the question is worth 10 points and you have 5 blanks, you can give a weighting of 2 points to each blank.


      Matching

      This answer type can be chosen so as to create a question where the user will have to connect elements from list A with elements from list B.

      It can also be used to ask the user to arrange elements in a given order.

      First, define the options from which the user will be able to choose the best answer. Then, define the questions which will have to be linked to one of the options previously defined. Finally, connect elements from the first list with those of the second list via the drop-down menu.

      Note: Several elements from the first unit might point to the same element in the second unit.

      Assign a weighting to each correct match, and save your answer.


      Modifying a test

      In order to modify a test, the principle is the same as for creating a test. Just click on the picture beside the test to modify, and follow the instructions above.


      Deleting a test

      In order to delete a test, click on the picture beside the test to delete it.


      Enabling a test

      For a test can be used, you have to enable it by clicking on the picture beside the test name.


      Running the test

      You can try out your test by clicking on its name in the tests list.


      Random questions

      Whenever you create/modify a test, you can decide if you want questions to be drawn in a random order from amongst all test questions.

      By enabling this option, questions will be drawn in a different order every time a user runs the test.

      If you have got a large number of questions, you can opt to randomly draw only x-number of questions from the questions available.


      Questions pool

      When you delete a test, its questions are not removed from the database, so they can be recycled back into another test via the questions pool.

      The questions pool also allows you to re-use the same question in several tests.

      By default, all the questions pertaining to your course are hidden. You can display the questions related to a test, by chosing 'filter' in the drop-down menu.

      Orphan questions are questions that don not belong to any test.


      HotPotatoes Tests

      You can import HotPotatoes tests into a Chamilo portal, to use in the Tests tool. The results of these tests are stored the same way as the results of Chamilo tests and as such can be readily monitored using the Reporting tool. In the case of simple tests, we recommend you use html or htm format; if your test contains pictures, a zip file upload is the most convenient way.

      Note: You can also include HotPotatoes Tests as a step in the Learning Path.

      Method of import
      • Select the file on your computer using the Browse button \ton the right of your screen.
      • \t\t
      • \t\t\tLaunch the upload with the Upload Button .\t\t
      • \t\t
      • \t\t\tYou can open the test by clicking onto its name.\t\t
      • \t
      \t
      Useful link
      • Hot Potatoes home page : http://web.uvic.ca/hrd/halfbaked/
      "; -$PathContent = "The Course tool supports two approaches :
      • Create a new course (allowing you to author your own content)
      • Import SCORM course

      What is a Learning path?

      A Learning path allows for the presentation of a sequence of learning experiences or activities arranged in distinct sections. (In this sense, the Learning path is what distinguishes a 'course' from a mere repository of random documents.) It can be content-based (serving as a table of contents) or activities-based, serving as an agenda or programme of action necessary to understand and apply a particular area of knowledge or skill.

      In addition to being structured, a learning path can also be sequential, meaning that the completion of certain steps constitute pre-requisites for accessing others (i.e. 'you cannot go to learning object 2 before learning object 1'). Your sequence can be suggestive (simply displaying steps one after the other) or prescriptive (involving pre-requisites so that learners are required to follow steps in a particular order ).

      How do I create my own Learning Path (Course)?

      Proceed to the 'Learning Path' section. There you can create as many courses/paths as you wish by clicking the Create a new course tool. You will need to choose a name for the course/path (e.g. Unit 1 if you plan to create several units within the overall course). To begin with, the course is empty, waiting for you to add sections and learning objects to it.
      If you set a course to Visible, it will appear as a new tool on the course homepage. This makes it easier and clearer for students to access.

      What learning objects can I add?

      All Chamilo tools, activities and content that you consider useful and relevant to yourcourse can be added :

      • Separate documents (texts, pictures, Office docs, ...)
      • Forums as a whole
      • Topics
      • Links
      • Chamilo Tests
      • HotPotatoes Tests
        (note :tests made invisible on the homepage, but included in a path, become visible for learners onl as they work throught the course.)
      • Assignments
      • External links

      Other features

      Learners can be asked to follow your course in a given order, as you can set prerequisites. This means for example thatlearners cannot go to e.g. Quiz 2 until they have read e.g. Document 1. All learning objects have a status:completed or incomplete, so the progress of learners is clearly reported.

      If you alter the original title of a learning object, the new name will appear inthe course, but the original title will not be deleted. So if you want test8.doc to appear as 'Final Exam' in the path, you do not have to rename the file, you can use the new title in the path. It is also useful to give new titles to links which are too long.

      When you're finished, don't forget to check Display mode, (showing, as in learner view, the table of contents on the left and the learning objects on the right,one at a time.)


      What is a SCORM course and how do I import one?

      The learning path tool allows you to upload SCORM compliant courses.

      SCORM (Sharable Content Object Reference Model) is a public standard followed by major e-Learning companies like NETg, Macromedia, Microsoft, Skillsoft, etc. They act at three levels:

      • Economy : SCORM renders whole courses or small content units reusable on different Learning Management Systems (LMS) through the separation of content and context,
      • Pedagogy : SCORM integrates the notion ofpre-requisite or sequencing (e.g. \"Youcannot go to chapter 2 before passing Quiz 1\"),
      • Technology : SCORM generates a table of contents as an abstraction layer situated outside content and outside the LMS. It helps content and the LMS to communicate with each other. Mainly communicated are bookmarks(\"Where is John in thecourse?\"), scoring (\"How did John pass the test?\") and time (\"How muchtime did John spent in chapter 1?\").
      How can I create a SCORM compliant learning path?

      The obvious way is to use the Chamilo Authoring tool. However, you may prefer to create complete SCORM compliant websites locally on your own computer before uploading it onto your Chamilo platform. In this case, we recommend the use of a sophisticated tool like Lectora®, eXe Learning® or Reload®

      "; -$DescriptionContent = "

      The Course Description tool prompts you to comprhensively describe your course in a systematic way. This description can be used to provide learners with an overview of what awaits them, and can be helpful when you review and evaluate your course.

      The items merely offer suggestions. If you want to write a your own independent course description simply create your own headings and decriptions by selecting the 'Other' tool.

      Otherwise, to complete a description of the course, click on each image, fill it with your text/content and submit.

      "; -$LinksContent = "

      The Links tool allows you to create a library of resources for your students, particularly of resources that you have not created yourself.

      As the list grows, it might prove useful to organise it into categories to help your students find the right information at the right place. You can edit every link to re-assign it to a new category (you will need to create this category first).

      The Description field can be used to provide advance-information on the target web pages but also to describe what you expect the student to do with the link. If, for instance, you point to a website on Aristotle, the description field may ask the student to study the difference between synthesis and analysis."; -$MycoursesContent = "

      As soon as you log in to the system, you will be taken to your own main page. Here you will see the following:

    • My Courses in the centre of the page, lists the courses in which you are enrolled, with an option for you to create new courses (using the button in the right menu)
    • In the header section, My Profile allows you to change your password, upload your photo to the system or change your username, My Calendar : contains the events within the courses for which you are registered, in the right menu: Edit my list of courses allows you to enroll in courses as learner, (provided the trainer/teacher has authorized entry. here you can also unsubscribe from a course, Links Support Forum and Documentation refer you to the main Chamilo site, where you can ask questions or find up to date information about Chamilo. To enter a course (left side of the screen), click on its title. Your profile may vary from course to course. It could be that you are a teacher in one course and a learner in another. In courses for which you are responsible, you have access to the editing tools designed for authoring and managing students, while in courses where you learn, you access a more limited range of tools appropriate for undertaking the course.

      The form your own main page takes can vary from one platform to another depending on the options enabled by the system administrator. Thus, for example, there may be some cases where you do not have access to course creation even as a teacher, because this particular function is managed by others within your institution.

      "; -$AgendaContent = "

      The Agenda tool appears both as a calendar within each course and as a personal diary tool for each student providing an overview of events in the courses in which they are enrolled. (Groups can also have their own Agenda.) Users can use the Agenda, which displays course content and activites, as a reference tool to organise their day to day or week to week learning.

      In addition to being visible in the agenda, new events are indicated to the learner whenever he/she logs in. The system sees what has been added since his/her last visit and icons appear on the portal home page beside the courses indicating new events and announcements.

      If you want to organize students' work in a time-related way, it is best to use the Learning Paths tool as a way of charting a logical progression through various activites and content through the presentation of a formal table of contents.

      "; -$AnnouncementsContent = "

      The Announcements tool allows you to send an email to some or all of your students, or to specific groups. to might want to alert them to the addition of a new document, to remind them of a deadline for submission of an assignment or to highlight and share a particularly good piece of work. Sending such email announcements can also serve as a useful prompt to re-engage students who have not visited the site for some time (as long as it's not overdone!).

      Contacting specific users

      In addition to sending a general email to all members of the course, you can send an email to one or more individuals/groups groups.When you create a new announcement. Just click Visible to and select users from the left hand lists and and add them as recipients using the arrows.

      "; -$ChatContent = "

      The Chat tool allows you to chat 'live' with your students in real time.

      In contrast to most commercial chat tools, the chat in Chamilo is web based and does not require any additional install (e.g. MSN® Yahoo Messenger®. Skype® etc.) A key advantage of this solution is therefore it's immediate availablilty for students, allowing chat to be easily integrated into the course. Moreover, the Chamilo chat tool will automatically archive discussions and save them for ready access later via the Documents tool. (Be warned that the message may take from 1 to 5 seconds to refresh with each exchange - this doesn't mean anything is wrong!!).

      If learners have uploaded a profile picture it will appear (reduced in size) in the left column - otherwise, it will show a default image.

      It is the responsibility of the teacher to delete threads whenever he/she deems relevant.

      Educational Use

      Adding Chat to your course is not always a good idea. To make best use of this tool, you need to ensure discussions remains focussed on course content. You might, for example, decide to keep the chat facility hidden until it is time for a 'formal' scheduled session. That way,while the freedom of discussions may admittedly be curbed, you are able to better guarantee thatsuch live meetings will be beneficial .

      "; -$WorkContent = "

      The assignments tool is a very simple tool that allows your students to upload documents to the course.It can be used to accept responses to open questions from individuals or groups, or for uploading any other form of document

      You can make files visible to all students by default, or only visible to yourself according to the requirements of your course. Making all files visible is useful when, for instance, you want to ask students to share opinions on each others papers, or when you want to give them experience in publishing texts globally. Keep files invisible if, for example, you want ask everybody the same question but to avoid 'cheating'. Making the documents invisible will also allow you to have some form of control over when a document is available to all the other students.

      If you want students to hand in a document for grading you're best, from within the tool, to assign submissions to a folder.

      You can use the the tool to set deadlines and instructions for delivery, as well as a maximum grade/score.

      "; -$TrackingContent = "

      The Reporting tool helps you track your students' attendance and progress: Did they connect to the system, When? How many times? How much do they score in tests? Have they already uploaded their assignment paper? When? If you use SCORM courses, you can even track how much time a student spent on a particular module or chapter. Reporting provides two levels of information:

      • Global: How many students have accessed the course? What are the most frequently visited pages and links?
      • Specific: What pages has John Doe visited? What score does he get in tests? When did he last connect to the platform?
      "; -$HSettings = "Course settings Help"; -$SettingsContent = "

      The Course Settings allows you to manage the global parameters of your course: Title, code, language, name of trainer etc.

      The options situated in the centre of the page deal with confidentiality settings : is the course public or private? Can users register to it? You can use these settings dynamically e.g. allow self-registration for one week > ask your students to register > close access to self-registration > remove possible intruders through the Users list. This way you keep control of who is registered while avoiding the administrative hassle of registering them yourself.

      (Note - some organizations prefer not to use this method and opt to centralise registration. In this case, participants cannot enrol in your course at all, even if you, as a trainer / teacher, wish to give them access. To check this, look at the home page of your campus (as opposed to your course homepage) to see if the 'Register' link is present.)

      At the bottom of the page, you can back up the course and delete it. Backup will create a file on the server and allow you to copy it on your own Hard Disk locally so that there will be two backups each in different places. If you back up a course and then delete it you will not be be able to restore it yourself, but the system administrator can do this for you if you give him/her the code of your course. Backing up a course is also a good way to get all your documents transferred to your own computer. You will need a tool, like Winzip® to UNZIP the archive. Note that backing up a course does not automatically remove it.

      "; -$HExternal = "Add a Link help"; -$ExternalContent = "

      Chamilo is a modular tool. You can hide and show tools whenever you want, according to the requirements of your project or to a particular chronological part of it. But you can also add tools or pages to your home page that you have created yourself or that come from outwith your Chamilo portal. That way, you can customise your course home page to make it your own.

      In so doing, you will doubtless want to add your own links to the page. Links can be of two types:

      • External link: you create a link on your home page to a website situated outside your course area. In this case, you will select 'Target= In a new window' because you don't want that website to replace your Chamilo environment.
      • Internal link: you link to a page or a tool inside your Chamilo course. To do this, first go to the relevant page (or document, or tool), copy its URL from the address bar of your browser (CTRL+C), then you go to 'Add link' and paste this URL in the URL field, giving it whatever name you want. In this case, you will select 'Target=Same window' because you want to keep the Chamilo banner on top and the link page in the same environment.
      Once created, links cannot be edited. To modify them, the only solution is to deactivate and delete them, then start over.

      "; -$ClarContent3 = "Clear content"; -$ClarContent4 = "Clear content"; -$ClarContent1 = "Clear content"; -$ClarContent2 = "Clear content"; -$HGroups = "Groups Help"; -$GroupsContent = "Content of the groups"; -$Guide = "Manual"; -$YouShouldWriteAMessage = "You should write a message"; -$MessageOfNewCourseToAdmin = "This message is to inform you that has created a new course on platform"; -$NewCourseCreatedIn = "New course created in"; -$ExplicationTrainers = "The teacher is set as you for now. You can change this setting later in the course configuration settings"; -$InstallationLanguage = "Installation Language"; -$ReadThoroughly = "Please read the following requirements thoroughly."; -$WarningExistingLMSInstallationDetected = "Warning!
      The installer has detected an existing Chamilo platform on your system."; -$NewInstallation = "New installation"; -$CheckDatabaseConnection = "Check database connection"; -$PrintOverview = "Show Overview"; -$Installing = "Install"; -$of = "of"; -$MoreDetails = "For more details"; -$ServerRequirements = "Server requirements"; -$ServerRequirementsInfo = "Your server must provide the following libraries to enable all features of Chamilo. The missing libraries shown in orange letters are optional, but some features of Chamilo might be disabled if they are not installed. You can still install those libraries later on to enable the missing features."; -$PHPVersion = "PHP version"; -$support = "support"; -$PHPVersionOK = "Your PHP version matches the minimum requirement:"; -$RecommendedSettings = "Recommended settings"; -$RecommendedSettingsInfo = "Recommended settings for your server configuration. These settings are set in the php.ini configuration file on your server."; -$Actual = "Currently"; -$DirectoryAndFilePermissions = "Directory and files permissions"; -$DirectoryAndFilePermissionsInfo = "Some directories and the files they include must be writable by the web server in order for Chamilo to run (user uploaded files, homepage html files, ...). This might imply a manual change on your server (outside of this interface)."; -$NotWritable = "Not writable"; -$Writable = "Writable"; -$ExtensionLDAPNotAvailable = "LDAP Extension not available"; -$ExtensionGDNotAvailable = "GD Extension not available"; -$LMSLicenseInfo = "Chamilo is free software distributed under the GNU General Public licence (GPL)."; -$IAccept = "I Accept"; -$ConfigSettingsInfo = "The following values will be written into your configuration file"; -$GoToYourNewlyCreatedPortal = "Go to your newly created portal."; -$FirstUseTip = "When you enter your portal for the first time, the best way to understand it is to create a course with the 'Create course' link in the menu and play around a little."; -$Version_ = "Version"; -$UpdateFromLMSVersion = "Update from Chamilo"; -$PleaseSelectInstallationProcessLanguage = "Please select the language you'd like to use when installing"; -$AsciiSvgComment = "Enable the AsciiSVG plugin in the WYSIWYG editor to draw charts from mathematical functions."; -$HereAreTheValuesYouEntered = "Here are the values you entered"; -$PrintThisPageToRememberPassAndOthers = "Print this page to remember your password and other settings"; -$TheInstallScriptWillEraseAllTables = "The install script will erase all tables of the selected databases. We heavily recommend you do a full backup of them before confirming this last install step."; -$Published = "Published"; -$ReadWarningBelow = "read warning below"; -$SecurityAdvice = "Security advice"; -$YouHaveMoreThanXCourses = "You have more than %d courses on your Chamilo platform ! Only %d courses have been updated. To update the other courses, %sclick here %s"; -$ToProtectYourSiteMakeXAndYReadOnly = "To protect your site, make %s and %s (but not their directories) read-only (CHMOD 444)."; -$HasNotBeenFound = "has not been found"; -$PleaseGoBackToStep1 = "Please go back to Step 1"; -$HasNotBeenFoundInThatDir = "has not been found in that directory"; -$OldVersionRootPath = "Old version's root path"; -$NoWritePermissionPleaseReadInstallGuide = "Some files or folders don't have writing permission. To be able to install Chamilo you should first change their permissions (using CHMOD). Please read the %s installation guide %s"; -$DBServerDoesntWorkOrLoginPassIsWrong = "The database server doesn't work or login / pass is bad"; -$PleaseGoBackToStep = "Please go back to Step"; -$DBSettingUpgradeIntro = "The upgrade script will recover and update the Chamilo database(s). In order to do this, this script will use the databases and settings defined below. Because our software runs on a wide range of systems and because all of them might not have been tested, we strongly recommend you do a full backup of your databases before you proceed with the upgrade!"; -$ExtensionMBStringNotAvailable = "MBString extension not available"; -$ExtensionMySQLNotAvailable = "MySQL extension not available"; -$LMSMediaLicense = "The images and media galleries of Chamilo use images from Nuvola, Crystal Clear and Tango icon galleries. Other images and media like diagrams and Flash animations are borrowed from Wikimedia and Ali Pakdel's and Denis Hoa's courses with their agreement and released under BY-SA Creative Commons license. You may find the license details at the CC website, where a link to the full text of the license is provided at the bottom of the page."; -$OptionalParameters = "Optional parameters"; -$FailedConectionDatabase = "The database connection has failed. This is generally due to the wrong user, the wrong password or the wrong database prefix being set above. Please review these settings and try again."; -$UpgradeFromLMS16x = "Upgrade from Chamilo 1.6.x"; -$UpgradeFromLMS18x = "Upgrade from Chamilo 1.8.x"; -$GroupPendingInvitations = "Group pending invitations"; -$Compose = "Compose"; -$BabyOrange = "Baby Orange"; -$BlueLagoon = "Blue lagoon"; -$CoolBlue = "Cool blue"; -$Corporate = "Corporate"; -$CosmicCampus = "Cosmic campus"; -$DeliciousBordeaux = "Delicious Bordeaux"; -$EmpireGreen = "Empire green"; -$FruityOrange = "Fruity orange"; -$Medical = "Medical"; -$RoyalPurple = "Royal purple"; -$SilverLine = "Silver line"; -$SoberBrown = "Sober brown"; -$SteelGrey = "Steel grey"; -$TastyOlive = "Tasty olive"; -$QuestionsOverallReportDetail = "In this report you see the results of all questions"; -$QuestionsOverallReport = "Questions' overall report"; -$NameOfLang['bosnian'] = "bosnian"; -$NameOfLang['czech'] = "czech"; -$NameOfLang['dari'] = "dari"; -$NameOfLang['dutch_corporate'] = "dutch corporate"; -$NameOfLang['english_org'] = "english for organisations"; -$NameOfLang['friulian'] = "friulian"; -$NameOfLang['georgian'] = "georgian"; -$NameOfLang['hebrew'] = "hebrew"; -$NameOfLang['korean'] = "korean"; -$NameOfLang['latvian'] = "latvian"; -$NameOfLang['lithuanian'] = "lithuanian"; -$NameOfLang['macedonian'] = "macedonian"; -$NameOfLang['norwegian'] = "norwegian"; -$NameOfLang['pashto'] = "pashto"; -$NameOfLang['persian'] = "persian"; -$NameOfLang['quechua_cusco'] = "quechua from Cusco"; -$NameOfLang['romanian'] = "romanian"; -$NameOfLang['serbian'] = "serbian"; -$NameOfLang['slovak'] = "slovak"; -$NameOfLang['swahili'] = "swahili"; -$NameOfLang['trad_chinese'] = "traditional chinese"; -$ChamiloInstallation = "Chamilo installation"; -$PendingInvitations = "Pending invitations"; -$SessionData = "Session's data"; -$SelectFieldToAdd = "Select user profile field to add"; -$MoveElement = "Move element"; -$ShowGlossaryInExtraToolsTitle = "Show the glossary terms in extra tools"; -$ShowGlossaryInExtraToolsComment = "From here you can configure how to add the glossary terms in extra tools as learning path and exercice tool"; -$HSurvey = "Survey Help"; -$SurveyContent = "

      Getting proper feedback on your courses is extremely important. You will find the dedicated Survey tool invaluable for getting effective feedback from users.

      Creating a new survey

      Click on the link 'Create a new survey' and fill in the fields 'Survey code' and 'Survey title'. With the help of the calendar, you can control the duration of your survey. There's no need to keep it open for a whole year; allow access for a few days at the end of the course program. Filling in the text fields 'Survey introduction' and 'Survey thanks' is also good practice; this will add clarity and a certain friendliness to your survey.

      Adding questions to the survey

      Once the survey outline is created, it is up to you to create the questions. The 'Survey' tool has many question types: open/closed questions, percentage, QCM, multiple responses... You should certainly find everything you need for your (ever increasing) feedback requirements.

      Previewing the survey

      Once you have created questions, you may want to check what the survey will look like to learners. Click on the 'Preview' icon and the preview screen will show you exactly this.

      Publishing the survey

      Happy with the preview? Any modifications to be made? No? Then click on the icon 'Publish survey' to send the survey to the selected list of recipients. As with creating groups, use the list 'Users of this course' on the left and the one for 'receivers' on its right to arrrange this. Next, fill in the email subject 'Title of the email' and the content, 'Text of the email'. Potential surveyees will be alerted by email of the availability of a survey. Think carefully about the wording of the email because it will play a big part in motivating users to take the survey.

      Survey reports

      Analyzing surveys is a tedious task. The survey Reporting tool will help with analysis as it sorts reports according to question, user, comparisons etc...

      Managing surveys

      When managing surveys you will see some new icons, apart from the usual 'Edit' and 'Delete' options.You can preview, publish and keep track of your surveys and responses using these.

      "; -$HBlogs = "Project help"; -$BlogsContent = "

      The Project tool facilitates collaborative project work.

      One way to use the tool is to use it to assign authors charged with keeping written reports on activities throughout the day/week.

      Coupled with this is a task management tool through which you can assign a relevant task to any of the designated authors (eg to report on the evolution of safety standards in the business).

      An item representing new content is called an article . To create a new article, just follow the link in the menu prompting you to do. To edit (if you are the author of the article) or add a comment to an article, just click on the title of this article.

      "; -$FirstSlide = "First slide"; -$LastSlide = "Last slide"; -$TheDocumentHasBeenDeleted = "The document has been deleted."; -$YouAreNotAllowedToDeleteThisDocument = "You are not allowed to delete this document"; -$AdditionalProfileField = "Add user profile field"; -$ExportCourses = "Export courses"; -$IsAdministrator = "Is administrator"; -$IsNotAdministrator = "Is not administrator"; -$AddTimeLimit = "Add time limit"; -$EditTimeLimit = "Edit time limit"; -$TheTimeLimitsAreReferential = "The time limit of a category is referential, will not affect the boundaries of a training session"; -$FieldTypeTag = "User tag"; -$SendEmailToAdminTitle = "Email alert, of creation a new course"; -$SendEmailToAdminComment = "Send an email to the platform administrator, each time the teacher register a new course"; -$UserTag = "User tag"; -$SelectSession = "Select session"; -$SpecialCourse = "Special course"; -$DurationInWords = "Duration in words"; -$UploadCorrection = "Upload correction"; -$MathASCIImathMLTitle = "ASCIIMathML mathematical editor"; -$MathASCIImathMLComment = "Enable ASCIIMathML mathematical editor"; -$YoutubeForStudentsTitle = "Allow learners to insert videos from YouTube"; -$YoutubeForStudentsComment = "Enable the possibility that learners can insert Youtube videos"; -$BlockCopyPasteForStudentsTitle = "Block learners copy and paste"; -$BlockCopyPasteForStudentsComment = "Block learners the ability to copy and paste into the WYSIWYG editor"; -$MoreButtonsForMaximizedModeTitle = "Buttons bar extended"; -$MoreButtonsForMaximizedModeComment = "Enable button bars extended when the WYSIWYG editor is maximized"; -$Editor = "HTML Editor"; -$GoToCourseAfterLoginTitle = "Go directly to the course after login"; -$GoToCourseAfterLoginComment = "When a user is registered in one course, go directly to the course after login"; -$AllowStudentsDownloadFoldersTitle = "Allow learners to download directories"; -$AllowStudentsDownloadFoldersComment = "Allow learners to pack and download a complete directory from the document tool"; -$AllowStudentsToCreateGroupsInSocialTitle = "Allow learners to create groups in social network"; -$AllowStudentsToCreateGroupsInSocialComment = "Allow learners to create groups in social network"; -$AllowSendMessageToAllPlatformUsersTitle = "Allow sending messages to any platform user"; -$AllowSendMessageToAllPlatformUsersComment = "Allows you to send messages to any user of the platform, not just your friends or the people currently online."; -$TabsSocial = "Social network tab"; -$MessageMaxUploadFilesizeTitle = "Max upload file size in messages"; -$MessageMaxUploadFilesizeComment = "Maximum size for file uploads in the messaging tool (in Bytes)"; -$ChamiloHomepage = "Chamilo homepage"; -$ChamiloForum = "Chamilo forum"; -$ChamiloExtensions = "Chamilo extensions"; -$ChamiloGreen = "Chamilo Green"; -$ChamiloRed = "Chamilo red"; -$MessagesSent = "Number of messages sent"; -$MessagesReceived = "Number of messages received"; -$CountFriends = "Contacts count"; -$ToChangeYourEmailMustTypeYourPassword = "In order to change your e-mail address, you are required to confirm your password"; -$Invitations = "Invitations"; -$MyGroups = "My groups"; -$ExerciseWithFeedbackWithoutCorrectionComment = "Note: This test has been setup to hide the expected answers."; -$Social = "Social"; -$MyFriends = "My friends"; -$CreateAgroup = "Create a group"; -$UsersGroups = "Users, Groups"; -$SorryNoResults = "Sorry no results"; -$GroupPermissions = "Group Permissions"; -$Closed = "Closed"; -$AddGroup = "Add group"; -$Privacy = "Privacy"; -$ThisIsAnOpenGroup = "This is an open group"; -$YouShouldCreateATopic = "You should create a topic"; -$IAmAnAdmin = "I am an admin"; -$MessageList = "Messages list"; -$MemberList = "Members list"; -$WaitingList = "Waiting list"; -$InviteFriends = "Invite friends"; -$AttachmentFiles = "Attachments"; -$AddOneMoreFile = "Add one more file"; -$MaximunFileSizeX = "Maximun file size: %s"; -$ModifyInformation = "Edit information"; -$GroupEdit = "Edit group"; -$ThereAreNotUsersInTheWaitingList = "There are no users in the waiting list"; -$SendInvitationTo = "Send invitation to"; -$InviteUsersToGroup = "Invite users to group"; -$PostIn = "Posted"; -$Newest = "Newest"; -$Popular = "Popular"; -$DeleteModerator = "Remove moderator"; -$UserChangeToModerator = "User updated to moderator"; -$IAmAModerator = "I am a moderator"; -$ThisIsACloseGroup = "This is a closed group"; -$IAmAReader = "I am a reader"; -$UserChangeToReader = "User updated to reader"; -$AddModerator = "Add as moderator"; -$JoinGroup = "Join group"; -$YouShouldJoinTheGroup = "You should join the group"; -$WaitingForAdminResponse = "Waiting for admin response"; -$Re = "Re"; -$FilesAttachment = "Files attachments"; -$GroupWaitingList = "Group waiting list"; -$UsersAlreadyInvited = "Users already invited"; -$SubscribeUsersToGroup = "Subscribe users to group"; -$YouHaveBeenInvitedJoinNow = "You have been invited to join now"; -$DenyInvitation = "Deny invitation"; -$AcceptInvitation = "Accept invitation"; -$GroupsWaitingApproval = "Groups waiting for approval"; -$GroupInvitationWasDeny = "Group invitation was denied"; -$UserIsSubscribedToThisGroup = "User is subscribed to this group"; -$DeleteFromGroup = "Delete from group"; -$YouAreInvitedToGroupContent = "You are invited to access a group content"; -$YouAreInvitedToGroup = "You are invited to group"; -$ToSubscribeClickInTheLinkBelow = "To subscribe, click the link below"; -$ReturnToInbox = "Return to inbox"; -$ReturnToOutbox = "Return to outbox"; -$EditNormalProfile = "Edit normal profile"; -$LeaveGroup = "Leave group"; -$UserIsNotSubscribedToThisGroup = "User is not subscribed to this group"; -$InvitationReceived = "Invitation received"; -$InvitationSent = "Invitation sent"; -$YouAlreadySentAnInvitation = "You already sent an invitation"; -$Step7 = "Step 7"; -$FilesSizeExceedsX = "Files size exceeds"; -$YouShouldWriteASubject = "You should write a subject"; -$StatusInThisGroup = "Status in this group"; -$FriendsOnline = "Friends online"; -$MyProductions = "My productions"; -$YouHaveReceivedANewMessageInTheGroupX = "You have received a new message in group %s"; -$ClickHereToSeeMessageGroup = "Click here to see group message"; -$OrCopyPasteTheFollowingUrl = "or copy paste the following url :"; -$ThereIsANewMessageInTheGroupX = "There is a new message in group %s"; -$UserIsAlreadySubscribedToThisGroup = "User is already subscribed to this group"; -$AddNormalUser = "Add as simple user"; -$DenyEntry = "Deny access"; -$YouNeedToHaveFriendsInYourSocialNetwork = "You need to have friends in your social network"; -$SeeAllMyGroups = "See all my groups"; -$EditGroupCategory = "Edit group category"; -$ModifyHotPotatoes = "Modify hotpotatoes"; -$SaveHotpotatoes = "Save hotpotatoes"; -$SessionIsReadOnly = "The session is read only"; -$EnableTimerControl = "Enable time control"; -$ExerciseTotalDurationInMinutes = "Total duration in minutes of the test"; -$ToContinueUseMenu = "To continue this course, please use the side-menu."; -$RandomAnswers = "Shuffle answers"; -$NotMarkActivity = "This activity cannot be graded"; -$YouHaveToCreateAtLeastOneAnswer = "You have to create at least one answer"; -$ExerciseAttempted = "A learner attempted an exercise"; -$MultipleSelectCombination = "Exact Selection"; -$MultipleAnswerCombination = "Exact answers combination"; -$ExerciseExpiredTimeMessage = "The exercise time limit has expired"; -$NameOfLang['ukrainian'] = "ukrainian"; -$NameOfLang['yoruba'] = "yoruba"; -$New = "New"; -$YouMustToInstallTheExtensionLDAP = "You must install the extension LDAP"; -$AddAdditionalProfileField = "Add user profile field"; -$InvitationDenied = "Invitation denied"; -$UserAdded = "The user has been added"; -$UpdatedIn = "Updated on"; -$Metadata = "Metadata"; -$AddMetadata = "View/Edit Metadata"; -$SendMessage = "Send message"; -$SeeForum = "See forum"; -$SeeMore = "See more"; -$NoDataAvailable = "No data available"; -$Created = "Created"; -$LastUpdate = "Last update"; -$UserNonRegisteredAtTheCourse = "User not registered in course"; -$EditMyProfile = "Edit my profile"; -$Announcements = "Announcements"; -$Password = "Password"; -$DescriptionGroup = "Groupe description"; -$Installation = "Installation"; -$ReadTheInstallationGuide = "Read the installation guide"; -$SeeBlog = "See blog"; -$Blog = "Blog"; -$BlogPosts = "Blog Posts"; -$BlogComments = "Blog comments"; -$ThereAreNotExtrafieldsAvailable = "There are not extra fields available"; -$StartToType = "Start to type, then click on this bar to validate tag"; -$InstallChamilo = "Install chamilo"; -$ChamiloURL = "Chamilo URL"; -$YouDoNotHaveAnySessionInItsHistory = "You have no session in your sessions history"; -$PortalHomepageDefaultIntroduction = "

      Congratulations! You have successfully installed your e-learning portal!

      You can now complete the installation by following three easy steps:

      1. Configure you portal by going to the administration section, and select the Portal -> Configuration settings entry.
      2. Add some life to your portal by creating users and/or training. You can do that by inviting new people to create their accounts or creating them yourself through the administration's Users and Training sections.
      3. Edit this page through the Edit portal homepage entry in the administration section.

      You can always find more information about this software on our website: http://www.chamilo.org.

      Have fun, and don't hesitate to join the community and give us feedback through our forum.

      "; -$WithTheFollowingSettings = "with the following settings:"; -$ThePageHasBeenExportedToDocArea = "The page has been exported to the document tool"; -$TitleColumnGradebook = "Column header in Competences Report"; -$QualifyWeight = "Weight in Report"; -$ConfigureExtensions = "Configure extensions"; -$ThereAreNotQuestionsForthisSurvey = "There are not questions for this survey"; -$StudentAllowedToDeleteOwnPublication = "Allow learners to delete their own publications"; -$ConfirmYourChoiceDeleteAllfiles = "Please confirm your choice. This will delete all files without possibility of recovery"; -$WorkName = "Assignment name"; -$ReminderToSubmitPendingTask = "Please remember you still have to send an assignment"; -$MessageConfirmSendingOfTask = "This is a message confirming the good reception of the task"; -$DataSent = "Data sent"; -$DownloadLink = "Download link"; -$ViewUsersWithTask = "Assignments received"; -$ReminderMessage = "Send a reminder"; -$DateSent = "Date sent"; -$ViewUsersWithoutTask = "View missing assignments"; -$AsciiSvgTitle = "Enable AsciiSVG"; -$SuggestionOnlyToEnableSubLanguageFeature = "Only required by the sub-languages feature"; -$ThematicAdvance = "Thematic advance"; -$EditProfile = "Edit profile"; -$TabsDashboard = "Dashboard"; -$DashboardBlocks = "Dashboard blocks"; -$DashboardList = "Dashboard list"; -$YouHaveNotEnabledBlocks = "You haven't enabled any block"; -$BlocksHaveBeenUpdatedSuccessfully = "The blocks have been updated"; -$Dashboard = "Dashboard"; -$DashboardPlugins = "Dashboard plugins"; -$ThisPluginHasbeenDeletedFromDashboardPluginDirectory = "This plugin has been deleted from the dashboard plugin directory"; -$EnableDashboardPlugins = "Enable dashboard plugins"; -$SelectBlockForDisplayingInsideBlocksDashboardView = "Select blocks to display in the dashboard blocks view"; -$ColumnPosition = "Position (column)"; -$EnableDashboardBlock = "Enable dashboard block"; -$ThereAreNoEnabledDashboardPlugins = "There is no enabled dashboard plugin"; -$Enabled = "Enabled"; -$ThematicAdvanceQuestions = "What is the current progress you have reached with your learners inside your course? How much do you think is remaining in comparison to the complete program?"; -$ThematicAdvanceHistory = "Advance history"; -$Homepage = "Homepage"; -$Attendances = "Attendances"; -$CountDoneAttendance = "# attended"; -$AssignUsers = "Assign users"; -$AssignCourses = "Assign courses"; -$AssignSessions = "Assign sessions"; -$CoursesListInPlatform = "Platform courses list"; -$AssignedCoursesListToHumanResourceManager = "Courses assigned to HR manager"; -$AssignedCoursesTo = "Courses assigned to"; -$AssignCoursesToHumanResourcesManager = "Assign courses to HR manager"; -$TimezoneValueTitle = "Timezone value"; -$TimezoneValueComment = "The timezone for this portal should be set to the same timezone as the organization's headquarter. If left empty, it will use the server's timezone.
      If configured, all times on the system will be printed based on this timezone. This setting has a lower priority than the user's timezone, if enabled and selected by the user himself through his extended profile."; -$UseUsersTimezoneTitle = "Enable users timezones"; -$UseUsersTimezoneComment = "Enable the possibility for users to select their own timezone. The timezone field should be set to visible and changeable in the Profiling menu in the administration section before users can choose their own. Once configured, users will be able to see assignment deadlines and other time references in their own timezone, which will reduce errors at delivery time."; -$FieldTypeTimezone = "Timezone"; -$Timezone = "Timezone"; -$AssignedSessionsHaveBeenUpdatedSuccessfully = "The assigned sessions have been updated"; -$AssignedCoursesHaveBeenUpdatedSuccessfully = "The assigned courses have been updated"; -$AssignedUsersHaveBeenUpdatedSuccessfully = "The assigned users have been updated"; -$AssignUsersToX = "Assign users to %s"; -$AssignUsersToHumanResourcesManager = "Assign users to Human Resources manager"; -$AssignedUsersListToHumanResourcesManager = "List of users assigned to Human Resources manager"; -$AssignCoursesToX = "Assign courses to %s"; -$SessionsListInPlatform = "List of sessions on the platform"; -$AssignSessionsToHumanResourcesManager = "Assign sessions to Human Resources manager"; -$AssignedSessionsListToHumanResourcesManager = "List of sessions assigned to the Human Resources manager"; -$SessionsInformation = "Sessions report"; -$YourSessionsList = "Your sessions"; -$TeachersInformationsList = "Teachers report"; -$YourTeachers = "Your teachers"; -$StudentsInformationsList = "Learners report"; -$YourStudents = "Your learners"; -$GoToThematicAdvance = "Go to thematic advance"; -$TeachersInformationsGraph = "Teachers report chart"; -$StudentsInformationsGraph = "Learners report chart"; -$Timezones = "Timezones"; -$TimeSpentOnThePlatformLastWeekByDay = "Time spent on the platform last week, by day"; -$AttendancesFaults = "Not attended"; -$AttendanceSheetReport = "Report of attendance sheets"; -$YouDoNotHaveDoneAttendances = "You do not have attendances"; -$DashboardPluginsHaveBeenUpdatedSuccessfully = "The dashboard plugins have been updated successfully"; -$ThereIsNoInformationAboutYourCourses = "There is no available information about your courses"; -$ThereIsNoInformationAboutYourSessions = "There is no available information about your sessions"; -$ThereIsNoInformationAboutYourTeachers = "There is no available information about your teachers"; -$ThereIsNoInformationAboutYourStudents = "There is no available information about your learners"; -$TimeSpentLastWeek = "Time spent last week"; -$SystemStatus = "System status"; -$IsWritable = "Is writable"; -$DirectoryExists = "The directory exists"; -$DirectoryMustBeWritable = "The directory must be writable by the web server"; -$DirectoryShouldBeRemoved = "The directory should be removed (it is no longer necessary)"; -$Section = "Section"; -$Expected = "Expected"; -$Setting = "Setting"; -$Current = "Current"; -$SessionGCMaxLifetimeInfo = "The session garbage collector maximum lifetime indicates which maximum time is given between two runs of the garbage collector."; -$PHPVersionInfo = "PHP version"; -$FileUploadsInfo = "File uploads indicate whether file uploads are authorized at all"; -$UploadMaxFilesizeInfo = "Maximum volume of an uploaded file. This setting should, most of the time, be matched with the post_max_size variable."; -$MagicQuotesRuntimeInfo = "This is a highly unrecommended feature which converts values returned by all functions that returned external values to slash-escaped values. This feature should *not* be enabled."; -$PostMaxSizeInfo = "This is the maximum size of uploads through forms using the POST method (i.e. classical file upload forms)"; -$SafeModeInfo = "Safe mode is a deprecated PHP feature which (badly) limits the access of PHP scripts to other resources. It is recommended to leave it off."; -$DisplayErrorsInfo = "Show errors on screen. Turn this on on development servers, off on production servers."; -$MaxInputTimeInfo = "The maximum time allowed for a form to be processed by the server. If it takes longer, the process is abandonned and a blank page is returned."; -$DefaultCharsetInfo = "The default character set to be sent when returning pages"; -$RegisterGlobalsInfo = "Whether to use the register globals feature or not. Using it represents potential security risks with this software."; -$ShortOpenTagInfo = "Whether to allow for short open tags to be used or not. This feature should not be used."; -$MemoryLimitInfo = "Maximum memory limit for one single script run. If the memory needed is higher, the process will stop to avoid consuming all the server's available memory and thus slowing down other users."; -$MagicQuotesGpcInfo = "Whether to automatically escape values from GET, POST and COOKIES arrays. A similar feature is provided for the required data inside this software, so using it provokes double slash-escaping of values."; -$VariablesOrderInfo = "The order of precedence of Environment, GET, POST, COOKIES and SESSION variables"; -$MaxExecutionTimeInfo = "Maximum time a script can take to execute. If using more than that, the script is abandoned to avoid slowing down other users."; -$ExtensionMustBeLoaded = "This extension must be loaded."; -$MysqlProtoInfo = "MySQL protocol"; -$MysqlHostInfo = "MySQL server host"; -$MysqlServerInfo = "MySQL server information"; -$MysqlClientInfo = "MySQL client"; -$ServerProtocolInfo = "Protocol used by this server"; -$ServerRemoteInfo = "Remote address (your address as received by the server)"; -$ServerAddessInfo = "Server address"; -$ServerNameInfo = "Server name (as used in your request)"; -$ServerPortInfo = "Server port"; -$ServerUserAgentInfo = "Your user agent as received by the server"; -$ServerSoftwareInfo = "Software running as a web server"; -$UnameInfo = "Information on the system the current server is running on"; -$EmptyHeaderLine = "There are empty lines in the header of selected file"; -$AdminsCanChangeUsersPassComment = "This feature is useful for the multi-URL scenario, where there is a difference between the global admin and the normal admins. In this case, selecting \"No\" will prevent normal admins to set other users' passwords, and will only allow them to ask for a password regeneration (thus sent by e-mail to the user). The global admin can still do it."; -$AdminsCanChangeUsersPassTitle = "Admins can change users' passwords"; -$AdminLoginAsAllowedComment = "Allow users with the corresponding privileges to use the \"login as\" feature to connect using other users' account? This setting is most useful for multi-url configuration, where you don't think an administrator from a secondary URL should be able to connect as any user. Note that another setting is available in the configuration file to block all possibility for anyone to use this feature."; -$AdminLoginAsAllowedTitle = "\"Login as\" feature"; -$FilterByUser = "Filter by user"; -$FilterByGroup = "Filter by group"; -$FilterAll = "Filter: Everyone"; -$AllQuestionsMustHaveACategory = "All questions must have a category to use the random-by-category mode."; -$PaginationXofY = "%s of %s"; -$SelectedMessagesUnRead = "Selected messages have been marked as unread"; -$SelectedMessagesRead = "Selected messages have been marked as read"; -$YouHaveToAddXAsAFriendFirst = "You have to add %s as a friend first"; -$Company = "Company"; -$GradebookExcellent = "Excellent"; -$GradebookOutstanding = "Outstanding"; -$GradebookGood = "Good"; -$GradebookFair = "Fair"; -$GradebookPoor = "Poor"; -$GradebookFailed = "Failed"; -$NoMedia = "Not linked to media"; -$AttachToMedia = "Attach to media"; -$ExamModeWithFinalScoreShowOnlyFinalScoreWithCategoriesIfAvailable = "Show only final score, with categories if available"; -$Media = "Media"; -$ForceEditingExerciseInLPWarning = "You are authorized to edit this exercise, although already used in the learning path. If you edit it, try to avoid changing the score and focus on editing content, not values nor categorization, to avoid affecting the results of previous users having taken this test."; -$UploadedDate = "Date of upload"; -$Filename = "Filename"; -$Recover = "Recover"; -$Recovered = "Recovered"; -$RecoverDropboxFiles = "Recover dropbox files"; -$ForumCategory = "Forum category"; -$YouCanAccessTheExercise = "Go to the test"; -$YouHaveBeenRegisteredToCourseX = "You have been registered to course %s"; -$DashboardPluginsUpdatedSuccessfully = "Dashboard plugins successfully updated"; -$LoginEnter = "Login"; -$AssignSessionsToX = "Assign sessions to %s"; -$CopyExercise = "Copy this exercise as a new one"; -$CleanStudentResults = "Clear all learners results for this exercise"; -$AttendanceSheetDescription = "The attendance sheets allow you to specify a list of dates in which you will report attendance to your courses"; -$ThereAreNoRegisteredLearnersInsidetheCourse = "There are no registered learners inside the course"; -$GoToAttendanceCalendarList = "Go to the calendar list of attendance dates"; -$AssignCoursesToSessionsAdministrator = "Assign courses to session's administrator"; -$AssignCoursesToPlatformAdministrator = "Assign courses to platform's administrator"; -$AssignedCoursesListToPlatformAdministrator = "Assigned courses list to platform administrator"; -$AssignedCoursesListToSessionsAdministrator = "Assigned courses list to sessions administrator"; -$AssignSessionsToPlatformAdministrator = "Assign sessions to platform administrator"; -$AssignSessionsToSessionsAdministrator = "assign sessions to sessions administrator"; -$AssignedSessionsListToPlatformAdministrator = "Assigned sessions list to platform administrator"; -$AssignedSessionsListToSessionsAdministrator = "Assigned sessions list to sessions administrator"; -$EvaluationsGraph = "Graph of evaluations"; -$Url = "URL"; -$ToolCourseDescription = "Course description"; -$ToolDocument = "Documents"; -$ToolLearnpath = "Learning path"; -$ToolLink = "Links"; -$ToolQuiz = "Tests"; -$ToolAnnouncement = "Announcements"; -$ToolGradebook = "Assessments"; -$ToolGlossary = "Glossary"; -$ToolAttendance = "Attendances"; -$ToolCalendarEvent = "Agenda"; -$ToolForum = "Forums"; -$ToolDropbox = "Dropbox"; -$ToolUser = "Users"; -$ToolGroup = "Groups"; -$ToolChat = "Chat"; -$ToolStudentPublication = "Assignments"; -$ToolSurvey = "Surveys"; -$ToolWiki = "Wiki"; -$ToolNotebook = "Notebook"; -$ToolBlogManagement = "Projects"; -$ToolTracking = "Reporting"; -$ToolCourseSetting = "Settings"; -$ToolCourseMaintenance = "Backup"; -$AreYouSureToDeleteAllDates = "Are you sure you want to delete all dates?"; -$ImportQtiQuiz = "Import exercises Qti2"; -$ISOCode = "ISO code"; -$TheSubLanguageForThisLanguageHasBeenAdded = "The sub-language of this language has been added"; -$ReturnToLanguagesList = "Return to the languages list"; -$AddADateTime = "Add a date time"; -$ActivityCoach = "The coach of the session, shall have all rights and privileges on all the courses that belong to the session."; -$AllowUserViewUserList = "Allow user view user list"; -$AllowUserViewUserListActivate = "Enable user list"; -$AllowUserViewUserListDeactivate = "Disable user list"; -$ThematicControl = "Thematic control"; -$ThematicDetails = "Thematic view with details"; -$ThematicList = "Thematic view as list"; -$Thematic = "Thematic"; -$ThematicPlan = "Thematic plan"; -$EditThematicPlan = "Edit tematic advance"; -$EditThematicAdvance = "Edit thematic advance"; -$ThereIsNoStillAthematicSection = "There is not still a thematic section"; -$NewThematicSection = "New thematic section"; -$DeleteAllThematics = "Delete all thematics"; -$ThematicDetailsDescription = "Details of topics and their respective plan and progress. To indicate a topic as completed, select its date following the chronological order and the system will display all previous dates as completed."; -$SkillToAcquireQuestions = "What skills are to be acquired bu the end of this thematic section?"; -$SkillToAcquire = "Skills to acquire"; -$InfrastructureQuestions = "What infrastructure is necessary to achieve the goals of this topic normally?"; -$Infrastructure = "Infrastructure"; -$AditionalNotesQuestions = "Which other elements are necessary?"; -$DurationInHours = "Duration in hours"; -$ThereAreNoAttendancesInsideCourse = "There is no attendance sheet in this course"; -$YouMustSelectAtleastAStartDate = "You must select a start date"; -$ReturnToLPList = "Return to list"; -$EditTematicAdvance = "Edit tematic advance"; -$AditionalNotes = "Additional notes"; -$StartDateFromAnAttendance = "Start date taken from an attendance date"; -$StartDateCustom = "Custom start date"; -$StartDateOptions = "Start date options"; -$ThematicAdvanceConfiguration = "Thematic advance configuration"; -$InfoAboutAdvanceInsideHomeCourse = "Information on thematic advance on course homepage"; -$DisplayAboutLastDoneAdvance = "Display information about the last completed topic"; -$DisplayAboutNextAdvanceNotDone = "Display information about the next uncompleted topic"; -$InfoAboutLastDoneAdvance = "Information about the last completed topic"; -$InfoAboutNextAdvanceNotDone = "Information about the next uncompleted topic"; -$ThereIsNoAThematicSection = "There is no thematic section"; -$ThereIsNoAThematicAdvance = "There is no thematic advance"; -$StillDoNotHaveAThematicPlan = "There is no thematic plan for now"; -$NewThematicAdvance = "New thematic advance"; -$DurationInHoursMustBeNumeric = "Duration must be numeric"; -$DoNotDisplayAnyAdvance = "Do not display progress"; -$CreateAThematicSection = "Create a thematic section"; -$EditThematicSection = "Edit thematic section"; -$ToolCourseProgress = "Course progress"; -$SelectAnAttendance = "Select an attendance"; -$ReUseACopyInCurrentTest = "Re-use a copy inside the current test"; -$YouAlreadyInviteAllYourContacts = "You already invite all your contacts"; -$CategoriesNumber = "Categories"; -$ResultsHiddenByExerciseSetting = "Results hidden by the exercise setting"; -$NotAttended = "Not attended"; -$Attended = "Attended"; -$IPAddress = "IP address"; -$FileImportedJustSkillsThatAreNotRegistered = "Only skills that were not registered were imported"; -$SkillImportNoName = "The skill had no name set"; -$SkillImportNoParent = "The parent skill was not set"; -$SkillImportNoID = "The skill ID was not set"; -$CourseAdvance = "Course progress"; -$CertificateGenerated = "Generated certificate"; -$CountOfUsers = "Users count"; -$CountOfSubscriptions = "Subscriptions count"; -$EnrollToCourseXSuccessful = "You have been registered to course: %s"; -$TheExerciseAutoLaunchSettingIsONStudentsWillBeRedirectToAnSpecificExercise = "The exercises auto-launch feature configuration is enabled. Learners will be automatically redirected to the selected exercise."; -$RedirectToTheExerciseList = "Redirect to the exercises list"; -$RedirectToExercise = "Redirect to the selected exercise"; -$ConfigExercise = "Configure exercises tool"; -$QuestionGlobalCategory = "Global category"; -$CheckThatYouHaveEnoughQuestionsInYourCategories = "Make sure you have enough questions in your categories."; -$PortalCoursesLimitReached = "Sorry, this installation has a courses limit, which has now been reached. To increase the number of courses allowed on this Chamilo installation, please contact your hosting provider or, if available, upgrade to a superior hosting plan."; -$PortalTeachersLimitReached = "Sorry, this installation has a teachers limit, which has now been reached. To increase the number of teachers allowed on this Chamilo installation, please contact your hosting provider or, if available, upgrade to a superior hosting plan."; -$PortalUsersLimitReached = "Sorry, this installation has a users limit, which has now been reached. To increase the number of users allowed on this Chamilo installation, please contact your hosting provider or, if available, upgrade to a superior hosting plan."; +%s Team"; +$MailCronCourseExpirationReminderSubject = "Urgent: %s course expiration reminder"; +$ExerciseAndLearningPath = "Exercise and learning path"; +$LearningPathGradebookWarning = "Warning: It is possible to use, in the gradebook, tests that are part of learning paths. If the learning path itself is already included, this test might be part of the gradebook already. The learning paths evaluation is made on the basis of a progress percentage, while the evaluation on tests is made on the basis of a score. Survey evaluation is based on whether the user has answered (1) or not (0). Make sure you test your combinations of gradebook evaluations to avoid mind-blogging situations."; +$ChooseEitherDurationOrTimeLimit = "Choose either duration or time limit"; +$ClearList = "Clear the chat"; +$SessionBanner = "Session banner"; +$ShortDescription = "Short description"; +$TargetAudience = "Target audience"; +$OpenBadgesActionCall = "Convert your virtual campus to a skills-based learning experience"; +$CallSent = "Chat call has been sent. Waiting for the approval of your partner."; +$ChatDenied = "Your call has been denied by your partner."; +$Send = "Send message"; +$Connected = "Chat partners"; +$Exercice = "Test"; +$NoEx = "There is no test for the moment"; +$NewEx = "Create a new test"; +$Questions = "Questions"; +$Answers = "Answers"; +$True = "True"; +$Answer = "Answer"; +$YourResults = "Your results"; +$StudentResults = "Score"; +$ExerciseType = "Sequential"; +$ExerciseName = "Test name"; +$ExerciseDescription = "Give a context to the test"; +$SimpleExercise = "All questions on one page"; +$SequentialExercise = "One question by page"; +$RandomQuestions = "Random questions"; +$GiveExerciseName = "Please give the test name"; +$Sound = "Audio or video file"; +$DeleteSound = "Delete the audio or video file"; +$NoAnswer = "There is no answer for the moment"; +$GoBackToQuestionPool = "Go back to the question pool"; +$GoBackToQuestionList = "Go back to the questions list"; +$QuestionAnswers = "Answers to the question"; +$UsedInSeveralExercises = "Warning ! This question and its answers are used in several tests. Would you like to Edit them"; +$ModifyInAllExercises = "in all tests"; +$ModifyInThisExercise = "only in the current test"; +$AnswerType = "Answer type"; +$MultipleSelect = "Multiple answers"; +$FillBlanks = "Fill blanks or form"; +$Matching = "Matching"; +$ReplacePicture = "Replace the picture"; +$DeletePicture = "Delete picture"; +$QuestionDescription = "Enrich question"; +$GiveQuestion = "Please type the question"; +$WeightingForEachBlank = "Please enter a score for each blank"; +$UseTagForBlank = "use square brackets [...] to define one or more blanks"; +$QuestionWeighting = "Score"; +$MoreAnswers = "+answ"; +$LessAnswers = "-answ"; +$MoreElements = "+elem"; +$LessElements = "-elem"; +$TypeTextBelow = "Please type your text below"; +$DefaultTextInBlanks = "

      Example fill the form activity : calculate the Body Mass Index

      Age [25] years old
      Sex [M] (M or F)
      Weight 95 Kg
      Height 1.81 m
      Body Mass Index [29] BMI =Weight/Size2 (Cf. Wikipedia article)
      "; +$DefaultMatchingOptA = "Note down the address"; +$DefaultMatchingOptB = "Contact the emergency services"; +$DefaultMakeCorrespond1 = "First step"; +$DefaultMakeCorrespond2 = "Second step"; +$DefineOptions = "Please define the options"; +$MakeCorrespond = "Match them"; +$FillLists = "Please fill the two lists below"; +$GiveText = "Please type the text"; +$DefineBlanks = "Please define at least one blank with square brackets [...]"; +$GiveAnswers = "Please type the question's answers"; +$ChooseGoodAnswer = "Please check the correct answer"; +$ChooseGoodAnswers = "Please check one or more correct answers"; +$QuestionList = "Question list of the test"; +$GetExistingQuestion = "Recycle existing questions"; +$FinishTest = "Correct test"; +$QuestionPool = "Recycle existing questions"; +$OrphanQuestions = "Orphan questions"; +$NoQuestion = "Questions list (there is no question so far)."; +$AllExercises = "All tests"; +$GoBackToEx = "Go back to the test"; +$Reuse = "Re-use in current test"; +$ExerciseManagement = "Tests management"; +$QuestionManagement = "Question / Answer management"; +$QuestionNotFound = "Question not found"; +$ExerciseNotFound = "Test not found or not visible"; +$AlreadyAnswered = "You already answered the question"; +$ElementList = "Elements list"; +$CorrespondsTo = "Corresponds to"; +$ExpectedChoice = "Expected choice"; +$YourTotalScore = "Score for the test"; +$ReachedMaxAttemptsAdmin = "You have reached the maximum number of attempts for this test. Being a trainer, you can go on practicing but your Results will not be reported."; +$ExerciseAdded = "Exercise added"; +$EvalSet = "Assesment settings"; +$Active = "active"; +$Inactive = "inactive"; +$QuestCreate = "Create questions"; +$ExRecord = "your test has been saved"; +$BackModif = "back to the edit page of questions"; +$DoEx = "make test"; +$DefScor = "Describe assessment settings"; +$CreateModif = "Create/Edit questions"; +$Sub = "subtitle"; +$MyAnswer = "My answer"; +$MorA = "+ answer"; +$LesA = "- answer"; +$RecEx = "Save test"; +$RecQu = "Add question to test"; +$RecAns = "Save Answers"; +$Introduction = "Introduction"; +$TitleAssistant = "Assistant for the creation of tests"; +$QuesList = "questionlist"; +$SaveEx = "save tests"; +$QImage = "Question with an image"; +$AddQ = "Add a question"; +$DoAnEx = "Do an test"; +$Generator = "Test list"; +$Correct = "Correct"; +$PossAnsw = "Number of good answers for one question"; +$StudAnsw = "number of errors by the learner"; +$Determine = "Determine"; +$NonNumber = "a non numeric value"; +$Replaced = "Replaced"; +$Superior = "a value larger than 20"; +$Rep20 = "Replace 20"; +$DefComment = "previous values will be replaced by clicking the \"default values\" button"; +$ScoreGet = "black numbers = score"; +$ShowScor = "Show score to learner:"; +$Step1 = "Step 1"; +$Step2 = "Step 2"; +$ImportHotPotatoesQuiz = "Import Hotpotatoes"; +$HotPotatoesTests = "Import Hotpotatoes tests"; +$DownloadImg = "Upload Image file to the server"; +$NoImg = "Test whithout Images"; +$ImgNote_st = "
      You still have to upload"; +$ImgNote_en = " image(s) :"; +$NameNotEqual = "is not the valid file !"; +$Indice = "Index"; +$Indices = "Indexes"; +$DateExo = "Date"; +$ShowQuestion = "Show Question"; +$UnknownExercise = "Unknown Test"; +$ReuseQuestion = "Reuse the question"; +$CreateExercise = "Create test"; +$CreateQuestion = "Create a question"; +$CreateAnswers = "Create answers"; +$ModifyExercise = "Edit test name and settings"; +$ModifyAnswers = "Edit answers"; +$ForExercise = "for the test"; +$UseExistantQuestion = "Use an existing question"; +$FreeAnswer = "Open question"; +$notCorrectedYet = "This answer has not yet been corrected. Meanwhile, your score for this question is set to 0, affecting the total score."; +$adminHP = "Hot Potatoes Admin"; +$NewQu = "New question"; +$NoImage = "Please select an image"; +$AnswerHotspot = "Description and scoring are required for each hotspot - feedback is optional"; +$MinHotspot = "You have to create one (1) hotspot at least."; +$MaxHotspot = "The maximum hotspots you can create is twelve (12)."; +$HotspotError = "Please supply a description and weighing for each hotspot."; +$MoreHotspots = "Add hotspot"; +$LessHotspots = "Remove hotspot"; +$HotspotZones = "Image zones"; +$CorrectAnswer = "Correct answer"; +$HotspotHit = "Your answer was"; +$OnlyJPG = "For hotspots you can only use JPG (or JPEG) images"; +$FinishThisTest = "Show correct answers to each question and the score for the test"; +$AllQuestions = "All questions"; +$ModifyTitleDescription = "Edit title and description"; +$ModifyHotspots = "Edit answers/hotspots"; +$HotspotNotDrawn = "You haven't drawn all your hotspots yet"; +$HotspotWeightingError = "You must give a positive score for each hotspots"; +$HotspotValidateError1 = "You should answer completely to the question ("; +$HotspotValidateError2 = " click(s) required on the image) before seeing the results"; +$HotspotRequired = "Description and scoring are required for each hotspot. Feedback is optional."; +$HotspotChoose = "To create a hotspot: select a shape next to the colour, and draw the hotspot. To move a hotspot, select the colour, click another spot in the image, and draw the hotspot. To add a hotspot: click the Add hotspot button. To close a polygon shape: right click and select Close polygon."; +$Fault = "Incorrect"; +$HotSpot = "Image zones"; +$ClickNumber = "Click number"; +$HotspotGiveAnswers = "Please give an answer"; +$Addlimits = "Add limits"; +$AreYouSure = "Are you sure"; +$StudentScore = "Learner score"; +$backtoTesthome = "Back to test home"; +$MarkIsUpdated = "The grade has been updated"; +$MarkInserted = "Grade inserted"; +$PleaseGiveAMark = "Please give a grade"; +$EditCommentsAndMarks = "Edit individual feedback and grade the open question"; +$AddComments = "Add individual feedback"; +$Number = "N°"; +$Weighting = "Score"; +$ChooseQuestionType = "To create a new question, choose the type above"; +$MatchesTo = "Matches To"; +$CorrectTest = "Correct test"; +$ViewTest = "View"; +$NotAttempted = "Not attempted"; +$AddElem = "Add element"; +$DelElem = "Remove element"; +$PlusAnswer = "Add answer option"; +$LessAnswer = "Remove answer option"; +$YourScore = "Your score"; +$Attempted = "Attempted"; +$AssignMarks = "Assign a grade"; +$ExerciseStored = "Proceed by clicking on a question type, then enter the appropriate information."; +$ChooseAtLeastOneCheckbox = "Choose at least one good answer"; +$ExerciseEdited = "Test name and settings have been saved."; +$ExerciseDeleted = "The test has been deleted"; +$ClickToCommentAndGiveFeedback = "Click this link to check the answer and/or give feedback"; +$OpenQuestionsAttempted = "A learner has answered an open question"; +$AttemptDetails = "Attempt details"; +$TestAttempted = "Test attempted"; +$StudentName = "Learner name"; +$StudentEmail = "Learner email"; +$OpenQuestionsAttemptedAre = "Open question attempted is"; +$UploadJpgPicture = "Upload image (jpg, png or gif) to apply hotspots."; +$HotspotDescription = "Now click on : (...)"; +$ExamSheetVCC = "Examsheet viewed/corrected/commented by the trainer"; +$AttemptVCC = "Your following attempt has been viewed/commented/corrected by the trainer"; +$ClickLinkToViewComment = "Click the link below to access your account and view your commented Examsheet."; +$Regards = "Regards"; +$AttemptVCCLong = "You attempt for the test %s has been viewed/commented/corrected by the trainer. Click the link below to access your account and view your Examsheet."; +$DearStudentEmailIntroduction = "Dear learner,"; +$ResultsEnabled = "Results enabled for learners"; +$ResultsDisabled = "Results disabled for learners"; +$ExportWithUserFields = "Include profiling"; +$ExportWithoutUserFields = "Exclude profiling"; +$DisableResults = "Do not show results"; +$EnableResults = "Show results to learners"; +$ValidateAnswer = "Validate answers"; +$FillInBlankSwitchable = "Allow answers order switches"; +$ReachedMaxAttempts = "You cannot take test %s because you have already reached the maximum of %s attempts."; +$RandomQuestionsToDisplay = "Number of random questions to display"; +$RandomQuestionsHelp = "To randomize all questions choose 10. To disable randomization, choose \"Do not randomize\"."; +$ExerciseAttempts = "Max number of attempts"; +$DoNotRandomize = "Do not randomize"; +$Infinite = "Infinite"; +$BackToExercisesList = "Back to Tests tool"; +$NoStartDate = "No start date"; +$ExeStartTime = "Start date"; +$ExeEndTime = "End date"; +$DeleteAttempt = "Delete attempt?"; +$WithoutComment = "Without comment"; +$QuantityQuestions = "Questions"; +$FilterExercices = "Filter tests"; +$FilterByNotRevised = "Only unqualified"; +$FilterByRevised = "Only qualified"; +$ReachedTimeLimit = "Time limit reached"; +$TryAgain = "Try again"; +$SeeTheory = "Theory link"; +$EndActivity = "End of activity"; +$NoFeedback = "Exam (no feedback)"; +$DirectFeedback = "Self-evaluation (immediate feedback)"; +$FeedbackType = "Feedback"; +$Scenario = "Scenario"; +$VisitUrl = "Visit this link"; +$ExitTest = "Exit test"; +$DurationFormat = "%1 seconds"; +$Difficulty = "Difficulty"; +$NewScore = "New score"; +$NewComment = "New comment"; +$ExerciseNoStartedYet = "The test did not start yet"; +$ExerciseNoStartedAdmin = "The trainer did not allow the test to start yet"; +$SelectTargetLP = "Select target course"; +$SelectTargetQuestion = "Select target question"; +$DirectFeedbackCantModifyTypeQuestion = "The test type cannot be modified since it was set to self evaluation. Self evaluation gives you the possibility to give direct feedback to the user, but this is not compatible with all question types and, so this type quiz cannot be changed afterward."; +$CantShowResults = "Not available"; +$CantViewResults = "Can't view results"; +$ShowCorrectedOnly = "With individual feedback"; +$ShowUnCorrectedOnly = "Uncorrected results"; +$HideResultsToStudents = "Hide results"; +$ShowResultsToStudents = "Show score to learner"; +$ProcedToQuestions = "Proceed to questions"; +$AddQuestionToExercise = "Add this question to the test"; +$PresentationQuestions = "Display"; +$UniqueAnswer = "Multiple choice"; +$MultipleAnswer = "Multiple answer"; +$ReachedOneAttempt = "You can not take this test because you have already reached one attempt"; +$QuestionsPerPage = "Questions per page"; +$QuestionsPerPageOne = "One"; +$QuestionsPerPageAll = "All"; +$EditIndividualComment = "Edit individual feedback"; +$ThankYouForPassingTheTest = "Thank you for passing the test"; +$ExerciseAtTheEndOfTheTest = "At end of test"; +$EnrichQuestion = "Enrich question"; +$DefaultUniqueQuestion = "Select the good reasoning"; +$DefaultUniqueAnswer1 = "A then B then C"; +$DefaultUniqueComment1 = "Milk is the basis of many dairy products such as butter, cheese, yogurt, among other"; +$DefaultUniqueAnswer2 = "A then C then B"; +$DefaultUniqueComment2 = "Oats are one of the most comprehensive grain. By their energy and nutritional qualities has been the basis of feeding people"; +$DefaultMultipleQuestion = "The marasmus is a consequence of"; +$DefaultMultipleAnswer1 = "Lack of Calcium"; +$DefaultMultipleComment1 = "The calcium acts as a ..."; +$DefaultMultipleAnswer2 = "Lack of Vitamin A"; +$DefaultMultipleComment2 = "The Vitamin A is responsible for..."; +$DefaultFillBlankQuestion = "Calculate the Body Mass Index"; +$DefaultMathingQuestion = "Order the operations"; +$DefaultOpenQuestion = "List what you consider the 10 top qualities of a good project manager?"; +$MoreHotspotsImage = "Add/edit hotspots on the image"; +$ReachedTimeLimitAdmin = "Reached time limit admin"; +$LastScoreTest = "Last score of a exercise"; +$BackToResultList = "Back to result list"; +$EditingScoreCauseProblemsToExercisesInLP = "If you edit a question score, please remember that this Exercise was added in a Course"; +$SelectExercise = "Select exercise"; +$YouHaveToSelectATest = "You have to select a test"; +$HotspotDelineation = "Hotspot delineation"; +$CreateQuestions = "Create questions"; +$MoreOAR = "More areas at risk"; +$LessOAR = "Less areas at risk"; +$LearnerIsInformed = "This message, as well as the results table, will appear to the learner if he fails this step"; +$MinOverlap = "Minimum overlap"; +$MaxExcess = "Maximum excess"; +$MaxMissing = "Maximum missing"; +$IfNoError = "If no error"; +$LearnerHasNoMistake = "The learner made no mistake"; +$YourDelineation = "Your delineation :"; +$ResultIs = "Your result is :"; +$Overlap = "Overlapping area"; +$Missing = "Missing area"; +$Excess = "Excessive area"; +$Min = "Minimum"; +$Requirements = "Requirements"; +$OARHit = "One (or more) area at risk has been hit"; +$TooManyIterationsPleaseTryUsingMoreStraightforwardPolygons = "Too many iterations while calculating your answer. Please try drawing your delineation in a more straightforward manner"; +$Thresholds = "Thresholds"; +$Delineation = "Delineation"; +$QuestionTypeDoesNotBelongToFeedbackTypeInExercise = "Question type does not belong to feedback type in exercise"; +$Title = "Title"; +$By = "By"; +$UsersOnline = "Users online"; +$Remove = "Remove"; +$Enter = "Back to courses list"; +$Description = "Description"; +$Links = "Links"; +$Works = "Assignments"; +$Forums = "Forums"; +$GradebookListOfStudentsReports = "Students list report"; +$CreateDir = "Create folder"; +$Name = "Name"; +$Comment = "Comment"; +$Visible = "Visible"; +$NewDir = "Name of the new folder"; +$DirCr = "Folder created"; +$Download = "Download"; +$Group = "Groups"; +$Edit = "Edit"; +$GroupForum = "Group Forum"; +$Language = "Language"; +$LoginName = "Login"; +$AutostartMp3 = "Do you want audio file to START automatically?"; +$Assignments = "Assignments"; +$Forum = "Forum"; +$DelImage = "Remove picture"; +$Code = "Course code"; +$Up = "Up"; +$Down = "down"; +$TimeReportForCourseX = "Time report for course %s"; +$Theme = "Graphical theme"; +$TheListIsEmpty = "Empty"; +$UniqueSelect = "Multiple choice"; +$CreateCategory = "Create category"; +$SendFile = "Upload document"; +$SaveChanges = "Save changes"; +$SearchTerm = "Search term"; +$TooShort = "Too short"; +$CourseCreate = "Create a course"; +$Todo = "To do"; +$UserName = "Username"; +$TimeReportIncludingAllCoursesAndSessionsByTeacher = "Time report including all courses and sessions, by teacher"; +$CategoryMod = "Edit Category"; +$Hide = "Hide"; +$Dear = "Dear"; +$Archive = "archive"; +$CourseCode = "Code"; +$NoDescription = "No description"; +$OfficialCode = "Code"; +$FirstName = "First name"; +$LastName = "Last name"; +$Status = "Status"; +$Email = "e-mail"; +$SlideshowConversion = "Slideshow conversion"; +$UploadFile = "File upload"; +$AvailableFrom = "Available from"; +$AvailableTill = "Until"; +$Preview = "Preview"; +$Type = "Type"; +$EmailAddress = "Email address"; +$Organisation = "Company"; +$Reporting = "Reporting"; +$Update = "Update"; +$SelectQuestionType = "Select question type"; +$CurrentCourse = "Current course"; +$Back = "Back"; +$Info = "Information"; +$Search = "Search"; +$AdvancedSearch = "Advanced search"; +$Open = "Open"; +$Import = "Import"; +$AddAnother = "Add another"; +$Author = "Author"; +$TrueFalse = "True / False"; +$QuestionType = "Question type"; +$NoSearchResults = "No search results"; +$SelectQuestion = "Select question"; +$AddNewQuestionType = "Add new question type"; +$Numbered = "Numbered"; +$iso639_2_code = "en"; +$iso639_1_code = "eng"; +$charset = "iso-8859-1"; +$text_dir = "ltr"; +$left_font_family = "verdana, helvetica, arial, geneva, sans-serif"; +$right_font_family = "helvetica, arial, geneva, sans-serif"; +$number_thousands_separator = ","; +$number_decimal_separator = "."; +$dateFormatShort = "%b %d, %Y"; +$dateFormatLong = "%A %B %d, %Y"; +$dateTimeFormatLong = "%B %d, %Y at %I:%M %p"; +$timeNoSecFormat = "%I:%M %p"; +$Yes = "Yes"; +$No = "No"; +$Next = "Next"; +$Allowed = "Allowed"; +$BackHome = "Back to Home Page of"; +$Propositions = "Proposals for an improvement of"; +$Maj = "Update"; +$Modify = "Edit"; +$Invisible = "invisible"; +$Save = "Save"; +$Move = "Move"; +$Help = "Help"; +$Ok = "Validate"; +$Add = "Add"; +$AddIntro = "Add an introduction text"; +$BackList = "Return to the list"; +$Text = "Text"; +$Empty = "You left some fields empty.
      Use the Back button on your browser and try again.
      If you ignore your training code, see the Training Program"; +$ConfirmYourChoice = "Please confirm your choice"; +$And = "and"; +$Choice = "Your choice"; +$Finish = "Quit test"; +$Cancel = "Cancel"; +$NotAllowed = "You are not allowed to see this page. Either your connection has expired or you are trying to access a page for which you do not have the sufficient privileges."; +$NotLogged = "You are not logged in"; +$Manager = "Administrator"; +$Optional = "Optional"; +$NextPage = "Next page"; +$PreviousPage = "Previous page"; +$Use = "Use"; +$Total = "Total"; +$Take = "take"; +$One = "One"; +$Several = "Several"; +$Notice = "Notice"; +$Date = "Date"; +$Among = "among"; +$Show = "Show"; +$MyCourses = "My courses"; +$ModifyProfile = "Profile"; +$MyStats = "View my progress"; +$Logout = "Logout"; +$MyAgenda = "Personal agenda"; +$CourseHomepage = "Course home"; +$SwitchToTeacherView = "Switch to teacher view"; +$SwitchToStudentView = "Switch to student view"; +$AddResource = "Add it"; +$AddedResources = "Attachments"; +$TimeReportForTeacherX = "Time report for teacher %s"; +$TotalTime = "Total time"; +$NameOfLang['arabic'] = "arabic"; +$NameOfLang['brazilian'] = "brazilian"; +$NameOfLang['bulgarian'] = "bulgarian"; +$NameOfLang['catalan'] = "catalan"; +$NameOfLang['croatian'] = "croatian"; +$NameOfLang['danish'] = "danish"; +$NameOfLang['dutch'] = "dutch"; +$NameOfLang['english'] = "english"; +$NameOfLang['finnish'] = "finnish"; +$NameOfLang['french'] = "french"; +$NameOfLang['french_corporate'] = "french_corporate"; +$NameOfLang['french_KM'] = "french_KM"; +$NameOfLang['galician'] = "galician"; +$NameOfLang['german'] = "german"; +$NameOfLang['greek'] = "greek"; +$NameOfLang['italian'] = "italian"; +$NameOfLang['japanese'] = "japanese"; +$NameOfLang['polish'] = "polish"; +$NameOfLang['portuguese'] = "portuguese"; +$NameOfLang['russian'] = "russian"; +$NameOfLang['simpl_chinese'] = "simpl_chinese"; +$NameOfLang['spanish'] = "spanish"; +$Close = "Close"; +$Platform = "Portal"; +$localLangName = "language"; +$email = "e-mail"; +$CourseCodeAlreadyExists = "Sorry, but that course code already exists. Please choose another one."; +$Statistics = "Statistics"; +$GroupList = "Groups list"; +$Previous = "Previous"; +$DestDirectoryDoesntExist = "The target folder does not exist"; +$Courses = "Courses"; +$In = "in"; +$ShowAll = "Show all"; +$Page = "Page"; +$englishLangName = "English"; +$Home = "Home"; +$AreYouSureToDelete = "Are you sure you want to delete"; +$SelectAll = "Select all"; +$UnSelectAll = "Unselect all"; +$WithSelected = "With selected"; +$OnLine = "Online"; +$Users = "Users"; +$PlatformAdmin = "Administration"; +$NameOfLang['hungarian'] = "hungarian"; +$NameOfLang['indonesian'] = "indonesian"; +$NameOfLang['malay'] = "malay"; +$NameOfLang['slovenian'] = "slovenian"; +$NameOfLang['spanish_latin'] = "spanish_latin"; +$NameOfLang['swedish'] = "swedisch"; +$NameOfLang['thai'] = "thai"; +$NameOfLang['turkce'] = "turkish"; +$NameOfLang['vietnamese'] = "vietnamese"; +$UserInfo = "user information"; +$ModifyQuestion = "Save the question"; +$Example = "Example"; +$CheckAll = "Check all"; +$NbAnnoucement = "Announcement"; +$DisplayCertificate = "Display certificate"; +$Doc = "Document"; +$PlataformAdmin = "Portal Admin"; +$Groups = "Groups"; +$GroupManagement = "Groups management"; +$All = "All"; +$None = "none"; +$Sorry = "First select a course"; +$Denied = "This function is only available to trainers"; +$Today = "Today"; +$CourseHomepageLink = "Course home"; +$Attachment = "attachment"; +$User = "User"; +$MondayInit = "M"; +$TuesdayInit = "T"; +$WednesdayInit = "W"; +$ThursdayInit = "T"; +$FridayInit = "F"; +$SaturdayInit = "S"; +$SundayInit = "S"; +$MondayShort = "Mon"; +$TuesdayShort = "Tue"; +$WednesdayShort = "Wed"; +$ThursdayShort = "Thu"; +$FridayShort = "Fri"; +$SaturdayShort = "Sat"; +$SundayShort = "Sun"; +$MondayLong = "Monday"; +$TuesdayLong = "Tuesday"; +$WednesdayLong = "Wednesday"; +$ThursdayLong = "Thursday"; +$FridayLong = "Friday"; +$SaturdayLong = "Saturday"; +$SundayLong = "Sunday"; +$JanuaryInit = "J"; +$FebruaryInit = "F"; +$MarchInit = "M"; +$AprilInit = "A"; +$MayInit = "M"; +$JuneInit = "J"; +$JulyInit = "J"; +$AugustInit = "A"; +$SeptemberInit = "S"; +$OctoberInit = "O"; +$NovemberInit = "N"; +$DecemberInit = "D"; +$JanuaryShort = "Jan"; +$FebruaryShort = "Feb"; +$MarchShort = "Mar"; +$AprilShort = "Apr"; +$MayShort = "May"; +$JuneShort = "Jun"; +$JulyShort = "Jul"; +$AugustShort = "Aug"; +$SeptemberShort = "Sep"; +$OctoberShort = "Oct"; +$NovemberShort = "Nov"; +$DecemberShort = "Dec"; +$JanuaryLong = "January"; +$FebruaryLong = "February"; +$MarchLong = "March"; +$AprilLong = "April"; +$MayLong = "May"; +$JuneLong = "June"; +$JulyLong = "July"; +$AugustLong = "August"; +$SeptemberLong = "September"; +$OctoberLong = "October"; +$NovemberLong = "November"; +$DecemberLong = "December"; +$MyCompetences = "My competences"; +$MyDiplomas = "My diplomas"; +$MyPersonalOpenArea = "My personal open area"; +$MyTeach = "What I am able to teach"; +$Agenda = "Agenda"; +$HourShort = "h"; +$PleaseTryAgain = "Please Try Again!"; +$UplNoFileUploaded = "No file was uploaded."; +$UplSelectFileFirst = "Please select a file before pressing the upload button."; +$UplNotAZip = "The file you selected was not a zip file."; +$UplUploadSucceeded = "File upload succeeded!"; +$ExportAsCSV = "CSV export"; +$ExportAsXLS = "Excel export"; +$Openarea = "Personal area"; +$Done = "Done"; +$Documents = "Documents"; +$DocumentAdded = "Document added"; +$DocumentUpdated = "Document updated"; +$DocumentInFolderUpdated = "Document updated in folder"; +$Course_description = "Description"; +$Average = "Average"; +$Document = "Document"; +$Learnpath = "Courses"; +$Link = "Links"; +$Announcement = "Announcements"; +$Dropbox = "Dropbox"; +$Quiz = "Tests"; +$Chat = "Chat"; +$Conference = "Conference"; +$Student_publication = "Assignments"; +$Tracking = "Reporting"; +$homepage_link = "Add link to this page"; +$Course_setting = "Settings"; +$Backup = "Backup and import"; +$copy_course_content = "Copy this course's content"; +$recycle_course = "Empty this course"; +$StartDate = "Start Date"; +$EndDate = "End Date"; +$StartTime = "Start Time"; +$EndTime = "End Time"; +$YouWereCalled = "You were invited to chat with"; +$DoYouAccept = "Do you accept it ?"; +$Everybody = "All"; +$SentTo = "Visible to"; +$Export = "Export"; +$Tools = "Modules"; +$Everyone = "Everyone"; +$SelectGroupsUsers = "Select groups/users"; +$Student = "Learner"; +$Teacher = "Trainer"; +$Send2All = "You did not select a user / group. The announcement is visible for every learner"; +$Wiki = "Group wiki"; +$Complete = "Complete"; +$Incomplete = "Incomplete"; +$reservation = "Book resource"; +$StartTimeWindow = "Start"; +$EndTimeWindow = "End"; +$AccessNotAllowed = "The access to this page is not allowed"; +$InThisCourse = "in this course"; +$ThisFieldIsRequired = "required field"; +$AllowedHTMLTags = "Allowed HTML tags"; +$FormHasErrorsPleaseComplete = "The form contains incorrect or incomplete data. Please check your input."; +$StartDateShouldBeBeforeEndDate = "The first date should be before the end date"; +$InvalidDate = "Invalid date"; +$OnlyLettersAndNumbersAllowed = "Only letters and numbers allowed"; +$BasicOverview = "Organize"; +$CourseAdminRole = "Course admin"; +$UserRole = "Role"; +$OnlyImagesAllowed = "Only PNG, JPG or GIF images allowed"; +$ViewRight = "View"; +$EditRight = "Edit"; +$DeleteRight = "Delete"; +$OverviewCourseRights = "Roles & rights overview"; +$SeeAllRightsAllLocationsForSpecificRole = "Focus on role"; +$SeeAllRolesAllLocationsForSpecificRight = "Focus on right"; +$Advanced = "Authoring"; +$RightValueModified = "The value has been modified."; +$course_rights = "Roles & rights overview"; +$Visio_conference = "Virtual meeting"; +$CourseAdminRoleDescription = "Teacher"; +$MoveTo = "Move to"; +$Delete = "Delete"; +$MoveFileTo = "Move file to"; +$TimeReportForSessionX = "Time report for session %s"; +$Error = "Error"; +$Anonymous = "Anonymous"; +$h = "h"; +$CreateNewGlobalRole = "Create new global role"; +$CreateNewLocalRole = "Create new local role"; +$Actions = "Detail"; +$Inbox = "Inbox"; +$ComposeMessage = "Compose message"; +$Other = "Other"; +$AddRight = "Add"; +$CampusHomepage = "Homepage"; +$YouHaveNewMessage = "You have a new message!"; +$myActiveSessions = "My active Sessions"; +$myInactiveSessions = "My inactive sessions"; +$FileUpload = "File upload"; +$MyActiveSessions = "My active Sessions"; +$MyInActiveSessions = "My inactive sessions"; +$MySpace = "Reporting"; +$ExtensionActivedButNotYetOperational = "This extension has been actived but can't be operational for the moment."; +$MyStudents = "My learners"; +$Progress = "Progress"; +$Or = "or"; +$Uploading = "Uploading..."; +$AccountExpired = "Account expired"; +$AccountInactive = "Account inactive"; +$ActionNotAllowed = "Action not allowed"; +$SubTitle = "Sub-title"; +$NoResourcesToRecycle = "No resource to recycle"; +$noOpen = "Could not open"; +$TempsFrequentation = "Frequentation time"; +$Progression = "Progress"; +$NoCourse = "This course could not be found"; +$Teachers = "Trainers"; +$Session = "Session"; +$Sessions = "Course sessions"; +$NoSession = "The session could not be found"; +$NoStudent = "The learner could not be found"; +$Students = "Learners"; +$NoResults = "No results found"; +$Tutors = "Coaches"; +$Tel = "Tel"; +$NoTel = "No tel"; +$SendMail = "Send mail"; +$RdvAgenda = "Agenda appointment"; +$VideoConf = "Chamilo LIVE"; +$MyProgress = "Progress"; +$NoOnlineStudents = "Nobody online"; +$InCourse = "In course"; +$UserOnlineListSession = "Users online - In my training sessions"; +$From = "From"; +$To = "To"; +$Content = "Content"; +$Year = "year"; +$Years = "years"; +$Day = "Day"; +$Days = "days"; +$PleaseStandBy = "Please stand by..."; +$AvailableUntil = "Until"; +$HourMinuteDivider = "h"; +$Visio_classroom = "Virtual classroom"; +$Survey = "Survey"; +$More = "More"; +$ClickHere = "Click here"; +$Here = "here"; +$SaveQuestion = "Save question"; +$ReturnTo = "You can now return to the"; +$Horizontal = "Horizontal"; +$Vertical = "Vertical"; +$DisplaySearchResults = "Display search results"; +$DisplayAll = "Display all"; +$File_upload = "File upload"; +$NoUsersInCourse = "No users in course"; +$Percentage = "Percentage"; +$Information = "Information"; +$EmailDestination = "Receiver"; +$SendEmail = "Send email"; +$EmailTitle = "Subject"; +$EmailText = "Email content"; +$Comments = "Comments"; +$ModifyRecipientList = "Edit recipient list"; +$Line = "Line"; +$NoLinkVisited = "No link visited"; +$NoDocumentDownloaded = "No document downloaded"; +$Clicks = "clicks"; +$SearchResults = "Search results"; +$SessionPast = "Past"; +$SessionActive = "Active"; +$SessionFuture = "Not yet begun"; +$DateFormatLongWithoutDay = "%B %d, %Y"; +$InvalidDirectoryPleaseCreateAnImagesFolder = "Invalid folder: Please create a folder with the name images in your documents tool so that the images can be uploaded in this folder"; +$UsersConnectedToMySessions = "Online in my sessions"; +$Category = "Category"; +$DearUser = "Dear user"; +$YourRegistrationData = "Your registration data"; +$ResetLink = "Click here to recover your password"; +$VisibilityChanged = "The visibility has been changed."; +$MainNavigation = "Main navigation"; +$SeeDetail = "See detail"; +$GroupSingle = "Group"; +$PleaseLoginAgainFromHomepage = "Please try to login again from the homepage"; +$PleaseLoginAgainFromFormBelow = "Please try to login again using the form below"; +$AccessToFaq = "Access to the Frequently Asked Questions"; +$Faq = "Frequently Asked Question"; +$RemindInactivesLearnersSince = "Remind learners inactive since"; +$RemindInactiveLearnersMailSubject = "Inactivity on %s"; +$RemindInactiveLearnersMailContent = "Dear user,

      you are not active on %s since more than %s days."; +$OpenIdAuthentication = "OpenID authentication"; +$UploadMaxSize = "Upload max size"; +$Unknown = "Unknown"; +$MoveUp = "Move up"; +$MoveDown = "Move down"; +$UplUnableToSaveFileFilteredExtension = "File upload failed: this file extension or file type is prohibited"; +$OpenIDURL = "OpenID URL"; +$UplFileTooBig = "The file is too big to upload."; +$UplGenericError = "The file you uploaded was not received succesfully. Please try again later or contact the administrator of this portal."; +$MyGradebook = "Assessments"; +$Gradebook = "Assessments"; +$OpenIDWhatIs = "What is OpenID?"; +$OpenIDDescription = "OpenID eliminates the need for multiple logins across different websites, simplifying your online experience. You get to choose the OpenID Provider that best meets your needs and most importantly that you trust. At the same time, your OpenID can stay with you, no matter which Provider you move to. And best of all, the OpenID technology is not proprietary and is completely free.For businesses, this means a lower cost of password and account management, while drawing new web traffic. OpenID lowers user frustration by letting users have control of their login.

      Read on..."; +$NoManager = "No administrator"; +$ExportiCal = "iCal export"; +$ExportiCalPublic = "Export in iCal format as public event"; +$ExportiCalPrivate = "Export in iCal format as private event"; +$ExportiCalConfidential = "Export in iCal format as confidential event"; +$MoreStats = "More stats"; +$Drh = "Human Resources Manager"; +$MinDecade = "decade"; +$MinYear = "year"; +$MinMonth = "month"; +$MinWeek = "week"; +$MinDay = "day"; +$MinHour = "hour"; +$MinMinute = "minute"; +$MinDecades = "decades"; +$MinYears = "years"; +$MinMonths = "months"; +$MinWeeks = "weeks"; +$MinDays = "days"; +$MinHours = "hours"; +$MinMinutes = "minutes"; +$HomeDirectory = "Home"; +$DocumentCreated = "Documented created"; +$ForumAdded = "The forum has been added"; +$ForumThreadAdded = "Forum thread added"; +$ForumAttachmentAdded = "Forum attachment added"; +$directory = "directory"; +$Directories = "directories"; +$UserAge = "Age"; +$UserBirthday = "Birthday"; +$Course = "Course"; +$FilesUpload = "documents"; +$ExerciseFinished = "Test Finished"; +$UserSex = "Sex"; +$UserNativeLanguage = "Native language"; +$UserResidenceCountry = "Country of residence"; +$AddAnAttachment = "Add attachment"; +$FileComment = "File comment"; +$FileName = "Filename"; +$SessionsAdmin = "Sessions administrator"; +$MakeChangeable = "Make changeable"; +$MakeUnchangeable = "Make unchangeable"; +$UserFields = "Profile attributes"; +$FieldShown = "The field is now visible for the user."; +$CannotShowField = "Cannot make the field visible."; +$FieldHidden = "The field is now invisible for the user."; +$CannotHideField = "Cannot make the field invisible"; +$FieldMadeChangeable = "The field is now changeable by the user: the user can now fill or edit the field"; +$CannotMakeFieldChangeable = "The field can not be made changeable."; +$FieldMadeUnchangeable = "The field is now made unchangeable: the user cannot fill or edit the field."; +$CannotMakeFieldUnchangeable = "The field cannot be made unchangeable"; +$Folder = "Folder"; +$CloseOtherSession = "The chat is not available because another course has been opened in another page. To avoid this, please make sure you remain inside the same course for the duration of your chat session. To join the chat session again, please re-launch the chat from the course homepage."; +$FileUploadSucces = "The file has successfully been uploaded."; +$Yesterday = "Yesterday"; +$Submit = "Submit"; +$Department = "Department"; +$BackToNewSearch = "Back to start new search"; +$Step = "Step"; +$SomethingFemininAddedSuccessfully = "added successfully"; +$SomethingMasculinAddedSuccessfully = "added successfully"; +$DeleteError = "Delete error"; +$StepsList = "Steps list"; +$AddStep = "Add step"; +$StepCode = "Step code"; +$Label = "Label"; +$UnableToConnectTo = "Unable to connect to"; +$NoUser = "No user"; +$SearchResultsFor = "Search results for:"; +$SelectFile = "Select a file"; +$WarningFaqFileNonWriteable = "Warning - The FAQ file, located in the /home/ directory of your portal, is not writable. Your text will not be saved until the file permissions are changed."; +$AddCategory = "Add category"; +$NoExercises = "No tests"; +$NotAllowedClickBack = "Sorry, you are not allowed to access this page, or maybe your connection has expired. Please click your browser's \"Back\" button or follow the link below to return to the previous page."; +$Exercise = "Test"; +$Result = "Result"; +$AttemptingToLoginAs = "Attempting to login as %s %s (id %s)"; +$LoginSuccessfulGoToX = "Login successful. Go to %s"; +$FckMp3Autostart = "Start audio automatically"; +$Learner = "Learner"; +$IntroductionTextUpdated = "Intro was updated"; +$Align = "Align"; +$Width = "Width"; +$VSpace = "V Space"; +$HSpace = "H Space"; +$Border = "Border"; +$Alt = "Alt"; +$Height = "Height"; +$ImageManager = "Image manager"; +$ImageFile = "Image File"; +$ConstrainProportions = "Constrain proportions"; +$InsertImage = "Insert image"; +$AccountActive = "Account active"; +$GroupSpace = "Group area"; +$GroupWiki = "Wiki"; +$ExportToPDF = "Export to PDF"; +$CommentAdded = "You comment has been added"; +$BackToPreviousPage = "Back to previous page"; +$ListView = "List view"; +$NoOfficialCode = "No code"; +$Owner = "Owner"; +$DisplayOrder = "Display order"; +$SearchFeatureDoIndexDocument = "Index document text?"; +$SearchFeatureDocumentLanguage = "Document language for indexation"; +$With = "with"; +$GeneralCoach = "General coach"; +$SaveDocument = "Save document"; +$CategoryDeleted = "The category has been deleted."; +$CategoryAdded = "Category added"; +$IP = "IP"; +$Qualify = "Grade activity"; +$Words = "Words"; +$GoBack = "Go back"; +$Details = "Details"; +$EditLink = "Edit link"; +$LinkEdited = "Assessment edited"; +$ForumThreads = "Forum threads"; +$GradebookVisible = "Visible"; +$GradebookInvisible = "Invisible"; +$Phone = "Phone"; +$InfoMessage = "Information message"; +$ConfirmationMessage = "Confirmation message"; +$WarningMessage = "Warning message"; +$ErrorMessage = "Error message"; +$Glossary = "Glossary"; +$Coach = "Coach"; +$Condition = "Condition"; +$CourseSettings = "Course settings"; +$EmailNotifications = "Email notifications"; +$UserRights = "User rights"; +$Theming = "Graphical theme"; +$Qualification = "Score"; +$OnlyNumbers = "Only numbers"; +$ReorderOptions = "Reorder options"; +$EditUserFields = "Edit user fields"; +$OptionText = "Text"; +$FieldTypeDoubleSelect = "Double select"; +$FieldTypeDivider = "Visual divider"; +$ScormUnknownPackageFormat = "Unknown package format"; +$ResourceDeleted = "The resource has been deleted"; +$AdvancedParameters = "Advanced settings"; +$GoTo = "Go to"; +$SessionNameAndCourseTitle = "Session and course name"; +$CreationDate = "Creation date"; +$LastUpdateDate = "Latest update"; +$ViewHistoryChange = "View changes history"; +$NameOfLang['asturian'] = "asturian"; +$SearchGoToLearningPath = "Go to course"; +$SearchLectureLibrary = "Lectures library"; +$SearchImagePreview = "Preview image"; +$SearchAdvancedOptions = "Advanced search options"; +$SearchResetKeywords = "Reset keywords"; +$SearchKeywords = "Keywords"; +$IntroductionTextDeleted = "Intro was deleted"; +$SearchKeywordsHelpTitle = "Keywords search help"; +$SearchKeywordsHelpComment = "Select keywords in one or more fields and click the search button.

      To select more than one keyword in a field, use Ctrl+click."; +$Validate = "Validate"; +$SearchCombineSearchWith = "Combine keywords with"; +$SearchFeatureNotEnabledComment = "The full-text search feature is not enabled in Chamilo. Please contact the Chamilo administrator."; +$Top = "Top"; +$YourTextHere = "Your text here"; +$OrderBy = "Order by"; +$Notebook = "Notebook"; +$FieldRequired = "Mandatory field"; +$BookingSystem = "Booking system"; +$Any = "Any"; +$SpecificSearchFields = "Specific search fields"; +$SpecificSearchFieldsIntro = "Here you can define the fields you want to use for indexing content. When you are indexing one element you should add one or many terms on each field separated by comas."; +$AddSpecificSearchField = "Add a specific search field"; +$SaveSettings = "Save settings"; +$NoParticipation = "There are no participants"; +$Subscribers = "Subscribers"; +$Accept = "Accept"; +$Reserved = "Reserved"; +$SharedDocumentsDirectory = "Shared documents folder"; +$Gallery = "Gallery"; +$Audio = "Audio"; +$GoToQuestion = "Go to question"; +$Level = "Level"; +$Duration = "Duration"; +$SearchPrefilterPrefix = "Specific Field for prefilter"; +$SearchPrefilterPrefixComment = "This option let you choose the Specific field to use on prefilter search type."; +$MaxTimeAllowed = "Max. time (minutes)"; +$Class = "Class"; +$Select = "Select"; +$Booking = "Booking"; +$ManageReservations = "Booking"; +$DestinationUsers = "Destination users"; +$AttachmentFileDeleteSuccess = "The attached file has been deleted"; +$AccountURLInactive = "Account inactive for this URL"; +$MaxFileSize = "Maximum file size"; +$SendFileError = "An error has been detected while receiving your file. Please check your file is not corrupted and try again."; +$Expired = "Expired"; +$InvitationHasBeenSent = "The invitation has been sent"; +$InvitationHasBeenNotSent = "The invitation hasn't been sent"; +$Outbox = "Outbox"; +$Overview = "Overview"; +$ApiKeys = "API keys"; +$GenerateApiKey = "Generate API key"; +$MyApiKey = "My API key"; +$DateSend = "Date sent"; +$Deny = "Deny"; +$ThereIsNotQualifiedLearners = "There are no qualified learners"; +$ThereIsNotUnqualifiedLearners = "There are no unqualified learners"; +$SocialNetwork = "Social network"; +$BackToOutbox = "Back to outbox"; +$Invitation = "Invitation"; +$SeeMoreOptions = "See more options"; +$TemplatePreview = "Template preview"; +$NoTemplatePreview = "Preview not available"; +$ModifyCategory = "Edit category"; +$Photo = "Photo"; +$MoveFile = "Move the file"; +$Filter = "Filter"; +$Subject = "Subject"; +$Message = "Message"; +$MoreInformation = "More information"; +$MakeInvisible = "Make invisible"; +$MakeVisible = "Make Visible"; +$Image = "Image"; +$SaveIntroText = "Save intro text"; +$CourseName = "Course name"; +$SendAMessage = "Send a message"; +$Menu = "Menu"; +$BackToUserList = "Back to user list"; +$GraphicNotAvailable = "Graphic not available"; +$BackTo = "Back to"; +$HistoryTrainingSessions = "Courses history"; +$ConversionFailled = "Conversion failled"; +$AlreadyExists = "Already exists"; +$TheNewWordHasBeenAdded = "The new word has been added"; +$CommentErrorExportDocument = "Some of the documents are too complex to be treated automatically by the document converter"; +$YourGradebookFirstNeedsACertificateInOrderToBeLinkedToASkill = "Your gradebook first needs a certificate in order to be linked to a skill"; +$DataType = "Data type"; +$Value = "Value"; +$System = "System"; +$ImportantActivities = "Important activities"; +$SearchActivities = "Search for specific activities"; +$Parent = "Parent"; +$SurveyAdded = "Survey added"; +$WikiAdded = "Wiki added"; +$ReadOnly = "Read only"; +$Unacceptable = "Unacceptable"; +$DisplayTrainingList = "Display courses list"; +$HistoryTrainingSession = "Courses history"; +$Until = "Until"; +$FirstPage = "First page"; +$LastPage = "Last page"; +$Coachs = "Coachs"; +$ModifyEvaluation = "Save assessment"; +$CreateLink = "Add this learning activity to the assessment"; +$AddResultNoStudents = "There are no learners to add results for"; +$ScoreEdit = "Skills ranking"; +$ScoreColor = "Competence thresholds colouring"; +$ScoringSystem = "Skills ranking"; +$EnableScoreColor = "Enable Competence thresholds"; +$Below = "Below"; +$WillColorRed = "The mark will be coloured in red"; +$EnableScoringSystem = "Enable skills ranking"; +$IncludeUpperLimit = "Include upper limit (e.g. 0-20 includes 20)"; +$ScoreInfo = "Score info"; +$Between = "Between"; +$CurrentCategory = "Current course"; +$RootCat = "Main folder"; +$NewCategory = "New category"; +$NewEvaluation = "Add classroom activity"; +$Weight = "Weight"; +$PickACourse = "Pick a course"; +$CourseIndependent = "Independent from course"; +$CourseIndependentEvaluation = "Course independent evaluation"; +$EvaluationName = "Assessment"; +$DateEval = "Evaluation date"; +$AddUserToEval = "Add users to evaluation"; +$NewSubCategory = "New sub-category"; +$MakeLink = "Add online activity"; +$DeleteSelected = "Delete selected"; +$SetVisible = "Set visible"; +$SetInvisible = "Set invisible"; +$ChooseLink = "Choose type of activity to assess"; +$LMSDropbox = "Dropbox"; +$ChooseExercise = "Choose test"; +$AddResult = "Grade learners"; +$BackToOverview = "Back to folder view"; +$ExportPDF = "Export to PDF"; +$ChooseOrientation = "Choose orientation"; +$Portrait = "Portrait"; +$Landscape = "Landscape"; +$FilterCategory = "Filter category"; +$ScoringUpdated = "Skills ranking updated"; +$CertificateWCertifiesStudentXFinishedCourseYWithGradeZ = "%s certifies that\n\n %s \n\nhas successfully completed the course \n\n '%s' \n\nwith a grade of\n\n '%s'"; +$CertificateMinScore = "Minimum certification score"; +$InViMod = "Assessment made invisible"; +$ViewResult = "Assessment details"; +$NoResultsInEvaluation = "No results in evaluation for now"; +$AddStudent = "Add learners"; +$ImportResult = "Import marks"; +$ImportFileLocation = "Import marks in an assessment"; +$FileType = "File type"; +$ExampleCSVFile = "Example CSV file"; +$ExampleXMLFile = "Example XML file"; +$OverwriteScores = "Overwrite scores"; +$IgnoreErrors = "Ignore errors"; +$ItemsVisible = "The resources became visible"; +$ItemsInVisible = "The resources became invisible"; +$NoItemsSelected = "No resource selected"; +$DeletedCategories = "Deleted categories"; +$DeletedEvaluations = "Deleted evaluations"; +$DeletedLinks = "Deleted links"; +$TotalItems = "Total resources"; +$EditEvaluation = "Edit evaluation"; +$DeleteResult = "Delete marks"; +$Display = "Ranking"; +$ViewStatistics = "Graphical view"; +$ResultAdded = "Result added"; +$EvaluationStatistics = "Evaluation statistics"; +$ExportResult = "PDF Report"; +$EditResult = "Grade learners"; +$GradebookWelcomeMessage = "Welcome to the Assessments tool. This tool allows you to assess competences in your organization. Generate Competences Reports by merging the score of various learning activities including classroom and online activities. This will typically fit in a blended learning environment."; +$CreateAllCat = "Create all the courses categories"; +$AddAllCat = "Added all categories"; +$StatsStudent = "Statistics of"; +$Results = "Results and feedback"; +$Certificates = "Certificates"; +$Certificate = "Certificate"; +$ChooseUser = "Choose users for this evaluation"; +$ResultEdited = "Result edited"; +$ChooseFormat = "PDF report"; +$OutputFileType = "Output file type"; +$OverMax = "Value exceeds score."; +$MoreInfo = "More info"; +$ResultsPerUser = "Results per user"; +$TotalUser = "Total for user"; +$AverageTotal = "Average total"; +$Evaluation = "Score"; +$EvaluationAverage = "Assessment average"; +$EditAllWeights = "Weight in Report"; +$GradebookQualificationTotal = "Total"; +$GradebookEvaluationDeleted = "Assessment deleted"; +$GradebookQualifyLog = "Assessment history"; +$GradebookNameLog = "Assessment name"; +$GradebookDescriptionLog = "Assessment description"; +$GradebookVisibilityLog = "Assessment visibility"; +$ResourceType = "Category"; +$GradebookWhoChangedItLog = "Who changed it"; +$EvaluationEdited = "The evaluation has been succesfully edited"; +$CategoryEdited = "Category updated"; +$IncorrectData = "Incorrect data"; +$Resource = "Assessment"; +$PleaseEnableScoringSystem = "Please enable Skills ranking"; +$AllResultDeleted = "All results have been removed"; +$ImportNoFile = "There is no file to import"; +$ProblemUploadingFile = "There was a problem sending your file. Nothing has been received."; +$AllResultsEdited = "All results have been edited"; +$UserInfoDoesNotMatch = "The user info doesn't match."; +$ScoreDoesNotMatch = "The score doesn't match"; +$FileUploadComplete = "File upload successfull"; +$NoResultsAvailable = "No results available"; +$CannotChangeTheMaxNote = "Cannot change the score"; +$GradebookWeightUpdated = "Weights updated successfully"; +$ChooseItem = "Choose activity to assess"; +$AverageResultsVsResource = "Average results vs resource"; +$ToViewGraphScoreRuleMustBeEnabled = "To view graph score rule must be enabled"; +$GradebookPreviousWeight = "Previous weight of resource"; +$AddAssessment = "Add this classroom activity to the assessment"; +$FolderView = "Assessment home"; +$GradebookSkillsRanking = "Skills ranking"; +$SaveScoringRules = "Save weights in report"; +$AttachCertificate = "Attach certificate"; +$GradebookSeeListOfStudentsCertificates = "See list of learner certificates"; +$CreateCertificate = "Create certificate"; +$UploadCertificate = "Upload certificate"; +$CertificateName = "Certificate name"; +$CertificateOverview = "Certificate overview"; +$CreateCertificateWithTags = "Create certificate with this tags"; +$ViewPresenceSheets = "View presence sheets"; +$ViewEvaluations = "View evaluations"; +$NewPresenceSheet = "New presence sheet"; +$NewPresenceStep1 = "New presence sheet: step 1/2 : fill in the details of the presence sheet"; +$TitlePresenceSheet = "Title of the activity"; +$PresenceSheetCreatedBy = "Presence sheet created by"; +$SavePresence = "Save presence sheet and continue to step 2"; +$NewPresenceStep2 = "New presence sheet: step 2/2 : check the trainees that are present"; +$NoCertificateAvailable = "No certificate available"; +$SaveCertificate = "Save certificate"; +$CertificateNotRemoved = "Certificate can't be removed"; +$CertificateRemoved = "Certificate removed"; +$NoDefaultCertificate = "No default"; +$DefaultCertificate = "Default certificate"; +$PreviewCertificate = "Preview certificate"; +$IsDefaultCertificate = "Certificate set to default"; +$ImportPresences = "Import presences"; +$AddPresences = "Add presences"; +$DeletePresences = "Delete presences"; +$GradebookListOfStudentsCertificates = "List of learner certificates"; +$NewPresence = "New presence"; +$EditPresence = "Edit presence"; +$SavedEditPresence = "Saved edit presence"; +$PresenceSheetFormatExplanation = "You should use the presence sheet that you can download above. This presence sheet contains a list of all the learners in this course. The first column of the XLS file is the official code of the learner, followed by the lastname and the firstname. You should only change the 4th column and note 0 = absent, 1 = present"; +$ValidatePresenceSheet = "Validate presence sheet"; +$PresenceSheet = "Presence sheet"; +$PresenceSheets = "Presence sheets"; +$Evaluations = "Evaluations"; +$SaveEditPresence = "Save changes in presence sheet"; +$Training = "Course"; +$Present = "Present"; +$Numero = "N"; +$PresentAbsent = "0 = absent, 1 = present"; +$ExampleXLSFile = "Example Excel (XLS) file"; +$NoResultsInPresenceSheet = "No presence registered"; +$EditPresences = "Modify presences"; +$TotalWeightMustNotBeMoreThan = "Total weight must not be more than"; +$ThereIsNotACertificateAvailableByDefault = "There is no certificate available by default"; +$CertificateMinimunScoreIsRequiredAndMustNotBeMoreThan = "Certificate minimun score is required and must not be more than"; +$CourseProgram = "Description"; +$ThisCourseDescriptionIsEmpty = "There is no course description so far."; +$Vacancies = "Vacancies"; +$QuestionPlan = "Help"; +$Cost = "Cost"; +$NewBloc = "Other"; +$TeachingHours = "Lecture hours"; +$Area = "Area"; +$InProcess = "In process"; +$CourseDescriptionUpdated = "The description has been updated"; +$CourseDescriptionDeleted = "Description has been deleted"; +$PreventSessionAdminsToManageAllUsersComment = "By enabling this option, session admins will only be able to see, in the administration page, the users they created."; +$InvalidId = "Login failed - incorrect login or password."; +$Pass = "Pass"; +$Advises = "Advises"; +$CourseDoesntExist = "Warning : This course does not exist"; +$GetCourseFromOldPortal = "click here to get this course from your old portal"; +$SupportForum = "Support forum"; +$BackToHomePage = "Categories Overview"; +$LostPassword = "I lost my password"; +$Valvas = "Latest announcements"; +$Helptwo = "Help"; +$EussMenu = "menu"; +$Opinio = "Opinion"; +$Intranet = "Intranet"; +$Englin = "English"; +$InvalidForSelfRegistration = "Login failed - if you are not registered, you can do so using the registration form"; +$MenuGeneral = "Help"; +$MenuUser = "My account"; +$MenuAdmin = "Portal Admin"; +$UsersOnLineList = "Online users list"; +$TotalOnLine = "Total online"; +$Refresh = "Refresh"; +$SystemAnnouncements = "Portal news"; +$HelpMaj = "Help"; +$NotRegistered = "Not Registered"; +$Login = "Login"; +$RegisterForCourse = "Register for course"; +$UnregisterForCourse = "Unregister from course"; +$Refresh = "Refresh"; +$TotalOnLine = "total users online"; +$CourseClosed = "(the course is currently closed)"; +$Teach = "What s/he can teach"; +$Productions = "Productions"; +$SendChatRequest = "Send a chat proposal to this person"; +$RequestDenied = "The invitation has been rejected."; +$UsageDatacreated = "Usage data created"; +$SessionView = "Display courses ordered by training sessions"; +$CourseView = "Display the full list of the courses"; +$DropboxFileAdded = "Dropbox file added"; +$NewMessageInForum = "New message posted in the forum"; +$FolderCreated = "New folder created"; +$AgendaAdded = "Event added"; +$ShouldBeCSVFormat = "File should be CSV format. Do not add spaces. Structure should be exactly :"; +$Enter2passToChange = "To change your password, enter your current password in the field above and your new password in both fields below. To maintain the current password, leave the three fields empty."; +$AuthInfo = "Authentication"; +$ImageWrong = "The file size should be smaller than"; +$NewPass = "New password"; +$CurrentPasswordEmptyOrIncorrect = "The current password is incorrect"; +$password_request = "You have asked to reset your password. If you did not ask, then ignore this mail."; +$YourPasswordHasBeenEmailed = "Your password has been emailed to you."; +$EnterEmailAndWeWillSendYouYourPassword = "Enter the e-mail address that you used to register and we will send you your password back."; +$Action = "Action"; +$Preserved = "Preserved"; +$ConfirmUnsubscribe = "Confirm user unsubscription"; +$See = "Go to"; +$LastVisits = "My latest visits"; +$IfYouWantToAddManyUsers = "If you want to add a list of users in your course, please contact your web administrator."; +$PassTooEasy = "this password is too simple. Use a pass like this"; +$AddedToCourse = "has been registered to your course"; +$UserAlreadyRegistered = "A user with same name is already registered in this course."; +$BackUser = "Back to users list"; +$UserOneByOneExplanation = "He (she) will receive email confirmation with login and password"; +$GiveTutor = "Make coach"; +$RemoveRight = "Remove this right"; +$GiveAdmin = "Make admin"; +$UserNumber = "number"; +$DownloadUserList = "Upload the list"; +$UserAddExplanation = "Every line of file to send will necessarily and only include 5 fields: First name   LastName   Login   Password   Email separated by tabs and in this order. Users will receive email confirmation with login/password."; +$UserMany = "Import a users list"; +$OneByOne = "Add user manually"; +$AddHereSomeCourses = "Edit courses list

      Check the courses you want to follow.
      Uncheck the ones you don't want to follow anymore.
      Then click Ok at the bottom of the list"; +$ImportUserList = "Import list of users"; +$AddAU = "Add a user"; +$AddedU = "has been added. An email has been sent to give him his login"; +$TheU = "The user"; +$RegYou = "has registered you to this course"; +$OneResp = "One of the course administrators"; +$UserPicture = "Picture"; +$ProfileReg = "Your new profile has been saved"; +$EmailWrong = "The email address is not complete or contains some invalid characters"; +$UserTaken = "This login is already in use"; +$Fields = "You left some fields empty"; +$Again = "Try again!"; +$PassTwo = "You have typed two different passwords"; +$ViewProfile = "View my e-portfolio"; +$ModifProfile = "Edit Profile"; +$IsReg = "Your modifications have been registered"; +$NowGoCreateYourCourse = "You can now create your course"; +$NowGoChooseYourCourses = "You can now select, in the list, the course you want access to"; +$MailHasBeenSent = "An email has been sent to help you remember your login and password"; +$PersonalSettings = "Your personal settings have been registered"; +$Problem = "In case of trouble, contact us."; +$Is = "is"; +$Address = "The address of"; +$FieldTypeFile = "File upload"; +$YourReg = "Your registration on"; +$UserFree = "This login is already taken. Use your browser's back button and choose another."; +$EmptyFields = "You left some fields empty. Use your browser's back button and try again."; +$PassTwice = "You typed two different passwords. Use your browser's back button and try again."; +$RegAdmin = "Teacher (creates courses)"; +$RegStudent = "Student (follows courses)"; +$Confirmation = "Confirm password"; +$Surname = "Last name"; +$Registration = "Registration"; +$YourAccountParam = "This is your information to connect to"; +$LoginRequest = "Login request"; +$AdminOfCourse = "Admin"; +$SimpleUserOfCourse = "User of course"; +$IsTutor = "Coach"; +$ParamInTheCourse = "Status in course"; +$HaveNoCourse = "No course available"; +$UserProfileReg = "User e-portfolio has been registered"; +$Courses4User = "User's courses"; +$CoursesByUser = "Courses by user"; +$SubscribeUserToCourse = "Enroll users to course"; +$Preced100 = "Previous 100"; +$Addmore = "Add registered users"; +$Addback = "Go to users list"; +$reg = "Register"; +$Quit = "Quit"; +$YourPasswordHasBeenReset = "Your password has been reset"; +$Sex = "Sex"; +$OptionalTextFields = "Optional fields"; +$FullUserName = "Full name"; +$SearchForUser = "Search for user"; +$SearchButton = "Search"; +$SearchNoResultsFound = "No search results found"; +$UsernameWrong = "Your login can only contain letters, numbers and _.-"; +$PasswordRequestFrom = "This is a password request for the e-mail address"; +$CorrespondsToAccount = "This e-mail address corresponds to the following user account."; +$CorrespondsToAccounts = "This e-mail address corresponds to the following user accounts."; +$AccountExternalAuthSource = "Chamilo can't handle the request automatically because the account has an external authentication source. Please take appropriate measures and notify the user."; +$AccountsExternalAuthSource = "Chamilo can't handle the request automatically because at least one of the accounts has an external authentication source. Please take appropriate measures for all accounts (including those with platform authentication) and notify the user."; +$RequestSentToPlatformAdmin = "Chamilo can't handle the request automatically for this type of account. Your request has been sent to the platform administrator, who will take appropriate measures and notify you of the result."; +$ProgressIntroduction = "Start with selecting a session below.
      You can then see your progress for every course you are subscribed to."; +$NeverExpires = "Never expires"; +$ActiveAccount = "Account"; +$YourAccountHasToBeApproved = "Your account has to be approved"; +$ApprovalForNewAccount = "Approval for new account"; +$ManageUser = "Manage user"; +$SubscribeUserToCourseAsTeacher = "Enroll teachers"; +$PasswordEncryptedForSecurity = "Your password is encrypted for security reasons. Thus, after pressing the link an e-mail will be sent to you again with your password."; +$SystemUnableToSendEmailContact = "This platform was unable to send the email. Please contact"; +$OpenIDCouldNotBeFoundPleaseRegister = "This OpenID could not be found in our database. Please register for a new account. If you have already an account with us, please edit your profile inside your account to add this OpenID"; +$UsernameMaxXCharacters = "The login needs to be maximum %s characters long"; +$PictureUploaded = "Your picture has been uploaded"; +$ProductionUploaded = "Your production file has been uploaded"; +$UsersRegistered = "These users have been registered to the course"; +$UserAlreadyRegisterByOtherCreator = "User already register by other coach."; +$UserCreatedPlatform = "User created in portal"; +$UserInSession = "User added into the session"; +$UserNotAdded = "User not added."; +$NoSessionId = "The session was not identified"; +$NoUsersRead = "Please verify your XML/CVS file"; +$UserImportFileMessage = "If in the XML/CVS file the logins are missing, the firstname and the lastname will merge to create a login, i.e Julio Montoya into jmontoya"; +$UserAlreadyRegisteredByOtherCreator = "User already register by other coach."; +$NewUserInTheCourse = "New user in the course"; +$MessageNewUserInTheCourse = "There is a new user in the course"; +$EditExtendProfile = "Edit extended profile"; +$EditInformation = "Edit profile"; +$RegisterUser = "Register"; +$IHaveReadAndAgree = "I have read and agree to the"; +$ByClickingRegisterYouAgreeTermsAndConditions = "By clicking on 'Register' below you are agreeing to the Terms and Conditions"; +$LostPass = "Forgot your password ?"; +$EnterEmailUserAndWellSendYouPassword = "Enter the username or the email address with which you registered and we will send your password."; +$NoUserAccountWithThisEmailAddress = "There is no account with this user and/or e-mail address"; +$InLnk = "Hidden tools and links"; +$DelLk = "Do you really want to delete this link?"; +$NameOfTheLink = "Name of the link"; +$CourseAdminOnly = "Teachers only"; +$PlatformAdminOnly = "Portal Administrators only"; +$CombinedCourse = "Combined course"; +$ToolIsNowVisible = "The tool is now visible."; +$ToolIsNowHidden = "The tool is now invisible."; +$GreyIcons = "Toolbox"; +$Interaction = "Interaction"; +$Authoring = "Authoring"; +$SessionIdentifier = "Identifier of session"; +$SessionCategory = "Sessions categories"; +$ConvertToUniqueAnswer = "Convert to unique answer"; +$ReportsRequiresNoSetting = "This report type requires no settings"; +$ShowWizard = "Show wizard"; +$ReportFormat = "Report format"; +$ReportType = "Report type"; +$PleaseChooseReportType = "Please choose a report type"; +$PleaseFillFormToBuildReport = "Please fill the form to build the report"; +$UnknownFormat = "Unknown format"; +$ErrorWhileBuildingReport = "An error occured while building the report"; +$WikiSearchResults = "Wiki Search Results"; +$StartPage = "Main page"; +$EditThisPage = "Edit this page"; +$ShowPageHistory = "History"; +$RecentChanges = "Latest changes"; +$AllPages = "All pages"; +$AddNew = "Add new page"; +$ChangesStored = "Audio added"; +$NewWikiSaved = "The wiki page has been saved."; +$DefaultContent = "

      \"Working

      To begin editing this page and remove this text

      "; +$CourseWikiPages = "Wiki pages"; +$GroupWikiPages = "Group wiki pages"; +$NoWikiPageTitle = "Your changes have been saved. You still have to give a name to the page"; +$WikiPageTitleExist = "This page name already exists. To edit the page content, click here:"; +$WikiDiffAddedLine = "A line has been added"; +$WikiDiffDeletedLine = "A line has been deleted"; +$WikiDiffMovedLine = "A line has been moved"; +$WikiDiffUnchangedLine = "Line without changes"; +$DifferencesNew = "Changes in version"; +$DifferencesOld = "old version of"; +$Differences = "Differences"; +$MostRecentVersion = "View of the latest selected version"; +$ShowDifferences = "Compare selected versions"; +$SearchPages = "Search"; +$Discuss = "Discuss"; +$History = "History"; +$ShowThisPage = "View this page"; +$DeleteThisPage = "Delete this page"; +$DiscussThisPage = "Discuss this page"; +$HomeWiki = "Wiki home"; +$DeleteWiki = "Delete all"; +$WikiDeleted = "Your Wiki has been deleted"; +$WikiPageDeleted = "The page and its history have been deleted."; +$NumLine = "Num line"; +$DeletePageHistory = "Delete this page and all its versions"; +$OnlyAdminDeleteWiki = "Trainers only can delete the Wiki"; +$OnlyAdminDeletePageWiki = "Trainers only can delete a page"; +$OnlyAddPagesGroupMembers = "Trainers and members of this group only can add pages to the group Wiki"; +$OnlyEditPagesGroupMembers = "Trainers and group members only can edit pages of the group Wiki"; +$ConfirmDeleteWiki = "Are you sure you want to delete this Wiki?"; +$ConfirmDeletePage = "Are you sure you want to delete this page and its history?"; +$AlsoSearchContent = "Search also in content"; +$PageLocked = "Page protected"; +$PageUnlocked = "Page unprotected"; +$PageLockedExtra = "This page is protected. Trainers only can change it"; +$PageUnlockedExtra = "This page is unprotected. All course users or group members can edit this page"; +$ShowAddOption = "Show add option"; +$HideAddOption = "Hide add option"; +$AddOptionProtected = "The Add option has been protected. Trainers only can add pages to this Wiki. But learners and group members can still edit them"; +$AddOptionUnprotected = "The add option has been enabled for all course users and group members"; +$NotifyChanges = "Notify me of changes"; +$NotNotifyChanges = "Do not notify me of changes"; +$CancelNotifyByEmail = "Do not notify me by email when this page is edited"; +$MostRecentVersionBy = "The latest version was edited by"; +$RatingMedia = "The average rating for the page is"; +$NumComments = "Comments on this page"; +$NumCommentsScore = "Number of comments scored:"; +$AddPagesLocked = "The add option has been temporarily disabled by the trainer"; +$LinksPages = "What links here"; +$ShowLinksPages = "Show the pages that have links to this page"; +$MoreWikiOptions = "More Wiki options"; +$DefaultTitle = "Home"; +$DiscussNotAvailable = "Discuss not available"; +$EditPage = "Edit"; +$AddedBy = "added by"; +$EditedBy = "edited by"; +$DeletedBy = "deleted by"; +$WikiStandardMode = "Wiki mode"; +$GroupTutorAndMember = "Coach and group member"; +$GroupStandardMember = "Group member"; +$AssignmentMode = "Individual assignment mode"; +$ConfigDefault = "Default config"; +$UnlockPage = "Unprotect"; +$LockPage = "Protect"; +$NotifyDiscussChanges = "Notify comment"; +$NotNotifyDiscussChanges = "Don't notify comments"; +$AssignmentWork = "Learner paper"; +$AssignmentDesc = "Assignment proposed by the trainer"; +$WikiDiffAddedTex = "Text added"; +$WikiDiffDeletedTex = "Text deleted"; +$WordsDiff = "word by word"; +$LinesDiff = "line by line"; +$MustSelectPage = "You must select a page first"; +$Export2ZIP = "Export to ZIP"; +$HidePage = "Hide Page"; +$ShowPage = "Show Page"; +$GoAndEditMainPage = "To start Wiki go and edit Main page"; +$UnlockDiscuss = "Unlock discuss"; +$LockDiscuss = "Lock discuss"; +$HideDiscuss = "Hide discuss"; +$ShowDiscuss = "Show discuss"; +$UnlockRatingDiscuss = "Activate rate"; +$LockRatingDiscuss = "Deactivate rating"; +$EditAssignmentWarning = "You can edit this page, but the pages of learners will not be modified"; +$ExportToDocArea = "Export latest version of this page to Documents"; +$LockByTeacher = "Disabled by trainer"; +$LinksPagesFrom = "Pages that link to this page"; +$DefineAssignmentPage = "Define this page as an individual assignment"; +$AssignmentDescription = "Assignment description"; +$UnlockRatingDiscussExtra = "Now all members can rate this page"; +$LockRatingDiscussExtra = "Now only trainers can rate this page"; +$HidePageExtra = "Now the page only is visible by trainer"; +$ShowPageExtra = "Now the page is visible by all users"; +$OnlyEditPagesCourseManager = "The Main Page can be edited by a teacher only"; +$AssignmentLinktoTeacherPage = "Acces to trainer page"; +$HideDiscussExtra = "Now discussion is visible by trainers only"; +$ShowDiscussExtra = "Now discussion is visible by all users"; +$LockDiscussExtra = "Now only trainers can add comments to this discussion"; +$UnlockDiscussExtra = "Now all members can add comments to this discussion"; +$AssignmentDescExtra = "This page is an assignment proposed by a trainer"; +$AssignmentWorkExtra = "This page is a learner work"; +$NoAreSeeingTheLastVersion = "Warning you are not seeing the latest version of the page"; +$AssignmentFirstComToStudent = "Change this page to make your work about the assignment proposed"; +$AssignmentLinkstoStudentsPage = "Access to the papers written by learners"; +$AllowLaterSends = "Allow delayed sending"; +$WikiStandBy = "This Wiki is frozen so far. A trainer must start it."; +$NotifyDiscussByEmail = "Notify by email of new comments about this page is allowed"; +$CancelNotifyDiscussByEmail = "The email notification of new comments on this page is disabled"; +$EmailWikiChanges = "Notify Wiki changes"; +$EmailWikipageModified = "It has modified the page"; +$EmailWikiPageAdded = "Page was added"; +$EmailWikipageDedeleted = "One page has been deleted in the Wiki"; +$EmailWikiPageDiscAdded = "New comment in the discussion of the page"; +$FullNotifyByEmail = "Receive an e-mail notification every time there is a change in the Wiki"; +$FullCancelNotifyByEmail = "Stop receiving notifications by e-mail every time there is a change in the Wiki"; +$EmailWikiChangesExt_1 = "This notification has been made in accordance with their desire to monitor changes in the Wiki. This option means you have activated the button"; +$EmailWikiChangesExt_2 = "If you want to stop being notified of changes in the Wiki, select the tabs Recent Changes, Current page, Talk as appropriate and then push the button"; +$OrphanedPages = "Orphaned pages"; +$WantedPages = "Wanted pages"; +$MostVisitedPages = "Most visited pages"; +$MostChangedPages = "Most changed pages"; +$Changes = "Changes"; +$MostActiveUsers = "Most active users"; +$Contributions = "contributions"; +$UserContributions = "User contributions"; +$WarningDeleteMainPage = "Deleting the homepage of the Wiki is not recommended because it is the main access to the wiki.
      If, however, you need to do so, do not forget to re-create this Homepage. Until then, other users will not be able to add new pages."; +$ConvertToLastVersion = "To set this version as the last one, click on"; +$CurrentVersion = "Current version"; +$LastVersion = "Latest version"; +$PageRestored = "The page has been restored. You can view it by clicking"; +$RestoredFromVersion = "Restored from version"; +$HWiki = "Help: wiki"; +$FirstSelectOnepage = "Please select a page first"; +$DefineTask = "If you enter a description, this page will be considered a special page that allows you to create a task"; +$ThisPageisBeginEditedBy = "At this time, this page is being edited by"; +$ThisPageisBeginEditedTryLater = "Please try again later. If the user who is currently editing the page does not save it, this page will be available to you around"; +$EditedByAnotherUser = "Your changes will not be saved because another user has modified and saved the page while you were editing it yourself"; +$WarningMaxEditingTime = "You have 20 minutes to edit this page. After this time, if you have not saved the page, another user will be able to edit it, and you might lose your changes"; +$TheTaskDoesNotBeginUntil = "Still is not the start date"; +$TheDeadlineHasBeenCompleted = "You have exceeded the deadline"; +$HasReachedMaxNumWords = "You have exceeded the number of words allowed"; +$HasReachedMaxiNumVersions = "You have exceeded the number of versions allowed"; +$DescriptionOfTheTask = "Description of the assignment"; +$OtherSettings = "Other requirements"; +$NMaxWords = "Maximum number of words"; +$NMaxVersion = "Maximum number of versions"; +$AddFeedback = "Add guidance messages associated with the progress on the page"; +$Feedback1 = "First message"; +$Feedback2 = "Second message"; +$Feedback3 = "Third message"; +$FProgress = "Progress"; +$PutATimeLimit = "Set a time limit"; +$StandardTask = "Standard Task"; +$ToolName = "Import Blackboard courses"; +$TrackingDisabled = "Reporting has been disabled by system administrator."; +$InactivesStudents = "Learners not connected for a week or more"; +$AverageTimeSpentOnThePlatform = "Time spent on portal"; +$AverageCoursePerStudent = "Courses by learner"; +$AverageProgressInLearnpath = "Progress in courses"; +$AverageResultsToTheExercices = "Tests score"; +$SeeStudentList = "See the learners list"; +$NbActiveSessions = "Active sessions"; +$NbPastSessions = "Past sessions"; +$NbFutureSessions = "Future sessions"; +$NbStudentPerSession = "Number of learners by session"; +$NbCoursesPerSession = "Number of courses per session"; +$SeeSessionList = "See the sessions list"; +$CourseStats = "Course Stats"; +$ToolsAccess = "Tools access"; +$LinksAccess = "Links"; +$DocumentsAccess = "Documents"; +$ScormAccess = "Courses"; +$LinksDetails = "Links accessed"; +$WorksDetails = "assignments uploaded"; +$LoginsDetails = "Click on the month name for more details"; +$DocumentsDetails = "Documents downloaded"; +$ExercicesDetails = "Tests score"; +$BackToList = "Back to users list"; +$StatsOfCourse = "Course reporting data"; +$StatsOfUser = "Statistics of user"; +$StatsOfCampus = "Statistics of portal"; +$CountUsers = "Number of users"; +$CountToolAccess = "Number of connections to this course"; +$LoginsTitleMonthColumn = "Month"; +$LoginsTitleCountColumn = "Number of logins"; +$ToolTitleToolnameColumn = "Name of the tool"; +$ToolTitleUsersColumn = "Users Clicks"; +$ToolTitleCountColumn = "Total Clicks"; +$LinksTitleLinkColumn = "Link"; +$LinksTitleUsersColumn = "Users Clicks"; +$LinksTitleCountColumn = "Total Clicks"; +$ExercicesTitleExerciceColumn = "Test"; +$ExercicesTitleScoreColumn = "Score"; +$DocumentsTitleDocumentColumn = "Document"; +$DocumentsTitleUsersColumn = "Users Downloads"; +$DocumentsTitleCountColumn = "Total Downloads"; +$ScormContentColumn = "Title"; +$ScormStudentColumn = "Learners"; +$ScormTitleColumn = "Step"; +$ScormStatusColumn = "Status"; +$ScormScoreColumn = "Score"; +$ScormTimeColumn = "Time"; +$ScormNeverOpened = "The user never opened the course."; +$WorkTitle = "Title"; +$WorkAuthors = "Authors"; +$WorkDescription = "Description"; +$informationsAbout = "Tracking of"; +$NoEmail = "No email address specified"; +$NoResult = "There is no result yet"; +$Hits = "Hits"; +$LittleHour = "h."; +$Last31days = "In the last 31 days"; +$Last7days = "In the last 7 days"; +$ThisDay = "This day"; +$Logins = "Logins"; +$LoginsExplaination = "Here is the list of your latest logins with the tools you visited during these sessions."; +$ExercicesResults = "Score for the tests done"; +$At = "at"; +$LoginTitleDateColumn = "Date"; +$LoginTitleCountColumn = "Visits"; +$LoginsAndAccessTools = "Logins and access to tools"; +$WorkUploads = "Contributions uploads"; +$ErrorUserNotInGroup = "Invalid user : this user doesn't exist in your group"; +$ListStudents = "List of learners in this group"; +$PeriodHour = "Hour"; +$PeriodDay = "Day"; +$PeriodWeek = "Week"; +$PeriodMonth = "Month"; +$PeriodYear = "Year"; +$NextDay = "Next Day"; +$PreviousDay = "Previous Day"; +$NextWeek = "Next Week"; +$PreviousWeek = "Previous Week"; +$NextMonth = "Next Month"; +$PreviousMonth = "Previous Month"; +$NextYear = "Next Year"; +$PreviousYear = "Previous Year"; +$ViewToolList = "View List of All Tools"; +$ToolList = "List of all tools"; +$PeriodToDisplay = "Period"; +$DetailView = "View by"; +$BredCrumpGroups = "Groups"; +$BredCrumpGroupSpace = "Group Area"; +$BredCrumpUsers = "Users"; +$AdminToolName = "Admin Stats"; +$PlatformStats = "Portal Statistics"; +$StatsDatabase = "Stats Database"; +$PlatformAccess = "Access to portal"; +$PlatformCoursesAccess = "Access to courses"; +$PlatformToolAccess = "Tools access"; +$HardAndSoftUsed = "Countries Providers Browsers Os Referers"; +$StrangeCases = "Problematic cases"; +$StatsDatabaseLink = "Click Here"; +$CountCours = "Courses"; +$CountCourseByFaculte = "Number of courses by category"; +$CountCourseByLanguage = "Number of courses by language"; +$CountCourseByVisibility = "Number of courses by visibility"; +$CountUsersByCourse = "Number of users by course"; +$CountUsersByFaculte = "Number of users by category"; +$CountUsersByStatus = "Number of users by status"; +$Access = "Access"; +$Countries = "Countries"; +$Providers = "Providers"; +$OS = "OS"; +$Browsers = "Browsers"; +$Referers = "Referers"; +$AccessExplain = "(When an user open the index of the portal)"; +$TotalPlatformAccess = "Total"; +$TotalPlatformLogin = "Total"; +$MultipleLogins = "Accounts with same Login"; +$MultipleUsernameAndPassword = "Accounts with same Login AND same Password"; +$MultipleEmails = "Accounts with same Email"; +$CourseWithoutProf = "Courses without teachers"; +$CourseWithoutAccess = "Unused courses"; +$LoginWithoutAccess = "Logins not used"; +$AllRight = "There is no strange case here"; +$Defcon = "Ooops, problematic cases detected !!"; +$NULLValue = "Empty (or NULL)"; +$TrafficDetails = "Traffic Details"; +$SeeIndividualTracking = "For individual tracking see Users tool."; +$PathNeverOpenedByAnybody = "This path was never opened by anybody."; +$SynthesisView = "Synthesis view"; +$Visited = "Visited"; +$FirstAccess = "First access"; +$LastAccess = "Latest access"; +$Probationers = "Learner"; +$MoyenneTest = "Tests score"; +$MoyCourse = "Course average"; +$MoyenneExamen = "Exam average"; +$MoySession = "Session average"; +$TakenSessions = "Taken sessions"; +$FollowUp = "Follow-up"; +$Trainers = "Teachers"; +$Administrators = "Administrators"; +$Tracks = "Tracks"; +$Success = "Success"; +$ExcelFormat = "Excel format"; +$MyLearnpath = "My learnpath"; +$LastConnexion = "Latest login"; +$ConnectionTime = "Connection time"; +$ConnectionsToThisCourse = "Connections to this course"; +$StudentTutors = "Learner's coaches"; +$StudentSessions = "Learner's sessions"; +$StudentCourses = "Learner's courses"; +$NoLearnpath = "No learning path"; +$Correction = "Correction"; +$NoExercise = "No tests"; +$LimitDate = "Limit date"; +$SentDate = "Sent date"; +$Annotate = "Notify"; +$DayOfDelay = "Day of delay"; +$NoProduction = "No production"; +$NoComment = "No comment"; +$LatestLogin = "Latest"; +$TimeSpentOnThePlatform = "Time spent in portal"; +$AveragePostsInForum = "Posts in forum"; +$AverageAssignments = "Average assignments per learner"; +$StudentDetails = "Learner details"; +$StudentDetailsInCourse = "Learner details in course"; +$OtherTools = "OTI (Online Training Interaction) settings report"; +$DetailsStudentInCourse = "Learner details in course"; +$CourseTitle = "Course title"; +$NbStudents = "Learners"; +$TimeSpentInTheCourse = "Time spent in the course"; +$AvgStudentsProgress = "Progress"; +$AvgCourseScore = "Average score in learning paths"; +$AvgMessages = "Messages per learner"; +$AvgAssignments = "Assignments"; +$ToolsMostUsed = "Tools most used"; +$StudentsTracking = "Report on learners"; +$CourseTracking = "Course report"; +$LinksMostClicked = "Links most visited"; +$DocumentsMostDownloaded = "Documents most downloaded"; +$LearningPathDetails = "Learnpath details"; +$NoConnexion = "No connection"; +$TeacherInterface = "Trainer View"; +$CoachInterface = "Coach interface"; +$AdminInterface = "Admin view"; +$NumberOfSessions = "Number of sessions"; +$YourCourseList = "Your courses"; +$YourStatistics = "Your statistics"; +$CoachList = "Trainer list"; +$CoachStudents = "Learners of trainer"; +$NoLearningPath = "No learning path available"; +$SessionCourses = "Courses sessions"; +$NoUsersInCourseTracking = "Tracking for the learners registered to this course"; +$AvgTimeSpentInTheCourse = "Time"; +$RemindInactiveUser = "Remind inactive user"; +$FirstLogin = "First connection"; +$AccessDetails = "Access details"; +$DateAndTimeOfAccess = "Date and time of access"; +$WrongDatasForTimeSpentOnThePlatform = "The datas about this user were registered when the calculation of time spent on the platform wasn't possible."; +$DisplayCoaches = "Trainers Overview"; +$DisplayUserOverview = "User overview"; +$ExportUserOverviewOptions = "User overview export options"; +$FollowingFieldsWillAlsoBeExported = "The following fields will also be exported"; +$TotalExercisesScoreObtained = "Total score obtained for tests"; +$TotalExercisesScorePossible = "Total possible score for tests"; +$TotalExercisesAnswered = "Number of tests answered"; +$TotalExercisesScorePercentage = "Total score percentage for tests"; +$ForumForumsNumber = "Forums Number"; +$ForumThreadsNumber = "Threads number"; +$ForumPostsNumber = "Posts number"; +$ChatConnectionsDuringLastXDays = "Connections to the chat during last %s days"; +$ChatLastConnection = "Latest chat connection"; +$CourseInformation = "Course Information"; +$NoAdditionalFieldsWillBeExported = "No additional fields will be exported"; +$SendNotification = "Notify"; +$TimeOfActiveByTraining = "Time in course"; +$AvgAllUsersInAllCourses = "Average of all learners in all courses"; +$AvgExercisesScore = "Tests score"; +$TrainingTime = "Time"; +$CourseProgress = "Progress"; +$ViewMinus = "View minus"; +$ResourcesTracking = "Report on resource"; +$MdCallingTool = "Documents"; +$NotInDB = "no such Links category"; +$ManifestSyntax = "(syntax error in manifest file...)"; +$EmptyManifest = "(empty manifest file...)"; +$NoManifest = "(no manifest file...)"; +$NotFolder = "are not possible, it is not a folder..."; +$UploadHtt = "Upload HTT file"; +$HttFileNotFound = "New HTT file could not be opened (e.g. empty, too big)"; +$HttOk = "New HTT file has been uploaded"; +$HttNotOk = "HTT file upload has failed"; +$RemoveHtt = "Remove HTT file"; +$HttRmvOk = "HTT file has been removed"; +$HttRmvNotOk = "HTT file remove has failed"; +$AllRemovedFor = "All entries removed for category"; +$Index = "Index Words"; +$MainMD = "Open Main MDE"; +$Lines = "lines"; +$Play = "Play index.php"; +$NonePossible = "No MD operations are possible"; +$OrElse = "Select a Links category"; +$WorkWith = "Work with Scorm Directory"; +$SDI = "... Scorm Directory with SD-id (and split manifest - or leave empty)"; +$Root = "root"; +$SplitData = "Split manifests, and #MDe, if any:"; +$MffNotOk = "Manifest file replace has failed"; +$MffOk = "Manifest file has been replaced"; +$MffFileNotFound = "New manifest file could not be opened (e.g. empty, too big)"; +$UploadMff = "Replace manifest file"; +$GroupSpaceLink = "Group area"; +$CreationSucces = "Table of contents successfully created."; +$CanViewOrganisation = "You can view your organisation"; +$ViewDocument = "View"; +$HtmlTitle = "Table of contents"; +$AddToTOC = "Add to contents"; +$AddChapter = "Add section"; +$Ready = "Generate table of contents"; +$StoreDocuments = "Store documents"; +$TocDown = "Down"; +$TocUp = "Up"; +$CutPasteLink = "No frames"; +$CreatePath = "Create a course (authoring tool)"; +$SendDocument = "Upload file"; +$ThisFolderCannotBeDeleted = "This folder cannot be deleted"; +$ChangeVisibility = "Change visibility"; +$VisibilityCannotBeChanged = "The visibility cannot be changed"; +$DocumentCannotBeMoved = "The document cannot be moved"; +$OogieConversionPowerPoint = "Chamilo RAPID : PowerPoint conversion"; +$WelcomeOogieSubtitle = "A PowerPoint to SCORM Courses converter"; +$GoMetadata = "Go"; +$QuotaForThisCourseIs = "The quota for this course is"; +$Del = "delete"; +$ShowCourseQuotaUse = "Space Available"; +$CourseCurrentlyUses = "This course currently uses"; +$MaximumAllowedQuota = "Your storage limit is"; +$PercentageQuotaInUse = "Percentage of your quota that is in use"; +$PercentageQuotaFree = "Percentage of your quota that is still free"; +$CurrentDirectory = "Current folder"; +$UplUploadDocument = "Upload documents"; +$UplPartialUpload = "The uploaded file was only partially uploaded."; +$UplExceedMaxPostSize = "The file size exceeds the maximum allowed setting:"; +$UplExceedMaxServerUpload = "The uploaded file exceeds the maximum filesize allowed by the server:"; +$UplUploadFailed = "The file upload has failed."; +$UplNotEnoughSpace = "There is not enough space to upload this file."; +$UplNoSCORMContent = "No SCORM content was found."; +$UplZipExtractSuccess = "The zipfile was successfully extracted."; +$UplZipCorrupt = "Unable to extract zip file (corrupt file?)."; +$UplFileSavedAs = "File saved as"; +$UplFileOverwritten = " was overwritten."; +$CannotCreateDir = "Unable to create the folder."; +$UplUpload = "Upload"; +$UplWhatIfFileExists = "If file exists:"; +$UplDoNothing = "Do nothing"; +$UplDoNothingLong = "Don't upload if file exists"; +$UplOverwrite = "Overwrite"; +$UplOverwriteLong = "Overwrite the existing file"; +$UplRename = "Rename"; +$UplRenameLong = "Rename the uploaded file if it exists"; +$DocumentQuota = "Space Available"; +$NoDocsInFolder = "There are no documents to be displayed."; +$UploadTo = "Upload to"; +$fileModified = "The file is modified"; +$DocumentsOverview = "Documents overview"; +$Options = "Options"; +$WelcomeOogieConverter = "Welcome to Chamilo RAPID
      • Browse your hard disk to find any .ppt or .odp file
      • Upload it to Oogie. It will tranform it into a Scorm course.
      • You will then be allowed to add audio comments on each slide and insert test and activities between the slides."; +$ConvertToLP = "Convert to course"; +$AdvancedSettings = "Advanced settings"; +$File = "File"; +$DocDeleteError = "Error during the delete of document"; +$ViModProb = "A problem occured while updating visibility"; +$DirDeleted = "Folder deleted"; +$TemplateName = "Template name"; +$TemplateDescription = "Template description"; +$DocumentSetAsTemplate = "Document set as a new template"; +$DocumentUnsetAsTemplate = "Document unset as template"; +$AddAsTemplate = "Add as a template"; +$RemoveAsTemplate = "Remove template"; +$ReadOnlyFile = "The file is read only"; +$FileNotFound = "The file was not found"; +$TemplateTitleFirstPage = "First page"; +$TemplateTitleFirstPageDescription = "It's the cover page of your course"; +$TemplateTitleDedicatory = "Dedication"; +$TemplateTitleDedicatoryDescription = "Make your own dedication"; +$TemplateTitlePreface = "Course preface"; +$TemplateTitlePrefaceDescription = "Preface"; +$TemplateTitleIntroduction = "Introduction"; +$TemplateTitleIntroductionDescription = "Insert the introduction text"; +$TemplateTitlePlan = "Plan"; +$TemplateTitlePlanDescription = "It's the table of content"; +$TemplateTitleTeacher = "Your instructor"; +$TemplateTitleTeacherDescription = "Dialog on the bottom with a trainer"; +$TemplateTitleProduction = "Production"; +$TemplateTitleProductionDescription = "Attended production description"; +$TemplateTitleAnalyze = "Analyze"; +$TemplateTitleAnalyzeDescription = "Analyze description"; +$TemplateTitleSynthetize = "Synthetize"; +$TemplateTitleSynthetizeDescription = "Synthetize description"; +$TemplateTitleText = "Text page"; +$TemplateTitleTextDescription = "Plain text page"; +$TemplateTitleLeftImage = "Left image"; +$TemplateTitleLeftImageDescription = "Left image"; +$TemplateTitleTextCentered = "Text and image centered"; +$TemplateTitleTextCenteredDescription = "It's a text with an image centered and legend"; +$TemplateTitleComparison = "Compare"; +$TemplateTitleComparisonDescription = "2 columns text page"; +$TemplateTitleDiagram = "Diagram explained"; +$TemplateTitleDiagramDescription = "Image on the left, comment on the right"; +$TemplateTitleImage = "Image alone"; +$TemplateTitleImageDescription = "Image alone"; +$TemplateTitleFlash = "Flash animation"; +$TemplateTitleFlashDescription = "Animation + introduction text"; +$TemplateTitleAudio = "Audio comment"; +$TemplateTitleAudioDescription = "Audio + image + text : listening comprehension"; +$TemplateTitleSchema = "Schema with audio explain"; +$TemplateTitleSchemaDescription = "A schema explain by a trainer"; +$TemplateTitleVideo = "Video page"; +$TemplateTitleVideoDescription = "On demand video + text"; +$TemplateTitleVideoFullscreen = "Video page fullscreen"; +$TemplateTitleVideoFullscreenDescription = "On demand video in fullscreen"; +$TemplateTitleTable = "Table page"; +$TemplateTitleTableDescription = "Spreadsheet-like page"; +$TemplateTitleAssigment = "Assignment description"; +$TemplateTitleAssigmentDescription = "Explain goals, roles, agenda"; +$TemplateTitleResources = "Resources"; +$TemplateTitleResourcesDescription = "Books, links, tools"; +$TemplateTitleBibliography = "Bibliography"; +$TemplateTitleBibliographyDescription = "Books, links, tools"; +$TemplateTitleFAQ = "Frequently asked questions"; +$TemplateTitleFAQDescription = "List of questions and answers"; +$TemplateTitleGlossary = "Glossary"; +$TemplateTitleGlossaryDescription = "List of term of the section"; +$TemplateTitleEvaluation = "Evaluation"; +$TemplateTitleEvaluationDescription = "Evaluation"; +$TemplateTitleCertificate = "Certificate of completion"; +$TemplateTitleCertificateDescription = "To appear at the end of a course"; +$TemplateTitleCheckList = "Checklist"; +$TemplateTitleCourseTitle = "Course title"; +$TemplateTitleLeftList = "Left list"; +$TemplateTitleLeftListDescription = "Left list with an instructor"; +$TemplateTitleCheckListDescription = "List of resources"; +$TemplateTitleCourseTitleDescription = "Course title with a logo"; +$TemplateTitleRightList = "Right list"; +$TemplateTitleRightListDescription = "Right list with an instructor"; +$TemplateTitleLeftRightList = "Left & right list"; +$TemplateTitleLeftRightListDescription = "Left & right list with an instructor"; +$TemplateTitleDesc = "Description"; +$TemplateTitleDescDescription = "Describe a resource"; +$TemplateTitleObjectives = "Course objectives"; +$TemplateTitleObjectivesDescription = "Describe the objectives of the course"; +$TemplateTitleCycle = "Cycle chart"; +$TemplateTitleCycleDescription = "2 list with cycle arrows"; +$TemplateTitleLearnerWonder = "Learner wonder"; +$TemplateTitleLearnerWonderDescription = "Learner wonder description"; +$TemplateTitleTimeline = "Phase timeline"; +$TemplateTitleTimelineDescription = "3 lists with an relational arrow"; +$TemplateTitleStopAndThink = "Stop and think"; +$TemplateTitleListLeftListDescription = "Left list with an instructor"; +$TemplateTitleStopAndThinkDescription = "Layout encouraging to stop and think"; +$CreateTemplate = "Create template"; +$SharedFolder = "Shared folder"; +$CreateFolder = "Create the folder"; +$HelpDefaultDirDocuments = "INFORMATION VISIBLE TO THE TEACHER ONLY:\nThis folder contains the default archives. You can clear files or add new ones, but if a file is hidden when it is inserted in a web document, the students will not be able to see it in this document. When inserting a file in a web document, first make sure it is visible. The folders can remain hidden."; +$HelpSharedFolder = "This folder contains the files that other learners (or yourself) sent into a course through the editor (if they didn't do it from the groups tool). By default, they will be visible by any trainer, but will be hidden from other learners (unless they access the files directly). If you make one user folder visible, other users will see all its content."; +$TemplateImage = "Template's icon"; +$MailingFileRecipDup = "multiple users have"; +$MailingFileRecipNotFound = "no such learner with"; +$MailingFileNoRecip = "name does not contain any recipient-id"; +$MailingFileNoPostfix = "name does not end with"; +$MailingFileNoPrefix = "name does not start with"; +$MailingFileFunny = "no name, or extension not 1-4 letters or digits"; +$MailingZipDups = "Mailing zipfile must not contain duplicate files - it will not be sent"; +$MailingZipPhp = "Mailing zipfile must not contain php files - it will not be sent"; +$MailingZipEmptyOrCorrupt = "Mailing zipfile is empty or not a valid zipfile"; +$MailingWrongZipfile = "Mailing must be zipfile with STUDENTID or LOGINNAME"; +$MailingConfirmSend = "Send content files to individuals?"; +$MailingSend = "Validate"; +$MailingNotYetSent = "Mailing content files have not yet been sent out..."; +$MailingInSelect = "---Mailing---"; +$MailingAsUsername = "Mailing"; +$Sender = "sender"; +$FileSize = "filesize"; +$PlatformUnsubscribeTitle = "Allow unsubscription from platform"; +$OverwriteFile = "Overwrite previous versions of same document?"; +$SentOn = "on"; +$DragAndDropAnElementHere = "Drag and drop an element here"; +$SendTo = "Send to"; +$ErrorCreatingDir = "Can't create the directory. Please contact your system administrator."; +$NoFileSpecified = "You didn't specify a file to upload."; +$NoUserSelected = "Please select a user to send the file to."; +$BadFormData = "Submit failed: bad form data. Please contact your system administrator."; +$GeneralError = "An error has occured. Please contact your system administrator."; +$ToPlayTheMediaYouWillNeedToUpdateYourBrowserToARecentVersionYouCanAlsoDownloadTheFile = "To play the media you will need to either update your browser to a recent version or update your Flash plugin. Check if the file has a correct extension."; +$UpdateRequire = "Update require"; +$ThereAreNoRegisteredDatetimeYet = "There is no date/time registered yet"; +$CalendarList = "Calendar list of attendances"; +$AttendanceCalendarDescription = "The attendance calendar allows you to register attendance lists (one per real session the students need to attend). Add new attendance lists here."; +$CleanCalendar = "Clean the calendar of all lists"; +$AddDateAndTime = "Add a date and time"; +$AttendanceSheet = "Attendance sheet"; +$GoToAttendanceCalendar = "Go to the attendance calendar"; +$AttendanceCalendar = "Attendance calendar"; +$QualifyAttendanceGradebook = "Grade the attendance list in the assessment tool"; +$CreateANewAttendance = "Create a new attendance list"; +$Attendance = "Attendance"; +$XResultsCleaned = "%d results cleaned"; +$AreYouSureToDeleteResults = "Are you sure to delete results"; +$CouldNotResetPassword = "Could not reset password"; +$ExerciseCopied = "Exercise copied"; +$AreYouSureToCopy = "Are you sure to copy"; +$ReceivedFiles = "Received Files"; +$SentFiles = "Sent Files"; +$ReceivedTitle = "Title"; +$SentTitle = "Sent Files"; +$Size = "Size"; +$LastResent = "Latest sent on"; +$kB = "kB"; +$UnsubscribeFromPlatformSuccess = "Your account %s has been completely removed from this portal. Thank you for staying with us for a while. We hope to see you again later."; +$UploadNewFile = "Share a new file"; +$Feedback = "Feedback"; +$CloseFeedback = "Close feedback"; +$AddNewFeedback = "Add feedback"; +$DropboxFeedbackStored = "The feedback message has been stored"; +$AllUsersHaveDeletedTheFileAndWillNotSeeFeedback = "All users have deleted the file so nobody will see the feedback you are adding."; +$FeedbackError = "Feedback error"; +$PleaseTypeText = "Please type some text."; +$YouAreNotAllowedToDownloadThisFile = "You are not allowed to download this file."; +$CheckAtLeastOneFile = "Check at least one file."; +$ReceivedFileDeleted = "The received file has been deleted."; +$SentFileDeleted = "The sent file has been deleted."; +$FilesMoved = "The selected files have been moved."; +$ReceivedFileMoved = "The received file has been moved."; +$SentFileMoved = "The sent file has been moved"; +$NotMovedError = "The file(s) can not be moved."; +$AddNewCategory = "Add a new folder"; +$EditCategory = "Edit this category"; +$ErrorPleaseGiveCategoryName = "Please give a category name"; +$CategoryAlreadyExistsEditIt = "This category already exists, please use a different name"; +$CurrentlySeeing = "You are in folder"; +$CategoryStored = "The folder has been created"; +$CategoryModified = "The category has been modified."; +$AuthorFieldCannotBeEmpty = "The author field cannot be empty"; +$YouMustSelectAtLeastOneDestinee = "You must select at least one destinee"; +$DropboxFileTooBig = "This file's volume is too big."; +$TheFileIsNotUploaded = "The file is not uploaded."; +$MailingNonMailingError = "Mailing cannot be overwritten by non-mailing and vice-versa"; +$MailingSelectNoOther = "Mailing cannot be combined with other recipients"; +$MailingJustUploadSelectNoOther = "Just Upload cannot be combined with other recipients"; +$PlatformUnsubscribeComment = "By enabling this option, you allow any user to definitively remove his own account and all data related to it from the platform. This is quite a radical action, but it is necessary for portals opened to the public where users can auto-register. An additional entry will appear in the user profile to unsubscribe after confirmation."; +$NewDropboxFileUploaded = "A new file has been sent in the dropbox"; +$NewDropboxFileUploadedContent = "A new file has been sent to the Dropbox"; +$AddEdit = "Add / Edit"; +$ErrorNoFilesInFolder = "This folder is empty"; +$EditingExerciseCauseProblemsInLP = "Editing exercise cause problems in Learning Path"; +$SentCatgoryDeleted = "The folder has been deleted"; +$ReceivedCatgoryDeleted = "The folder has been deleted"; +$MdTitle = "Learning Object Title"; +$MdDescription = "To store this information, press Store"; +$MdCoverage = "e.g. Bachelor of ..."; +$MdCopyright = "e.g. provided the source is acknowledged"; +$NoScript = "Script is not enabled in your browser, please ignore the screen part below this text, it won't work..."; +$LanguageTip = "the language in which this learning object was made"; +$Identifier = "Identifier"; +$IdentifierTip = "unique identification for this learning object, composed of letters, digits, _-.()'!*"; +$TitleTip = "title or name, and language of that title or name"; +$DescriptionTip = "description or comment, and language used for describing this learning object"; +$Keyword = "Keyword"; +$KeywordTip = "separate by commas (letters, digits, -.)"; +$Coverage = "Coverage"; +$CoverageTip = "for example bachelor of xxx: yyy"; +$KwNote = "If you change the description language, do not add keywords at the same time."; +$Location = "URL/URI"; +$LocationTip = "click to open object"; +$Store = "Store"; +$DeleteAll = "Delete all"; +$ConfirmDelete = "Do you *really* want to delete all metadata?"; +$WorkOn = "on"; +$Continue = "Continue"; +$Create = "Create"; +$RemainingFor = "obsolete entries removed for category"; +$WarningDups = " - duplicate categorynames were removed from the list!"; +$SLC = "Work with Links category named"; +$TermAddNew = "Add new glossary term"; +$TermName = "Term"; +$TermDefinition = "Term definition"; +$TermDeleted = "Term removed"; +$TermUpdated = "Term updated"; +$TermConfirmDelete = "Do you really want to delete this term"; +$TermAddButton = "Save term"; +$TermUpdateButton = "Update term"; +$TermEdit = "Edit term"; +$TermDeleteAction = "Delete term"; +$PreSelectedOrder = "Pre-defined"; +$TermAdded = "Term added"; +$YouMustEnterATermName = "You must enter a term"; +$YouMustEnterATermDefinition = "You must enter a term definition"; +$TableView = "Table view"; +$GlossaryTermAlreadyExistsYouShouldEditIt = "This glossary term already exists. Please change the term name."; +$GlossaryManagement = "Glossary management"; +$TermMoved = "The term has moved"; +$HFor = "Forums Help"; +$ForContent = "

        The forum is an discussion tool for asynchronous written work. In contrast to email, a forum is for public, or semi-public, group discussion.

        To use the Chamilo forum, members can simply use their browser - they do not require separate client software.

        To organize forums, clickon the Forums tool. Discussions are organized hierarchically according to the following structure: Category> Forum> Topic> Post To ensure members can participate in the forum tidily and effectively, it is essential in th first instance to create categories and forums; it's then up to the participants to create topics and posts. By default, the forum contains a single (public) category, an example topic and an example post. You can add forums to the category, change its title or create other categories within which you could then create new forums. (Don't confuse categories and forums, and remember that a category that contains no forum is useless and is not displayed.)

        \n

        The forum description might include a list of its members, a definition of its purpose, a target a task, a theme etc.

        Group forums should not be created via the Forum tool but instead via the Groups tool, where you can determinewhether your group forums should be private or public, at the same time providing a location for sharing groups of documents.

        Teaching Tips A learning forum is not quite the same as the forums you are used to seeing on the internet. For one thing, it is not possible for learners to alter their posts once they have been published as the course is logically archived to allow tracking of what has been said in the past. Furthermore, Chamilo forums allow for specific uses relevant to teaching. For example, some teachers/trainers publish corrections directly within forums in the following way:
      • A learner is asked to post a report directly into the forum, The teacher corrects it by clicking Edit (yellow pencil) and marking it using the graphics editor (color, underlining, etc.) Finally, other learners benefit from viewing the corrections was made on the production of one of of them, Note that the same principle can be applied between learners, but will require his copying/pasting the message of his fellow student because students / trainees can not edit one another's posts. <. li> "; +$HDropbox = "Dropbox Help"; +$DropboxContent = "

        The dropbox tool is a Content Management Tool facilitating peer-to-peer data exchange. It accepts any filetype (Word, Excel, PDF etc.) It will overwrite existing files with the same name only if directed to do so.

        Learners can can only send a file to their teacher, unless the system administrator has enabled sharing between users. A course manager, however, can opt to to send a file to all course users.

        The system administrator can configure the dropbox so that a user can receive but not send files.

        If the file list gets too long, some or all files can be deleted from the list, although the file itself remaims available to other users until all users have deleted it.

        In the received folder, the dropbox tool displays files that have been sent to you and in the sent folder it shows files sent to other course members.

        To send a document to more than one person, you need to hold CTRLand check the multiple select box(i.e.the field showing the list of members).

        "; +$HHome = "Homepage Help"; +$HomeContent = "

        The Course Homepage displays a range of tools (introductory text, description, documents manager etc.) This page is modular in the sense that you can hide or show any of the tools in learner view with a single click on the 'eye' icon (hidden tools can be reactivated any time.

        Navigation

        In order to browse the course, you can simply click on the icons; a 'breadcrumb' navigation tool at the top of the page allows you to retrace your steps back to the course homepage.

        Best practice

        To help motivate learners, it is helpful to make you course appear 'alive' by suggesting that there is always someone present 'behind the screen'. An effective way to make this impression is to update the introductory text (just click on the yellow pencil) at least once a week with the latest news, deadlines etc.

        When you construct your course, try the following steps:

        1. In the Course Settings, make course acccess private and subscription available only to trainers. That way, nobody can enter your course area during construction,
        2. Use whatever tools you need to 'fill' your area with content, activities, guidelines, tests etc.,
        3. Now hide all tools so your home page is empty in learner view by clicking on the eyes to make the icons grey.
        4. Use the Learning Path tool to create a learning path to structure the way learners will follow it and learn within it. That way, although you will be using the other tools, you don't initially need to show them on the homepage.
        5. Click on the eye icon beside the path you created to show it on your home page.
        6. your course is ready to view. Its homepage will display an introductory text followed by a single link to lead learners into and through the course. Click on the Learner View button (top right) to see the course from the learner's point of view.
        "; +$HOnline = "Chamilo LIVE Help"; +$OnlineContent = "
        Introduction

        The Chamilo online conferencing system allows you to teach, inform or gather together up to five hundred people quickly and simply.
          • live audio : the trainer's voice is broadcast live to participants,
          • slides : the participants follow the Power Point or PDF presentation,
          • interaction : the participants ask questions through chat.

        Learner / participant


        To attend a conference you need:

        1. Loudspeakers (or a headset)connected to your PC

        \"speakers\"

        2. Winamp Media player

        \"Winamp\"

        Mac : use Quicktime
        Linux : use XMMS

          3. Acrobat PDF reader or Word or PowerPoint, depending on the format of the teacher's slides

        \"acrobat


        Trainer / lecturer


        To give a lecture, you need :

        1. A microphone headset

        \"Headset\"
        We advise you to use a LogitechUSB one for a better audio broadcasting quality.

        2. Winamp

        \"Winamp\"

        3. SHOUTcast DSP Plug-In for Winamp 2.x

        \"Shoutcast\"

        Follow instructions on www.shoutcast.comon how to install andconfigure Shoutcast Winamp DSP Plug-In.


        How to give a conference?

        Create a Chamilo course > Enterit > Show then enter Conference tool > Edit (pencil icon on top left) the settings > upload your slides (PDF, PowerPoint or whatever) > type an introduction text> type the URL of your live streaming according to the information you got from your technical admin.
        \"conference
        Don't forget to give a clear meeting date, time and other guidelines to your participants beforehand.

        Tip : 10 minutes before conference time, type a short message in the chat to inform participants that you are here and to help people who might have audio problems.


        Streaming Server

        To give an online live streaming conference, you need a streaming server and probably a technical administrator to help you use it. This guy will give you the URL you need to type in the live streaming form field once you edit your conferencesettings.

        \"Chamilo
        Chamilo streaming


        Do it yourself : install, configure and admin Shoutcast or AppleDarwin.

        Or contact Chamilo. We can help you organise your conference, asssist your lecturer and rent you a low cost streaming slot on our servers : http://www.Chamilo.org/hosting.php


        "; +$HClar = "Chamilo Help"; +$HDoc = "Documents Help"; +$DocContent = "

        The Documents tool allows you to organise files just like you do on your pc/laptop.

        You can create simple web pages ('Create a document') or upload files of any type (HTML, Word, Powerpoint, Excel, Acrobat, Flash, Quicktime, etc.). Remember, of course, that your learners will need to have the appropriate software to open and run these files. Some file types can contain viruses; be careful not to upload virus-contaminated files, unless your portal admin has installed server side anti=virus software. It is, in any case, a worthwhile precaution to check documents with antivirus software before uploading them.

        Documents are presented in alphabetical order.

        Tip : If you want to present them in a different order, number them (e.g. 01, 02, 03...) Or use the Learning Path to present a sophisticated Table of Contents. Note that once your documents are uploaded, you may decide to hide the documents area and show only one link on the Homepage (using the links tool) or a Learning Path containing some documents from your Documents area.

        Create a document

        Select Create a document > Give it a title (no spaces, no accents) > type your text > Use the buttons in the wysiwyg (What You See Is What You Get) editor to input information, tables, styles etc. To create effective web pages, you need to become familiar with three key functions: Links, Images and Tables. Be aware that web pages offer less layout options than e.g. Ms-Word pages. Note also that as well as creating a document from scratch in the editor, you can also cut and paste existing content from a web page or a Word document. This is an easy and quick way to import content into your Chamilo course.

        • To add a link, you need to copy the URL of the target page. We suggest you open two browser windows/tabs simultaneously, one with your Chamilo course and the other to browse the web. Once you find the page you are looking for (note that this page can be inside your Chamilo course), copy its URL (CTRL+C or APPLE+C), go back to the page editor, select the word to be the link, click on the small chain icon, paste the URL of your target in the popup window and submit. Once your page is saved, test the link to check it opens the target. You can decide in the Link popup menu whether the link will create a new page/tab or replace your Chamilo page in the same window.
        • To add an image, the process is the same as for the link feature : browse the web in a second window, find the image (if the image is inside your course's documents area, copy its URL (CTRL+C or APPLE+C in the URL bar after selecting the whole URL) then go back to your web page editor, position your mouse where you want your image to appear, then click on the small tree icon and copy the URL of the target image into the URL field, preview and submit. Note that in web pages, you cannot redimension your images as in a PowerPoint presentation, neither can you re-locate the image anywhere in the page.
        • To add a table, position your mouse in the field where you want the table to appear, then select the table icon in the Wysiwyg editor menu, decide on the number of columns and lines you need and submit. To get nice tables, we suggest that you choose the following values : border=1, cellspacing=0, cellpadding=4. Note that you will not be allowed to redimension your table or add lines or columns to it after its creation (sorry about this, it is just an online editor, not a word processor yet!).

        Upload a document

        • Select the file on your computer using the Browse button \ton the right of your screen.
        • \t\t
        • \t\t\tLaunch the upload with the Upload Button .\t\t
        • \t\t
        • \t\t\tCheck the checkbox under the Upload button if your document is zip file or a so-called SCORM package. SCORM packages are special files designed according to an international norm : SCORM. This is a special format for learning content which allows for the free exchange of these materials between different Learning Management Systems. SCORM materials are platform independent and their import and export are simple.\t\t
        • \t
        \t

        \t\tRename a document (a directory)\t

        \t
          \t\t
        • \t\t\tclick on the \t\t\tbutton in the Rename column\t\t
        • \t\t
        • \t\t\tType the new name in the field (top left)\t\t
        • \t\t
        • \t\t\tValidate by clicking .\t\t
        • \t
        \t\t

        \t\t\tDelete a document (or a directory)\t\t

        \t\t
          \t\t\t
        • \t\t\t\tClick on \t\t\t\tin column 'Delete'.\t\t\t
        • \t\t
        \t\t

        \t\t\tMake a document (or directory) invisible to users\t\t

        \t\t
          \t\t\t
        • \t\t\t\tClick on \t\t\t\tin column 'Visible/invisible'.\t\t\t
        • \t\t\t
        • \t\t\t\tThe document (or directory) still exists but it is not visible by users anymore.\t\t\t
        • \t\t\t
        • \t\t\t\tTo make it invisible back again, click on\t\t\t\t\t\t\t\tin column 'Visible/invisible'\t\t\t
        • \t\t
        \t\t

        \t\t\tAdd or modify a comment to a document (or a directory)\t\t

        \t\t
          \t\t\t
        • \t\t\t\tClick on in column 'Comment'\t\t\t
        • \t\t\t
        • \t\t\t\tType new comment in the corresponding field (top right).\t\t\t
        • \t\t\t
        • \t\t\t\tValidate by clicking \t\t\t.
        • \t\t
        \t\t

        \t\tTo delete a comment, click on ,\t\tdelete the old comment in the field and click\t\t.\t\t


        \t\t

        \t\t\tYou can organise your content through filing. For this:\t\t

        \t\t

        \t\t\t\t\t\t\tCreate a directory\t\t\t\t\t

        \t\t
          \t\t\t
        • \t\t\t\tClick on\t\t\t\t\t\t\t\t'Create a directory' (top left)\t\t\t
        • \t\t\t
        • \t\t\t\tType the name of your new directory in the corresponding field (top left)\t\t\t
        • \t\t\t
        • \t\t\t\tValidate by clicking .\t\t\t
        • \t\t
        \t\t

        \t\t\tMove a document (or directory)\t\t

        \t\t
          \t\t\t
        • \t\t\t\tClick on button \t\t\t\tin column 'Move'\t\t\t
        • \t\t\t
        • \t\t\t\tChoose the directory into which you want to move the document (or directory) in the corresponding scrolling menu (top left) (note: the word 'root' means you cannot go higher than that level in the document tree of the server).\t\t\t
        • \t\t\t
        • \t\t\t\tValidate by clicking on .\t\t\t
        • \t\t

        \t\t\t\t\t\t\tCreate a Learning Path\t\t\t\t\t

        This learning path will look like a Table of Contents and can be used as a Table of Contents, but can offer you much more in terms of functionality. (See Learning Path Help)."; +$HUser = "Users Help"; +$HExercise = "Tests Help"; +$HPath = "Learning Path Help"; +$HDescription = "Description Help"; +$HLinks = "Links Help"; +$HMycourses = "My Courses Help"; +$HAgenda = "Agenda Help"; +$HAnnouncements = "Announcements Help"; +$HChat = "Chat Help"; +$HWork = "Assignments Help"; +$HTracking = "Reporting Help"; +$IsInductionSession = "Induction-type session"; +$PublishSurvey = "Publish survey"; +$CompareQuestions = "Compare questions"; +$InformationUpdated = "Information updated"; +$SurveyTitle = "Survey title"; +$SurveyIntroduction = "Survey introduction"; +$CreateNewSurvey = "Create survey"; +$SurveyTemplate = "Survey template"; +$PleaseEnterSurveyTitle = "Please enter survey title"; +$PleaseEnterValidDate = "Please Enter Valid Date"; +$NotPublished = "Not published"; +$AdvancedReportDetails = "Advanced report allows to choose the user and the questions to see more precis informations"; +$AdvancedReport = "Advanced report"; +$CompleteReportDetails = "Complete report allows to see all the results given by the people questioned, and export it in csv (for Excel)"; +$CompleteReport = "Complete report"; +$OnlyThoseAddresses = "Send the survey to these addresses only"; +$BackToQuestions = "Back to the questions"; +$SelectWhichLanguage = "Select in which language should be created the survey"; +$CreateInAnotherLanguage = "Create this survey in another language"; +$ExportInExcel = "Export in Excel format"; +$ComparativeResults = "Comparative results"; +$SelectDataYouWantToCompare = "Select the data you want to compare"; +$OrCopyPasteUrl = "Or copy paste the link into the url bar of your browser :"; +$ClickHereToOpenSurvey = "Click here to take the survey"; +$SurveyNotShared = "No Surveys have been shared yet"; +$ViewSurvey = "View survey"; +$SelectDisplayType = "Select Display Type :"; +$Thanks = "Feedback message"; +$SurveyReporting = "Survey reporting"; +$NoSurveyAvailable = "No survey available"; +$YourSurveyHasBeenPublished = "has been published"; +$CreateFromExistingSurvey = "Create from existing survey"; +$SearchASurvey = "Search a survey"; +$SurveysOfAllCourses = "Survey(s) of all courses"; +$PleaseSelectAChoice = "Please make a choice"; +$ThereAreNoQuestionsInTheDatabase = "There are no questions in the database"; +$UpdateQuestionType = "Update Question Type :"; +$AddAnotherQuestion = "Add new question"; +$IsShareSurvey = "Share survey with others"; +$Proceed = "Proceed"; +$PleaseFillNumber = "Please fill numeric values for points."; +$PleaseFillAllPoints = "Please fill points from 1-5"; +$PleasFillAllAnswer = "Please fill all the answer fields."; +$PleaseSelectFourTrue = "Please select at least Four true answers."; +$PleaseSelectFourDefault = "Please Select at least Four Default Answers."; +$PleaseFillDefaultText = "Please fill default text"; +$ModifySurveyInformation = "Edit survey information"; +$ViewQuestions = "View questions"; +$CreateSurvey = "Create survey"; +$FinishSurvey = "Finish survey"; +$QuestionsAdded = "Questions are added"; +$DeleteSurvey = "Delete survey"; +$SurveyCode = "Code"; +$SurveyList = "Survey list"; +$SurveyAttached = "Survey attached"; +$QuestionByType = "Question by type"; +$SelectQuestionByType = "Select question by type"; +$PleaseEnterAQuestion = "Please enter a question"; +$NoOfQuestions = "Number of question"; +$ThisCodeAlradyExists = "This code already exist"; +$SaveAndExit = "Save and exit"; +$ViewAnswers = "View answers"; +$CreateExistingSurvey = "Create from an existing survey"; +$SurveyName = "Survey name"; +$SurveySubTitle = "Survey subtitle"; +$ShareSurvey = "Share survey"; +$SurveyThanks = "Final thanks"; +$EditSurvey = "Edit survey"; +$OrReturnToSurveyOverview = "Or return to survey overview"; +$SurveyParametersMissingUseCopyPaste = "There is a parameter missing in the link. Please use copy and past"; +$WrongInvitationCode = "Wrong invitation code"; +$SurveyFinished = "You have finished this survey."; +$SurveyPreview = "Survey preview"; +$InvallidSurvey = "Invalid survey"; +$AddQuestion = "Add a question"; +$EditQuestion = "Edit question"; +$TypeDoesNotExist = "This type does not exist"; +$SurveyCreatedSuccesfully = "The survey has been created succesfully"; +$YouCanNowAddQuestionToYourSurvey = "You can now add questions to your survey"; +$SurveyUpdatedSuccesfully = "The survey has been updated succesfully"; +$QuestionAdded = "The question has been added."; +$QuestionUpdated = "The question has been updated."; +$RemoveAnswer = "Remove option"; +$AddAnswer = "Add option"; +$DisplayAnswersHorVert = "Display"; +$AnswerOptions = "Answer options"; +$MultipleResponse = "Multiple answers"; +$Dropdown = "Dropdown"; +$Pagebreak = "Page end (separate questions)"; +$QuestionNumber = "N°"; +$NumberOfOptions = "Options"; +$SurveyInvitations = "Survey invitations"; +$InvitationCode = "Invitation code"; +$InvitationDate = "Invitation date"; +$Answered = "Answered"; +$AdditonalUsersComment = "You can invite additional users to fill the survey. To do so you can type their email adresses here separated by , or ;"; +$MailTitle = "Mail subject"; +$InvitationsSend = "invitations sent."; +$SurveyDeleted = "The survey has been deleted."; +$NoSurveysSelected = "No surveys have been selected."; +$NumberOfQuestions = "Questions"; +$Invited = "Invited"; +$SubmitQuestionFilter = "Filter"; +$ResetQuestionFilter = "Reset filter"; +$ExportCurrentReport = "Export current report"; +$OnlyQuestionsWithPredefinedAnswers = "Only questions with predefined answers can be used"; +$SelectXAxis = "Select the question on the X axis"; +$SelectYAxis = "Select the question on the Y axis"; +$ComparativeReport = "Comparative report"; +$AllQuestionsOnOnePage = "This screen displays an exact copy of the form as it was filled by the user"; +$SelectUserWhoFilledSurvey = "Select user who filled the survey"; +$userreport = "User report"; +$VisualRepresentation = "Graphic"; +$AbsoluteTotal = "Absolute total"; +$NextQuestion = "Next question"; +$PreviousQuestion = "Previous question"; +$PeopleWhoAnswered = "People who have chosen this answer"; +$SurveyPublication = "Publication of the survey"; +$AdditonalUsers = "Additional users"; +$MailText = "Email message"; +$UseLinkSyntax = "The selected users will receive an email with the text above and a unique link that they have to click to fill the survey. If you want to put the link somewhere in your text you have to put the following text wherever you want in your text: **link** (star star link star star). This will then automatically be replaced by the unique link. If you do not add **link** to your text then the email link will be added to the end of the mail"; +$DetailedReportByUser = "Detailed report by user"; +$DetailedReportByQuestion = "Detailed report by question"; +$ComparativeReportDetail = "In this report you can compare two questions."; +$CompleteReportDetail = "In this report you get an overview of all the answers of all users on all questions. You also have the option to see only a selection of questions. You can export the results in CSV format and use this for processing in a statistical application"; +$DetailedReportByUserDetail = "In this report you can see all the answers a specific user has given."; +$DetailedReportByQuestionDetail = "In this report you see the results question by question. Basic statistical analysis and graphics are provided"; +$ReminderResendToAllUsers = "Remind all users of the survey. If you do not check this checkbox only the newly added users will receive an email."; +$Multiplechoice = "Multiple choice"; +$Score = "Performance"; +$Invite = "Invite"; +$MaximumScore = "Score"; +$ViewInvited = "View invited"; +$ViewAnswered = "View people who answered"; +$ViewUnanswered = "View people who didn't answer"; +$DeleteSurveyQuestion = "Are you sure you want to delete the question?"; +$YouAlreadyFilledThisSurvey = "You already filled this survey"; +$ClickHereToAnswerTheSurvey = "Click here to answer the survey"; +$UnknowUser = "Unknow user"; +$HaveAnswered = "have answered"; +$WereInvited = "were invited"; +$PagebreakNotFirst = "The page break cannot be the first"; +$PagebreakNotLast = "The page break cannot be the last one"; +$SurveyNotAvailableAnymore = "Sorry, this survey is not available anymore. Thank you for trying."; +$DuplicateSurvey = "Duplicate survey"; +$EmptySurvey = "Empty survey"; +$SurveyEmptied = "Answers to survey successfully deleted"; +$SurveyNotAvailableYet = "This survey is not yet available. Please try again later. Thank you."; +$PeopleAnswered = "people answered"; +$AnonymousSurveyCannotKnowWhoAnswered = "This survey is anonymous. You can't see who answered."; +$IllegalSurveyId = "Unknown survey id"; +$SurveyQuestionMoved = "The question has been moved"; +$IdenticalSurveycodeWarning = "This survey code already exists. That probably means the survey exists in other languages. Invited people will choose between different languages."; +$ThisSurveyCodeSoonExistsInThisLanguage = "This survey code soon exists in this language"; +$SurveyUserAnswersHaveBeenRemovedSuccessfully = "The user's answers to the survey have been succesfully removed."; +$DeleteSurveyByUser = "Delete this user's answers"; +$SelectType = "Select type"; +$Conditional = "Conditional"; +$ParentSurvey = "Parent Survey"; +$OneQuestionPerPage = "One question per page"; +$ActivateShuffle = "Enable shuffle mode"; +$ShowFormProfile = "Show profile form"; +$PersonalityQuestion = "Edit question"; +$YouNeedToCreateGroups = "You need to create groups"; +$ManageGroups = "Manage groups"; +$GroupCreatedSuccessfully = "Group created successfully"; +$GroupNeedName = "Group need name"; +$Personality = "Personalize"; +$Primary = "Primary"; +$Secondary = "Secondary"; +$PleaseChooseACondition = "Please choose a condition"; +$ChooseDifferentCategories = "Choose different categories"; +$Normal = "Normal"; +$NoLogOfDuration = "No log of duration"; +$AutoInviteLink = "Users who are not invited can use this link to take the survey:"; +$CompleteTheSurveysQuestions = "Complete the survey's questions"; +$SurveysDeleted = "Surveys deleted"; +$RemindUnanswered = "Remind only users who didn't answer"; +$ModifySurvey = "Edit survey"; +$CreateQuestionSurvey = "Create question"; +$ModifyQuestionSurvey = "Edit question"; +$BackToSurvey = "Back to survey"; +$UpdateInformation = "Update information"; +$PleaseFillSurvey = "Please fill survey"; +$ReportingOverview = "Reporting overview"; +$GeneralDescription = "Description"; +$GeneralDescriptionQuestions = "What is the goal of the course? Are there prerequisites? How is this training connected to other courses?"; +$GeneralDescriptionInformation = "Describe the course (number of hours, serial number, location) and teacher (name, office, Tel., e-mail, office hours . . . .)."; +$Objectives = "Objectives"; +$ObjectivesInformation = "What are the objectives of the course (competences, skills, outcomes)?"; +$ObjectivesQuestions = "What should the end results be when the learner has completed the course? What are the activities performed during the course?"; +$Topics = "Topics"; +$TopicsInformation = "List of topics included in the training. Importance of each topic. Level of difficulty. Structure and inter-dependence of the different parts."; +$TopicsQuestions = "How does the course progress? Where should the learner pay special care? Are there identifiable problems in understanding different areas? How much time should one dedicate to the different areas of the course?"; +$Methodology = "Methodology"; +$MethodologyQuestions = "What methods and activities help achieve the objectives of the course? What would the schedule be?"; +$MethodologyInformation = "Presentation of the activities (conference, papers, group research, labs...)."; +$CourseMaterial = "Course material"; +$CourseMaterialQuestions = "Is there a course book, a collection of papers, a bibliography, a list of links on the internet?"; +$CourseMaterialInformation = "Short description of the course materials."; +$HumanAndTechnicalResources = "Resources"; +$HumanAndTechnicalResourcesQuestions = "Consider the cpirses, coaches, a technical helpdesk, course managers, and/or materials available."; +$HumanAndTechnicalResourcesInformation = "Identify and describe the different contact persons and technical devices available."; +$Assessment = "Assessment"; +$AssessmentQuestions = "How will learners be assessed? Are there strategies to develop in order to master the topic?"; +$AssessmentInformation = "Criteria for skills acquisition."; +$Height = "Height"; +$ResizingComment = "Resize the image to the following dimensions (in pixels)"; +$Width = "Width"; +$Resizing = "RESIZE"; +$NoResizingComment = "Show all images in their original size. No resizing is done. Scrollbars will automatically appear if the image is larger than your monitor size."; +$ShowThumbnails = "Show Thumbnails"; +$SetSlideshowOptions = "Gallery settings"; +$SlideshowOptions = "Slideshow Options"; +$NoResizing = "NO RESIZING"; +$Brochure = "Brochure"; +$SlideShow = "Slideshow"; +$PublicationEndDate = "Published end date"; +$ViewSlideshow = "View Slideshow"; +$MyTasks = "My tasks"; +$FavoriteBlogs = "My projects"; +$Navigation = "Navigation"; +$TopTen = "Top ten"; +$ThisBlog = "This project"; +$NewPost = "New task"; +$TaskManager = "Roles management"; +$MemberManager = "Users management"; +$PostFullText = "Task"; +$ReadPost = "Read this post"; +$FirstPostText = "This is the first task in the project. Everybody subscribed to this project is able to participate"; +$AddNewComment = "Add a new comment"; +$ReplyToThisComment = "Reply to this comment"; +$ManageTasks = "Manage roles"; +$ManageMembers = "Subscribe / Unsubscribe users in this project"; +$Register = "Register"; +$UnRegister = "Unregister"; +$SubscribeMembers = "Subscribe users"; +$UnsubscribeMembers = "Unsubscribe users"; +$RightsManager = "Users rights management"; +$ManageRights = "Manage roles and rights of user in this project"; +$Task = "Task"; +$Tasks = "Tasks"; +$Member = "Member"; +$Members = "Members"; +$Role = "Role"; +$Rate = "Rate"; +$AddTask = "Add a new role"; +$AddTasks = "Add a new role"; +$AssignTask = "Assign a role"; +$AssignTasks = "Assign roles"; +$EditTask = "Edit this task"; +$DeleteTask = "Delete this task"; +$DeleteSystemTask = "This is a preset task. You can't delete a preset task."; +$SelectUser = "User"; +$SelectTask = "Task"; +$SelectTargetDate = "Date"; +$TargetDate = "Date"; +$Color = "Colour"; +$TaskList = "Roles in this project"; +$AssignedTasks = "Assigned tasks"; +$ArticleManager = "Tasks manager"; +$CommentManager = "Comment manager"; +$BlogManager = "Project manager"; +$ReadMore = "Read more..."; +$DeleteThisArticle = "Delete this task"; +$EditThisPost = "Edit this task"; +$DeleteThisComment = "Delete this comment"; +$NoArticles = "There are no tasks in this project. If you are the manager of this project, click on link 'New task' to write an task."; +$NoTasks = "No tasks"; +$Rating = "Rating"; +$RateThis = "Rate this task"; +$SelectTaskArticle = "Select a task for this role"; +$ExecuteThisTask = "A task for me"; +$WrittenBy = "Written by"; +$InBlog = "in the project"; +$ViewPostsOfThisDay = "View tasks for today"; +$PostsOf = "Tasks by"; +$NoArticleMatches = "No tasks have been found. Check the word spelling or try another search."; +$SaveProject = "Save blog"; +$Task1 = "Task 1"; +$Task2 = "Task 2"; +$Task3 = "Task 3"; +$Task1Desc = "Task 1 description"; +$Task2Desc = "Task 2 description"; +$Task3Desc = "Task 3 description"; +$blog_management = "Project management"; +$Welcome = "Welcome !"; +$Module = "Module"; +$UserHasPermissionNot = "The user hasn't rights"; +$UserHasPermission = "The user has rights"; +$UserHasPermissionByRoleGroup = "The user has rights of its group"; +$PromotionUpdated = "Promotion updated successfully"; +$AddBlog = "Create a new project"; +$EditBlog = "Edit a project"; +$DeleteBlog = "Delete this project"; +$Shared = "Shared"; +$PermissionGrantedByGroupOrRole = "Permission granted by group or role"; +$Reader = "Reader"; +$BlogDeleted = "The project has been deleted."; +$BlogEdited = "The project has been edited."; +$BlogStored = "The project has been added."; +$CommentCreated = "The comment has been saved."; +$BlogAdded = "The article has been added."; +$TaskCreated = "The task has been created"; +$TaskEdited = "The task has been edited."; +$TaskAssigned = "The task has been assigned."; +$AssignedTaskEdited = "The assigned task has been edited"; +$UserRegistered = "The user has been registered"; +$TaskDeleted = "The task has been deleted."; +$TaskAssignmentDeleted = "The task assignment has been deleted."; +$CommentDeleted = "The comment has been deleted."; +$RatingAdded = "A rating has been added."; +$ResourceAdded = "Resource added"; +$LearningPath = "Learning paths"; +$LevelUp = "level up"; +$AddIt = "Add it"; +$MainCategory = "main category"; +$AddToLinks = "Add to the course links"; +$DontAdd = "do not add"; +$ResourcesAdded = "Resources added"; +$ExternalResources = "External resources"; +$CourseResources = "Course resources"; +$ExternalLink = "External link"; +$DropboxAdd = "Add the dropbox to this section."; +$AddAssignmentPage = "Add the Assignments tool to the course"; +$ShowDelete = "Show / Delete"; +$IntroductionText = "Introduction text"; +$CourseDescription = "Course Description"; +$IntroductionTextAdd = "Add a page containing the introduction text to this section."; +$CourseDescriptionAdd = "Add a page containing the course description to this section."; +$GroupsAdd = "Add the Groups tool to this section."; +$UsersAdd = "Add the Users tool to this section."; +$ExportableCourseResources = "Exportable course resources"; +$LMSRelatedCourseMaterial = "Chamilo related course resources"; +$LinkTarget = "Link's target"; +$SameWindow = "In the same window"; +$NewWindow = "In a new window"; +$StepDeleted1 = "This"; +$StepDeleted2 = "item was deleted in that tool."; +$Chapter = "Section"; +$AgendaAdd = "Add event"; +$UserGroupFilter = "Filter on groups/users"; +$AgendaSortChronologicallyUp = "Ascending"; +$ShowCurrent = "Current month"; +$ModifyCalendarItem = "Edit event"; +$Detail = "Detail"; +$EditSuccess = "Event edited"; +$AddCalendarItem = "Add event to agenda"; +$AddAnn = "Add announcement"; +$ForumAddNewTopic = "Forum: add new topic"; +$ForumEditTopic = "Forum: edit topic"; +$ExerciseAnswers = "Test : Answers"; +$ForumReply = "Forum: reply"; +$AgendaSortChronologicallyDown = "Descending"; +$SendWork = "Upload paper"; +$TooBig = "You didn't choose any file to send, or it is too big"; +$DocModif = "paper title modified"; +$DocAdd = "The file has been added to the list of publications."; +$DocDel = "File deleted"; +$TitleWork = "Paper title"; +$Authors = "Authors"; +$WorkDelete = "Delete"; +$WorkModify = "Edit"; +$WorkConfirmDelete = "Do you really want to delete this file"; +$AllFiles = "Actions on all files"; +$DefaultUpload = "Default setting for the visibility of newly posted files"; +$NewVisible = "New documents are visible for all users"; +$NewUnvisible = "New documents are only visible for the teacher(s)"; +$MustBeRegisteredUser = "Only registered users of this course can publish documents."; +$ListDel = "Delete list"; +$CreateDirectory = "Validate"; +$CurrentDir = "current folder"; +$UploadADocument = "Upload a document"; +$EditToolOptions = "Assignments settings"; +$DocumentDeleted = "Document deleted"; +$SendMailBody = "A user posted a document in the Assignments tool"; +$DirDelete = "Delete directory"; +$ValidateChanges = "Validate changes"; +$FolderUpdated = "Folder updated"; +$EndsAt = "Ends at (completely closed)"; +$QualificationOfAssignment = "Assignment scoring"; +$MakeQualifiable = "Add to gradebook"; +$QualificationNumberOver = "Score"; +$WeightInTheGradebook = "Weight inside assessment"; +$DatesAvailables = "Date limits"; +$ExpiresAt = "Expires at"; +$DirectoryCreated = "Directory created"; +$Assignment = "Assignments"; +$ExpiryDateToSendWorkIs = "Deadline for assignments"; +$EnableExpiryDate = "Enable handing over deadline (visible to learners)"; +$EnableEndDate = "Enable final acceptance date (invisible to learners)"; +$IsNotPosibleSaveTheDocument = "Impossible to save the document"; +$EndDateCannotBeBeforeTheExpireDate = "End date cannot be before the expiry date"; +$SelectAFilter = "Select a filter"; +$FilterByNotExpired = "Filter by not expired"; +$FilterAssignments = "Filter assignments"; +$WeightNecessary = "Minimum score expected"; +$QualificationOver = "Score"; +$ExpiryDateAlreadyPassed = "Expiry date already passed"; +$EndDateAlreadyPassed = "End date already passed"; +$MoveXTo = "Move %s to"; +$QualificationMustNotBeMoreThanQualificationOver = "The mark cannot exceed maximum score"; +$ModifyDirectory = "Validate"; +$DeleteAllFiles = "Delete all papers"; +$BackToWorksList = "Back to Assignments list"; +$EditMedia = "Edit and mark paper"; +$AllFilesInvisible = "All papers are now invisible"; +$FileInvisible = "The file is now invisible"; +$AllFilesVisible = "All papers are now visible"; +$FileVisible = "The file is now visible"; +$ButtonCreateAssignment = "Create assignment"; +$AssignmentName = "Assignment name"; +$CreateAssignment = "Create assignment"; +$FolderEdited = "Folder edited"; +$UpdateWork = "Update this task"; +$MakeAllPapersInvisible = "Make all papers invisible"; +$MakeAllPapersVisible = "Make all papers visible"; +$AdminFirstName = "Administrator first name"; +$InstituteURL = "URL of this company"; +$UserDB = "User DB"; +$PleaseWait = "Continue"; +$PleaseCheckTheseValues = "Please check these values"; +$PleasGoBackToStep1 = "Please go back to step 1"; +$UserContent = "

        Adding users

        You can subscribe existing learners one by one to your course, by clicking on the link 'Subscribe users to this course'. Usually however it's better to open your course to self-registration and let learners register themselves.

        Description

        The description has no computer related function and does not indicate any particular rights or privileges within the system. It simply indicates who is who, in human terms. You can therefore modify this by clicking on the pencil, then typing whatever you want: professor, assistant, student, visitor, expert etc.

        Admin rights

        Admin rights, on the other hand, provide technical authorization to modify the content and organization of this course area. You can choose between allowing full admin rights or none.

        To allow an assistant, for instance, to co-admin the area, you need to be sure he/she is already registered, then click on the pencil, then check 'Teacher', then 'Ok'.

        Co-Trainers

        To mention the name of a co-teacher in the heading (co-chairman, etc.), use the 'Course settings' tool. This modification does not automatically register your co-Trainer as a course member. The 'Teachers' field is completely independent of the 'Users' list.

        Tracking and Personal Home Pages

        In addition to showing the users list and modifying their rights, the Users tool also shows individual tracking and allows the teacher to define headings for personal home pages to be completed by users.

        "; +$GroupContent = "

        Introduction

        This tool allows you to create and manage workgroups. On first creation (Create groups), groups are 'empty'. There are many ways to fill them:

        • automatically ('Fill groups (random)'),
        • manually ('Edit'),
        • self-registration by users (Groups settings: 'Self registration allowed...').
        These three ways can be combined. You can, for instance, first ask users to self-register.Then if you find some of them didn't register, decide to fill groups automatically (random) in order to complete them. You can also edit each group to determine membership, user by user, after or before self-registration and/or automatically on registration.

        Filling groups, whether automatically or manually, is possible only for users registered on the course. The users list is visible in Users tool.


        Create groups

        To create new groups, click on 'Create new group(s)' and decide the number of groups to create.


        Group settings

        You can determine Group settings globally (for all groups).Users may self-register in groups:

        You create empty groups, users self-register.If you have defined a maximum number, full groups do not accept new members.This method is handy for trainers unfamiliar with the users list when creating groups.

        Tools:

        Every group is assigned either a forum (private or public) or a Documents area(a shared file manager) or (in most cases) both.


        Manual editing

        Once groups have been created (Create groups), you will see, at the bottom of the page, a list of groups along with with several options:

        • EditManually modify group name, description, tutor, members list.
        • Delete Delete a group.

        "; +$ExerciseContent = "

        The tests tool allows you to create tests containing as many questions as you like.

        You can choose from a range of question formats clearly displayed at the top of the page when you create a test including (for example):

        • Multiple choice (single or multiple answers)
        • Matching
        • Fill in the blanks etc.
        A test can include any number and combination of questions and question formats.


        Test creation

        To create a test, click on the \"New test\" link.

        Type a name for the test, as well as an optional description.

        You can add various elements to this, including audio or video files, e.g. for listening comprehension, but take care to make such files as small as possible to optimise download time (e.g. use mp3 rather than wav files - they're far smaller but perfectly good quality).

        You can also choose between two modes of presentation:

        • Questions on an single page
        • One question per page (sequentially)
        and opt for questions to be randomly organised when the test is run.

        Finally, save your test. You will be taken to the question administration.


        Adding a question

        You can now add a question to the newly created test. You can if you wish include a description and/or an image. To create the test types mentioned above, follow the following steps:


        Multiple choice

        In order to create a MAQ / MCQ :

        • Define the answers for your question. You can add or delete an answer by clicking on the right-hand button
        • Check the left box for the correct answer(s)
        • Add an optional comment. This comment won't be seen by the user until he/she has answered the question
        • Give a weighting to each answer. The weighting can be any positive or negative integer (or zero)
        • Save your answers


        Fill in the blanks

        This allows you to create a cloze passage. The purpose is to prompt the user to find words that you have removed from the text.

        To remove a word from the text, and thus create a blank, put brackets [like this] around it.

        Once the text has been typed and blanks defined, you can add a comment that will be seen by the learner depending on the reply to the question.

        Save your text, and you will be taken to the next step allowing you to assign a weighting to each blank. For example, if the question is worth 10 points and you have 5 blanks, you can give a weighting of 2 points to each blank.


        Matching

        This answer type can be chosen so as to create a question where the user will have to connect elements from list A with elements from list B.

        It can also be used to ask the user to arrange elements in a given order.

        First, define the options from which the user will be able to choose the best answer. Then, define the questions which will have to be linked to one of the options previously defined. Finally, connect elements from the first list with those of the second list via the drop-down menu.

        Note: Several elements from the first unit might point to the same element in the second unit.

        Assign a weighting to each correct match, and save your answer.


        Modifying a test

        In order to modify a test, the principle is the same as for creating a test. Just click on the picture beside the test to modify, and follow the instructions above.


        Deleting a test

        In order to delete a test, click on the picture beside the test to delete it.


        Enabling a test

        For a test can be used, you have to enable it by clicking on the picture beside the test name.


        Running the test

        You can try out your test by clicking on its name in the tests list.


        Random questions

        Whenever you create/modify a test, you can decide if you want questions to be drawn in a random order from amongst all test questions.

        By enabling this option, questions will be drawn in a different order every time a user runs the test.

        If you have got a large number of questions, you can opt to randomly draw only x-number of questions from the questions available.


        Questions pool

        When you delete a test, its questions are not removed from the database, so they can be recycled back into another test via the questions pool.

        The questions pool also allows you to re-use the same question in several tests.

        By default, all the questions pertaining to your course are hidden. You can display the questions related to a test, by chosing 'filter' in the drop-down menu.

        Orphan questions are questions that don not belong to any test.


        HotPotatoes Tests

        You can import HotPotatoes tests into a Chamilo portal, to use in the Tests tool. The results of these tests are stored the same way as the results of Chamilo tests and as such can be readily monitored using the Reporting tool. In the case of simple tests, we recommend you use html or htm format; if your test contains pictures, a zip file upload is the most convenient way.

        Note: You can also include HotPotatoes Tests as a step in the Learning Path.

        Method of import
        • Select the file on your computer using the Browse button \ton the right of your screen.
        • \t\t
        • \t\t\tLaunch the upload with the Upload Button .\t\t
        • \t\t
        • \t\t\tYou can open the test by clicking onto its name.\t\t
        • \t
        \t
        Useful link
        • Hot Potatoes home page : http://web.uvic.ca/hrd/halfbaked/
        "; +$PathContent = "The Course tool supports two approaches :
        • Create a new course (allowing you to author your own content)
        • Import SCORM course

        What is a Learning path?

        A Learning path allows for the presentation of a sequence of learning experiences or activities arranged in distinct sections. (In this sense, the Learning path is what distinguishes a 'course' from a mere repository of random documents.) It can be content-based (serving as a table of contents) or activities-based, serving as an agenda or programme of action necessary to understand and apply a particular area of knowledge or skill.

        In addition to being structured, a learning path can also be sequential, meaning that the completion of certain steps constitute pre-requisites for accessing others (i.e. 'you cannot go to learning object 2 before learning object 1'). Your sequence can be suggestive (simply displaying steps one after the other) or prescriptive (involving pre-requisites so that learners are required to follow steps in a particular order ).

        How do I create my own Learning Path (Course)?

        Proceed to the 'Learning Path' section. There you can create as many courses/paths as you wish by clicking the Create a new course tool. You will need to choose a name for the course/path (e.g. Unit 1 if you plan to create several units within the overall course). To begin with, the course is empty, waiting for you to add sections and learning objects to it.
        If you set a course to Visible, it will appear as a new tool on the course homepage. This makes it easier and clearer for students to access.

        What learning objects can I add?

        All Chamilo tools, activities and content that you consider useful and relevant to yourcourse can be added :

        • Separate documents (texts, pictures, Office docs, ...)
        • Forums as a whole
        • Topics
        • Links
        • Chamilo Tests
        • HotPotatoes Tests
          (note :tests made invisible on the homepage, but included in a path, become visible for learners onl as they work throught the course.)
        • Assignments
        • External links

        Other features

        Learners can be asked to follow your course in a given order, as you can set prerequisites. This means for example thatlearners cannot go to e.g. Quiz 2 until they have read e.g. Document 1. All learning objects have a status:completed or incomplete, so the progress of learners is clearly reported.

        If you alter the original title of a learning object, the new name will appear inthe course, but the original title will not be deleted. So if you want test8.doc to appear as 'Final Exam' in the path, you do not have to rename the file, you can use the new title in the path. It is also useful to give new titles to links which are too long.

        When you're finished, don't forget to check Display mode, (showing, as in learner view, the table of contents on the left and the learning objects on the right,one at a time.)


        What is a SCORM course and how do I import one?

        The learning path tool allows you to upload SCORM compliant courses.

        SCORM (Sharable Content Object Reference Model) is a public standard followed by major e-Learning companies like NETg, Macromedia, Microsoft, Skillsoft, etc. They act at three levels:

        • Economy : SCORM renders whole courses or small content units reusable on different Learning Management Systems (LMS) through the separation of content and context,
        • Pedagogy : SCORM integrates the notion ofpre-requisite or sequencing (e.g. \"Youcannot go to chapter 2 before passing Quiz 1\"),
        • Technology : SCORM generates a table of contents as an abstraction layer situated outside content and outside the LMS. It helps content and the LMS to communicate with each other. Mainly communicated are bookmarks(\"Where is John in thecourse?\"), scoring (\"How did John pass the test?\") and time (\"How muchtime did John spent in chapter 1?\").
        How can I create a SCORM compliant learning path?

        The obvious way is to use the Chamilo Authoring tool. However, you may prefer to create complete SCORM compliant websites locally on your own computer before uploading it onto your Chamilo platform. In this case, we recommend the use of a sophisticated tool like Lectora®, eXe Learning® or Reload®

        "; +$DescriptionContent = "

        The Course Description tool prompts you to comprhensively describe your course in a systematic way. This description can be used to provide learners with an overview of what awaits them, and can be helpful when you review and evaluate your course.

        The items merely offer suggestions. If you want to write a your own independent course description simply create your own headings and decriptions by selecting the 'Other' tool.

        Otherwise, to complete a description of the course, click on each image, fill it with your text/content and submit.

        "; +$LinksContent = "

        The Links tool allows you to create a library of resources for your students, particularly of resources that you have not created yourself.

        As the list grows, it might prove useful to organise it into categories to help your students find the right information at the right place. You can edit every link to re-assign it to a new category (you will need to create this category first).

        The Description field can be used to provide advance-information on the target web pages but also to describe what you expect the student to do with the link. If, for instance, you point to a website on Aristotle, the description field may ask the student to study the difference between synthesis and analysis."; +$MycoursesContent = "

        As soon as you log in to the system, you will be taken to your own main page. Here you will see the following:

      • My Courses in the centre of the page, lists the courses in which you are enrolled, with an option for you to create new courses (using the button in the right menu)
      • In the header section, My Profile allows you to change your password, upload your photo to the system or change your username, My Calendar : contains the events within the courses for which you are registered, in the right menu: Edit my list of courses allows you to enroll in courses as learner, (provided the trainer/teacher has authorized entry. here you can also unsubscribe from a course, Links Support Forum and Documentation refer you to the main Chamilo site, where you can ask questions or find up to date information about Chamilo. To enter a course (left side of the screen), click on its title. Your profile may vary from course to course. It could be that you are a teacher in one course and a learner in another. In courses for which you are responsible, you have access to the editing tools designed for authoring and managing students, while in courses where you learn, you access a more limited range of tools appropriate for undertaking the course.

        The form your own main page takes can vary from one platform to another depending on the options enabled by the system administrator. Thus, for example, there may be some cases where you do not have access to course creation even as a teacher, because this particular function is managed by others within your institution.

        "; +$AgendaContent = "

        The Agenda tool appears both as a calendar within each course and as a personal diary tool for each student providing an overview of events in the courses in which they are enrolled. (Groups can also have their own Agenda.) Users can use the Agenda, which displays course content and activites, as a reference tool to organise their day to day or week to week learning.

        In addition to being visible in the agenda, new events are indicated to the learner whenever he/she logs in. The system sees what has been added since his/her last visit and icons appear on the portal home page beside the courses indicating new events and announcements.

        If you want to organize students' work in a time-related way, it is best to use the Learning Paths tool as a way of charting a logical progression through various activites and content through the presentation of a formal table of contents.

        "; +$AnnouncementsContent = "

        The Announcements tool allows you to send an email to some or all of your students, or to specific groups. to might want to alert them to the addition of a new document, to remind them of a deadline for submission of an assignment or to highlight and share a particularly good piece of work. Sending such email announcements can also serve as a useful prompt to re-engage students who have not visited the site for some time (as long as it's not overdone!).

        Contacting specific users

        In addition to sending a general email to all members of the course, you can send an email to one or more individuals/groups groups.When you create a new announcement. Just click Visible to and select users from the left hand lists and and add them as recipients using the arrows.

        "; +$ChatContent = "

        The Chat tool allows you to chat 'live' with your students in real time.

        In contrast to most commercial chat tools, the chat in Chamilo is web based and does not require any additional install (e.g. MSN® Yahoo Messenger®. Skype® etc.) A key advantage of this solution is therefore it's immediate availablilty for students, allowing chat to be easily integrated into the course. Moreover, the Chamilo chat tool will automatically archive discussions and save them for ready access later via the Documents tool. (Be warned that the message may take from 1 to 5 seconds to refresh with each exchange - this doesn't mean anything is wrong!!).

        If learners have uploaded a profile picture it will appear (reduced in size) in the left column - otherwise, it will show a default image.

        It is the responsibility of the teacher to delete threads whenever he/she deems relevant.

        Educational Use

        Adding Chat to your course is not always a good idea. To make best use of this tool, you need to ensure discussions remains focussed on course content. You might, for example, decide to keep the chat facility hidden until it is time for a 'formal' scheduled session. That way,while the freedom of discussions may admittedly be curbed, you are able to better guarantee thatsuch live meetings will be beneficial .

        "; +$WorkContent = "

        The assignments tool is a very simple tool that allows your students to upload documents to the course.It can be used to accept responses to open questions from individuals or groups, or for uploading any other form of document

        You can make files visible to all students by default, or only visible to yourself according to the requirements of your course. Making all files visible is useful when, for instance, you want to ask students to share opinions on each others papers, or when you want to give them experience in publishing texts globally. Keep files invisible if, for example, you want ask everybody the same question but to avoid 'cheating'. Making the documents invisible will also allow you to have some form of control over when a document is available to all the other students.

        If you want students to hand in a document for grading you're best, from within the tool, to assign submissions to a folder.

        You can use the the tool to set deadlines and instructions for delivery, as well as a maximum grade/score.

        "; +$TrackingContent = "

        The Reporting tool helps you track your students' attendance and progress: Did they connect to the system, When? How many times? How much do they score in tests? Have they already uploaded their assignment paper? When? If you use SCORM courses, you can even track how much time a student spent on a particular module or chapter. Reporting provides two levels of information:

        • Global: How many students have accessed the course? What are the most frequently visited pages and links?
        • Specific: What pages has John Doe visited? What score does he get in tests? When did he last connect to the platform?
        "; +$HSettings = "Course settings Help"; +$SettingsContent = "

        The Course Settings allows you to manage the global parameters of your course: Title, code, language, name of trainer etc.

        The options situated in the centre of the page deal with confidentiality settings : is the course public or private? Can users register to it? You can use these settings dynamically e.g. allow self-registration for one week > ask your students to register > close access to self-registration > remove possible intruders through the Users list. This way you keep control of who is registered while avoiding the administrative hassle of registering them yourself.

        (Note - some organizations prefer not to use this method and opt to centralise registration. In this case, participants cannot enrol in your course at all, even if you, as a trainer / teacher, wish to give them access. To check this, look at the home page of your campus (as opposed to your course homepage) to see if the 'Register' link is present.)

        At the bottom of the page, you can back up the course and delete it. Backup will create a file on the server and allow you to copy it on your own Hard Disk locally so that there will be two backups each in different places. If you back up a course and then delete it you will not be be able to restore it yourself, but the system administrator can do this for you if you give him/her the code of your course. Backing up a course is also a good way to get all your documents transferred to your own computer. You will need a tool, like Winzip® to UNZIP the archive. Note that backing up a course does not automatically remove it.

        "; +$HExternal = "Add a Link help"; +$ExternalContent = "

        Chamilo is a modular tool. You can hide and show tools whenever you want, according to the requirements of your project or to a particular chronological part of it. But you can also add tools or pages to your home page that you have created yourself or that come from outwith your Chamilo portal. That way, you can customise your course home page to make it your own.

        In so doing, you will doubtless want to add your own links to the page. Links can be of two types:

        • External link: you create a link on your home page to a website situated outside your course area. In this case, you will select 'Target= In a new window' because you don't want that website to replace your Chamilo environment.
        • Internal link: you link to a page or a tool inside your Chamilo course. To do this, first go to the relevant page (or document, or tool), copy its URL from the address bar of your browser (CTRL+C), then you go to 'Add link' and paste this URL in the URL field, giving it whatever name you want. In this case, you will select 'Target=Same window' because you want to keep the Chamilo banner on top and the link page in the same environment.
        Once created, links cannot be edited. To modify them, the only solution is to deactivate and delete them, then start over.

        "; +$ClarContent3 = "Clear content"; +$ClarContent4 = "Clear content"; +$ClarContent1 = "Clear content"; +$ClarContent2 = "Clear content"; +$HGroups = "Groups Help"; +$GroupsContent = "Content of the groups"; +$Guide = "Manual"; +$YouShouldWriteAMessage = "You should write a message"; +$MessageOfNewCourseToAdmin = "This message is to inform you that has created a new course on platform"; +$NewCourseCreatedIn = "New course created in"; +$ExplicationTrainers = "The teacher is set as you for now. You can change this setting later in the course configuration settings"; +$InstallationLanguage = "Installation Language"; +$ReadThoroughly = "Please read the following requirements thoroughly."; +$WarningExistingLMSInstallationDetected = "Warning!
        The installer has detected an existing Chamilo platform on your system."; +$NewInstallation = "New installation"; +$CheckDatabaseConnection = "Check database connection"; +$PrintOverview = "Show Overview"; +$Installing = "Install"; +$of = "of"; +$MoreDetails = "For more details"; +$ServerRequirements = "Server requirements"; +$ServerRequirementsInfo = "Your server must provide the following libraries to enable all features of Chamilo. The missing libraries shown in orange letters are optional, but some features of Chamilo might be disabled if they are not installed. You can still install those libraries later on to enable the missing features."; +$PHPVersion = "PHP version"; +$support = "support"; +$PHPVersionOK = "Your PHP version matches the minimum requirement:"; +$RecommendedSettings = "Recommended settings"; +$RecommendedSettingsInfo = "Recommended settings for your server configuration. These settings are set in the php.ini configuration file on your server."; +$Actual = "Currently"; +$DirectoryAndFilePermissions = "Directory and files permissions"; +$DirectoryAndFilePermissionsInfo = "Some directories and the files they include must be writable by the web server in order for Chamilo to run (user uploaded files, homepage html files, ...). This might imply a manual change on your server (outside of this interface)."; +$NotWritable = "Not writable"; +$Writable = "Writable"; +$ExtensionLDAPNotAvailable = "LDAP Extension not available"; +$ExtensionGDNotAvailable = "GD Extension not available"; +$LMSLicenseInfo = "Chamilo is free software distributed under the GNU General Public licence (GPL)."; +$IAccept = "I Accept"; +$ConfigSettingsInfo = "The following values will be written into your configuration file"; +$GoToYourNewlyCreatedPortal = "Go to your newly created portal."; +$FirstUseTip = "When you enter your portal for the first time, the best way to understand it is to create a course with the 'Create course' link in the menu and play around a little."; +$Version_ = "Version"; +$UpdateFromLMSVersion = "Update from Chamilo"; +$PleaseSelectInstallationProcessLanguage = "Please select the language you'd like to use when installing"; +$AsciiSvgComment = "Enable the AsciiSVG plugin in the WYSIWYG editor to draw charts from mathematical functions."; +$HereAreTheValuesYouEntered = "Here are the values you entered"; +$PrintThisPageToRememberPassAndOthers = "Print this page to remember your password and other settings"; +$TheInstallScriptWillEraseAllTables = "The install script will erase all tables of the selected databases. We heavily recommend you do a full backup of them before confirming this last install step."; +$Published = "Published"; +$ReadWarningBelow = "read warning below"; +$SecurityAdvice = "Security advice"; +$YouHaveMoreThanXCourses = "You have more than %d courses on your Chamilo platform ! Only %d courses have been updated. To update the other courses, %sclick here %s"; +$ToProtectYourSiteMakeXAndYReadOnly = "To protect your site, make %s and %s (but not their directories) read-only (CHMOD 444)."; +$HasNotBeenFound = "has not been found"; +$PleaseGoBackToStep1 = "Please go back to Step 1"; +$HasNotBeenFoundInThatDir = "has not been found in that directory"; +$OldVersionRootPath = "Old version's root path"; +$NoWritePermissionPleaseReadInstallGuide = "Some files or folders don't have writing permission. To be able to install Chamilo you should first change their permissions (using CHMOD). Please read the %s installation guide %s"; +$DBServerDoesntWorkOrLoginPassIsWrong = "The database server doesn't work or login / pass is bad"; +$PleaseGoBackToStep = "Please go back to Step"; +$DBSettingUpgradeIntro = "The upgrade script will recover and update the Chamilo database(s). In order to do this, this script will use the databases and settings defined below. Because our software runs on a wide range of systems and because all of them might not have been tested, we strongly recommend you do a full backup of your databases before you proceed with the upgrade!"; +$ExtensionMBStringNotAvailable = "MBString extension not available"; +$ExtensionMySQLNotAvailable = "MySQL extension not available"; +$LMSMediaLicense = "The images and media galleries of Chamilo use images from Nuvola, Crystal Clear and Tango icon galleries. Other images and media like diagrams and Flash animations are borrowed from Wikimedia and Ali Pakdel's and Denis Hoa's courses with their agreement and released under BY-SA Creative Commons license. You may find the license details at the CC website, where a link to the full text of the license is provided at the bottom of the page."; +$OptionalParameters = "Optional parameters"; +$FailedConectionDatabase = "The database connection has failed. This is generally due to the wrong user, the wrong password or the wrong database prefix being set above. Please review these settings and try again."; +$UpgradeFromLMS16x = "Upgrade from Chamilo 1.6.x"; +$UpgradeFromLMS18x = "Upgrade from Chamilo 1.8.x"; +$GroupPendingInvitations = "Group pending invitations"; +$Compose = "Compose"; +$BabyOrange = "Baby Orange"; +$BlueLagoon = "Blue lagoon"; +$CoolBlue = "Cool blue"; +$Corporate = "Corporate"; +$CosmicCampus = "Cosmic campus"; +$DeliciousBordeaux = "Delicious Bordeaux"; +$EmpireGreen = "Empire green"; +$FruityOrange = "Fruity orange"; +$Medical = "Medical"; +$RoyalPurple = "Royal purple"; +$SilverLine = "Silver line"; +$SoberBrown = "Sober brown"; +$SteelGrey = "Steel grey"; +$TastyOlive = "Tasty olive"; +$QuestionsOverallReportDetail = "In this report you see the results of all questions"; +$QuestionsOverallReport = "Questions' overall report"; +$NameOfLang['bosnian'] = "bosnian"; +$NameOfLang['czech'] = "czech"; +$NameOfLang['dari'] = "dari"; +$NameOfLang['dutch_corporate'] = "dutch corporate"; +$NameOfLang['english_org'] = "english for organisations"; +$NameOfLang['friulian'] = "friulian"; +$NameOfLang['georgian'] = "georgian"; +$NameOfLang['hebrew'] = "hebrew"; +$NameOfLang['korean'] = "korean"; +$NameOfLang['latvian'] = "latvian"; +$NameOfLang['lithuanian'] = "lithuanian"; +$NameOfLang['macedonian'] = "macedonian"; +$NameOfLang['norwegian'] = "norwegian"; +$NameOfLang['pashto'] = "pashto"; +$NameOfLang['persian'] = "persian"; +$NameOfLang['quechua_cusco'] = "quechua from Cusco"; +$NameOfLang['romanian'] = "romanian"; +$NameOfLang['serbian'] = "serbian"; +$NameOfLang['slovak'] = "slovak"; +$NameOfLang['swahili'] = "swahili"; +$NameOfLang['trad_chinese'] = "traditional chinese"; +$ChamiloInstallation = "Chamilo installation"; +$PendingInvitations = "Pending invitations"; +$SessionData = "Session's data"; +$SelectFieldToAdd = "Select user profile field to add"; +$MoveElement = "Move element"; +$ShowGlossaryInExtraToolsTitle = "Show the glossary terms in extra tools"; +$ShowGlossaryInExtraToolsComment = "From here you can configure how to add the glossary terms in extra tools as learning path and exercice tool"; +$HSurvey = "Survey Help"; +$SurveyContent = "

        Getting proper feedback on your courses is extremely important. You will find the dedicated Survey tool invaluable for getting effective feedback from users.

        Creating a new survey

        Click on the link 'Create a new survey' and fill in the fields 'Survey code' and 'Survey title'. With the help of the calendar, you can control the duration of your survey. There's no need to keep it open for a whole year; allow access for a few days at the end of the course program. Filling in the text fields 'Survey introduction' and 'Survey thanks' is also good practice; this will add clarity and a certain friendliness to your survey.

        Adding questions to the survey

        Once the survey outline is created, it is up to you to create the questions. The 'Survey' tool has many question types: open/closed questions, percentage, QCM, multiple responses... You should certainly find everything you need for your (ever increasing) feedback requirements.

        Previewing the survey

        Once you have created questions, you may want to check what the survey will look like to learners. Click on the 'Preview' icon and the preview screen will show you exactly this.

        Publishing the survey

        Happy with the preview? Any modifications to be made? No? Then click on the icon 'Publish survey' to send the survey to the selected list of recipients. As with creating groups, use the list 'Users of this course' on the left and the one for 'receivers' on its right to arrrange this. Next, fill in the email subject 'Title of the email' and the content, 'Text of the email'. Potential surveyees will be alerted by email of the availability of a survey. Think carefully about the wording of the email because it will play a big part in motivating users to take the survey.

        Survey reports

        Analyzing surveys is a tedious task. The survey Reporting tool will help with analysis as it sorts reports according to question, user, comparisons etc...

        Managing surveys

        When managing surveys you will see some new icons, apart from the usual 'Edit' and 'Delete' options.You can preview, publish and keep track of your surveys and responses using these.

        "; +$HBlogs = "Project help"; +$BlogsContent = "

        The Project tool facilitates collaborative project work.

        One way to use the tool is to use it to assign authors charged with keeping written reports on activities throughout the day/week.

        Coupled with this is a task management tool through which you can assign a relevant task to any of the designated authors (eg to report on the evolution of safety standards in the business).

        An item representing new content is called an article . To create a new article, just follow the link in the menu prompting you to do. To edit (if you are the author of the article) or add a comment to an article, just click on the title of this article.

        "; +$FirstSlide = "First slide"; +$LastSlide = "Last slide"; +$TheDocumentHasBeenDeleted = "The document has been deleted."; +$YouAreNotAllowedToDeleteThisDocument = "You are not allowed to delete this document"; +$AdditionalProfileField = "Add user profile field"; +$ExportCourses = "Export courses"; +$IsAdministrator = "Is administrator"; +$IsNotAdministrator = "Is not administrator"; +$AddTimeLimit = "Add time limit"; +$EditTimeLimit = "Edit time limit"; +$TheTimeLimitsAreReferential = "The time limit of a category is referential, will not affect the boundaries of a training session"; +$FieldTypeTag = "User tag"; +$SendEmailToAdminTitle = "Email alert, of creation a new course"; +$SendEmailToAdminComment = "Send an email to the platform administrator, each time the teacher register a new course"; +$UserTag = "User tag"; +$SelectSession = "Select session"; +$SpecialCourse = "Special course"; +$DurationInWords = "Duration in words"; +$UploadCorrection = "Upload correction"; +$MathASCIImathMLTitle = "ASCIIMathML mathematical editor"; +$MathASCIImathMLComment = "Enable ASCIIMathML mathematical editor"; +$YoutubeForStudentsTitle = "Allow learners to insert videos from YouTube"; +$YoutubeForStudentsComment = "Enable the possibility that learners can insert Youtube videos"; +$BlockCopyPasteForStudentsTitle = "Block learners copy and paste"; +$BlockCopyPasteForStudentsComment = "Block learners the ability to copy and paste into the WYSIWYG editor"; +$MoreButtonsForMaximizedModeTitle = "Buttons bar extended"; +$MoreButtonsForMaximizedModeComment = "Enable button bars extended when the WYSIWYG editor is maximized"; +$Editor = "HTML Editor"; +$GoToCourseAfterLoginTitle = "Go directly to the course after login"; +$GoToCourseAfterLoginComment = "When a user is registered in one course, go directly to the course after login"; +$AllowStudentsDownloadFoldersTitle = "Allow learners to download directories"; +$AllowStudentsDownloadFoldersComment = "Allow learners to pack and download a complete directory from the document tool"; +$AllowStudentsToCreateGroupsInSocialTitle = "Allow learners to create groups in social network"; +$AllowStudentsToCreateGroupsInSocialComment = "Allow learners to create groups in social network"; +$AllowSendMessageToAllPlatformUsersTitle = "Allow sending messages to any platform user"; +$AllowSendMessageToAllPlatformUsersComment = "Allows you to send messages to any user of the platform, not just your friends or the people currently online."; +$TabsSocial = "Social network tab"; +$MessageMaxUploadFilesizeTitle = "Max upload file size in messages"; +$MessageMaxUploadFilesizeComment = "Maximum size for file uploads in the messaging tool (in Bytes)"; +$ChamiloHomepage = "Chamilo homepage"; +$ChamiloForum = "Chamilo forum"; +$ChamiloExtensions = "Chamilo extensions"; +$ChamiloGreen = "Chamilo Green"; +$ChamiloRed = "Chamilo red"; +$MessagesSent = "Number of messages sent"; +$MessagesReceived = "Number of messages received"; +$CountFriends = "Contacts count"; +$ToChangeYourEmailMustTypeYourPassword = "In order to change your e-mail address, you are required to confirm your password"; +$Invitations = "Invitations"; +$MyGroups = "My groups"; +$ExerciseWithFeedbackWithoutCorrectionComment = "Note: This test has been setup to hide the expected answers."; +$Social = "Social"; +$MyFriends = "My friends"; +$CreateAgroup = "Create a group"; +$UsersGroups = "Users, Groups"; +$SorryNoResults = "Sorry no results"; +$GroupPermissions = "Group Permissions"; +$Closed = "Closed"; +$AddGroup = "Add group"; +$Privacy = "Privacy"; +$ThisIsAnOpenGroup = "This is an open group"; +$YouShouldCreateATopic = "You should create a topic"; +$IAmAnAdmin = "I am an admin"; +$MessageList = "Messages list"; +$MemberList = "Members list"; +$WaitingList = "Waiting list"; +$InviteFriends = "Invite friends"; +$AttachmentFiles = "Attachments"; +$AddOneMoreFile = "Add one more file"; +$MaximunFileSizeX = "Maximun file size: %s"; +$ModifyInformation = "Edit information"; +$GroupEdit = "Edit group"; +$ThereAreNotUsersInTheWaitingList = "There are no users in the waiting list"; +$SendInvitationTo = "Send invitation to"; +$InviteUsersToGroup = "Invite users to group"; +$PostIn = "Posted"; +$Newest = "Newest"; +$Popular = "Popular"; +$DeleteModerator = "Remove moderator"; +$UserChangeToModerator = "User updated to moderator"; +$IAmAModerator = "I am a moderator"; +$ThisIsACloseGroup = "This is a closed group"; +$IAmAReader = "I am a reader"; +$UserChangeToReader = "User updated to reader"; +$AddModerator = "Add as moderator"; +$JoinGroup = "Join group"; +$YouShouldJoinTheGroup = "You should join the group"; +$WaitingForAdminResponse = "Waiting for admin response"; +$Re = "Re"; +$FilesAttachment = "Files attachments"; +$GroupWaitingList = "Group waiting list"; +$UsersAlreadyInvited = "Users already invited"; +$SubscribeUsersToGroup = "Subscribe users to group"; +$YouHaveBeenInvitedJoinNow = "You have been invited to join now"; +$DenyInvitation = "Deny invitation"; +$AcceptInvitation = "Accept invitation"; +$GroupsWaitingApproval = "Groups waiting for approval"; +$GroupInvitationWasDeny = "Group invitation was denied"; +$UserIsSubscribedToThisGroup = "User is subscribed to this group"; +$DeleteFromGroup = "Delete from group"; +$YouAreInvitedToGroupContent = "You are invited to access a group content"; +$YouAreInvitedToGroup = "You are invited to group"; +$ToSubscribeClickInTheLinkBelow = "To subscribe, click the link below"; +$ReturnToInbox = "Return to inbox"; +$ReturnToOutbox = "Return to outbox"; +$EditNormalProfile = "Edit normal profile"; +$LeaveGroup = "Leave group"; +$UserIsNotSubscribedToThisGroup = "User is not subscribed to this group"; +$InvitationReceived = "Invitation received"; +$InvitationSent = "Invitation sent"; +$YouAlreadySentAnInvitation = "You already sent an invitation"; +$Step7 = "Step 7"; +$FilesSizeExceedsX = "Files size exceeds"; +$YouShouldWriteASubject = "You should write a subject"; +$StatusInThisGroup = "Status in this group"; +$FriendsOnline = "Friends online"; +$MyProductions = "My productions"; +$YouHaveReceivedANewMessageInTheGroupX = "You have received a new message in group %s"; +$ClickHereToSeeMessageGroup = "Click here to see group message"; +$OrCopyPasteTheFollowingUrl = "or copy paste the following url :"; +$ThereIsANewMessageInTheGroupX = "There is a new message in group %s"; +$UserIsAlreadySubscribedToThisGroup = "User is already subscribed to this group"; +$AddNormalUser = "Add as simple user"; +$DenyEntry = "Deny access"; +$YouNeedToHaveFriendsInYourSocialNetwork = "You need to have friends in your social network"; +$SeeAllMyGroups = "See all my groups"; +$EditGroupCategory = "Edit group category"; +$ModifyHotPotatoes = "Modify hotpotatoes"; +$SaveHotpotatoes = "Save hotpotatoes"; +$SessionIsReadOnly = "The session is read only"; +$EnableTimerControl = "Enable time control"; +$ExerciseTotalDurationInMinutes = "Total duration in minutes of the test"; +$ToContinueUseMenu = "To continue this course, please use the side-menu."; +$RandomAnswers = "Shuffle answers"; +$NotMarkActivity = "This activity cannot be graded"; +$YouHaveToCreateAtLeastOneAnswer = "You have to create at least one answer"; +$ExerciseAttempted = "A learner attempted an exercise"; +$MultipleSelectCombination = "Exact Selection"; +$MultipleAnswerCombination = "Exact answers combination"; +$ExerciseExpiredTimeMessage = "The exercise time limit has expired"; +$NameOfLang['ukrainian'] = "ukrainian"; +$NameOfLang['yoruba'] = "yoruba"; +$New = "New"; +$YouMustToInstallTheExtensionLDAP = "You must install the extension LDAP"; +$AddAdditionalProfileField = "Add user profile field"; +$InvitationDenied = "Invitation denied"; +$UserAdded = "The user has been added"; +$UpdatedIn = "Updated on"; +$Metadata = "Metadata"; +$AddMetadata = "View/Edit Metadata"; +$SendMessage = "Send message"; +$SeeForum = "See forum"; +$SeeMore = "See more"; +$NoDataAvailable = "No data available"; +$Created = "Created"; +$LastUpdate = "Last update"; +$UserNonRegisteredAtTheCourse = "User not registered in course"; +$EditMyProfile = "Edit my profile"; +$Announcements = "Announcements"; +$Password = "Password"; +$DescriptionGroup = "Groupe description"; +$Installation = "Installation"; +$ReadTheInstallationGuide = "Read the installation guide"; +$SeeBlog = "See blog"; +$Blog = "Blog"; +$BlogPosts = "Blog Posts"; +$BlogComments = "Blog comments"; +$ThereAreNotExtrafieldsAvailable = "There are not extra fields available"; +$StartToType = "Start to type, then click on this bar to validate tag"; +$InstallChamilo = "Install chamilo"; +$ChamiloURL = "Chamilo URL"; +$YouDoNotHaveAnySessionInItsHistory = "You have no session in your sessions history"; +$PortalHomepageDefaultIntroduction = "

        Congratulations! You have successfully installed your e-learning portal!

        You can now complete the installation by following three easy steps:

        1. Configure you portal by going to the administration section, and select the Portal -> Configuration settings entry.
        2. Add some life to your portal by creating users and/or training. You can do that by inviting new people to create their accounts or creating them yourself through the administration's Users and Training sections.
        3. Edit this page through the Edit portal homepage entry in the administration section.

        You can always find more information about this software on our website: http://www.chamilo.org.

        Have fun, and don't hesitate to join the community and give us feedback through our forum.

        "; +$WithTheFollowingSettings = "with the following settings:"; +$ThePageHasBeenExportedToDocArea = "The page has been exported to the document tool"; +$TitleColumnGradebook = "Column header in Competences Report"; +$QualifyWeight = "Weight in Report"; +$ConfigureExtensions = "Configure extensions"; +$ThereAreNotQuestionsForthisSurvey = "There are not questions for this survey"; +$StudentAllowedToDeleteOwnPublication = "Allow learners to delete their own publications"; +$ConfirmYourChoiceDeleteAllfiles = "Please confirm your choice. This will delete all files without possibility of recovery"; +$WorkName = "Assignment name"; +$ReminderToSubmitPendingTask = "Please remember you still have to send an assignment"; +$MessageConfirmSendingOfTask = "This is a message confirming the good reception of the task"; +$DataSent = "Data sent"; +$DownloadLink = "Download link"; +$ViewUsersWithTask = "Assignments received"; +$ReminderMessage = "Send a reminder"; +$DateSent = "Date sent"; +$ViewUsersWithoutTask = "View missing assignments"; +$AsciiSvgTitle = "Enable AsciiSVG"; +$SuggestionOnlyToEnableSubLanguageFeature = "Only required by the sub-languages feature"; +$ThematicAdvance = "Thematic advance"; +$EditProfile = "Edit profile"; +$TabsDashboard = "Dashboard"; +$DashboardBlocks = "Dashboard blocks"; +$DashboardList = "Dashboard list"; +$YouHaveNotEnabledBlocks = "You haven't enabled any block"; +$BlocksHaveBeenUpdatedSuccessfully = "The blocks have been updated"; +$Dashboard = "Dashboard"; +$DashboardPlugins = "Dashboard plugins"; +$ThisPluginHasbeenDeletedFromDashboardPluginDirectory = "This plugin has been deleted from the dashboard plugin directory"; +$EnableDashboardPlugins = "Enable dashboard plugins"; +$SelectBlockForDisplayingInsideBlocksDashboardView = "Select blocks to display in the dashboard blocks view"; +$ColumnPosition = "Position (column)"; +$EnableDashboardBlock = "Enable dashboard block"; +$ThereAreNoEnabledDashboardPlugins = "There is no enabled dashboard plugin"; +$Enabled = "Enabled"; +$ThematicAdvanceQuestions = "What is the current progress you have reached with your learners inside your course? How much do you think is remaining in comparison to the complete program?"; +$ThematicAdvanceHistory = "Advance history"; +$Homepage = "Homepage"; +$Attendances = "Attendances"; +$CountDoneAttendance = "# attended"; +$AssignUsers = "Assign users"; +$AssignCourses = "Assign courses"; +$AssignSessions = "Assign sessions"; +$CoursesListInPlatform = "Platform courses list"; +$AssignedCoursesListToHumanResourceManager = "Courses assigned to HR manager"; +$AssignedCoursesTo = "Courses assigned to"; +$AssignCoursesToHumanResourcesManager = "Assign courses to HR manager"; +$TimezoneValueTitle = "Timezone value"; +$TimezoneValueComment = "The timezone for this portal should be set to the same timezone as the organization's headquarter. If left empty, it will use the server's timezone.
        If configured, all times on the system will be printed based on this timezone. This setting has a lower priority than the user's timezone, if enabled and selected by the user himself through his extended profile."; +$UseUsersTimezoneTitle = "Enable users timezones"; +$UseUsersTimezoneComment = "Enable the possibility for users to select their own timezone. The timezone field should be set to visible and changeable in the Profiling menu in the administration section before users can choose their own. Once configured, users will be able to see assignment deadlines and other time references in their own timezone, which will reduce errors at delivery time."; +$FieldTypeTimezone = "Timezone"; +$Timezone = "Timezone"; +$AssignedSessionsHaveBeenUpdatedSuccessfully = "The assigned sessions have been updated"; +$AssignedCoursesHaveBeenUpdatedSuccessfully = "The assigned courses have been updated"; +$AssignedUsersHaveBeenUpdatedSuccessfully = "The assigned users have been updated"; +$AssignUsersToX = "Assign users to %s"; +$AssignUsersToHumanResourcesManager = "Assign users to Human Resources manager"; +$AssignedUsersListToHumanResourcesManager = "List of users assigned to Human Resources manager"; +$AssignCoursesToX = "Assign courses to %s"; +$SessionsListInPlatform = "List of sessions on the platform"; +$AssignSessionsToHumanResourcesManager = "Assign sessions to Human Resources manager"; +$AssignedSessionsListToHumanResourcesManager = "List of sessions assigned to the Human Resources manager"; +$SessionsInformation = "Sessions report"; +$YourSessionsList = "Your sessions"; +$TeachersInformationsList = "Teachers report"; +$YourTeachers = "Your teachers"; +$StudentsInformationsList = "Learners report"; +$YourStudents = "Your learners"; +$GoToThematicAdvance = "Go to thematic advance"; +$TeachersInformationsGraph = "Teachers report chart"; +$StudentsInformationsGraph = "Learners report chart"; +$Timezones = "Timezones"; +$TimeSpentOnThePlatformLastWeekByDay = "Time spent on the platform last week, by day"; +$AttendancesFaults = "Not attended"; +$AttendanceSheetReport = "Report of attendance sheets"; +$YouDoNotHaveDoneAttendances = "You do not have attendances"; +$DashboardPluginsHaveBeenUpdatedSuccessfully = "The dashboard plugins have been updated successfully"; +$ThereIsNoInformationAboutYourCourses = "There is no available information about your courses"; +$ThereIsNoInformationAboutYourSessions = "There is no available information about your sessions"; +$ThereIsNoInformationAboutYourTeachers = "There is no available information about your teachers"; +$ThereIsNoInformationAboutYourStudents = "There is no available information about your learners"; +$TimeSpentLastWeek = "Time spent last week"; +$SystemStatus = "System status"; +$IsWritable = "Is writable"; +$DirectoryExists = "The directory exists"; +$DirectoryMustBeWritable = "The directory must be writable by the web server"; +$DirectoryShouldBeRemoved = "The directory should be removed (it is no longer necessary)"; +$Section = "Section"; +$Expected = "Expected"; +$Setting = "Setting"; +$Current = "Current"; +$SessionGCMaxLifetimeInfo = "The session garbage collector maximum lifetime indicates which maximum time is given between two runs of the garbage collector."; +$PHPVersionInfo = "PHP version"; +$FileUploadsInfo = "File uploads indicate whether file uploads are authorized at all"; +$UploadMaxFilesizeInfo = "Maximum volume of an uploaded file. This setting should, most of the time, be matched with the post_max_size variable."; +$MagicQuotesRuntimeInfo = "This is a highly unrecommended feature which converts values returned by all functions that returned external values to slash-escaped values. This feature should *not* be enabled."; +$PostMaxSizeInfo = "This is the maximum size of uploads through forms using the POST method (i.e. classical file upload forms)"; +$SafeModeInfo = "Safe mode is a deprecated PHP feature which (badly) limits the access of PHP scripts to other resources. It is recommended to leave it off."; +$DisplayErrorsInfo = "Show errors on screen. Turn this on on development servers, off on production servers."; +$MaxInputTimeInfo = "The maximum time allowed for a form to be processed by the server. If it takes longer, the process is abandonned and a blank page is returned."; +$DefaultCharsetInfo = "The default character set to be sent when returning pages"; +$RegisterGlobalsInfo = "Whether to use the register globals feature or not. Using it represents potential security risks with this software."; +$ShortOpenTagInfo = "Whether to allow for short open tags to be used or not. This feature should not be used."; +$MemoryLimitInfo = "Maximum memory limit for one single script run. If the memory needed is higher, the process will stop to avoid consuming all the server's available memory and thus slowing down other users."; +$MagicQuotesGpcInfo = "Whether to automatically escape values from GET, POST and COOKIES arrays. A similar feature is provided for the required data inside this software, so using it provokes double slash-escaping of values."; +$VariablesOrderInfo = "The order of precedence of Environment, GET, POST, COOKIES and SESSION variables"; +$MaxExecutionTimeInfo = "Maximum time a script can take to execute. If using more than that, the script is abandoned to avoid slowing down other users."; +$ExtensionMustBeLoaded = "This extension must be loaded."; +$MysqlProtoInfo = "MySQL protocol"; +$MysqlHostInfo = "MySQL server host"; +$MysqlServerInfo = "MySQL server information"; +$MysqlClientInfo = "MySQL client"; +$ServerProtocolInfo = "Protocol used by this server"; +$ServerRemoteInfo = "Remote address (your address as received by the server)"; +$ServerAddessInfo = "Server address"; +$ServerNameInfo = "Server name (as used in your request)"; +$ServerPortInfo = "Server port"; +$ServerUserAgentInfo = "Your user agent as received by the server"; +$ServerSoftwareInfo = "Software running as a web server"; +$UnameInfo = "Information on the system the current server is running on"; +$EmptyHeaderLine = "There are empty lines in the header of selected file"; +$AdminsCanChangeUsersPassComment = "This feature is useful for the multi-URL scenario, where there is a difference between the global admin and the normal admins. In this case, selecting \"No\" will prevent normal admins to set other users' passwords, and will only allow them to ask for a password regeneration (thus sent by e-mail to the user). The global admin can still do it."; +$AdminsCanChangeUsersPassTitle = "Admins can change users' passwords"; +$AdminLoginAsAllowedComment = "Allow users with the corresponding privileges to use the \"login as\" feature to connect using other users' account? This setting is most useful for multi-url configuration, where you don't think an administrator from a secondary URL should be able to connect as any user. Note that another setting is available in the configuration file to block all possibility for anyone to use this feature."; +$AdminLoginAsAllowedTitle = "\"Login as\" feature"; +$FilterByUser = "Filter by user"; +$FilterByGroup = "Filter by group"; +$FilterAll = "Filter: Everyone"; +$AllQuestionsMustHaveACategory = "All questions must have a category to use the random-by-category mode."; +$PaginationXofY = "%s of %s"; +$SelectedMessagesUnRead = "Selected messages have been marked as unread"; +$SelectedMessagesRead = "Selected messages have been marked as read"; +$YouHaveToAddXAsAFriendFirst = "You have to add %s as a friend first"; +$Company = "Company"; +$GradebookExcellent = "Excellent"; +$GradebookOutstanding = "Outstanding"; +$GradebookGood = "Good"; +$GradebookFair = "Fair"; +$GradebookPoor = "Poor"; +$GradebookFailed = "Failed"; +$NoMedia = "Not linked to media"; +$AttachToMedia = "Attach to media"; +$ExamModeWithFinalScoreShowOnlyFinalScoreWithCategoriesIfAvailable = "Show only final score, with categories if available"; +$Media = "Media"; +$ForceEditingExerciseInLPWarning = "You are authorized to edit this exercise, although already used in the learning path. If you edit it, try to avoid changing the score and focus on editing content, not values nor categorization, to avoid affecting the results of previous users having taken this test."; +$UploadedDate = "Date of upload"; +$Filename = "Filename"; +$Recover = "Recover"; +$Recovered = "Recovered"; +$RecoverDropboxFiles = "Recover dropbox files"; +$ForumCategory = "Forum category"; +$YouCanAccessTheExercise = "Go to the test"; +$YouHaveBeenRegisteredToCourseX = "You have been registered to course %s"; +$DashboardPluginsUpdatedSuccessfully = "Dashboard plugins successfully updated"; +$LoginEnter = "Login"; +$AssignSessionsToX = "Assign sessions to %s"; +$CopyExercise = "Copy this exercise as a new one"; +$CleanStudentResults = "Clear all learners results for this exercise"; +$AttendanceSheetDescription = "The attendance sheets allow you to specify a list of dates in which you will report attendance to your courses"; +$ThereAreNoRegisteredLearnersInsidetheCourse = "There are no registered learners inside the course"; +$GoToAttendanceCalendarList = "Go to the calendar list of attendance dates"; +$AssignCoursesToSessionsAdministrator = "Assign courses to session's administrator"; +$AssignCoursesToPlatformAdministrator = "Assign courses to platform's administrator"; +$AssignedCoursesListToPlatformAdministrator = "Assigned courses list to platform administrator"; +$AssignedCoursesListToSessionsAdministrator = "Assigned courses list to sessions administrator"; +$AssignSessionsToPlatformAdministrator = "Assign sessions to platform administrator"; +$AssignSessionsToSessionsAdministrator = "assign sessions to sessions administrator"; +$AssignedSessionsListToPlatformAdministrator = "Assigned sessions list to platform administrator"; +$AssignedSessionsListToSessionsAdministrator = "Assigned sessions list to sessions administrator"; +$EvaluationsGraph = "Graph of evaluations"; +$Url = "URL"; +$ToolCourseDescription = "Course description"; +$ToolDocument = "Documents"; +$ToolLearnpath = "Learning path"; +$ToolLink = "Links"; +$ToolQuiz = "Tests"; +$ToolAnnouncement = "Announcements"; +$ToolGradebook = "Assessments"; +$ToolGlossary = "Glossary"; +$ToolAttendance = "Attendances"; +$ToolCalendarEvent = "Agenda"; +$ToolForum = "Forums"; +$ToolDropbox = "Dropbox"; +$ToolUser = "Users"; +$ToolGroup = "Groups"; +$ToolChat = "Chat"; +$ToolStudentPublication = "Assignments"; +$ToolSurvey = "Surveys"; +$ToolWiki = "Wiki"; +$ToolNotebook = "Notebook"; +$ToolBlogManagement = "Projects"; +$ToolTracking = "Reporting"; +$ToolCourseSetting = "Settings"; +$ToolCourseMaintenance = "Backup"; +$AreYouSureToDeleteAllDates = "Are you sure you want to delete all dates?"; +$ImportQtiQuiz = "Import exercises Qti2"; +$ISOCode = "ISO code"; +$TheSubLanguageForThisLanguageHasBeenAdded = "The sub-language of this language has been added"; +$ReturnToLanguagesList = "Return to the languages list"; +$AddADateTime = "Add a date time"; +$ActivityCoach = "The coach of the session, shall have all rights and privileges on all the courses that belong to the session."; +$AllowUserViewUserList = "Allow user view user list"; +$AllowUserViewUserListActivate = "Enable user list"; +$AllowUserViewUserListDeactivate = "Disable user list"; +$ThematicControl = "Thematic control"; +$ThematicDetails = "Thematic view with details"; +$ThematicList = "Thematic view as list"; +$Thematic = "Thematic"; +$ThematicPlan = "Thematic plan"; +$EditThematicPlan = "Edit tematic advance"; +$EditThematicAdvance = "Edit thematic advance"; +$ThereIsNoStillAthematicSection = "There is not still a thematic section"; +$NewThematicSection = "New thematic section"; +$DeleteAllThematics = "Delete all thematics"; +$ThematicDetailsDescription = "Details of topics and their respective plan and progress. To indicate a topic as completed, select its date following the chronological order and the system will display all previous dates as completed."; +$SkillToAcquireQuestions = "What skills are to be acquired bu the end of this thematic section?"; +$SkillToAcquire = "Skills to acquire"; +$InfrastructureQuestions = "What infrastructure is necessary to achieve the goals of this topic normally?"; +$Infrastructure = "Infrastructure"; +$AditionalNotesQuestions = "Which other elements are necessary?"; +$DurationInHours = "Duration in hours"; +$ThereAreNoAttendancesInsideCourse = "There is no attendance sheet in this course"; +$YouMustSelectAtleastAStartDate = "You must select a start date"; +$ReturnToLPList = "Return to list"; +$EditTematicAdvance = "Edit tematic advance"; +$AditionalNotes = "Additional notes"; +$StartDateFromAnAttendance = "Start date taken from an attendance date"; +$StartDateCustom = "Custom start date"; +$StartDateOptions = "Start date options"; +$ThematicAdvanceConfiguration = "Thematic advance configuration"; +$InfoAboutAdvanceInsideHomeCourse = "Information on thematic advance on course homepage"; +$DisplayAboutLastDoneAdvance = "Display information about the last completed topic"; +$DisplayAboutNextAdvanceNotDone = "Display information about the next uncompleted topic"; +$InfoAboutLastDoneAdvance = "Information about the last completed topic"; +$InfoAboutNextAdvanceNotDone = "Information about the next uncompleted topic"; +$ThereIsNoAThematicSection = "There is no thematic section"; +$ThereIsNoAThematicAdvance = "There is no thematic advance"; +$StillDoNotHaveAThematicPlan = "There is no thematic plan for now"; +$NewThematicAdvance = "New thematic advance"; +$DurationInHoursMustBeNumeric = "Duration must be numeric"; +$DoNotDisplayAnyAdvance = "Do not display progress"; +$CreateAThematicSection = "Create a thematic section"; +$EditThematicSection = "Edit thematic section"; +$ToolCourseProgress = "Course progress"; +$SelectAnAttendance = "Select an attendance"; +$ReUseACopyInCurrentTest = "Re-use a copy inside the current test"; +$YouAlreadyInviteAllYourContacts = "You already invite all your contacts"; +$CategoriesNumber = "Categories"; +$ResultsHiddenByExerciseSetting = "Results hidden by the exercise setting"; +$NotAttended = "Not attended"; +$Attended = "Attended"; +$IPAddress = "IP address"; +$FileImportedJustSkillsThatAreNotRegistered = "Only skills that were not registered were imported"; +$SkillImportNoName = "The skill had no name set"; +$SkillImportNoParent = "The parent skill was not set"; +$SkillImportNoID = "The skill ID was not set"; +$CourseAdvance = "Course progress"; +$CertificateGenerated = "Generated certificate"; +$CountOfUsers = "Users count"; +$CountOfSubscriptions = "Subscriptions count"; +$EnrollToCourseXSuccessful = "You have been registered to course: %s"; +$TheExerciseAutoLaunchSettingIsONStudentsWillBeRedirectToAnSpecificExercise = "The exercises auto-launch feature configuration is enabled. Learners will be automatically redirected to the selected exercise."; +$RedirectToTheExerciseList = "Redirect to the exercises list"; +$RedirectToExercise = "Redirect to the selected exercise"; +$ConfigExercise = "Configure exercises tool"; +$QuestionGlobalCategory = "Global category"; +$CheckThatYouHaveEnoughQuestionsInYourCategories = "Make sure you have enough questions in your categories."; +$PortalCoursesLimitReached = "Sorry, this installation has a courses limit, which has now been reached. To increase the number of courses allowed on this Chamilo installation, please contact your hosting provider or, if available, upgrade to a superior hosting plan."; +$PortalTeachersLimitReached = "Sorry, this installation has a teachers limit, which has now been reached. To increase the number of teachers allowed on this Chamilo installation, please contact your hosting provider or, if available, upgrade to a superior hosting plan."; +$PortalUsersLimitReached = "Sorry, this installation has a users limit, which has now been reached. To increase the number of users allowed on this Chamilo installation, please contact your hosting provider or, if available, upgrade to a superior hosting plan."; $GenerateSurveyAccessLinkExplanation = "By copying the link below and pasting it in an e-mail or on a website, you will allow any anonymous person to enter and answer this survey. You can test this feature by clicking the link above and answering the survey. -This is particularly useful if you want to allow anyone on a forum to answer you survey and you don't know their e-mail addresses."; -$LinkOpenSelf = "Open self"; -$LinkOpenBlank = "Open blank"; -$LinkOpenParent = "Open parent"; -$LinkOpenTop = "Open top"; -$ThematicSectionHasBeenCreatedSuccessfull = "Thematic section has been created success full"; -$NowYouShouldAddThematicPlanXAndThematicAdvanceX = "Now you should add thematic plan %s and thematic advance %s"; -$LpPrerequisiteDescription = "Selecting another learning path as a prerequisite will hide the current prerequisite until the one in prerequisite is fully completed (100%)"; -$QualificationNumeric = "Maximum score"; -$ScoreAverageFromAllAttempts = "Score average from all attempts"; -$ExportAllCoursesList = "Export all courses"; -$ExportSelectedCoursesFromCoursesList = "Export selected courses from the following list"; -$CoursesListHasBeenExported = "The list of courses has been exported"; -$WhichCoursesToExport = "Courses to export"; -$AssignUsersToPlatformAdministrator = "Assign users to the platform administrator"; -$AssignedUsersListToPlatformAdministrator = "Users assigned to the platform administrator"; -$AssignedCoursesListToHumanResourcesManager = "Courses assigned to the HR manager"; -$ThereAreNotCreatedCourses = "There are no courses to select"; -$HomepageViewVerticalActivity = "Vertical activity view"; -$GenerateSurveyAccessLink = "Generate survey access link"; -$CoursesInformation = "Courses information"; -$LearnpathVisible = "Learning path made visible"; -$LinkInvisible = "Link made invisible"; -$SpecialExportsIntroduction = "The special exports feature is meant to help an instructional controller to export all courses documents in one unique step. Another option lets you choose the courses you want to export, and will export documents present in these courses' sessions as well. This is a very heavy operation, and we recommend you do not start it during normal usage hours of your portal. Do it in a quieter period. If you don't need all the contents at once, try to export courses documents directly from the course maintenance tool inside the course itself."; -$Literal0 = "zero"; -$Literal1 = "one"; -$Literal2 = "two"; -$Literal3 = "three"; -$Literal4 = "four"; -$Literal5 = "five"; -$Literal6 = "six"; -$Literal7 = "seven"; -$Literal8 = "eight"; -$Literal9 = "nine"; -$Literal10 = "ten"; -$Literal11 = "eleven"; -$Literal12 = "twelve"; -$Literal13 = "thirteen"; -$Literal14 = "fourteen"; -$Literal15 = "fifteen"; -$Literal16 = "sixteen"; -$Literal17 = "seventeen"; -$Literal18 = "eighteen"; -$Literal19 = "nineteen"; -$Literal20 = "twenty"; -$AllowUserCourseSubscriptionByCourseAdminTitle = "Allow User Course Subscription By Course Admininistrator"; -$AllowUserCourseSubscriptionByCourseAdminComment = "Activate this option will allow course administrator to subscribe users inside a course"; -$DateTime = "Date & time"; -$Item = "Item"; -$ConfigureDashboardPlugin = "Configure Dashboard Plugin"; -$EditBlocks = "Edit blocks"; -$Never = "Never"; +This is particularly useful if you want to allow anyone on a forum to answer you survey and you don't know their e-mail addresses."; +$LinkOpenSelf = "Open self"; +$LinkOpenBlank = "Open blank"; +$LinkOpenParent = "Open parent"; +$LinkOpenTop = "Open top"; +$ThematicSectionHasBeenCreatedSuccessfull = "Thematic section has been created success full"; +$NowYouShouldAddThematicPlanXAndThematicAdvanceX = "Now you should add thematic plan %s and thematic advance %s"; +$LpPrerequisiteDescription = "Selecting another learning path as a prerequisite will hide the current prerequisite until the one in prerequisite is fully completed (100%)"; +$QualificationNumeric = "Maximum score"; +$ScoreAverageFromAllAttempts = "Score average from all attempts"; +$ExportAllCoursesList = "Export all courses"; +$ExportSelectedCoursesFromCoursesList = "Export selected courses from the following list"; +$CoursesListHasBeenExported = "The list of courses has been exported"; +$WhichCoursesToExport = "Courses to export"; +$AssignUsersToPlatformAdministrator = "Assign users to the platform administrator"; +$AssignedUsersListToPlatformAdministrator = "Users assigned to the platform administrator"; +$AssignedCoursesListToHumanResourcesManager = "Courses assigned to the HR manager"; +$ThereAreNotCreatedCourses = "There are no courses to select"; +$HomepageViewVerticalActivity = "Vertical activity view"; +$GenerateSurveyAccessLink = "Generate survey access link"; +$CoursesInformation = "Courses information"; +$LearnpathVisible = "Learning path made visible"; +$LinkInvisible = "Link made invisible"; +$SpecialExportsIntroduction = "The special exports feature is meant to help an instructional controller to export all courses documents in one unique step. Another option lets you choose the courses you want to export, and will export documents present in these courses' sessions as well. This is a very heavy operation, and we recommend you do not start it during normal usage hours of your portal. Do it in a quieter period. If you don't need all the contents at once, try to export courses documents directly from the course maintenance tool inside the course itself."; +$Literal0 = "zero"; +$Literal1 = "one"; +$Literal2 = "two"; +$Literal3 = "three"; +$Literal4 = "four"; +$Literal5 = "five"; +$Literal6 = "six"; +$Literal7 = "seven"; +$Literal8 = "eight"; +$Literal9 = "nine"; +$Literal10 = "ten"; +$Literal11 = "eleven"; +$Literal12 = "twelve"; +$Literal13 = "thirteen"; +$Literal14 = "fourteen"; +$Literal15 = "fifteen"; +$Literal16 = "sixteen"; +$Literal17 = "seventeen"; +$Literal18 = "eighteen"; +$Literal19 = "nineteen"; +$Literal20 = "twenty"; +$AllowUserCourseSubscriptionByCourseAdminTitle = "Allow User Course Subscription By Course Admininistrator"; +$AllowUserCourseSubscriptionByCourseAdminComment = "Activate this option will allow course administrator to subscribe users inside a course"; +$DateTime = "Date & time"; +$Item = "Item"; +$ConfigureDashboardPlugin = "Configure Dashboard Plugin"; +$EditBlocks = "Edit blocks"; +$Never = "Never"; $YourAccountIsActiveYouCanLoginAndCheckYourCourses = "Dear user, -Your account has now been activated on the platform. Please login and enjoy your courses."; -$SessionFields = "Session fields"; -$CopyLabelSuffix = "Copy"; -$SessionCoachEndDateComment = "Date on which the session is closed to coaches. The additional delay will allow them to export all relevant tracking information"; -$SessionCoachStartDateComment = "Date on which the session is made available to coaches, so they can prepare it before the students get connected"; -$SessionEndDateComment = "Date on which the session is closed"; -$SessionStartDateComment = "Date on which the session is made available to all"; -$SessionDisplayEndDateComment = "Date that will be shown in the session information as the date on which the session ends"; -$SessionDisplayStartDateComment = "Date that will be shown in the session information as the date on which the session starts"; -$SessionCoachEndDate = "Access end date for coaches"; -$SessionCoachStartDate = "Access start date for coaches"; -$SessionEndDate = "Access end date"; -$SessionStartDate = "Access start date"; -$SessionDisplayEndDate = "End date to display"; -$SessionDisplayStartDate = "Start date to display"; -$UserHasNoCourse = "This user is not subscribed to any course"; -$SkillsRanking = "Skills ranking"; -$ImportSkillsListCSV = "Import skills from a CSV file"; -$SkillsImport = "Skills import"; -$SkillsWheel = "Skills wheel"; -$SkillsYouAcquired = "Skills you acquired"; -$SkillsSearchedFor = "Skills searched for"; -$SkillsYouCanLearn = "Skills you can learn"; -$Legend = "Legend"; -$ClickToZoom = "Click to zoom"; -$SkillXWithCourseX = "%s with %s"; -$ToGetToLearnXYouWillNeedToTakeOneOfTheFollowingCourses = "To get to learn %s you will need to take one of the following courses:"; -$YourSkillRankingX = "Your skill ranking: %s"; -$ManageSkills = "Manage skills"; -$OralQuestionsAttemptedAreX = "The attempted oral questions are %s"; -$OralQuestionsAttempted = "A learner has attempted one or more oral question"; -$RelativeScore = "Relative score"; -$AbsoluteScore = "Absolute score"; -$Categories = "Categories"; -$PrerequisitesOptions = "Prerequisites options"; -$ClearAllPrerequisites = "Clear all prerequisites"; -$SetPrerequisiteForEachItem = "Set previous step as prerequisite for each step"; -$StartDateMustBeBeforeTheEndDate = "Start date must be before the end date"; -$SessionPageEnabledComment = "When this option is enabled, the session title is a link to a special session page. When disabled, it is only a text title, without link. The session page linked to might be confusing for some users, which is why you might want to disable it."; -$SessionPageEnabledTitle = "Enable session link in courses list"; -$SkillRoot = "Root"; -$SkillInfo = "Skill information"; -$GetNewSkills = "Get new skills"; -$ViewSkillsWheel = "View skills wheel"; -$MissingOneStepToMatch = "Missing one step to match"; -$CompleteMatch = "Complete match"; -$MissingXStepsToMatch = "Missing %s steps"; -$Rank = "Rank"; -$CurrentlyLearning = "Currently learning"; -$SkillsAcquired = "Skills acquired"; -$AddSkillToProfileSearch = "Add skill to profile search"; -$ShortCode = "Short code"; -$CreateChildSkill = "Create child skill"; -$SearchProfileMatches = "Search profile matches"; -$IsThisWhatYouWereLookingFor = "Is this what you were looking for?"; -$WhatSkillsAreYouLookingFor = "What skills are you looking for?"; -$ProfileSearch = "Profile search"; -$CourseSettingsRegisterDirectLink = "If your course is public or open, you can use the direct link below to send an invitation to new users, so after registration, they will be sent directly to the course. Also, you can add the e=1 parameter to the URL, replacing \"1\" by an exercise ID to send them directly to a specific exam. The exercise ID can be discovered in the URL when clicking on an exercise to open it.
        %s"; -$DirectLink = "Direct link"; -$here = "here"; -$GoAheadAndBrowseOurCourseCatalogXOnceRegisteredYouWillSeeTheCourseHereX = "

        Go ahead and browse our course catalog %s to register to any course you like. Once registered, you will see the course appear right %s, instead of this message.

        "; +Your account has now been activated on the platform. Please login and enjoy your courses."; +$SessionFields = "Session fields"; +$CopyLabelSuffix = "Copy"; +$SessionCoachEndDateComment = "Date on which the session is closed to coaches. The additional delay will allow them to export all relevant tracking information"; +$SessionCoachStartDateComment = "Date on which the session is made available to coaches, so they can prepare it before the students get connected"; +$SessionEndDateComment = "Date on which the session is closed"; +$SessionStartDateComment = "Date on which the session is made available to all"; +$SessionDisplayEndDateComment = "Date that will be shown in the session information as the date on which the session ends"; +$SessionDisplayStartDateComment = "Date that will be shown in the session information as the date on which the session starts"; +$SessionCoachEndDate = "Access end date for coaches"; +$SessionCoachStartDate = "Access start date for coaches"; +$SessionEndDate = "Access end date"; +$SessionStartDate = "Access start date"; +$SessionDisplayEndDate = "End date to display"; +$SessionDisplayStartDate = "Start date to display"; +$UserHasNoCourse = "This user is not subscribed to any course"; +$SkillsRanking = "Skills ranking"; +$ImportSkillsListCSV = "Import skills from a CSV file"; +$SkillsImport = "Skills import"; +$SkillsWheel = "Skills wheel"; +$SkillsYouAcquired = "Skills you acquired"; +$SkillsSearchedFor = "Skills searched for"; +$SkillsYouCanLearn = "Skills you can learn"; +$Legend = "Legend"; +$ClickToZoom = "Click to zoom"; +$SkillXWithCourseX = "%s with %s"; +$ToGetToLearnXYouWillNeedToTakeOneOfTheFollowingCourses = "To get to learn %s you will need to take one of the following courses:"; +$YourSkillRankingX = "Your skill ranking: %s"; +$ManageSkills = "Manage skills"; +$OralQuestionsAttemptedAreX = "The attempted oral questions are %s"; +$OralQuestionsAttempted = "A learner has attempted one or more oral question"; +$RelativeScore = "Relative score"; +$AbsoluteScore = "Absolute score"; +$Categories = "Categories"; +$PrerequisitesOptions = "Prerequisites options"; +$ClearAllPrerequisites = "Clear all prerequisites"; +$SetPrerequisiteForEachItem = "Set previous step as prerequisite for each step"; +$StartDateMustBeBeforeTheEndDate = "Start date must be before the end date"; +$SessionPageEnabledComment = "When this option is enabled, the session title is a link to a special session page. When disabled, it is only a text title, without link. The session page linked to might be confusing for some users, which is why you might want to disable it."; +$SessionPageEnabledTitle = "Enable session link in courses list"; +$SkillRoot = "Root"; +$SkillInfo = "Skill information"; +$GetNewSkills = "Get new skills"; +$ViewSkillsWheel = "View skills wheel"; +$MissingOneStepToMatch = "Missing one step to match"; +$CompleteMatch = "Complete match"; +$MissingXStepsToMatch = "Missing %s steps"; +$Rank = "Rank"; +$CurrentlyLearning = "Currently learning"; +$SkillsAcquired = "Skills acquired"; +$AddSkillToProfileSearch = "Add skill to profile search"; +$ShortCode = "Short code"; +$CreateChildSkill = "Create child skill"; +$SearchProfileMatches = "Search profile matches"; +$IsThisWhatYouWereLookingFor = "Is this what you were looking for?"; +$WhatSkillsAreYouLookingFor = "What skills are you looking for?"; +$ProfileSearch = "Profile search"; +$CourseSettingsRegisterDirectLink = "If your course is public or open, you can use the direct link below to send an invitation to new users, so after registration, they will be sent directly to the course. Also, you can add the e=1 parameter to the URL, replacing \"1\" by an exercise ID to send them directly to a specific exam. The exercise ID can be discovered in the URL when clicking on an exercise to open it.
        %s"; +$DirectLink = "Direct link"; +$here = "here"; +$GoAheadAndBrowseOurCourseCatalogXOnceRegisteredYouWillSeeTheCourseHereX = "

        Go ahead and browse our course catalog %s to register to any course you like. Once registered, you will see the course appear right %s, instead of this message.

        "; $HelloXAsYouCanSeeYourCourseListIsEmpty = "

        Hello %s and welcome,

        -

        As you can see, your courses list is still empty. That's because you are not registered to any course yet!

        "; -$UnsubscribeUsersAlreadyAddedInCourse = "Unsubscribe users already added"; -$ImportUsers = "Import users"; -$HelpFolderLearningPaths = "INFORMATION VISIBLE TO THE TEACHER ONLY:\nThis folder contains documents which are created by the Learning Path tool. Inside this folder you can edit the HTML file which are generated by importing content from the Learning Path, as the ones imported by Chamilo Rapid, for example. We recommend hiding this folder to your students."; -$YouWillBeRedirectedInXSeconds = "Just a moment, please. You will be redirected in %s seconds..."; -$ToProtectYourSiteMakeXReadOnlyAndDeleteY = "To protect your site, make the whole %s directory read-only (chmod 0555 on Linux) and delete the %s directory."; -$NumberOfCoursesPublic = "Number of public courses"; -$NumberOfCoursesOpen = "Number of open courses"; -$NumberOfCoursesPrivate = "Number of private courses"; -$NumberOfCoursesClosed = "Number of closed courses"; -$NumberOfCoursesTotal = "Total number of courses"; -$NumberOfUsersActive = "Number of active users"; -$CountCertificates = "Certificates count"; -$AverageHoursPerStudent = "Avg hours/student"; -$CountOfSubscribedUsers = "Subscribed users count"; -$TrainingHoursAccumulated = "Hours of accumulated training"; -$Approved = "Approved"; -$EditQuestions = "Edit questions"; -$EditSettings = "Edit settings"; -$ManHours = "Man hours"; -$NotesObtained = "Notes obtained"; -$ClickOnTheLearnerViewToSeeYourLearningPath = "Click on the [Learner view] button to see your learning path"; -$ThisValueCantBeChanged = "This value can't be changed."; -$ThisValueIsUsedInTheCourseURL = "This value is used in the course URL"; -$TotalAvailableUsers = "Total available users"; -$LowerCaseUser = "user"; -$GenerateCertificates = "Generate certificates"; -$ExportAllCertificatesToPDF = "Export all certificates to PDF"; -$DeleteAllCertificates = "Delete all certificates"; -$ThereAreUsersUsingThisLanguageYouWantToDisableThisLanguageAndSetUsersWithTheDefaultPortalLanguage = "There are users using this language. Do you want to disable this language and set all this users with the default portal language?"; -$dateFormatLongNoDay = "%d %B %Y"; -$dateFormatOnlyDayName = "%A"; -$ReturnToCourseList = "Return to the course list"; -$dateFormatShortNumberNoYear = "%d/%m"; -$CourseTutor = "Course tutor"; -$StudentInSessionCourse = "Student in session course"; -$StudentInCourse = "Student in course"; -$SessionGeneralCoach = "Session general coach"; -$SessionCourseCoach = "Session course coach"; -$Admin = "Admin"; -$SessionTutorsCanSeeExpiredSessionsResultsComment = "Can session tutors see the reports for their session after it has expired?"; -$SessionTutorsCanSeeExpiredSessionsResultsTitle = "Session tutors reports visibility"; -$UserNotAttendedSymbol = "NP"; -$UserAttendedSymbol = "P"; -$SessionCalendar = "Session calendar"; -$Order = "Order"; -$GlobalPlatformInformation = "Global platform information"; -$TheXMLImportLetYouAddMoreInfoAndCreateResources = "The XML import lets you add more info and create resources (courses, users). The CSV import will only create sessions and let you assign existing resources to them."; -$ShowLinkBugNotificationTitle = "Show link to report bug"; -$ShowLinkBugNotificationComment = "Show a link in the header to report a bug inside of our support platform (http://support.chamilo.org). When clicking on the link, the user is sent to the support platform, on a wiki page that describes the bug reporting process."; -$ReportABug = "Report a bug"; -$Letters = "Letters"; -$NewHomeworkEmailAlert = "Email users on assignment creation"; -$NewHomeworkEmailAlertEnable = "Enable email users on assignment submission"; -$NewHomeworkEmailAlertDisable = "Disable email users on assignment submission"; -$MaximumOfParticipants = "Maximum number of members"; -$HomeworkCreated = "An assignment was created"; -$HomeworkHasBeenCreatedForTheCourse = "An assignment has been added to course"; -$PleaseCheckHomeworkPage = "Please check the assignments page."; -$ScormNotEnoughSpaceInCourseToInstallPackage = "There is not enough space left in this course to uncompress the current package."; -$ScormPackageFormatNotScorm = "The package you are uploading doesn't seem to be in SCORM format. Please check that the imsmanifest.xml is inside the ZIP file you are trying to upload."; -$DataFiller = "Data filler"; -$GradebookActivateScoreDisplayCustom = "Enable competence level labelling in order to set custom score information"; -$GradebookScoreDisplayCustomValues = "Competence levels custom values"; -$GradebookNumberDecimals = "Number of decimals"; -$GradebookNumberDecimalsComment = "Allows you to set the number of decimals allowed in a score"; -$ContactInformation = "Contact information"; -$PersonName = "Your name"; -$CompanyName = "Your company's name"; -$PersonRole = "Your job's description"; -$HaveYouThePowerToTakeFinancialDecisions = "Do you have the power to take financial decisions on behalf of your company?"; -$CompanyCountry = "Your company's home country"; -$CompanyCity = "Company city"; -$WhichLanguageWouldYouLikeToUseWhenContactingYou = "Preferred contact language"; -$SendInformation = "Send information"; -$YouMustAcceptLicence = "You must accept the licence"; -$SelectOne = "Select one"; -$ContactInformationHasBeenSent = "Contact information has been sent"; -$EditExtraFieldOptions = "Edit extra field options"; -$ExerciseDescriptionLabel = "Description"; -$UserInactivedSinceX = "User inactive since %s"; -$ContactInformationDescription = "Dear user,
        \n
        You are about to start using one of the best open-source e-learning platform on the market. Like many other open-source project, this project is backed up by a large community of students, teachers, developers and content creators who would like to promote the project better.
        \n
        \nBy knowing a little bit more about you, one of our most important users, who will manage this e-learning system, we will be able to let people know that our software is used and let you know when we organize events that might be relevant to you.
        \n
        \nBy filling this form, you accept that the Chamilo association or its members might send you information by e-mail about important events or updates in the Chamilo software or community. This will help the community grow as an organized entity where information flow, with a permanent respect of your time and your privacy.
        \n
        \nPlease note that you are not required to fill this form. If you want to remain anonymous, we will loose the opportunity to offer you all the privileges of being a registered portal administrator, but we will respect your decision. Simply leave this form empty and click \"Next\".

        "; -$CompanyActivity = "Your company's activity"; -$PleaseAllowUsALittleTimeToSubscribeYouToOneOfOurCourses = "Please allow us a little time to subscribe you to one of our courses. If you think we forgot you, contact the portal administrators. You can usually find their contact details in the footer of this page."; -$ManageSessionFields = "Manage session fields"; -$DateUnLock = "Unlock date"; -$DateLock = "Lock date"; -$EditSessionsToURL = "Edit sessions for a URL"; -$AddSessionsToURL = "Add sessions to URL"; -$SessionListIn = "List of sessions in"; -$GoToStudentDetails = "Go to learner details"; -$DisplayAboutNextAdvanceNotDoneAndLastDoneAdvance = "Display the last executed step and the next unfinished step"; -$FillUsers = "Fill users"; -$ThisSectionIsOnlyVisibleOnSourceInstalls = "This section is only visible on installations from source code, not in packaged versions of the platform. It will allow you to quickly populate your platform with test data. Use with care (data is really inserted) and only on development or testing installations."; -$UsersFillingReport = "Users filling report"; -$RepeatDate = "Repeat date"; -$EndDateMustBeMoreThanStartDate = "End date must be more than the start date"; -$ToAttend = "To attend"; -$AllUsersAreAutomaticallyRegistered = "All users are automatically registered"; -$AssignCoach = "Assign coach"; -$chamilo = "Chamilo"; -$YourAccountOnXHasJustBeenApprovedByOneOfOurAdministrators = "Your account on %s has just been approved by one of our administrators."; -$php = "PHP"; -$Off = "Off"; -$webserver = "Web server"; -$mysql = "MySQL"; -$NotInserted = "Not inserted"; -$Multipleresponse = "Multiple answer"; -$EnableMathJaxComment = "Enable the MathJax library to visualize mathematical formulas. This is only useful if either ASCIIMathML or ASCIISVG settings are enabled."; -$YouCanNowLoginAtXUsingTheLoginAndThePasswordYouHaveProvided = "You can now login at %s using the login and the password you have provided."; -$HaveFun = "Have fun,"; -$AreYouSureToEditTheUserStatus = "Are you sure to edit the user status?"; -$YouShouldCreateAGroup = "You should create a group"; -$ResetLP = "Reset Learning path"; -$LPWasReset = "Learning path was reset for the learner"; -$AnnouncementVisible = "Announcement visible"; -$AnnouncementInvisible = "Announcement invisible"; -$GlossaryDeleted = "Glossary deleted"; -$CalendarYear = "Calendar year"; -$SessionReadOnly = "Read only"; -$SessionAccessible = "Accessible"; -$SessionNotAccessible = "Not accessible"; -$GroupAdded = "Group added"; -$AddUsersToGroup = "Add users to group"; -$ErrorReadingZip = "Error reading ZIP file"; -$ErrorStylesheetFilesExtensionsInsideZip = "The only accepted extensions in the ZIP file are jpg, jpeg, png, gif and css."; -$ClearSearchResults = "Clear search results"; -$DisplayCourseOverview = "Courses overview"; -$DisplaySessionOverview = "Sessions overview"; -$TotalNumberOfMessages = "Total number of messages"; -$TotalNumberOfAssignments = "Total number of assignments"; -$TestServerMode = "Test server mode"; -$PageExecutionTimeWas = "Page execution time was"; -$MemoryUsage = "Memory usage"; -$MemoryUsagePeak = "Memory usage peak"; -$Seconds = "seconds"; -$QualifyInGradebook = "Grade in the assessment tool"; -$TheTutorOnlyCanKeepTrackOfStudentsRegisteredInTheCourse = "The assistant can only keep track of all progress of learners registered to the course."; -$TheTeacherCanQualifyEvaluateAndKeepTrackOfAllStudentsEnrolledInTheCourse = "The teacher can grade, evaluate and keep track of all learners enrolled in the course."; -$IncludedInEvaluation = "Included in the evaluation"; -$ExerciseEditionNotAvailableInSession = "You can't edit this course exercise from inside a session"; -$SessionSpecificResource = "Session-specific resource"; -$EditionNotAvailableFromSession = "Edition not available from the session, please edit from the basic course."; -$FieldTypeSocialProfile = "Social network link"; -$HandingOverOfTaskX = "Handing over of task %s"; -$CopyToMyFiles = "Copy to my private file area"; -$Export2PDF = "Export to PDF format"; -$ResourceShared = "Resource shared"; -$CopyAlreadyDone = "There are a file with the same name in your private user file area. Do you want replace it?"; -$CopyFailed = "Copy failed"; -$CopyMade = "The copy has been made"; -$OverwritenFile = "File replaced"; -$MyFiles = "My files"; -$AllowUsersCopyFilesTitle = "Allow users to copy files from a course in your personal file area"; -$AllowUsersCopyFilesComment = "Allows users to copy files from a course in your personal file area, visible through the Social Network or through the HTML editor when they are out of a course"; -$PreviewImage = "Preview image"; -$UpdateImage = "Update Image"; -$EnableTimeLimits = "Enable time limits"; -$ProtectedDocument = "Protected Document"; -$LastLogins = "Last logins"; -$AllLogins = "All logins"; -$Draw = "Draw"; -$ThereAreNoCoursesInThisCategory = "No course at this category level"; -$ConnectionsLastMonth = "Connections last month"; -$TotalStudents = "Total learners"; -$FilteringWithScoreX = "Filtering with score %s"; -$ExamTaken = "Taken"; -$ExamNotTaken = "Not taken"; -$ExamPassX = "Pass minimun %s"; -$ExamFail = "Fail"; -$ExamTracking = "Exam tracking"; -$NoAttempt = "No attempts"; -$PassExam = "Pass"; -$CreateCourseRequest = "Create a course request"; -$TermsAndConditions = "Terms and Conditions"; -$ReadTermsAndConditions = "Read the Terms and Conditions"; -$IAcceptTermsAndConditions = "I have read and I accept the Terms and Conditions"; -$YouHaveToAcceptTermsAndConditions = "You have to accept our Terms and Conditions to proceed."; -$CourseRequestCreated = "Your request for a new course has been sent successfully. You may receive a reply soon, within one or two days."; -$ReviewCourseRequests = "Review incoming course requests"; -$AcceptedCourseRequests = "Accepted course requests"; -$RejectedCourseRequests = "Rejected course requests"; -$CreateThisCourseRequest = "Create this course request"; -$CourseRequestDate = "Request date"; -$AcceptThisCourseRequest = "Accept this course"; -$ANewCourseWillBeCreated = "A new course %s is going to be created. Is it OK to proceed?"; -$AdditionalInfoWillBeAsked = "Additional information about %s course request is going to be asked through an e-mail message. Is it OK to proceed?"; -$AskAdditionalInfo = "Ask for additional information"; -$BrowserDontSupportsSVG = "Your browser does not support SVG files. To use the drawing tool you must have an advanced browser like: Firefox or Chrome"; -$BrowscapInfo = "Browscap loading browscap.ini file that contains a large amount of data on the browser and its capabilities, so it can be used by the function get_browser () PHP"; -$DeleteThisCourseRequest = "Delete this course request"; -$ACourseRequestWillBeDeleted = "The course request %s is going to be deleted. Is it OK to proceed?"; -$RejectThisCourseRequest = "Reject this course request"; -$ACourseRequestWillBeRejected = "The course request %s is going to be rejected. Is it OK to proceed?"; -$CourseRequestAccepted = "The course request %s has been accepted. A new course %s has been created."; -$CourseRequestAcceptanceFailed = "The course request %s has not been accepted due to internal error."; -$CourseRequestRejected = "The course request %s has been rejected."; -$CourseRequestRejectionFailed = "The course request %s has not been rejected due to internal error."; -$CourseRequestInfoAsked = "Additional information about the course request %s has been asked."; -$CourseRequestInfoFailed = "Additional information about the course request %s has not been asked due to internal error."; -$CourseRequestDeleted = "The course request %s has been deleted."; -$CourseRequestDeletionFailed = "The course request %s has not been deleted due to internal error."; -$DeleteCourseRequests = "Delete selected course request(s)"; -$SelectedCourseRequestsDeleted = "The selected course requests have been deleted."; -$SomeCourseRequestsNotDeleted = "Some of the selected course requests have not been deleted due to internal error."; -$CourseRequestEmailSubject = "%s A request for a new course %s"; -$CourseRequestMailOpening = "We registered the following request for a new course:"; -$CourseRequestPageForApproval = "This course request can be approved on the following page:"; -$PleaseActivateCourseValidationFeature = "The \"Course validation\" feature is not enabled at the moment. In order to use this feature, please, enable it by using the %s setting."; -$CourseRequestLegalNote = "The information about this course request is considered protected; it can be used only to open a new course within our e-learning portal; it should not be revealed to third parties."; -$EnableCourseValidation = "Courses validation"; -$EnableCourseValidationComment = "When the \"Courses validation\" feature is enabled, a teacher is not able to create a course alone. He/she fills a course request. The platform administrator reviews the request and approves it or rejects it.
        This feature relies on automated e-mail messaging; set Chamilo to access an e-mail server and to use a dedicated an e-mail account."; -$CourseRequestAskInfoEmailSubject = "%s A request for additional information about the course request %s"; -$CourseRequestAskInfoEmailText = "We have received your request for a new course with code %s. Before we consider it for approval, we need some additional information.\n\nPlease, provide brief information about the course content (description), the objectives, the learners or the users that are to be involved in the proposed course. If it is applicable, mention the name of the institution or the unit on which behalf you made the course request."; -$CourseRequestAcceptedEmailSubject = "%s The course request %s has been approved"; -$CourseRequestAcceptedEmailText = "Your course request %s has been approved. A new course %s has been created and you are registered in it as a teacher.\n\nYou can access your newly created course from: %s"; -$CourseRequestRejectedEmailSubject = "%s The course request %s has been rejected"; -$CourseRequestRejectedEmailText = "To our regret we have to inform you that your course request %s has been rejected due to not fulfilling the requirements of our Terms and Conditions."; -$CourseValidationTermsAndConditionsLink = "Course validation - a link to the terms and conditions"; -$CourseValidationTermsAndConditionsLinkComment = "This is the URL to the \"Terms and Conditions\" document that is valid for making a course request. If the address is set here, the user should read and agree with these terms and conditions before sending a course request.
        If you enable Chamilo's \"Terms and Conditions\" module and if you want its URL to be used, then leave this setting empty."; -$CourseCreationFailed = "The course has not been created due to an internal error."; -$CourseRequestCreationFailed = "The course request has not been created due to an internal error."; -$CourseRequestEdit = "Edit a course request"; -$CourseRequestHasNotBeenFound = "The course request you wanted to access has not been found or it does not exist."; -$FileExistsChangeToSave = "This file name already exists, choose another to save your image."; -$CourseRequestUpdateFailed = "The course request %s has not been updated due to internal error."; -$CourseRequestUpdated = "The course request %s has been updated."; -$FillWithExemplaryContent = "Fill with demo content"; -$EnableSSOTitle = "Single Sign On"; -$EnableSSOComment = "Enabling Single Sign On allows you to connect this platform as a slave of an authentication master, for example a Drupal website with the Drupal-Chamilo plugin or any other similar master setup."; -$SSOServerDomainTitle = "Domain of the Single Sign On server"; -$SSOServerDomainComment = "The domain of the Single Sign On server (the web address of the other server that will allow automatic registration to Chamilo). This should generally be the address of the other server without any trailing slash and without the protocol, e.g. www.example.com"; -$SSOServerAuthURITitle = "Single Sign On server authentication URL"; -$SSOServerAuthURIComment = "The address of the page that deals with the authentication verification. For example /?q=user in Drupal's case."; -$SSOServerUnAuthURITitle = "Single Sign On server's logout URL"; -$SSOServerUnAuthURIComment = "The address of the page on the server that logs the user out. This option is useful if you want users logging out of Chamilo to be automatically logged out of the authentication server."; -$SSOServerProtocolTitle = "Single Sign On server's protocol"; -$SSOServerProtocolComment = "The protocol string to prefix the Single Sign On server's domain (we recommend you use https:// if your server is able to provide this feature, as all non-secure protocols are dangerous for authentication matters)"; -$EnabledWirisTitle = "WIRIS mathematical editor"; -$EnabledWirisComment = "Enable WIRIS mathematical editor. Installing this plugin you get WIRIS editor and WIRIS CAS.
        This activation is not fully realized unless it has been previously downloaded the PHP plugin for CKeditor WIRIS and unzipped its contents in the Chamilo's directory main/inc/lib/javascript/ckeditor/plugins/
        This is necessary because Wiris is proprietary software and his services are commercial. To make adjustments to the plugin, edit configuration.ini file or replace his content by configuration.ini.default Chamilo file."; -$FileSavedAs = "File saved as"; -$FileExportAs = "File export as"; -$AllowSpellCheckTitle = "Spell check"; -$AllowSpellCheckComment = "Enable spell check"; -$EnabledSVGTitle = "Create and edit SVG files"; -$EnabledSVGComment = "This option allows you to create and edit SVG (Scalable Vector Graphics) multilayer online, as well as export them to png format images."; -$ForceWikiPasteAsPlainTextTitle = "Forcing pasting as plain text in the wiki"; -$ForceWikiPasteAsPlainTextComment = "This will prevent many hidden tags, incorrect or non-standard, copied from other texts to stop corrupting the text of the Wiki after many issues; but will lose some features while editing."; -$EnabledGooglemapsTitle = "Activate Google maps"; -$EnabledGooglemapsComment = "Activate the button to insert Google maps. Activation is not fully realized if not previously edited the file main/inc/lib/fckeditor/myconfig.php and added a Google maps API key."; -$EnabledImageMapsTitle = "Activate Image maps"; -$EnabledImageMapsComment = "Activate the button to insert Image maps. This allows you to associate URLs to areas of an image, creating hotspots."; -$RemoveSearchResults = "Clean search results"; -$ExerciseCantBeEditedAfterAddingToTheLP = "Exercise can't be edited after being added to the Learning Path"; -$CourseTool = "Course tool"; -$LPExerciseResultsBySession = "Results of learning paths exercises by session"; -$LPQuestionListResults = "Learning paths exercises results list"; -$PleaseSelectACourse = "Please select a course"; -$StudentScoreAverageIsCalculatedBaseInAllLPsAndAllAttempts = "Learner score average is calculated bases on all learning paths and all attempts"; -$AverageScore = "Average score"; -$LastConnexionDate = "Last connexion date"; -$ToolVideoconference = "Videoconference"; -$BigBlueButtonEnableTitle = "BigBlueButton videoconference tool"; +

        As you can see, your courses list is still empty. That's because you are not registered to any course yet!

        "; +$UnsubscribeUsersAlreadyAddedInCourse = "Unsubscribe users already added"; +$ImportUsers = "Import users"; +$HelpFolderLearningPaths = "INFORMATION VISIBLE TO THE TEACHER ONLY:\nThis folder contains documents which are created by the Learning Path tool. Inside this folder you can edit the HTML file which are generated by importing content from the Learning Path, as the ones imported by Chamilo Rapid, for example. We recommend hiding this folder to your students."; +$YouWillBeRedirectedInXSeconds = "Just a moment, please. You will be redirected in %s seconds..."; +$ToProtectYourSiteMakeXReadOnlyAndDeleteY = "To protect your site, make the whole %s directory read-only (chmod 0555 on Linux) and delete the %s directory."; +$NumberOfCoursesPublic = "Number of public courses"; +$NumberOfCoursesOpen = "Number of open courses"; +$NumberOfCoursesPrivate = "Number of private courses"; +$NumberOfCoursesClosed = "Number of closed courses"; +$NumberOfCoursesTotal = "Total number of courses"; +$NumberOfUsersActive = "Number of active users"; +$CountCertificates = "Certificates count"; +$AverageHoursPerStudent = "Avg hours/student"; +$CountOfSubscribedUsers = "Subscribed users count"; +$TrainingHoursAccumulated = "Hours of accumulated training"; +$Approved = "Approved"; +$EditQuestions = "Edit questions"; +$EditSettings = "Edit settings"; +$ManHours = "Man hours"; +$NotesObtained = "Notes obtained"; +$ClickOnTheLearnerViewToSeeYourLearningPath = "Click on the [Learner view] button to see your learning path"; +$ThisValueCantBeChanged = "This value can't be changed."; +$ThisValueIsUsedInTheCourseURL = "This value is used in the course URL"; +$TotalAvailableUsers = "Total available users"; +$LowerCaseUser = "user"; +$GenerateCertificates = "Generate certificates"; +$ExportAllCertificatesToPDF = "Export all certificates to PDF"; +$DeleteAllCertificates = "Delete all certificates"; +$ThereAreUsersUsingThisLanguageYouWantToDisableThisLanguageAndSetUsersWithTheDefaultPortalLanguage = "There are users using this language. Do you want to disable this language and set all this users with the default portal language?"; +$dateFormatLongNoDay = "%d %B %Y"; +$dateFormatOnlyDayName = "%A"; +$ReturnToCourseList = "Return to the course list"; +$dateFormatShortNumberNoYear = "%d/%m"; +$CourseTutor = "Course tutor"; +$StudentInSessionCourse = "Student in session course"; +$StudentInCourse = "Student in course"; +$SessionGeneralCoach = "Session general coach"; +$SessionCourseCoach = "Session course coach"; +$Admin = "Admin"; +$SessionTutorsCanSeeExpiredSessionsResultsComment = "Can session tutors see the reports for their session after it has expired?"; +$SessionTutorsCanSeeExpiredSessionsResultsTitle = "Session tutors reports visibility"; +$UserNotAttendedSymbol = "NP"; +$UserAttendedSymbol = "P"; +$SessionCalendar = "Session calendar"; +$Order = "Order"; +$GlobalPlatformInformation = "Global platform information"; +$TheXMLImportLetYouAddMoreInfoAndCreateResources = "The XML import lets you add more info and create resources (courses, users). The CSV import will only create sessions and let you assign existing resources to them."; +$ShowLinkBugNotificationTitle = "Show link to report bug"; +$ShowLinkBugNotificationComment = "Show a link in the header to report a bug inside of our support platform (http://support.chamilo.org). When clicking on the link, the user is sent to the support platform, on a wiki page that describes the bug reporting process."; +$ReportABug = "Report a bug"; +$Letters = "Letters"; +$NewHomeworkEmailAlert = "Email users on assignment creation"; +$NewHomeworkEmailAlertEnable = "Enable email users on assignment submission"; +$NewHomeworkEmailAlertDisable = "Disable email users on assignment submission"; +$MaximumOfParticipants = "Maximum number of members"; +$HomeworkCreated = "An assignment was created"; +$HomeworkHasBeenCreatedForTheCourse = "An assignment has been added to course"; +$PleaseCheckHomeworkPage = "Please check the assignments page."; +$ScormNotEnoughSpaceInCourseToInstallPackage = "There is not enough space left in this course to uncompress the current package."; +$ScormPackageFormatNotScorm = "The package you are uploading doesn't seem to be in SCORM format. Please check that the imsmanifest.xml is inside the ZIP file you are trying to upload."; +$DataFiller = "Data filler"; +$GradebookActivateScoreDisplayCustom = "Enable competence level labelling in order to set custom score information"; +$GradebookScoreDisplayCustomValues = "Competence levels custom values"; +$GradebookNumberDecimals = "Number of decimals"; +$GradebookNumberDecimalsComment = "Allows you to set the number of decimals allowed in a score"; +$ContactInformation = "Contact information"; +$PersonName = "Your name"; +$CompanyName = "Your company's name"; +$PersonRole = "Your job's description"; +$HaveYouThePowerToTakeFinancialDecisions = "Do you have the power to take financial decisions on behalf of your company?"; +$CompanyCountry = "Your company's home country"; +$CompanyCity = "Company city"; +$WhichLanguageWouldYouLikeToUseWhenContactingYou = "Preferred contact language"; +$SendInformation = "Send information"; +$YouMustAcceptLicence = "You must accept the licence"; +$SelectOne = "Select one"; +$ContactInformationHasBeenSent = "Contact information has been sent"; +$EditExtraFieldOptions = "Edit extra field options"; +$ExerciseDescriptionLabel = "Description"; +$UserInactivedSinceX = "User inactive since %s"; +$ContactInformationDescription = "Dear user,
        \n
        You are about to start using one of the best open-source e-learning platform on the market. Like many other open-source project, this project is backed up by a large community of students, teachers, developers and content creators who would like to promote the project better.
        \n
        \nBy knowing a little bit more about you, one of our most important users, who will manage this e-learning system, we will be able to let people know that our software is used and let you know when we organize events that might be relevant to you.
        \n
        \nBy filling this form, you accept that the Chamilo association or its members might send you information by e-mail about important events or updates in the Chamilo software or community. This will help the community grow as an organized entity where information flow, with a permanent respect of your time and your privacy.
        \n
        \nPlease note that you are not required to fill this form. If you want to remain anonymous, we will loose the opportunity to offer you all the privileges of being a registered portal administrator, but we will respect your decision. Simply leave this form empty and click \"Next\".

        "; +$CompanyActivity = "Your company's activity"; +$PleaseAllowUsALittleTimeToSubscribeYouToOneOfOurCourses = "Please allow us a little time to subscribe you to one of our courses. If you think we forgot you, contact the portal administrators. You can usually find their contact details in the footer of this page."; +$ManageSessionFields = "Manage session fields"; +$DateUnLock = "Unlock date"; +$DateLock = "Lock date"; +$EditSessionsToURL = "Edit sessions for a URL"; +$AddSessionsToURL = "Add sessions to URL"; +$SessionListIn = "List of sessions in"; +$GoToStudentDetails = "Go to learner details"; +$DisplayAboutNextAdvanceNotDoneAndLastDoneAdvance = "Display the last executed step and the next unfinished step"; +$FillUsers = "Fill users"; +$ThisSectionIsOnlyVisibleOnSourceInstalls = "This section is only visible on installations from source code, not in packaged versions of the platform. It will allow you to quickly populate your platform with test data. Use with care (data is really inserted) and only on development or testing installations."; +$UsersFillingReport = "Users filling report"; +$RepeatDate = "Repeat date"; +$EndDateMustBeMoreThanStartDate = "End date must be more than the start date"; +$ToAttend = "To attend"; +$AllUsersAreAutomaticallyRegistered = "All users are automatically registered"; +$AssignCoach = "Assign coach"; +$chamilo = "Chamilo"; +$YourAccountOnXHasJustBeenApprovedByOneOfOurAdministrators = "Your account on %s has just been approved by one of our administrators."; +$php = "PHP"; +$Off = "Off"; +$webserver = "Web server"; +$mysql = "MySQL"; +$NotInserted = "Not inserted"; +$Multipleresponse = "Multiple answer"; +$EnableMathJaxComment = "Enable the MathJax library to visualize mathematical formulas. This is only useful if either ASCIIMathML or ASCIISVG settings are enabled."; +$YouCanNowLoginAtXUsingTheLoginAndThePasswordYouHaveProvided = "You can now login at %s using the login and the password you have provided."; +$HaveFun = "Have fun,"; +$AreYouSureToEditTheUserStatus = "Are you sure to edit the user status?"; +$YouShouldCreateAGroup = "You should create a group"; +$ResetLP = "Reset Learning path"; +$LPWasReset = "Learning path was reset for the learner"; +$AnnouncementVisible = "Announcement visible"; +$AnnouncementInvisible = "Announcement invisible"; +$GlossaryDeleted = "Glossary deleted"; +$CalendarYear = "Calendar year"; +$SessionReadOnly = "Read only"; +$SessionAccessible = "Accessible"; +$SessionNotAccessible = "Not accessible"; +$GroupAdded = "Group added"; +$AddUsersToGroup = "Add users to group"; +$ErrorReadingZip = "Error reading ZIP file"; +$ErrorStylesheetFilesExtensionsInsideZip = "The only accepted extensions in the ZIP file are jpg, jpeg, png, gif and css."; +$ClearSearchResults = "Clear search results"; +$DisplayCourseOverview = "Courses overview"; +$DisplaySessionOverview = "Sessions overview"; +$TotalNumberOfMessages = "Total number of messages"; +$TotalNumberOfAssignments = "Total number of assignments"; +$TestServerMode = "Test server mode"; +$PageExecutionTimeWas = "Page execution time was"; +$MemoryUsage = "Memory usage"; +$MemoryUsagePeak = "Memory usage peak"; +$Seconds = "seconds"; +$QualifyInGradebook = "Grade in the assessment tool"; +$TheTutorOnlyCanKeepTrackOfStudentsRegisteredInTheCourse = "The assistant can only keep track of all progress of learners registered to the course."; +$TheTeacherCanQualifyEvaluateAndKeepTrackOfAllStudentsEnrolledInTheCourse = "The teacher can grade, evaluate and keep track of all learners enrolled in the course."; +$IncludedInEvaluation = "Included in the evaluation"; +$ExerciseEditionNotAvailableInSession = "You can't edit this course exercise from inside a session"; +$SessionSpecificResource = "Session-specific resource"; +$EditionNotAvailableFromSession = "Edition not available from the session, please edit from the basic course."; +$FieldTypeSocialProfile = "Social network link"; +$HandingOverOfTaskX = "Handing over of task %s"; +$CopyToMyFiles = "Copy to my private file area"; +$Export2PDF = "Export to PDF format"; +$ResourceShared = "Resource shared"; +$CopyAlreadyDone = "There are a file with the same name in your private user file area. Do you want replace it?"; +$CopyFailed = "Copy failed"; +$CopyMade = "The copy has been made"; +$OverwritenFile = "File replaced"; +$MyFiles = "My files"; +$AllowUsersCopyFilesTitle = "Allow users to copy files from a course in your personal file area"; +$AllowUsersCopyFilesComment = "Allows users to copy files from a course in your personal file area, visible through the Social Network or through the HTML editor when they are out of a course"; +$PreviewImage = "Preview image"; +$UpdateImage = "Update Image"; +$EnableTimeLimits = "Enable time limits"; +$ProtectedDocument = "Protected Document"; +$LastLogins = "Last logins"; +$AllLogins = "All logins"; +$Draw = "Draw"; +$ThereAreNoCoursesInThisCategory = "No course at this category level"; +$ConnectionsLastMonth = "Connections last month"; +$TotalStudents = "Total learners"; +$FilteringWithScoreX = "Filtering with score %s"; +$ExamTaken = "Taken"; +$ExamNotTaken = "Not taken"; +$ExamPassX = "Pass minimun %s"; +$ExamFail = "Fail"; +$ExamTracking = "Exam tracking"; +$NoAttempt = "No attempts"; +$PassExam = "Pass"; +$CreateCourseRequest = "Create a course request"; +$TermsAndConditions = "Terms and Conditions"; +$ReadTermsAndConditions = "Read the Terms and Conditions"; +$IAcceptTermsAndConditions = "I have read and I accept the Terms and Conditions"; +$YouHaveToAcceptTermsAndConditions = "You have to accept our Terms and Conditions to proceed."; +$CourseRequestCreated = "Your request for a new course has been sent successfully. You may receive a reply soon, within one or two days."; +$ReviewCourseRequests = "Review incoming course requests"; +$AcceptedCourseRequests = "Accepted course requests"; +$RejectedCourseRequests = "Rejected course requests"; +$CreateThisCourseRequest = "Create this course request"; +$CourseRequestDate = "Request date"; +$AcceptThisCourseRequest = "Accept this course"; +$ANewCourseWillBeCreated = "A new course %s is going to be created. Is it OK to proceed?"; +$AdditionalInfoWillBeAsked = "Additional information about %s course request is going to be asked through an e-mail message. Is it OK to proceed?"; +$AskAdditionalInfo = "Ask for additional information"; +$BrowserDontSupportsSVG = "Your browser does not support SVG files. To use the drawing tool you must have an advanced browser like: Firefox or Chrome"; +$BrowscapInfo = "Browscap loading browscap.ini file that contains a large amount of data on the browser and its capabilities, so it can be used by the function get_browser () PHP"; +$DeleteThisCourseRequest = "Delete this course request"; +$ACourseRequestWillBeDeleted = "The course request %s is going to be deleted. Is it OK to proceed?"; +$RejectThisCourseRequest = "Reject this course request"; +$ACourseRequestWillBeRejected = "The course request %s is going to be rejected. Is it OK to proceed?"; +$CourseRequestAccepted = "The course request %s has been accepted. A new course %s has been created."; +$CourseRequestAcceptanceFailed = "The course request %s has not been accepted due to internal error."; +$CourseRequestRejected = "The course request %s has been rejected."; +$CourseRequestRejectionFailed = "The course request %s has not been rejected due to internal error."; +$CourseRequestInfoAsked = "Additional information about the course request %s has been asked."; +$CourseRequestInfoFailed = "Additional information about the course request %s has not been asked due to internal error."; +$CourseRequestDeleted = "The course request %s has been deleted."; +$CourseRequestDeletionFailed = "The course request %s has not been deleted due to internal error."; +$DeleteCourseRequests = "Delete selected course request(s)"; +$SelectedCourseRequestsDeleted = "The selected course requests have been deleted."; +$SomeCourseRequestsNotDeleted = "Some of the selected course requests have not been deleted due to internal error."; +$CourseRequestEmailSubject = "%s A request for a new course %s"; +$CourseRequestMailOpening = "We registered the following request for a new course:"; +$CourseRequestPageForApproval = "This course request can be approved on the following page:"; +$PleaseActivateCourseValidationFeature = "The \"Course validation\" feature is not enabled at the moment. In order to use this feature, please, enable it by using the %s setting."; +$CourseRequestLegalNote = "The information about this course request is considered protected; it can be used only to open a new course within our e-learning portal; it should not be revealed to third parties."; +$EnableCourseValidation = "Courses validation"; +$EnableCourseValidationComment = "When the \"Courses validation\" feature is enabled, a teacher is not able to create a course alone. He/she fills a course request. The platform administrator reviews the request and approves it or rejects it.
        This feature relies on automated e-mail messaging; set Chamilo to access an e-mail server and to use a dedicated an e-mail account."; +$CourseRequestAskInfoEmailSubject = "%s A request for additional information about the course request %s"; +$CourseRequestAskInfoEmailText = "We have received your request for a new course with code %s. Before we consider it for approval, we need some additional information.\n\nPlease, provide brief information about the course content (description), the objectives, the learners or the users that are to be involved in the proposed course. If it is applicable, mention the name of the institution or the unit on which behalf you made the course request."; +$CourseRequestAcceptedEmailSubject = "%s The course request %s has been approved"; +$CourseRequestAcceptedEmailText = "Your course request %s has been approved. A new course %s has been created and you are registered in it as a teacher.\n\nYou can access your newly created course from: %s"; +$CourseRequestRejectedEmailSubject = "%s The course request %s has been rejected"; +$CourseRequestRejectedEmailText = "To our regret we have to inform you that your course request %s has been rejected due to not fulfilling the requirements of our Terms and Conditions."; +$CourseValidationTermsAndConditionsLink = "Course validation - a link to the terms and conditions"; +$CourseValidationTermsAndConditionsLinkComment = "This is the URL to the \"Terms and Conditions\" document that is valid for making a course request. If the address is set here, the user should read and agree with these terms and conditions before sending a course request.
        If you enable Chamilo's \"Terms and Conditions\" module and if you want its URL to be used, then leave this setting empty."; +$CourseCreationFailed = "The course has not been created due to an internal error."; +$CourseRequestCreationFailed = "The course request has not been created due to an internal error."; +$CourseRequestEdit = "Edit a course request"; +$CourseRequestHasNotBeenFound = "The course request you wanted to access has not been found or it does not exist."; +$FileExistsChangeToSave = "This file name already exists, choose another to save your image."; +$CourseRequestUpdateFailed = "The course request %s has not been updated due to internal error."; +$CourseRequestUpdated = "The course request %s has been updated."; +$FillWithExemplaryContent = "Fill with demo content"; +$EnableSSOTitle = "Single Sign On"; +$EnableSSOComment = "Enabling Single Sign On allows you to connect this platform as a slave of an authentication master, for example a Drupal website with the Drupal-Chamilo plugin or any other similar master setup."; +$SSOServerDomainTitle = "Domain of the Single Sign On server"; +$SSOServerDomainComment = "The domain of the Single Sign On server (the web address of the other server that will allow automatic registration to Chamilo). This should generally be the address of the other server without any trailing slash and without the protocol, e.g. www.example.com"; +$SSOServerAuthURITitle = "Single Sign On server authentication URL"; +$SSOServerAuthURIComment = "The address of the page that deals with the authentication verification. For example /?q=user in Drupal's case."; +$SSOServerUnAuthURITitle = "Single Sign On server's logout URL"; +$SSOServerUnAuthURIComment = "The address of the page on the server that logs the user out. This option is useful if you want users logging out of Chamilo to be automatically logged out of the authentication server."; +$SSOServerProtocolTitle = "Single Sign On server's protocol"; +$SSOServerProtocolComment = "The protocol string to prefix the Single Sign On server's domain (we recommend you use https:// if your server is able to provide this feature, as all non-secure protocols are dangerous for authentication matters)"; +$EnabledWirisTitle = "WIRIS mathematical editor"; +$EnabledWirisComment = "Enable WIRIS mathematical editor. Installing this plugin you get WIRIS editor and WIRIS CAS.
        This activation is not fully realized unless it has been previously downloaded the PHP plugin for CKeditor WIRIS and unzipped its contents in the Chamilo's directory main/inc/lib/javascript/ckeditor/plugins/
        This is necessary because Wiris is proprietary software and his services are commercial. To make adjustments to the plugin, edit configuration.ini file or replace his content by configuration.ini.default Chamilo file."; +$FileSavedAs = "File saved as"; +$FileExportAs = "File export as"; +$AllowSpellCheckTitle = "Spell check"; +$AllowSpellCheckComment = "Enable spell check"; +$EnabledSVGTitle = "Create and edit SVG files"; +$EnabledSVGComment = "This option allows you to create and edit SVG (Scalable Vector Graphics) multilayer online, as well as export them to png format images."; +$ForceWikiPasteAsPlainTextTitle = "Forcing pasting as plain text in the wiki"; +$ForceWikiPasteAsPlainTextComment = "This will prevent many hidden tags, incorrect or non-standard, copied from other texts to stop corrupting the text of the Wiki after many issues; but will lose some features while editing."; +$EnabledGooglemapsTitle = "Activate Google maps"; +$EnabledGooglemapsComment = "Activate the button to insert Google maps. Activation is not fully realized if not previously edited the file main/inc/lib/fckeditor/myconfig.php and added a Google maps API key."; +$EnabledImageMapsTitle = "Activate Image maps"; +$EnabledImageMapsComment = "Activate the button to insert Image maps. This allows you to associate URLs to areas of an image, creating hotspots."; +$RemoveSearchResults = "Clean search results"; +$ExerciseCantBeEditedAfterAddingToTheLP = "Exercise can't be edited after being added to the Learning Path"; +$CourseTool = "Course tool"; +$LPExerciseResultsBySession = "Results of learning paths exercises by session"; +$LPQuestionListResults = "Learning paths exercises results list"; +$PleaseSelectACourse = "Please select a course"; +$StudentScoreAverageIsCalculatedBaseInAllLPsAndAllAttempts = "Learner score average is calculated bases on all learning paths and all attempts"; +$AverageScore = "Average score"; +$LastConnexionDate = "Last connexion date"; +$ToolVideoconference = "Videoconference"; +$BigBlueButtonEnableTitle = "BigBlueButton videoconference tool"; $BigBlueButtonEnableComment = "Choose whether you want to enable the BigBlueButton videoconference tool. Once enabled, it will show as an additional course tool in all courses' homepage, and teachers will be able to launch a conference at any time. Learners will not be able to launch a conference, only join one. If you don't have a BigBlueButton server, please set one up or ask the Chamilo official providers for a quote. -BigBlueButton is a free (as in freedom *and* beer), but its installation requires a set of technical skills that might not be immediately available to all. You can install it on your own or seek professional help to assist you or do it for you. This help, however, will generate a certain cost. In the pure logic of the free software, we offer you the tools to make your work easier and recommend professionals (the Chamilo Official Providers) that will be able to help you if this were too difficult."; -$BigBlueButtonHostTitle = "BigBlueButton server host"; -$BigBlueButtonHostComment = "This is the name of the server where your BigBlueButton server is running. Might be localhost, an IP address (e.g. 192.168.13.54) or a domain name (e.g. my.video.com)."; -$BigBlueButtonSecuritySaltTitle = "Security key of the BigBlueButton server"; -$BigBlueButtonSecuritySaltComment = "This is the security key of your BigBlueButton server, which will allow your server to authentify the Chamilo installation. Refer to the BigBlueButton documentation to locate it."; -$SelectSVGEditImage = "Select a picture"; -$OnlyAccessFromYourGroup = "Only accessible from your group"; -$CreateAssignmentPage = "This will create a special wiki page in which the teacher can describe the task and which will be automatically linked to the wiki pages where learners perform the task. Both the teacher's and the learners' pages are created automatically. In these tasks, learners can only edit and view theirs pages, but this can be changed easily if you need to."; -$UserFolders = "Folders of users"; -$UserFolder = "User folder"; +BigBlueButton is a free (as in freedom *and* beer), but its installation requires a set of technical skills that might not be immediately available to all. You can install it on your own or seek professional help to assist you or do it for you. This help, however, will generate a certain cost. In the pure logic of the free software, we offer you the tools to make your work easier and recommend professionals (the Chamilo Official Providers) that will be able to help you if this were too difficult."; +$BigBlueButtonHostTitle = "BigBlueButton server host"; +$BigBlueButtonHostComment = "This is the name of the server where your BigBlueButton server is running. Might be localhost, an IP address (e.g. 192.168.13.54) or a domain name (e.g. my.video.com)."; +$BigBlueButtonSecuritySaltTitle = "Security key of the BigBlueButton server"; +$BigBlueButtonSecuritySaltComment = "This is the security key of your BigBlueButton server, which will allow your server to authentify the Chamilo installation. Refer to the BigBlueButton documentation to locate it."; +$SelectSVGEditImage = "Select a picture"; +$OnlyAccessFromYourGroup = "Only accessible from your group"; +$CreateAssignmentPage = "This will create a special wiki page in which the teacher can describe the task and which will be automatically linked to the wiki pages where learners perform the task. Both the teacher's and the learners' pages are created automatically. In these tasks, learners can only edit and view theirs pages, but this can be changed easily if you need to."; +$UserFolders = "Folders of users"; +$UserFolder = "User folder"; $HelpUsersFolder = "INFORMATION VISIBLE TO THE TEACHER ONLY:\nThe users folder contains a folder for each user who has accessed it through the documents tool, or when any file has been sent in the course through the online editor. If neither circumstances has occurred, then no user folder will have been created. In the case of groups, files that are sent through the editor will be added in the folder of each group, which is only accessible by students from this group.

        The users folder and each of the included folders will be hidden by default in for all students, but each student can see the contents of his/her directory through the online editor. However, if a student knows the address of a file or folder of another student, he may be able to access it. @@ -6178,1281 +6178,1281 @@ If the folder of a student is visible, other students can see what it contains.

        Moreover, the documents tool is synchronized with the file manager of the online editor, so changes in the documents triggered in any one of these will affect both.

        -As such, the user folder is not only a place to deposit files, it becomes a complete manager of the documents students use during the course. Also, remember that any user can copy a file that is visible from any folder in the documents tool (whether or not he is the owner) to his/her portfolios or personal documents area of social network, which will be available to him/her for use in other courses."; -$HelpFolderChat = "INFORMATION VISIBLE TO THE TEACHER ONLY:\nThis folder contains all sessions that have been opened in the chat. Although the chat sessions can often be trivial, others can be really interesting and worthy of being incorporated as an additional work document. To do this without changing the visibility of this folder, make the file visible and link it from where you deem appropriate. It is not recommended to make this folder visible to all."; -$HelpFolderCertificates = "INFORMATION VISIBLE TO THE TEACHER ONLY:\nThis folder contains the various certificates templates that have been created for the rating tool. It is not recommended to make this folder visible to all."; -$DestinationDirectory = "Destination folder"; -$CertificatesFiles = "Certificates"; -$ChatFiles = "Chat conversations history"; -$Flash = "Flash"; -$Video = "Video"; -$Images = "Images"; -$UploadCorrections = "Upload corrections"; -$Text2AudioTitle = "Enable online services for text to speech conversion"; -$Text2AudioComment = "Online tool to convert text to speech. Uses speech synthesis technology to generate audio files saved into your course."; -$ShowUsersFoldersTitle = "Show users folders in the documents tool"; -$ShowUsersFoldersComment = "This option allows you to show or hide to teachers the folders that the system generates for each user who visits the tool documents or send a file through the web editor. If you display these folders to the teachers, they may make visible or not the learners and allow each learner to have a specific place on the course where not only store documents, but where they can also create and edit web pages and to export to pdf, make drawings, make personal web templates, send files, as well as create, move and delete directories and files and make security copies from their folders. Each user of course have a complete document manager. Also, remember that any user can copy a file that is visible from any folder in the documents tool (whether or not the owner) to his/her portfolios or personal documents area of social network, which will be available for his/her can use it in other courses."; -$ShowDefaultFoldersTitle = "Show in documents tool all folders containing multimedia resources supplied by default"; -$ShowDefaultFoldersComment = "Multimedia file folders containing files supplied by default organized in categories of video, audio, image and flash animations to use in their courses. Although you make it invisible into the document tool, you can still use these resources in the platform web editor."; -$ShowChatFolderTitle = "Show the history folder of chat conversations"; -$ShowChatFolderComment = "This will show to theacher the folder that contains all sessions that have been made in the chat, the teacher can make them visible or not learners and use them as a resource"; -$EnabledStudentExport2PDFTitle = "Allow learners to export web documents to PDF format in the documents and wiki tools"; -$EnabledStudentExport2PDFComment = "This feature is enabled by default, but in case of server overload abuse it, or specific learning environments, might want to disable it for all courses."; -$EnabledInsertHtmlTitle = "Allow insertion of widgets"; -$EnabledInsertHtmlComment = "This allows you to embed on your webpages your favorite videos and applications such as vimeo or slideshare and all sorts of widgets and gadgets"; -$CreateAudio = "Create audio"; -$InsertText2Audio = "Enter the text you want to convert to an audio file"; -$HelpText2Audio = "Convert your text to speech"; -$BuildMP3 = "Build mp3"; -$Voice = "Voice"; -$Female = "Female"; -$Male = "Male"; -$IncludeAsciiMathMlTitle = "Load the Mathjax library in all the system pages"; -$IncludeAsciiMathMlComment = "Activate this setting if you want to show MathML-based mathematical formulas and ASCIIsvg-based mathematical graphics not only in the \"Documents\" tool, but elsewhere in the system."; -$CourseHideToolsTitle = "Hide tools from teachers"; -$CourseHideToolsComment = "Check the tools you want to hide from teachers. This will prohibit access to the tool."; -$GoogleAudio = "Use Google audio services"; -$vozMe = "Use vozMe audio services"; -$HelpGoogleAudio = "Supports up to 100 characters in a wide variety of languages. The files are generated and automatically saved into the Chamilo directory where you currently are."; -$HelpvozMe = "Supports text of several thousands characters, you can also select the type of voice, male or female. It works with fewer languages, however, and the audio quality is lower. Finally, you'll have to download the files manually from a new window."; -$SaveMP3 = "Save mp3"; -$OpenInANewWindow = "Open in a new window"; -$Speed = "Speed"; -$GoFaster = "Faster"; -$Fast = "Fast"; -$Slow = "Slow"; -$SlowDown = "Slower"; -$Pediaphon = "Use Pediaphon audio services"; -$HelpPediaphon = "Supports text with several thousands characters, in various types of male and female voices (depending on the language). Audio files will be generated and automatically saved to the Chamilo directory in which you are."; -$FirstSelectALanguage = "Please select a language"; -$MoveUserStats = "Move users results from/to a session"; +As such, the user folder is not only a place to deposit files, it becomes a complete manager of the documents students use during the course. Also, remember that any user can copy a file that is visible from any folder in the documents tool (whether or not he is the owner) to his/her portfolios or personal documents area of social network, which will be available to him/her for use in other courses."; +$HelpFolderChat = "INFORMATION VISIBLE TO THE TEACHER ONLY:\nThis folder contains all sessions that have been opened in the chat. Although the chat sessions can often be trivial, others can be really interesting and worthy of being incorporated as an additional work document. To do this without changing the visibility of this folder, make the file visible and link it from where you deem appropriate. It is not recommended to make this folder visible to all."; +$HelpFolderCertificates = "INFORMATION VISIBLE TO THE TEACHER ONLY:\nThis folder contains the various certificates templates that have been created for the rating tool. It is not recommended to make this folder visible to all."; +$DestinationDirectory = "Destination folder"; +$CertificatesFiles = "Certificates"; +$ChatFiles = "Chat conversations history"; +$Flash = "Flash"; +$Video = "Video"; +$Images = "Images"; +$UploadCorrections = "Upload corrections"; +$Text2AudioTitle = "Enable online services for text to speech conversion"; +$Text2AudioComment = "Online tool to convert text to speech. Uses speech synthesis technology to generate audio files saved into your course."; +$ShowUsersFoldersTitle = "Show users folders in the documents tool"; +$ShowUsersFoldersComment = "This option allows you to show or hide to teachers the folders that the system generates for each user who visits the tool documents or send a file through the web editor. If you display these folders to the teachers, they may make visible or not the learners and allow each learner to have a specific place on the course where not only store documents, but where they can also create and edit web pages and to export to pdf, make drawings, make personal web templates, send files, as well as create, move and delete directories and files and make security copies from their folders. Each user of course have a complete document manager. Also, remember that any user can copy a file that is visible from any folder in the documents tool (whether or not the owner) to his/her portfolios or personal documents area of social network, which will be available for his/her can use it in other courses."; +$ShowDefaultFoldersTitle = "Show in documents tool all folders containing multimedia resources supplied by default"; +$ShowDefaultFoldersComment = "Multimedia file folders containing files supplied by default organized in categories of video, audio, image and flash animations to use in their courses. Although you make it invisible into the document tool, you can still use these resources in the platform web editor."; +$ShowChatFolderTitle = "Show the history folder of chat conversations"; +$ShowChatFolderComment = "This will show to theacher the folder that contains all sessions that have been made in the chat, the teacher can make them visible or not learners and use them as a resource"; +$EnabledStudentExport2PDFTitle = "Allow learners to export web documents to PDF format in the documents and wiki tools"; +$EnabledStudentExport2PDFComment = "This feature is enabled by default, but in case of server overload abuse it, or specific learning environments, might want to disable it for all courses."; +$EnabledInsertHtmlTitle = "Allow insertion of widgets"; +$EnabledInsertHtmlComment = "This allows you to embed on your webpages your favorite videos and applications such as vimeo or slideshare and all sorts of widgets and gadgets"; +$CreateAudio = "Create audio"; +$InsertText2Audio = "Enter the text you want to convert to an audio file"; +$HelpText2Audio = "Convert your text to speech"; +$BuildMP3 = "Build mp3"; +$Voice = "Voice"; +$Female = "Female"; +$Male = "Male"; +$IncludeAsciiMathMlTitle = "Load the Mathjax library in all the system pages"; +$IncludeAsciiMathMlComment = "Activate this setting if you want to show MathML-based mathematical formulas and ASCIIsvg-based mathematical graphics not only in the \"Documents\" tool, but elsewhere in the system."; +$CourseHideToolsTitle = "Hide tools from teachers"; +$CourseHideToolsComment = "Check the tools you want to hide from teachers. This will prohibit access to the tool."; +$GoogleAudio = "Use Google audio services"; +$vozMe = "Use vozMe audio services"; +$HelpGoogleAudio = "Supports up to 100 characters in a wide variety of languages. The files are generated and automatically saved into the Chamilo directory where you currently are."; +$HelpvozMe = "Supports text of several thousands characters, you can also select the type of voice, male or female. It works with fewer languages, however, and the audio quality is lower. Finally, you'll have to download the files manually from a new window."; +$SaveMP3 = "Save mp3"; +$OpenInANewWindow = "Open in a new window"; +$Speed = "Speed"; +$GoFaster = "Faster"; +$Fast = "Fast"; +$Slow = "Slow"; +$SlowDown = "Slower"; +$Pediaphon = "Use Pediaphon audio services"; +$HelpPediaphon = "Supports text with several thousands characters, in various types of male and female voices (depending on the language). Audio files will be generated and automatically saved to the Chamilo directory in which you are."; +$FirstSelectALanguage = "Please select a language"; +$MoveUserStats = "Move users results from/to a session"; $CompareUserResultsBetweenCoursesAndCoursesInASession = "This advanced tool allows you to manually improve the tracking of users results when moving from courses methodology to sessions methodology. In most cases, you won't need to use it.
        On this screen, you can compare results of users between the context of a standalone course, and the context of the same course inside a session.
        -Once you are sure about what to do, you can choose to move the tracking data of the students (exercises results and learning paths tracking) from a course to a session."; -$PDFExportWatermarkEnableTitle = "Enable watermark in PDF export"; -$PDFExportWatermarkEnableComment = "By enabling this option, you can upload an image or a text that will be automatically added as watermark to all PDF exports of documents on the system."; -$AddWaterMark = "Upload a watermark image"; -$PDFExportWatermarkByCourseTitle = "Enable watermark definition by course"; -$PDFExportWatermarkByCourseComment = "When this option is enabled, teachers can define their own watermark for the documents in their courses."; -$PDFExportWatermarkTextTitle = "PDF watermark text"; -$PDFExportWatermarkTextComment = "This text will be added as a watermark to the documents exports as PDF."; -$ExerciseMinScoreTitle = "Minimum score of exercises"; -$ExerciseMinScoreComment = "Define a minimum score (generally 0) for all the exercises on the platform. This will define how final results are shown to users and teachers."; -$ExerciseMaxScoreTitle = "Maximum score of exercises"; -$ExerciseMaxScoreComment = "Define a maximum score (generally 10,20 or 100) for all the exercises on the platform. This will define how final results are shown to users and teachers."; -$AddPicture = "Add a picture"; -$LPAutoLaunch = "Enable learning path auto-launch"; -$UseMaxScore100 = "Use default maximum score of 100"; -$EnableLPAutoLaunch = "Enable learning path auto-launch"; -$DisableLPAutoLaunch = "Disable learning path auto-launch"; -$TheLPAutoLaunchSettingIsONStudentsWillBeRedirectToAnSpecificLP = "The learning path auto-launch setting is ON. When learners enter this course, they will be automatically redirected to the learning path marked as auto-launch."; -$UniqueAnswerNoOption = "Unique answer with unknown"; -$MultipleAnswerTrueFalse = "Multiple answer true/false/don't know"; -$MultipleAnswerCombinationTrueFalse = "Combination true/false/don't-know"; -$DontKnow = "Don't know"; -$ExamNotAvailableAtThisTime = "Exam not available at this time"; -$LoginOrEmailAddress = "Username or e-mail address"; -$EnableMathJaxTitle = "Enable MathJax"; -$Activate = "Activate"; -$Deactivate = "Deactivate"; -$ConfigLearnpath = "Learning path settings"; -$CareersAndPromotions = "Careers and promotions"; -$Careers = "Careers"; -$Promotions = "Promotions"; -$Updated = "Update successful"; -$Career = "Career"; -$SubscribeSessionsToPromotions = "Subscribe sessions to promotions"; -$SessionsInPlatform = "Sessions not subscribed"; -$FirstLetterSessions = "First letter of session name"; -$SessionsInPromotion = "Sessions in this promotion"; -$SubscribeSessionsToPromotion = "Subscribe sessions to promotion"; -$NoEndTime = "No end time"; -$SubscribeUsersToClass = "Subscribe users to class"; -$SubscribeClassToCourses = "Subscribe class to courses"; -$SubscribeClassToSessions = "Subscribe class to sessions"; -$SessionsInGroup = "Sessions in group"; -$CoursesInGroup = "Courses in group"; -$UsersInGroup = "Users in group"; -$UsersInPlatform = "Users on platform"; -$Profile = "Profile"; -$CreatedAt = "Created at"; -$UpdatedAt = "Updated at"; -$CreatedOn = "Created on"; -$UpdatedOn = "Updated on"; -$Paint = "Paint"; -$MyResults = "My results"; -$LearningPaths = "Learning paths"; -$AllLearningPaths = "All learning paths"; -$ByCourse = "By course"; -$MyQCM = "My MCQ"; -$LearnpathUpdated = "Learning path updated"; -$YouNeedToCreateACareerFirst = "You will have to create a career before you can add promotions (promotions are sub-elements of a career)"; -$OutputBufferingInfo = "Output buffering setting is \"On\" for being enabled or \"Off\" for being disabled. This setting also may be enabled through an integer value (4096 for example) which is the output buffer size."; -$LoadedExtension = "Extension loaded"; -$AddACourse = "Add a course"; -$PerWeek = "Per week"; -$SubscribeGroupToSessions = "Subscribe group to sessions"; -$SubscribeGroupToCourses = "Subscribe group to courses"; -$CompareStats = "Compare stats"; -$RenameAndComment = "Rename and comment"; -$PhotoRetouching = "Photo retouching"; -$EnabledPixlrTitle = "Enable external Pixlr services"; -$EnabledPixlrComment = "Pixlr allow you to edit, adjust and filter your photos with features similar to Photoshop. It is the ideal complement to process images based on bitmaps"; -$PromotionXArchived = "The %s promotion has been archived. This action has the consequence of making invisible all sessions registered into this promotion. You can undo this by unarchiving this promotion."; -$PromotionXUnarchived = "The %s promotion has been unarchived. This action has the consequence of making visible all sessions registered into this promotion. You can undo this by archiving the promotion."; -$CareerXArchived = "The %s career has been archived. This action has the consequence of making invisible the career, its promotions and all the sessions registered into this promotion. You can undo this by unarchiving the career."; -$CareerXUnarchived = "The %s career has been unarchived. This action has the consequence of making visible the career, its promotions and all the sessions registered into this promotion. You can undo this by archiving the career."; -$SeeAll = "See all"; -$SeeOnlyArchived = "See only archived"; -$SeeOnlyUnarchived = "See only unarchived"; -$LatestAttempt = "Latest attempt"; -$PDFWaterMarkHeader = "Watermark header in PDF exports"; -$False = "False"; -$DoubtScore = "Don't know"; -$RegistrationByUsersGroups = "Enrolment by classes"; -$ContactInformationHasNotBeenSent = "Your contact information could not be sent. This is probably due to a temporary network problem. Please try again in a few seconds. If the problem remains, ignore this registration process and simply click the button to go to the next step."; -$FillCourses = "Fill courses"; -$FillSessions = "Fill sessions"; -$FileDeleted = "File deleted"; -$MyClasses = "My classes"; -$Archived = "Archived"; -$Unarchived = "Unarchived"; -$PublicationDate = "Publication date"; -$MySocialGroups = "My social groups"; -$SocialGroups = "Social groups"; -$CreateASocialGroup = "Create a social group"; -$StatsUsersDidNotLoginInLastPeriods = "Not logged in for some time"; -$LastXMonths = "Last %i months"; -$NeverConnected = "Never connected"; -$EnableAccessibilityFontResizeTitle = "Font resize accessibility feature"; -$EnableAccessibilityFontResizeComment = "Enable this option to show a set of font resize options on the top-right side of your campus. This will allow visually impaired to read their course contents more easily."; -$HotSpotDelineation = "Hotspot delineation"; -$CorrectAndRate = "Correct and rate"; -$AtOnce = "Upon reception"; -$Daily = "Once a day"; -$QuestionsAreTakenFromLPExercises = "These questions have been taken from the learning paths"; -$AllStudentsAttemptsAreConsidered = "All learners attempts are considered"; -$ViewModeEmbedFrame = "Current view mode: external embed. Use only for embedding in external sites."; -$ItemAdded = "Item added"; -$ItemDeleted = "Item deleted"; -$ItemUpdated = "Item updated"; -$ItemCopied = "Item copied"; -$MyStatistics = "My statistics"; -$PublishedExercises = "Exercises available"; -$DoneExercises = "Exercises taken"; -$AverageExerciseResult = "Average exercise result"; -$LPProgress = "Learning path progress"; -$Ranking = "Ranking"; -$BestResultInCourse = "Best result in course"; -$ExerciseStartDate = "Publication date"; -$FromDateXToDateY = "From %s to %s"; -$RedirectToALearningPath = "Redirect to a selected learning path"; -$RedirectToTheLearningPathList = "Redirect to the learning paths list"; -$PropagateNegativeResults = "Propagate negative results between questions"; -$LPNotVisibleToStudent = "Learners cannot see this learning path"; -$InsertALinkToThisQuestionInTheExercise = "Use this question in the test as a link (not a copy)"; -$CourseThematicAdvance = "Course progress"; -$OnlyShowScore = "Practice mode: Show score only, by category if at least one is used"; -$Clean = "Clean"; -$OnlyBestResultsPerStudent = "In case of multiple attempts, only shows the best result of each learner"; -$EditMembersList = "Edit members list"; -$BestAttempt = "Best attempt"; -$ExercisesInTimeProgressChart = "Progress of own exercises results over time, against learners average"; -$MailNotifyInvitation = "Notify by mail on new invitation received"; -$MailNotifyMessage = "Notify by mail on new personal message received"; -$MailNotifyGroupMessage = "Notify by mail on new message received in group"; -$SearchEnabledTitle = "Fulltext search"; +Once you are sure about what to do, you can choose to move the tracking data of the students (exercises results and learning paths tracking) from a course to a session."; +$PDFExportWatermarkEnableTitle = "Enable watermark in PDF export"; +$PDFExportWatermarkEnableComment = "By enabling this option, you can upload an image or a text that will be automatically added as watermark to all PDF exports of documents on the system."; +$AddWaterMark = "Upload a watermark image"; +$PDFExportWatermarkByCourseTitle = "Enable watermark definition by course"; +$PDFExportWatermarkByCourseComment = "When this option is enabled, teachers can define their own watermark for the documents in their courses."; +$PDFExportWatermarkTextTitle = "PDF watermark text"; +$PDFExportWatermarkTextComment = "This text will be added as a watermark to the documents exports as PDF."; +$ExerciseMinScoreTitle = "Minimum score of exercises"; +$ExerciseMinScoreComment = "Define a minimum score (generally 0) for all the exercises on the platform. This will define how final results are shown to users and teachers."; +$ExerciseMaxScoreTitle = "Maximum score of exercises"; +$ExerciseMaxScoreComment = "Define a maximum score (generally 10,20 or 100) for all the exercises on the platform. This will define how final results are shown to users and teachers."; +$AddPicture = "Add a picture"; +$LPAutoLaunch = "Enable learning path auto-launch"; +$UseMaxScore100 = "Use default maximum score of 100"; +$EnableLPAutoLaunch = "Enable learning path auto-launch"; +$DisableLPAutoLaunch = "Disable learning path auto-launch"; +$TheLPAutoLaunchSettingIsONStudentsWillBeRedirectToAnSpecificLP = "The learning path auto-launch setting is ON. When learners enter this course, they will be automatically redirected to the learning path marked as auto-launch."; +$UniqueAnswerNoOption = "Unique answer with unknown"; +$MultipleAnswerTrueFalse = "Multiple answer true/false/don't know"; +$MultipleAnswerCombinationTrueFalse = "Combination true/false/don't-know"; +$DontKnow = "Don't know"; +$ExamNotAvailableAtThisTime = "Exam not available at this time"; +$LoginOrEmailAddress = "Username or e-mail address"; +$EnableMathJaxTitle = "Enable MathJax"; +$Activate = "Activate"; +$Deactivate = "Deactivate"; +$ConfigLearnpath = "Learning path settings"; +$CareersAndPromotions = "Careers and promotions"; +$Careers = "Careers"; +$Promotions = "Promotions"; +$Updated = "Update successful"; +$Career = "Career"; +$SubscribeSessionsToPromotions = "Subscribe sessions to promotions"; +$SessionsInPlatform = "Sessions not subscribed"; +$FirstLetterSessions = "First letter of session name"; +$SessionsInPromotion = "Sessions in this promotion"; +$SubscribeSessionsToPromotion = "Subscribe sessions to promotion"; +$NoEndTime = "No end time"; +$SubscribeUsersToClass = "Subscribe users to class"; +$SubscribeClassToCourses = "Subscribe class to courses"; +$SubscribeClassToSessions = "Subscribe class to sessions"; +$SessionsInGroup = "Sessions in group"; +$CoursesInGroup = "Courses in group"; +$UsersInGroup = "Users in group"; +$UsersInPlatform = "Users on platform"; +$Profile = "Profile"; +$CreatedAt = "Created at"; +$UpdatedAt = "Updated at"; +$CreatedOn = "Created on"; +$UpdatedOn = "Updated on"; +$Paint = "Paint"; +$MyResults = "My results"; +$LearningPaths = "Learning paths"; +$AllLearningPaths = "All learning paths"; +$ByCourse = "By course"; +$MyQCM = "My MCQ"; +$LearnpathUpdated = "Learning path updated"; +$YouNeedToCreateACareerFirst = "You will have to create a career before you can add promotions (promotions are sub-elements of a career)"; +$OutputBufferingInfo = "Output buffering setting is \"On\" for being enabled or \"Off\" for being disabled. This setting also may be enabled through an integer value (4096 for example) which is the output buffer size."; +$LoadedExtension = "Extension loaded"; +$AddACourse = "Add a course"; +$PerWeek = "Per week"; +$SubscribeGroupToSessions = "Subscribe group to sessions"; +$SubscribeGroupToCourses = "Subscribe group to courses"; +$CompareStats = "Compare stats"; +$RenameAndComment = "Rename and comment"; +$PhotoRetouching = "Photo retouching"; +$EnabledPixlrTitle = "Enable external Pixlr services"; +$EnabledPixlrComment = "Pixlr allow you to edit, adjust and filter your photos with features similar to Photoshop. It is the ideal complement to process images based on bitmaps"; +$PromotionXArchived = "The %s promotion has been archived. This action has the consequence of making invisible all sessions registered into this promotion. You can undo this by unarchiving this promotion."; +$PromotionXUnarchived = "The %s promotion has been unarchived. This action has the consequence of making visible all sessions registered into this promotion. You can undo this by archiving the promotion."; +$CareerXArchived = "The %s career has been archived. This action has the consequence of making invisible the career, its promotions and all the sessions registered into this promotion. You can undo this by unarchiving the career."; +$CareerXUnarchived = "The %s career has been unarchived. This action has the consequence of making visible the career, its promotions and all the sessions registered into this promotion. You can undo this by archiving the career."; +$SeeAll = "See all"; +$SeeOnlyArchived = "See only archived"; +$SeeOnlyUnarchived = "See only unarchived"; +$LatestAttempt = "Latest attempt"; +$PDFWaterMarkHeader = "Watermark header in PDF exports"; +$False = "False"; +$DoubtScore = "Don't know"; +$RegistrationByUsersGroups = "Enrolment by classes"; +$ContactInformationHasNotBeenSent = "Your contact information could not be sent. This is probably due to a temporary network problem. Please try again in a few seconds. If the problem remains, ignore this registration process and simply click the button to go to the next step."; +$FillCourses = "Fill courses"; +$FillSessions = "Fill sessions"; +$FileDeleted = "File deleted"; +$MyClasses = "My classes"; +$Archived = "Archived"; +$Unarchived = "Unarchived"; +$PublicationDate = "Publication date"; +$MySocialGroups = "My social groups"; +$SocialGroups = "Social groups"; +$CreateASocialGroup = "Create a social group"; +$StatsUsersDidNotLoginInLastPeriods = "Not logged in for some time"; +$LastXMonths = "Last %i months"; +$NeverConnected = "Never connected"; +$EnableAccessibilityFontResizeTitle = "Font resize accessibility feature"; +$EnableAccessibilityFontResizeComment = "Enable this option to show a set of font resize options on the top-right side of your campus. This will allow visually impaired to read their course contents more easily."; +$HotSpotDelineation = "Hotspot delineation"; +$CorrectAndRate = "Correct and rate"; +$AtOnce = "Upon reception"; +$Daily = "Once a day"; +$QuestionsAreTakenFromLPExercises = "These questions have been taken from the learning paths"; +$AllStudentsAttemptsAreConsidered = "All learners attempts are considered"; +$ViewModeEmbedFrame = "Current view mode: external embed. Use only for embedding in external sites."; +$ItemAdded = "Item added"; +$ItemDeleted = "Item deleted"; +$ItemUpdated = "Item updated"; +$ItemCopied = "Item copied"; +$MyStatistics = "My statistics"; +$PublishedExercises = "Exercises available"; +$DoneExercises = "Exercises taken"; +$AverageExerciseResult = "Average exercise result"; +$LPProgress = "Learning path progress"; +$Ranking = "Ranking"; +$BestResultInCourse = "Best result in course"; +$ExerciseStartDate = "Publication date"; +$FromDateXToDateY = "From %s to %s"; +$RedirectToALearningPath = "Redirect to a selected learning path"; +$RedirectToTheLearningPathList = "Redirect to the learning paths list"; +$PropagateNegativeResults = "Propagate negative results between questions"; +$LPNotVisibleToStudent = "Learners cannot see this learning path"; +$InsertALinkToThisQuestionInTheExercise = "Use this question in the test as a link (not a copy)"; +$CourseThematicAdvance = "Course progress"; +$OnlyShowScore = "Practice mode: Show score only, by category if at least one is used"; +$Clean = "Clean"; +$OnlyBestResultsPerStudent = "In case of multiple attempts, only shows the best result of each learner"; +$EditMembersList = "Edit members list"; +$BestAttempt = "Best attempt"; +$ExercisesInTimeProgressChart = "Progress of own exercises results over time, against learners average"; +$MailNotifyInvitation = "Notify by mail on new invitation received"; +$MailNotifyMessage = "Notify by mail on new personal message received"; +$MailNotifyGroupMessage = "Notify by mail on new message received in group"; +$SearchEnabledTitle = "Fulltext search"; $SearchEnabledComment = "This feature allows you to index most of the documents uploaded to your portal, then provide a search feature for users.
        This feature will not index documents that have already been uploaded, so it is important to enable (if wanted) at the beginning of your implementation.
        -Once enabled, a search box will appear in the courses list of every user. Searching for a specific term will bring a list of corresponding documents, exercises or forum topics, filtered depending on the availability of these contents to the user."; -$SpecificSearchFieldsAvailable = "Available custom search fields"; -$XapianModuleInstalled = "Xapian module installed"; -$ClickToSelectOrDragAndDropMultipleFilesOnTheUploadField = "Click on the box below to select files from your computer (you can use CTRL + clic to select various files at a time), or drag and drop some files from your desktop directly over the box below. The system will handle the rest!"; -$Simple = "Simple"; -$Multiple = "Multiple"; -$UploadFiles = "Click or drag and drop files here to upload them"; -$ImportExcelQuiz = "Import quiz from Excel"; -$DownloadExcelTemplate = "Download the Excel Template"; -$YouAreCurrentlyUsingXOfYourX = "You are currently using %s MB (%s) of your %s MB."; -$AverageIsCalculatedBasedInAllAttempts = "Average is calculated based on all test attempts"; -$AverageIsCalculatedBasedInTheLatestAttempts = "Average is calculated based on the latest attempts"; -$LatestAttemptAverageScore = "Latest attempt average score"; -$SupportedFormatsForIndex = "Supported formats for index"; -$Installed = "Installed"; -$NotInstalled = "Not installed"; -$Settings = "Settings"; -$ProgramsNeededToConvertFiles = "Programs needed to convert files"; -$YouAreUsingChamiloInAWindowsPlatformSadlyYouCantConvertDocumentsInOrderToSearchTheContentUsingThisTool = "You are using Chamilo in a Windows platform, sadly you can't convert documents in order to search the content using this tool"; -$OnlyLettersAndNumbers = "Only letters (a-z) and numbers (0-9)"; -$HideCoursesInSessionsTitle = "Hide courses list in sessions"; -$HideCoursesInSessionsComment = "When showing the session block in your courses page, hide the list of courses inside that session (only show them inside the specific session screen)."; -$ShowGroupsToUsersTitle = "Show classes to users"; -$ShowGroupsToUsersComment = "Show the classes to users. Classes are a feature that allow you to register/unregister groups of users into a session or a course directly, reducing the administrative hassle. When you pick this option, learners will be able to see in which class they are through their social network interface."; -$ExerciseWillBeActivatedFromXToY = "Exercise will be activated from %s to %s"; -$ExerciseAvailableFromX = "Exercise available from %s"; -$ExerciseAvailableUntilX = "Exercise available until %s"; -$HomepageViewActivityBig = "Big activity view (Ipad style)"; -$CheckFilePermissions = "Check file permissions"; -$AddedToALP = "Added to a LP"; -$NotAvailable = "Not available"; -$ToolSearch = "Search"; -$EnableQuizScenarioTitle = "Enable Quiz scenario"; -$EnableQuizScenarioComment = "From here you will be able to create exercises that propose different questions depending in the user's answers."; -$NanogongNoApplet = "Can't find the applet Nanogong"; -$NanogongRecordBeforeSave = "Before try to send the file you should make the recording"; -$NanogongGiveTitle = "You did not give a name to file"; -$NanogongFailledToSubmit = "Failed to submit the voice recording"; -$NanogongSubmitted = "Voice recording has been submitted"; -$RecordMyVoice = "Record my voice"; -$PressRecordButton = "To start recording press the red button"; -$VoiceRecord = "Voice record"; -$BrowserNotSupportNanogongSend = "Your browser does not send your recording to the platform, although you can save on your computer disk and send it later. To have all the features, we recommend using advanced browsers such as Firefox or Chrome."; -$FileExistRename = "Already exist a file with the same name. Please, rename the file."; -$EnableNanogongTitle = "Activate recorder - voice player Nanogong"; -$EnableNanogongComment = "Nanongong is a recorder - voice player that allows you to record your voice and send it to the platform or download it into your hard drive. It also lets you play what you recorded. The learners only need a microphone and speakers, and accept the load applet when first loaded. It is very useful for language learners to hear his voice after listening the correct pronunciation proposed by teacher in a wav voice file."; -$GradebookAndAttendances = "Assessments and attendances"; -$ExerciseAndLPsAreInvisibleInTheNewCourse = "Exercises and learning paths are invisible in the new course"; -$SelectADateRange = "Select a date range"; -$AreYouSureToLockedTheEvaluation = "Are you sure you want to lock the evaluation?"; -$AreYouSureToUnLockedTheEvaluation = "Are you sure you want to unlock the evaluation?"; -$EvaluationHasBeenUnLocked = "Evaluation has been unlocked"; -$EvaluationHasBeenLocked = "Evaluation has been locked"; -$AllDone = "All done"; -$AllNotDone = "All not done"; -$IfYourLPsHaveAudioFilesIncludedYouShouldSelectThemFromTheDocuments = "If your Learning paths have audio files included, you should select them from the documents"; -$IfYouPlanToUpgradeFromOlderVersionYouMightWantToHaveAlookAtTheChangelog = "If you plan to upgrade from an older version of Chamilo, you might want to have a look at the changelog to know what's new and what has been changed"; -$UplUploadFailedSizeIsZero = "There was a problem uploading your document: the received file had a 0 bytes size on the server. Please, review your local file for any corruption or damage, then try again."; -$YouMustChooseARelationType = "You have to choose a relation type"; -$SelectARelationType = "Relation type selection"; -$AddUserToURL = "Add user to this URL"; -$CourseBelongURL = "Course registered to the URL"; -$AtLeastOneSessionAndOneURL = "You have to select at least one session and one URL"; -$SelectURL = "Select a URL"; -$SessionsWereEdited = "The sessions have been updated."; -$URLDeleted = "URL deleted."; -$CannotDeleteURL = "Cannot delete this URL."; -$CoursesInPlatform = "Courses on the platform."; -$UsersEdited = "Users updated."; -$CourseHome = "Course homepage"; -$ComingSoon = "Coming soon..."; -$DummyCourseOnlyOnTestServer = "Dummy course content - only available on test platforms."; -$ThereAreNotSelectedCoursesOrCoursesListIsEmpty = "There are no selected courses or the courses list is empty."; -$CodeTwiceInFile = "A code has been used twice in the file. This is not authorized. Courses codes should be unique."; -$CodeExists = "This code exists"; -$UnkownCategoryCourseCode = "The category could not be found"; -$LinkedCourseTitle = "Title of related course"; -$LinkedCourseCode = "Linked course's code"; -$AssignUsersToSessionsAdministrator = "Assign users to sessions administrator"; -$AssignedUsersListToSessionsAdministrator = "Assign a users list to the sessions administrator"; -$GroupUpdated = "Class updated."; -$GroupDeleted = "Class deleted."; -$CannotDeleteGroup = "The class could not be deleted."; -$SomeGroupsNotDeleted = "Some of the classes could not be deleted."; -$DontUnchek = "Don't uncheck"; -$Modified = "Modified"; -$SessionsList = "Sessions list"; -$Promotion = "Promotion"; -$UpdateSession = "Update session"; -$Path = "Path"; -$Over100 = "Over 100"; -$UnderMin = "Under the minimum."; -$SelectOptionExport = "Select export option"; -$FieldEdited = "Field added."; -$LanguageParentNotExist = "The parent language does not exist."; -$TheSubLanguageHasNotBeenRemoved = "The sub-language has not been removed."; -$ShowOrHide = "Show/Hide"; -$StatusCanNotBeChangedToHumanResourcesManager = "The status of this user cannot be changed to human resources manager."; -$FieldTaken = "Field taken"; -$AuthSourceNotAvailable = "Authentication source unavailable."; -$UsersSubscribedToSeveralCoursesBecauseOfVirtualCourses = "Users subscribed to several courses through the use of virtual courses."; -$NoUrlForThisUser = "This user doesn't have a related URL."; -$ExtraData = "Extra data"; -$ExercisesInLp = "Exercises in learning paths"; -$Id = "Id"; -$ThereWasAnError = "There was an error."; -$CantMoveToTheSameSession = "Cannot move this to the same session."; -$StatsMoved = "Stats moved."; -$UserInformationOfThisCourse = "User information for this course"; -$OriginCourse = "Original course"; -$OriginSession = "Original session"; -$DestinyCourse = "Destination course"; -$DestinySession = "Destination session"; -$CourseDoesNotExistInThisSession = "The course does not exist in this session. The copy will work only from one course in one session to the same course in another session."; -$UserNotRegistered = "User not registered."; -$ViewStats = "View stats"; -$Responsable = "Responsible"; -$TheAttendanceSheetIsLocked = "The attendance sheet is locked."; -$Presence = "Assistance"; -$ACourseCategoryWithThisNameAlreadyExists = "A course category with the same name already exists."; -$OpenIDRedirect = "OpenID redirect"; -$Blogs = "Blogs"; -$SelectACourse = "Select a course"; -$PleaseSelectACourseOrASessionInTheLeftColumn = "Please select a course or a session in the sidebar."; -$Others = "Others"; -$BackToCourseDesriptionList = "Back to the course description"; -$Postpone = "Postpone"; -$NotHavePermission = "The user doesn't have permissions to do the requested operation."; -$CourseCodeAlreadyExistExplained = "When a course code is duplicated, the database system detects a course code that already exists and prevents the creation of a duplicate. Please ensure no course code is duplicated."; -$NewImage = "New image"; -$Untitled = "Untitled"; -$CantDeleteReadonlyFiles = "Cannot delete files that are configured in read-only mode."; -$InvalideUserDetected = "Invalid user detected."; -$InvalideGroupDetected = "Invalid group detected."; -$OverviewOfFilesInThisZip = "Overview of diles in this Zip"; -$TestLimitsAdded = "Tests limits added"; -$AddLimits = "Add limits"; -$Unlimited = "Unlimited"; -$LimitedTime = "Limited time"; -$LimitedAttempts = "Limited attempts"; -$Times = "Times"; -$Random = "Random"; -$ExerciseTimerControlMinutes = "Enable exercise timer controller."; -$Numeric = "Numerical"; -$Acceptable = "Acceptable"; -$Hotspot = "Hotspot"; -$ChangeTheVisibilityOfTheCurrentImage = "Change the visibility of the current image"; -$Steps = "Steps"; -$OriginalValue = "Original value"; -$ChooseAnAnswer = "Choose an answer"; -$ImportExercise = "Import exercise"; -$MultipleChoiceMultipleAnswers = "Multiple choice, multiple answers"; -$MultipleChoiceUniqueAnswer = "Multiple choice, unique answer"; -$HotPotatoesFiles = "HotPotatoes files"; -$OAR = "Area to avoid"; -$TotalScoreTooBig = "Total score is too big"; -$InvalidQuestionType = "Invalid question type"; -$InsertQualificationCorrespondingToMaxScore = "Insert qualification corresponding to max score"; -$ThreadMoved = "Thread moved"; -$MigrateForum = "Migrate forum"; -$YouWillBeNotified = "You will be notified"; -$MoveWarning = "Warning: moving gradebook elements can be dangerous for the data inside your gradebook."; -$CategoryMoved = "The gradebook has been moved."; -$EvaluationMoved = "The gradebook component has been moved."; -$NoLinkItems = "There are not linked components."; -$NoUniqueScoreRanges = "There is no unique score range possibility."; -$DidNotTakeTheExamAcronym = "The user did not take the exam."; -$DidNotTakeTheExam = "The user did not take the exam."; -$DeleteUser = "Delete user"; -$ResultDeleted = "Result deleted."; -$ResultsDeleted = "Results deleted."; -$OverWriteMax = "Overwrite the maximum."; -$ImportOverWriteScore = "The import should overwrite the score."; -$NoDecimals = "No decimals"; -$NegativeValue = "Negative value"; -$ToExportMustLockEvaluation = "To export, you must lock the evaluation."; -$ShowLinks = "Show links"; -$TotalForThisCategory = "Total for this category."; -$OpenDocument = "Open document"; -$LockEvaluation = "Lock evaluation"; -$UnLockEvaluation = "Unlock evaluation."; -$TheEvaluationIsLocked = "The evaluation is locked."; -$BackToEvaluation = "Back to evaluation."; -$Uploaded = "Uploaded."; -$Saved = "Saved."; -$Reset = "Reset"; -$EmailSentFromLMS = "E-mail sent from the platform"; -$InfoAboutLastDoneAdvanceAndNextAdvanceNotDone = "Information about the last finished step and the next unfinished one."; -$LatexCode = "LaTeX code"; -$LatexFormula = "LaTeX formula"; -$AreYouSureToLockTheAttendance = "Are you sure you want to lock the attendance?"; -$UnlockMessageInformation = "The attendance is not locked, which means your teacher is still able to modify it."; -$LockAttendance = "Lock attendance"; -$AreYouSureToUnlockTheAttendance = "Are you sure you want to unlock the attendance?"; -$UnlockAttendance = "Unlock attendance"; -$LockedAttendance = "Locked attendance"; -$DecreaseFontSize = "Decrease the font size"; -$ResetFontSize = "Reset the font size"; -$IncreaseFontSize = "Increase the font size"; -$LoggedInAsX = "Logged in as %s"; -$Quantity = "Quantity"; -$AttachmentUpload = "attachment upload"; -$CourseAutoRegister = "Auto-registration course"; -$ThematicAdvanceInformation = "The thematic advance tool allows you to organize your course through time."; -$RequestURIInfo = "The URL requested to get to this page, without the domain definition."; -$DiskFreeSpace = "Free space on disk"; -$ProtectFolder = "Protected folder"; -$SomeHTMLNotAllowed = "Some HTML attributed are not allowed."; -$MyOtherGroups = "My other classes"; -$XLSFileNotValid = "The provided XLS file is not valid."; -$YouAreRegisterToSessionX = "You are registered to session: %s."; -$NextBis = "Next"; -$Prev = "Prev"; -$Configuration = "Configuration"; -$WelcomeToTheChamiloInstaller = "Welcome to the Chamilo installer"; -$PHPVersionError = "Your PHP version does not match the requirements for this software. Please check you have the latest version, then try again."; -$ExtensionSessionsNotAvailable = "Sessions extension not available"; -$ExtensionZlibNotAvailable = "Zlib extension not available"; -$ExtensionPCRENotAvailable = "PCRE extension not available"; -$ToGroup = "To social group"; -$XWroteY = "%s wrote:
        %s"; -$BackToGroup = "Back to the group"; -$GoAttendance = "Go to attendances"; -$GoAssessments = "Go assessments"; -$EditCurrentModule = "Edit current module"; -$SearchFeatureTerms = "Terms for the search feature"; -$UserRoles = "User roles"; -$GroupRoles = "Group roles"; -$StorePermissions = "Store permissions"; -$PendingInvitation = "Pending invitation"; -$MaximunFileSizeXMB = "Maximum file size: %sMB."; -$MessageHasBeenSent = "Your message has been sent."; -$Tags = "Tags"; -$ErrorSurveyTypeUnknown = "Survey type unknown"; -$SurveyUndetermined = "Survey undefined"; -$QuestionComment = "Question comment"; -$UnknowQuestion = "Unknown question"; -$DeleteSurveyGroup = "Delete a survey group"; -$ErrorOccurred = "An error occurred."; -$ClassesUnSubscribed = "Classes unsubscribed."; -$NotAddedToCourse = "Not added to course"; -$UsersNotRegistered = "Users who did not register."; -$ClearFilterResults = "Clear filter results"; -$SelectFilter = "Select filter"; -$MostLinkedPages = "Pages most linked"; -$DeadEndPages = "Dead end pages"; -$MostNewPages = "Newest pages"; -$MostLongPages = "Longest pages"; -$HiddenPages = "Hidden pages"; -$MostDiscussPages = "Most discussed pages"; -$BestScoredPages = "Best scores pages"; -$MProgressPages = "Highest progress pages"; -$MostDiscussUsers = "Most discussed users"; -$RandomPage = "Random page"; -$DateExpiredNotBeLessDeadLine = "The expiration date cannot be smaller than the deadline."; -$NotRevised = "Not reviewed"; -$DirExists = "The operation is impossible, a directory with this name already exists."; -$DocMv = "Document moved"; -$ThereIsNoClassScheduledTodayTryPickingAnotherDay = "There is no class scheduled today, try picking another day or add your attendance entry yourself using the action icons."; -$AddToCalendar = "Add to calendar"; -$TotalWeight = "Total weight"; -$RandomPick = "Random pick"; -$SumOfActivitiesWeightMustBeEqualToTotalWeight = "The sum of all activity weights must be equal to the total weight indicated in your assessment settings, otherwise the learners will not be able to reach the sufficient score to achieve their certification."; -$TotalSumOfWeights = "The sum of all weights of activities inside this assessment has to be equivalent to this number."; -$ShowScoreAndRightAnswer = "Auto-evaluation mode: show score and expected answers"; -$DoNotShowScoreNorRightAnswer = "Exam mode: Do not show score nor answers"; -$YouNeedToAddASessionCategoryFirst = "You need to add a session category first"; -$YouHaveANewInvitationFromX = "You have a new invitation from %s"; -$YouHaveANewMessageFromGroupX = "You have a new message from group %s"; -$YouHaveANewMessageFromX = "You have a new message from %s"; -$SeeMessage = "See message"; -$SeeInvitation = "See invitation"; -$YouHaveReceivedThisNotificationBecauseYouAreSubscribedOrInvolvedInItToChangeYourNotificationPreferencesPleaseClickHereX = "You have received this notification because you are subscribed or involved in it to change your notification preferences please click here: %s"; -$Replies = "Replies"; -$Reply = "Reply"; -$InstallationGuide = "Installation guide"; -$ChangesInLastVersion = "Changes in last version"; -$ContributorsList = "Contributors list"; -$SecurityGuide = "Security guide"; -$OptimizationGuide = "Optimization guide"; -$FreeBusyCalendar = "Free/Busy calendar"; -$LoadUsersExtraData = "Load users' extra data"; -$Broken = "Broken"; -$CheckURL = "Check link"; -$PrerequisiteDeletedError = "Error: the element defined as prerequisite has been deleted."; -$NoItem = "No item yet"; -$ProtectedPages = "Protected pages"; -$LoadExtraData = "Load extra user fields data (have to be marked as 'Filter' to appear)."; -$CourseAssistant = "Assistant"; -$TotalWeightMustBeX = "The sum of all weights of activities must be %s"; -$MaxWeightNeedToBeProvided = "Max weight need to be provided"; -$ExtensionCouldBeLoaded = "Extension could be loaded"; -$SupportedScormContentMakers = "Scorm Authoring tools supported"; -$DisableEndDate = "Disable end date"; -$ForumCategories = "Forum Categories"; -$Copy = "Copy"; -$ArchiveDirCleanup = "Archive directory cleanup"; -$ArchiveDirCleanupDescr = "Chamilo keeps a copy of most of the temporary files it generates (for backups, exports, copies, etc) into its archive/ directory. After a while, this can add up to a very large amount of disk space being used for nothing. Click the button below to clean your archive directory up. This operation should be automated by a cron process, but if this is not possible, you can come to this page regularly to remove all temporary files from the directory."; -$ArchiveDirCleanupProceedButton = "Proceed with cleanup"; -$ArchiveDirCleanupSucceeded = "The archive/ directory cleanup has been executed successfully."; -$ArchiveDirCleanupFailed = "For some reason, the archive/ directory could not be cleaned up. Please clean it up by manually connecting to the server and delete all files and symbolic links under the chamilo/archive/ directory, except the .htaccess file. On Linux: # find archive/ \( -type f -or -type l \) -not -name .htaccess -exec echo rm -v \{} \;"; -$EnableStartTime = "Enable start time"; -$EnableEndTime = "Enable end time"; -$LocalTimeUsingPortalTimezoneXIsY = "The local time in the portal timezone (%s) is %s"; -$AllEvents = "All events"; -$StartTest = "Start test"; -$ExportAsDOC = "Export as .doc"; -$Wrong = "Wrong"; -$Certification = "Certification"; -$CertificateOnlineLink = "Online link to certificate"; -$NewExercises = "New exercises"; -$MyAverage = "My average"; -$AllAttempts = "All attempts"; -$QuestionsToReview = "Questions to be reviewed"; -$QuestionWithNoAnswer = "Questions without answer"; -$ValidateAnswers = "Validate answers"; -$ReviewQuestions = "Review selected questions"; -$YouTriedToResolveThisExerciseEarlier = "You have tried to resolve this exercise earlier"; -$NoCookies = "You do not have cookies support enabled in your browser. Chamilo relies on the feature called \"cookies\" to store your connection details. This means you will not be able to login if cookies are not enabled. Please change your browser configuration (generally in the Edit -> Preferences menu) and reload this page."; -$NoJavascript = "Your do not have JavaScript support enabled in your browser. Chamilo relies heavily on JavaScript to provide you with a more dynamic interface. It is likely that most feature will work, but you might not benefit from the latest improvements in usability. We recommend you change your browser configuration (generally under the Edit -> Preferences menu) and reload this page."; -$NoFlash = "You do not seems to have Flash support enabled in your browser. Chamilo only relies on Flash for a few features and will not lock you out in any way if you don't have it, but if you want to benefit from the complete set of tools from Chamilo, we recommend you install the Flash Plugin and restart your browser."; -$ThereAreNoQuestionsForThisExercise = "There are no questions for this exercise"; -$Attempt = "Attempt"; -$SaveForNow = "Save and continue later"; -$ContinueTest = "Proceed with the test"; -$NoQuicktime = "Your browser does not have the QuickTime plugin installed. You can still use the platform, but to run a larger number of media file types, we suggest you might want to install it."; -$NoJavaSun = "Your browser doesn't seem to have the Sun Java plugin installed. You can still use the platform, but you will lose a few of its capabilities."; -$NoJava = "Your browser does not support Java"; -$JavaSun24 = "Your browser has a Java version not supported by this tool.\nTo use it you have to install a Java Sun version higher than 24"; -$NoMessageAnywere = "If you do not want to see this message again during this session, click here"; -$IncludeAllVersions = "Also search in older versions of each page"; -$TotalHiddenPages = "Total hidden pages"; -$TotalPagesEditedAtThisTime = "Total pages edited at this time"; -$TotalWikiUsers = "Total users that have participated in this Wiki"; -$StudentAddNewPages = "Learners can add new pages to the Wiki"; -$DateCreateOldestWikiPage = "Creation date of the oldest Wiki page"; -$DateEditLatestWikiVersion = "Date of most recent edition of Wiki"; -$AverageScoreAllPages = "Average rating of all pages"; -$AverageMediaUserProgress = "Mean estimated progress by users on their pages"; -$TotalIpAdress = "Total different IP addresses that have contributed to Wiki"; -$Pages = "Pages"; -$Versions = "Versions"; -$EmptyPages = "Total of empty pages"; -$LockedDiscussPages = "Number of discussion pages blocked"; -$HiddenDiscussPages = "Number of discussion pages hidden"; -$TotalComments = "Total comments on various versions of the pages"; -$TotalOnlyRatingByTeacher = "Total pages can only be scored by a teacher"; -$TotalRatingPeers = "Total pages that can be scored by other learners"; -$TotalTeacherAssignments = "Number of assignments pages proposed by a teacher"; -$TotalStudentAssignments = "Number of individual assignments learner pages"; -$TotalTask = "Number of tasks"; -$PortfolioMode = "Portfolio mode"; -$StandardMode = "Standard Task mode"; -$ContentPagesInfo = "Information about the content of the pages"; -$InTheLastVersion = "In the last version"; -$InAllVersions = "In all versions"; -$NumContributions = "Number of contributions"; -$NumAccess = "Number of visits"; -$NumWords = "Number of words"; -$NumlinksHtmlImagMedia = "Number of external html links inserted (text, images, ...)."; -$NumWikilinks = "Number of wiki links"; -$NumImages = "Number of inserted images"; -$NumFlash = "Number of inserted flash files"; -$NumMp3 = "Number of mp3 audio files inserted"; -$NumFlvVideo = "Number of FLV video files inserted"; -$NumYoutubeVideo = "Number of Youtube video embedded"; -$NumOtherAudioVideo = "Number of audio and video files inserted (except mp3 and flv)"; -$NumTables = "Number of tables inserted"; -$Anchors = "Anchors"; -$NumProtectedPages = "Number of protected pages"; -$Attempts = "Attempts"; -$SeeResults = "See results"; -$Loading = "Loading"; -$AreYouSureToRestore = "Are you sure you want to restore this element?"; -$XQuestionsWithTotalScoreY = "%d questions, for a total score (all questions) of %s."; -$ThisIsAutomaticEmailNoReply = "This is an automatic email message. Please do not reply to it."; -$UploadedDocuments = "Uploaded documents"; -$QuestionLowerCase = "question"; -$QuestionsLowerCase = "questions"; -$BackToTestList = "Back to test list"; -$CategoryDescription = "Category description"; -$BackToCategoryList = "Back to category list"; -$AddCategoryNameAlreadyExists = "This category name already exists. Please use another name."; -$CannotDeleteCategory = "Can't delete category"; -$CannotDeleteCategoryError = "Error: could not delete category"; -$CannotEditCategory = "Could not edit category"; -$ModifyCategoryError = "Could not update category"; -$AllCategories = "All categories"; -$CreateQuestionOutsideExercice = "Create question outside exercise"; -$ChoiceQuestionType = "Choose question type"; -$YesWithCategoriesSorted = "Yes, with categories ordered"; -$YesWithCategoriesShuffled = "Yes, with categories shuffled"; -$ManageAllQuestions = "Manage all questions"; -$MustBeInATest = "Must be in a test"; -$PleaseSelectSomeRandomQuestion = "Please select some random question"; -$RemoveFromTest = "Remove from test"; -$AddQuestionToTest = "Add question to test"; -$QuestionByCategory = "Question by category"; -$QuestionUpperCaseFirstLetter = "Question"; -$QuestionCategory = "Questions category"; -$AddACategory = "Add category"; -$AddTestCategory = "Add test category"; -$AddCategoryDone = "Category added"; -$NbCategory = "Nb categories"; -$DeleteCategoryAreYouSure = "Are you sure you want to delete this category?"; -$DeleteCategoryDone = "Category deleted"; -$MofidfyCategoryDone = "Category updated"; -$NotInAGroup = "Not in a group"; -$DoFilter = "Filter"; -$ByCategory = "By category"; -$PersonalCalendar = "Personal Calendar"; -$SkillsTree = "Skills Tree"; -$Skills = "Skills"; -$SkillsProfile = "Skills Profile"; -$WithCertificate = "With Certificate"; -$AdminCalendar = "Admin Calendar"; -$CourseCalendar = "Course Calendar"; -$Reports = "Reports"; -$ResultsNotRevised = "Results not reviewed"; -$ResultNotRevised = "Result not reviewed"; -$dateFormatShortNumber = "%m/%d/%Y"; -$dateTimeFormatLong24H = "%B %d, %Y at %H:%M"; -$ActivateLegal = "Enable legal terms"; -$ShowALegalNoticeWhenEnteringTheCourse = "Show a legal notice when entering the course"; -$GradingModelTitle = "Grading model"; -$AllowTeacherChangeGradebookGradingModelTitle = "Allow teachers to change the assessments grading model"; -$AllowTeacherChangeGradebookGradingModelComment = "Enabling this option, you will allow each teacher to choose the grading model which will be used in his/her course. This change will have to be made by the teacher from inside the assessments tool of the course."; -$NumberOfSubEvaluations = "Number of sub evaluations"; -$AddNewModel = "Add new model"; -$NumberOfStudentsWhoTryTheExercise = "Number of learners who attempted the exercise"; -$LowestScore = "Lowest score"; -$HighestScore = "Highest score"; -$ContainsAfile = "Contains a file"; -$Discussions = "Discussions"; -$ExerciseProgress = "Exercise progress"; -$GradeModel = "Grading model"; -$SelectGradebook = "Select assessment"; -$ViewSkillsTree = "View skills tree"; -$MySkills = "My skills"; -$GroupParentship = "Group parentship"; -$NoParentship = "No parentship"; -$NoCertificate = "No certificate"; -$AllowTextAssignments = "Allow assignments handing through online editor"; -$SeeFile = "See file"; -$ShowDocumentPreviewTitle = "Show document preview"; -$ShowDocumentPreviewComment = "Showing previews of the documents in the documents tool will avoid loading a new page just to show a document, but can result unstable with some older browsers or smaller width screens."; -$YouAlreadySentAPaperYouCantUpload = "You already sent an assignment, you can't upload a new one"; -$CasMainActivateTitle = "Enable CAS authentication"; -$CasMainServerTitle = "Main CAS server"; -$CasMainServerComment = "This is the main CAS server which will be used for the authentication (IP address or hostname)"; -$CasMainServerURITitle = "Main CAS server URI"; -$CasMainServerURIComment = "The path to the CAS service"; -$CasMainPortTitle = "Main CAS server port"; -$CasMainPortComment = "The port on which to connect to the main CAS server"; -$CasMainProtocolTitle = "Main CAS server protocol"; -$CAS1Text = "CAS 1"; -$CAS2Text = "CAS 2"; -$SAMLText = "SAML"; -$CasMainProtocolComment = "The protocol with which we connect to the CAS server"; -$CasUserAddActivateTitle = "Enable CAS user addition"; -$CasUserAddActivateComment = "Enable CAS user addition"; -$CasUserAddLoginAttributeTitle = "Add CAS user login"; -$CasUserAddLoginAttributeComment = "Add CAS user login details when registering a new user"; -$CasUserAddEmailAttributeTitle = "Add CAS user email"; -$CasUserAddEmailAttributeComment = "Add CAS user e-mail details when registering a new user"; -$CasUserAddFirstnameAttributeTitle = "Add CAS user first name"; -$CasUserAddFirstnameAttributeComment = "Add CAS user first name when registering a new user"; -$CasUserAddLastnameAttributeTitle = "Add CAS user last name"; -$CasUserAddLastnameAttributeComment = "Add CAS user last name details when registering a new user"; -$UserList = "User list"; -$SearchUsers = "Search users"; -$Administration = "Administration"; -$AddAsAnnouncement = "Add as an announcement"; -$SkillsAndGradebooks = "Skills and assessments"; -$AddSkill = "Add skill"; -$ShowAdminToolbarTitle = "Show admin toolbar"; -$AcceptLegal = "Accept legal agreement"; -$CourseLegalAgreement = "Legal agreement for this course"; -$RandomQuestionByCategory = "Random questions by category"; -$QuestionDisplayCategoryName = "Display questions category"; -$ReviewAnswers = "Review my answers"; -$TextWhenFinished = "Text appearing at the end of the test"; -$Validated = "Validated"; -$NotValidated = "Not validated"; -$Revised = "Revised"; -$SelectAQuestionToReview = "Select a question to revise"; -$ReviewQuestionLater = "Revise question later"; -$NumberStudentWhoSelectedIt = "Number of learners who selected it"; -$QuestionsAlreadyAnswered = "Questions already answered"; -$SkillDoesNotExist = "There is no such skill"; -$CheckYourGradingModelValues = "Please check your grading model values"; -$SkillsAchievedWhenAchievingThisGradebook = "Skills obtained when achieving this assessment"; -$AddGradebook = "Add assessment"; -$NoStudents = "No learner"; -$NoData = "No data available"; -$IAmAHRM = "I am a human resources manager"; -$SkillRootName = "Absolute skill"; -$Option = "Option"; -$NoSVGImagesInImagesGalleryPath = "There are no SVG images in your images gallery directory"; -$NoSVGImages = "No SVG image"; -$NumberOfStudents = "Number of learners"; -$NumberStudentsAccessingCourse = "Number of learners accessing the course"; -$PercentageStudentsAccessingCourse = "Percentage of learners accessing the course"; -$NumberStudentsCompleteAllActivities = "Number of learners who completed all activities (100% progress)"; -$PercentageStudentsCompleteAllActivities = "Percentage of learners who completed all activities (100% progress)"; -$AverageOfActivitiesCompletedPerStudent = "Average number of activities completed per learner"; -$TotalTimeSpentInTheCourse = "Total time spent in the course"; -$AverageTimePerStudentInCourse = "Average time spent per learner in the course"; -$NumberOfDocumentsInLearnpath = "Number of documents in learning path"; -$NumberOfExercisesInLearnpath = "Number of exercises in learning path"; -$NumberOfLinksInLearnpath = "Number of links in learning path"; -$NumberOfForumsInLearnpath = "Number of forums in learning path"; -$NumberOfAssignmentsInLearnpath = "Number of assignments in learning path"; -$NumberOfAnnouncementsInCourse = "Number of announcements in course"; -$CurrentCoursesReport = "Current courses report"; -$HideTocFrame = "Hide table of contents frame"; -$Updates = "Updates"; -$Teaching = "Teaching"; -$CoursesReporting = "Courses reporting"; -$AdminReports = "Admin reports"; -$ExamsReporting = "Exams reports"; -$MyReporting = "My reporting"; -$SearchSkills = "Search skills"; -$SaveThisSearch = "Save this search"; -$SkillProfiles = "Stored skills profiles"; -$Matches = "Matches"; -$WelcomeUserXToTheSiteX = "%s, welcome to %s"; -$CheckUsersWithId = "Use user's IDs from the file to subscribe them"; -$WhoAndWhere = "Who and where"; -$CantUploadDeleteYourPaperFirst = "You cannot upload this assignment. Please delete the previous one first."; -$MB = "MB"; -$ShowAdminToolbarComment = "Shows a global toolbar on top of the page to the designated user roles. This toolbar, very similar to Wordpress and Google's black toolbars, can really speed up complicated actions and improve the space you have available for the learning content, but it might be confusing for some users"; -$SessionList = "Session list"; -$StudentList = "Learners list"; -$StudentsWhoAreTakingTheExerciseRightNow = "Learners who're taking the exercise right now"; -$GroupReply = "Reply"; -$GroupReplies = "Replies"; -$ReportByQuestion = "Report by question"; -$LiveResults = "Live results"; -$SkillNotFound = "Skill not found"; -$IHaveThisSkill = "I have this skill"; -$Me = "Me"; -$Vote = "Vote"; -$Votes = "Votes"; -$XStarsOutOf5 = "%s stars out of 5"; -$Visit = "Visit"; -$Visits = "Visits"; -$YourVote = "Your vote"; -$HottestCourses = "Most popular courses"; -$SentAtX = "Sent at: %s"; -$dateTimeFormatShort = "%b %d, %Y at %I:%M %p"; -$dateTimeFormatShortTimeFirst = "%I:%M %p, %b %d %Y"; -$LoginToVote = "Login to vote"; -$AddInMenu = "Add in menu"; -$AllowUsersToChangeEmailWithNoPasswordTitle = "Allow users to change email with out password"; -$AllowUsersToChangeEmailWithNoPasswordComment = "When changing the account information"; -$EnableHelpLinkTitle = "Enable help link"; -$EnableHelpLinkComment = "The Help link is located in the top right part of the screen"; -$BackToAdmin = "Back to administration"; -$AllowGlobalChatTitle = "Allow global chat"; -$HeaderExtraContentTitle = "Extra content in header"; -$HeaderExtraContentComment = "You can add HTML code like meta tags"; -$FooterExtraContentTitle = "Extra content in footer"; -$AllowGlobalChatComment = "Users can chat with each other"; -$FooterExtraContentComment = "You can add HTML code like meta tags"; -$DoNotShow = "Do not show"; -$ShowToAdminsOnly = "Show to admins only"; -$ShowToAdminsAndTeachers = "Show to admins and teachers"; -$ShowToAllUsers = "Show to all users"; -$ImportGlossary = "Import glossary"; -$ReplaceGlossary = "Replace glossary"; -$CannotDeleteGlossary = "Cannot delete glossary"; -$TermsImported = "Terms imported"; -$TermsNotImported = "Terms not imported"; -$ExportGlossaryAsCSV = "Export glossary as a CSV file"; -$SelectAnAction = "Select an action"; -$LoginX = "Login: %s"; -$DatabaseXWillBeCreated = "Database %s will be created"; -$ADatabaseWithTheSameNameAlreadyExists = "A database with the same name already exists."; -$UserXCantHaveAccessInTheDatabaseX = "User %s doesn't have access in the database %s"; -$DatabaseXCantBeCreatedUserXDoestHaveEnoughPermissions = "Database %s can't be created, user %s doesn't have enough permissions"; -$CopyOnlySessionItems = "Copy only session items"; -$FirstLetterCourseTitle = "First letter of course title"; -$NumberOfPublishedExercises = "# of published exercises"; -$NumberOfPublishedLps = "# of published Learning Paths"; -$ChatConnected = "Chat (Connected)"; -$ChatDisconnected = "Chat (Disconnected)"; -$AddCourseDescription = "Add course description"; -$ThingsToDo = "Suggested steps to take next"; -$RecordAnswer = "Record answer"; -$UseTheMessageBelowToAddSomeComments = "Use the message below to add a comment"; -$SendRecord = "Send record"; -$DownloadLatestRecord = "Download record"; -$OralExpression = "Oral expression"; -$UsersFoundInOtherPortals = "Users found in other portals"; -$AddUserToMyURL = "Add user to my portal"; -$UsersDeleted = "Users deleted"; -$UsersAdded = "Users added"; -$PluginArea = "Plugin area"; -$NoConfigurationSettingsForThisPlugin = "No configuration settings found for this plugin"; -$CoursesDefaultCreationVisibilityTitle = "Default course visibility"; -$CoursesDefaultCreationVisibilityComment = "Default course visibility while creating a new course"; -$YouHaveEnteredTheCourseXInY = "You have entered the course %s in %s"; -$LoginIsEmailTitle = "Use the email as username"; -$LoginIsEmailComment = "Use the email in order to login to the system"; -$CongratulationsYouPassedTheTest = "Congratulations you passed the test!"; -$YouDidNotReachTheMinimumScore = "You didn't reach the minimum score"; -$AllowBrowserSnifferTitle = "Activate the browser sniffer"; -$AllowBrowserSnifferComment = "This will enable an investigator of the capabilities that support browsers that connect to Chamilo. Therefore will improve user experience by adapting responses to the type of browser platform that connects, but will slow initial page load of users every time that they enter to the platform."; -$EndTest = "End test"; -$EnableWamiRecordTitle = "Activate Wami-recorder"; -$EnableWamiRecordComment = "Wami-recorder is a voice record tool on Flash"; -$EventType = "Event type"; -$WamiFlashDialog = "It will display a dialog box which asks for your permission to access the microphone, answer yes and close the dialog box (if you do not want to appear again, before closing check remember)"; -$WamiStartRecorder = "Start recording by pressing the microphone and stop it by pressing again. Each time you do this will generate a file."; -$WamiNeedFilename = "Before you activate recording it is necessary a file name."; -$InputNameHere = "Enter name here"; -$Reload = "Reload"; -$SelectGradeModel = "Select a calification model"; -$AllMustWeight100 = "The sum of all values must be 100"; -$Components = "Components"; -$ChangeSharedSetting = "Change setting visibility for the other portals"; -$OnlyActiveWhenThereAreAnyComponents = "This option is enabled if you have any evaluations or categories"; -$AllowHRSkillsManagementTitle = "Allow HR skills management"; -$AllowHRSkillsManagementComment = "Allows HR to manage skills"; -$GradebookDefaultWeightTitle = "Default weight in Gradebook"; -$GradebookDefaultWeightComment = "This weight will be use in all courses by default"; -$TimeSpentLastXDays = "Time spent the last %s days"; -$TimeSpentBetweenXAndY = "Time spent between %s and %s"; -$GoToCourse = "Go to the course"; -$TeachersCanChangeScoreSettingsTitle = "Teachers can change the Gradebook score settings"; -$TeachersCanChangeScoreSettingsComment = "When editing the Gradebook settings"; -$SubTotal = "Subtotal"; -$Configure = "Configure"; -$Regions = "Regions"; -$CourseList = "Course list"; -$NumberAbbreviation = "N°"; -$FirstnameAndLastname = "First Name and Last Name"; -$LastnameAndFirstname = "Last Name and First Name"; -$Plugins = "Plugins"; -$Detailed = "Detailed"; -$ResourceLockedByGradebook = "This option is not available because this activity is contained by an assessment, which is currently locked. To unlock the assessment, ask your platform administrator."; -$GradebookLockedAlert = "This assessment has been locked. You cannot unlock it. If you really need to unlock it, please contact the platform administrator, explaining the reason why you would need to do that (it might otherwise be considered as fraud attempt)."; -$GradebookEnableLockingTitle = "Enable locking of assessments by teachers"; -$GradebookEnableLockingComment = "Once enabled, this option will enable locking of any assessment by the teachers of the corresponding course. This, in turn, will prevent any modification of results by the teacher inside the resources used in the assessment: exams, learning paths, tasks, etc. The only role authorized to unlock a locked assessment is the administrator. The teacher will be informed of this possibility. The locking and unlocking of gradebooks will be registered in the system's report of important activities"; -$LdapDescriptionComment = "

        • LDAP authentication :
          See I. below to configure LDAP
          See II. below to activate LDAP authentication


        • Update user attributes, with LDAP data, after CAS authentication(see CAS configuration ) :
          See I. below to configure LDAP
          CAS manage user authentication, LDAP activation isn't required.


        I. LDAP configuration

        Edit file main/inc/conf/auth.conf.php
        -> Edit values of array $extldap_config

        Parameters are
        • base domain string (ex : 'base_dn' => 'DC=cblue,DC=be')
        • admin distinguished name (ex : 'admin_dn' =>'CN=admin,dc=cblue,dc=be')
        • admin password (ex : 'admin_password' => '123456')
        • ldap host (ex : 'host' => array('1.2.3.4', '2.3.4.5', '3.4.5.6'))
        • filter (ex : 'filter' => '')
        • port (ex : 'port' => 389)
        • protocol version (2 or 3) (ex : 'protocol_version' => 3)
        • user_search (ex : 'user_search' => 'sAMAccountName=%username%')
        • encoding (ex : 'encoding' => 'UTF-8')
        • update_userinfo (ex : 'update_userinfo' => true)
        -> To update correspondences between user and LDAP attributes, edit array $extldap_user_correspondance
        Array values are <chamilo_field> => >ldap_field>
        Array structure is explained in file main/auth/external_login/ldap.conf.php


        II. Activate LDAP authentication

        Edit file main/inc/conf/configuration.php
        -> Uncomment lines
        $extAuthSource["extldap"]["login"] =$_configuration['root_sys']."main/auth/external_login/login.ldap.php";
        $extAuthSource["extldap"]["newUser"] =$_configuration['root_sys']."main/auth/external_login/newUser.ldap.php";

        N.B. : LDAP users use same fields than platform users to login.
        N.B. : LDAP activation adds a menu External authentication [LDAP] in "add or modify" user pages."; -$ShibbolethMainActivateTitle = "

        Shibboleth authentication

        "; -$ShibbolethMainActivateComment = "

        First of all, you have to configure Shibboleth for your web server.

        To configure it for Chamilo
        edit file main/auth/shibboleth/config/aai.class.php

        Modify object $result values with the name of your Shibboleth attributes

        • $result->unique_id = 'mail';
        • $result->firstname = 'cn';
        • $result->lastname = 'uid';
        • $result->email = 'mail';
        • $result->language = '-';
        • $result->gender = '-';
        • $result->address = '-';
        • $result->staff_category = '-';
        • $result->home_organization_type = '-';
        • $result->home_organization = '-';
        • $result->affiliation = '-';
        • $result->persistent_id = '-';
        • ...

        Go to Plugin to add a configurable 'Shibboleth Login' button for your Chamilo campus."; -$LdapDescriptionTitle = "

        LDAP autentication

        "; -$FacebookMainActivateTitle = "

        Facebook authentication

        "; -$FacebookMainActivateComment = "

        First of all, you have create a Facebook Application (see https://developers.facebook.com/apps) with your Facebook account. In the Facebook Apps parameters, the site URL value should have a GET parameter 'action=fbconnect' (e.g. http://mychamilo.com/?action=fbconnect).

        Then,
        edit file main/auth/external_login/facebook.conf.php
        and enter 'appId' and 'secret' values for $facebook_config.
        Go to Plugin to add a configurable 'Facebook Login' button for your Chamilo campus."; -$AnnouncementForGroup = "Announcement for a group"; -$AllGroups = "All groups"; -$LanguagePriority1Title = "Language priority 1"; -$LanguagePriority2Title = "Language priority 2"; -$LanguagePriority3Title = "Language priority 3"; -$LanguagePriority4Title = "Language priority 4"; -$LanguagePriority5Title = "Language priority 5"; -$LanguagePriority1Comment = "The language with the highest priority"; -$LanguagePriority2Comment = "The second language priority"; -$LanguagePriority3Comment = "The third language priority"; -$LanguagePriority4Comment = "The fourth language priority"; -$LanguagePriority5Comment = "The lowest language priority"; -$UserLanguage = "User language"; -$UserSelectedLanguage = "User selected language"; -$TeachersCanChangeGradeModelSettingsTitle = "Teachers can change the Gradebook model settings"; -$TeachersCanChangeGradeModelSettingsComment = "When editing a Gradebook"; -$GradebookDefaultGradeModelTitle = "Default grade model"; -$GradebookDefaultGradeModelComment = "This value will be selected by default when creating a course"; -$GradebookEnableGradeModelTitle = "Enable Gradebook model"; -$GradebookEnableGradeModelComment = "Enables the auto creation of gradebook categories inside a course depending of the gradebook models."; -$ConfirmToLockElement = "Are you sure you want to lock this item? After locking this item you can't edit the user results. To unlock it, you need to contact the platform administrator."; -$ConfirmToUnlockElement = "Are you sure you want to unlock this element?"; -$AllowSessionAdminsToSeeAllSessionsTitle = "Allow session administrators to see all sessions"; -$AllowSessionAdminsToSeeAllSessionsComment = "When this option is not enabled (default), session administrators can only see the sessions they have created. This is confusing in an open environment where session administrators might need to share support time between two sessions."; -$PassPercentage = "Pass percentage"; -$AllowSkillsToolTitle = "Allow Skills tool"; -$AllowSkillsToolComment = "Users can see their skills in the social network and in a block in the homepage."; -$UnsubscribeFromPlatform = "If you want to unsubscribe completely from this campus and have all your information removed from our database, please click the button below and confirm."; -$UnsubscribeFromPlatformConfirm = "Yes, I want to remove this account completely. No data will remain on the server and I will be unable to login again, unless I create a completely new account."; -$AllowPublicCertificatesTitle = "Allow public certificates"; -$AllowPublicCertificatesComment = "User certificates can be view by unregistered users."; -$DontForgetToSelectTheMediaFilesIfYourResourceNeedIt = "Don't forget to select the media files if your resource need it"; -$NoStudentCertificatesAvailableYet = "No learner certificate available yet. Please note that, to generate his certificate, a learner has to go to the assessments tool and click the certificate icon, which will only appear when he reached the course objectives."; -$CertificateExistsButNotPublic = "The requested certificate exists on this portal, but it has not been made public. Please login to view it."; -$Default = "Default"; -$CourseTestWasCreated = "A test course has been created successfully"; -$NoCategorySelected = "No category selected"; -$ReturnToCourseHomepage = "Return to Course Homepage"; -$ExerciseAverage = "Exercise average"; -$WebCamClip = "Webcam Clip"; -$Snapshot = "Snapshot"; -$TakeYourPhotos = "Take your photos"; -$LocalInputImage = "Local input image"; -$ClipSent = "Clip sent"; -$Auto = "Auto"; -$Stop = "Stop"; -$EnableWebCamClipTitle = "Enable Webcam Clip"; -$EnableWebCamClipComment = "Webcam Clip allow to users capture images from his webcam and send them to server in jpeg format"; -$ResizingAuto = "AUTO RESIZE (default)"; -$ResizingAutoComment = "This slideshow will resize automatically to your screen size. This is the default option."; -$YouShouldCreateTermAndConditionsForAllAvailableLanguages = "You should create the \"Term and Conditions\" for all the available languages."; -$SelectAnAudioFileFromDocuments = "Select an audio file from documents"; -$ActivateEmailTemplateTitle = "Enable e-mail alerts templates"; -$ActivateEmailTemplateComment = "Define home-made e-mail alerts to be fired on specific events (and to specific users)"; -$SystemManagement = "System Management"; -$RemoveOldDatabaseMessage = "Remove old database"; -$RemoveOldTables = "Remove old tables"; -$TotalSpaceUsedByPortalXLimitIsYMB = "Total space used by portal %s limit is %s MB"; -$EventMessageManagement = "Event message management"; -$ToBeWarnedUserList = "To be warned user list"; -$YouHaveSomeUnsavedChanges = "You have some unsaved changes. Do you want to abandon them ?"; -$ActivateEvent = "Activate event"; -$AvailableEventKeys = "Available event keys. Use them between (( ))."; -$Events = "Events"; -$EventTypeName = "Event type name"; -$HideCampusFromPublicPlatformsList = "Hide campus from public platforms list"; -$ChamiloOfficialServicesProviders = "Chamilo official services providers"; -$NoNegativeScore = "No negative score"; -$GlobalMultipleAnswer = "Global multiple answer"; -$Zombies = "Zombies"; -$ActiveOnly = "Active only"; -$AuthenticationSource = "Authentication source"; -$RegisteredDate = "Registered date"; -$NbInactiveSessions = "Number of inactive sessions"; -$AllQuestionsShort = "All"; -$FollowedSessions = "Followed sessions"; -$FollowedCourses = "Followed courses"; -$FollowedUsers = "Followed users"; -$Timeline = "Timeline"; -$ExportToPDFOnlyHTMLAndImages = "Export to PDF web pages and images"; -$CourseCatalog = "Course catalog"; -$Go = "Go"; -$ProblemsRecordingUploadYourOwnAudioFile = "Problem recording? Upload your own audio file."; -$ImportThematic = "Import course progress"; -$ExportThematic = "Export course progress"; -$DeleteAllThematic = "Delete all course progress"; -$FilterTermsTitle = "Filter terms"; -$FilterTermsComment = "Give a list of terms, one by line, to be filtered out of web pages and e-mails. These terms will be replaced by ***."; -$UseCustomPagesTitle = "Use custom pages"; -$UseCustomPagesComment = "Enable this feature to configure specific login pages by role"; -$StudentPageAfterLoginTitle = "Learner page after login"; -$StudentPageAfterLoginComment = "This page will appear to all learners after they login"; -$TeacherPageAfterLoginTitle = "Teacher page after login"; -$TeacherPageAfterLoginComment = "This page will be loaded after login for all teachers"; -$DRHPageAfterLoginTitle = "Human resources manager page after login"; -$DRHPageAfterLoginComment = "This page will load after login for all human resources managers"; -$StudentAutosubscribeTitle = "Learner autosubscribe"; -$StudentAutosubscribeComment = "Learner autosubscribe - not yet available"; -$TeacherAutosubscribeTitle = "Teacher autosubscribe"; -$TeacherAutosubscribeComment = "Teacher autosubscribe - not yet available"; -$DRHAutosubscribeTitle = "Human resources director autosubscribe"; -$DRHAutosubscribeComment = "Human resources director autosubscribe - not yet available"; -$ScormCumulativeSessionTimeTitle = "Cumulative session time for SCORM"; -$ScormCumulativeSessionTimeComment = "When enabled, the session time for SCORM learning paths will be cumulative, otherwise, it will only be counted from the last update time."; -$SessionAdminPageAfterLoginTitle = "Session admin page after login"; -$SessionAdminPageAfterLoginComment = "Page to load after login for the session administrators"; -$SessionadminAutosubscribeTitle = "Session admin autosubscribe"; -$SessionadminAutosubscribeComment = "Session administrator autosubscribe - not available yet"; -$ToolVisibleByDefaultAtCreationTitle = "Tool visible at course creation"; -$ToolVisibleByDefaultAtCreationComment = "Select the tools that will be visible when creating the courses - not yet available"; -$casAddUserActivatePlatform = "CAS internal setting"; -$casAddUserActivateLDAP = "CAS internal setting"; -$UpdateUserInfoCasWithLdapTitle = "CAS internal setting"; -$UpdateUserInfoCasWithLdapComment = "CAS internal setting"; -$InstallExecution = "Installation process execution"; -$UpdateExecution = "Update process execution"; -$PleaseWaitThisCouldTakeAWhile = "Please wait. This could take a while..."; -$ThisPlatformWasUnableToSendTheEmailPleaseContactXForMoreInformation = "This platform was unable to send the email. Please contact %s for more information."; -$FirstLoginChangePassword = "This is your first login. Please update your password to something you will remember."; -$NeedContactAdmin = "Click here to contact the administrator"; -$ShowAllUsers = "Show all users"; -$ShowUsersNotAddedInTheURL = "Show users not added to the URL"; -$UserNotAddedInURL = "Users not added to the URL"; -$UsersRegisteredInNoSession = "Users not registered in any session"; -$CommandLineInterpreter = "Command line interpreter (CLI)"; -$PleaseVisitOurWebsite = "Please visit our website: http://www.chamilo.org"; -$SpaceUsedOnSystemCannotBeMeasuredOnWindows = "The space used on disk cannot be measured properly on Windows-based systems."; -$XOldTablesDeleted = "%d old tables deleted"; -$XOldDatabasesDeleted = "%d old databases deleted"; -$List = "List"; -$MarkAll = "Select all"; -$UnmarkAll = "Unselect all"; -$NotAuthorized = "Not authorized"; -$UnknownAction = "Unknown action"; -$First = "First"; -$Last = "Last"; -$YouAreNotAuthorized = "You are not authorized to do this"; -$NoImplementation = "No implementation available yet for this action"; -$CourseDescriptions = "Course descriptions"; -$ReplaceExistingEntries = "Replace existing entries"; -$AddItems = "Add items"; -$NotFound = "Not found"; -$SentSuccessfully = "Successfully sent"; -$SentFailed = "Sending failed"; -$PortalSessionsLimitReached = "The number of sessions limit for this portal has been reached"; -$ANewSessionWasCreated = "A new session has been created"; -$Online = "Online"; -$Offline = "Offline"; -$TimelineItemText = "Text"; -$TimelineItemMedia = "Media"; -$TimelineItemMediaCaption = "Caption"; -$TimelineItemMediaCredit = "Credits"; -$TimelineItemTitleSlide = "Slider title"; -$SSOError = "Single Sign On error"; -$Sent = "Sent"; -$TimelineItem = "Item"; -$Listing = "Listing"; -$CourseRssTitle = "Course RSS"; -$CourseRssDescription = "RSS feed for all course notifications"; -$AllowPublicCertificates = "Learner certificates are public"; -$GlossaryTermUpdated = "Term updated"; -$DeleteAllGlossaryTerms = "Delete all terms"; -$PortalHomepageEdited = "Portal homepage updated"; -$UserRegistrationTitle = "User registration"; -$UserRegistrationComment = "Actions to be fired when a user registers to the platform"; -$ExtensionShouldBeLoaded = "This extension should be loaded."; -$Disabled = "Disabled"; -$Required = "Required"; -$CategorySaved = "Category saved"; -$CategoryRemoved = "Category removed"; -$BrowserDoesNotSupportNanogongPlayer = "Your browser doesn't support the Nanogong player"; -$ImportCSV = "Import CSV"; -$DataTableLengthMenu = "Table length"; -$DataTableZeroRecords = "No record found"; -$MalformedUrl = "Badly formed URL"; -$DataTableInfo = "Info"; -$DataTableInfoEmpty = "Empty"; -$DataTableInfoFiltered = "Filtered"; -$DataTableSearch = "Search"; -$HideColumn = "Hide column"; -$DisplayColumn = "Show column"; -$LegalAgreementAccepted = "Legal agreement accepted"; -$WorkEmailAlertActivateOnlyForTeachers = "Activate only for teachers e-mail alert on new work submission"; -$WorkEmailAlertActivateOnlyForStudents = "Activate only for students e-mail alert on new work submission"; -$Uncategorized = "Uncategorized"; -$NaturalYear = "Natural year"; -$AutoWeight = "Automatic weight"; -$AutoWeightExplanation = "Use the automatic weight distribution to speed things up. The system will then distribute the total weight evenly between the evaluation items below."; -$EditWeight = "Edit weight"; -$TheSkillHasBeenCreated = "The skill has been created"; -$CreateSkill = "Create skill"; -$CannotCreateSkill = "Cannot create skill"; -$SkillEdit = "Edit skill"; -$TheSkillHasBeenUpdated = "The skill has been updated"; -$CannotUpdateSkill = "Cannot update skill"; -$BadgesManagement = "Badges management"; -$CurrentBadges = "Current badges"; -$SaveBadge = "Save badge"; -$BadgeMeasuresXPixelsInPNG = "Badge measures 200x200 pixels in PNG"; -$SetTutor = "Set as coach"; -$UniqueAnswerImage = "Unique answer image"; -$TimeSpentByStudentsInCoursesGroupedByCode = "Time spent by students in courses, grouped by code"; -$TestResultsByStudentsGroupesByCode = "Tests results by student groups, by code"; -$TestResultsByStudents = "Tests results by student"; -$SystemCouldNotLogYouIn = "The system was unable to log you in. Please contact your administrator."; -$ShibbolethLogin = "Shibboleth Login"; -$NewStatus = "New status"; -$Reason = "Reason"; -$RequestStatus = "Request new status"; -$StatusRequestMessage = "You have been logged-in with default permissions. You can request more permissions by submitting the following request."; -$ReasonIsMandatory = "You reason field is mandatory. Please fill it in before submitting."; -$RequestSubmitted = "Your request has been submitted."; -$RequestFailed = "We are not able to fulfill your request at this time. Please contact your administrator."; -$InternalLogin = "Internal login"; -$AlreadyLoggedIn = "You are already logged in"; -$Draggable = "Sequence ordering"; -$Incorrect = "Incorrect"; -$YouNotYetAchievedCertificates = "You have not achieved any certificate just yet. Continue on your learning path to get one!"; -$SearchCertificates = "Search certificates"; -$TheUserXNotYetAchievedCertificates = "User %s hast not acquired any certificate yet"; -$CertificatesNotPublic = "Certificates are not publicly available"; -$MatchingDraggable = "Match by dragging"; -$ForumThreadPeerScoring = "Thread scored by peers"; -$ForumThreadPeerScoringComment = "If selected, this option will require each student to qualify at least 2 other students in order to get his score greater than 0 in the gradebook."; -$ForumThreadPeerScoringStudentComment = "To get the expected score in this forum, your contribution will have to be scored by another student, and you will have to score at least 2 other students' contributions. Until you reach this objective, even if scored, your contribution will show as a 0 score in the global grades for this course."; -$Readable = "Readable"; -$NotReadable = "Not readable"; -$DefaultInstallAdminFirstname = "John"; -$DefaultInstallAdminLastname = "Doe"; -$AttendanceUpdated = "Attendances updated"; -$HideHomeTopContentWhenLoggedInText = "Hide top content on homepage when logged in"; -$HideHomeTopContentWhenLoggedInComment = "On the platform homepage, this option allows you to hide the introduction block (to leave only the announcements, for example), for all users that are already logged in. The general introduction block will still appear to users not already logged in."; -$HideGlobalAnnouncementsWhenNotLoggedInText = "Hide global announcements for anonymous"; -$HideGlobalAnnouncementsWhenNotLoggedInComment = "Hide platform announcements from anonymous users, and only show them to authenticated users."; -$CourseCreationUsesTemplateText = "Use template course for new courses"; -$CourseCreationUsesTemplateComment = "Set this to use the same template course (identified by its course numeric ID in the database) for all new courses that will be created on the platform. Please note that, if not properly planned, this setting might have a massive impact on space usage. The template course will be used as if the teacher did a copy of the course with the course backup tools, so no user content is copied, only teacher material. All other course-backup rules apply. Leave empty (or set to 0) to disable."; -$EnablePasswordStrengthCheckerText = "Password strength checker"; -$EnablePasswordStrengthCheckerComment = "Enable this option to add a visual indicator of password strength, when the user changes his/her password. This will NOT prevent bad passwords to be added, it only acts as a visual helper."; -$EnableCaptchaText = "CAPTCHA"; -$EnableCaptchaComment = "Enable a CAPTCHA on the login form to avoid password hammering"; -$CaptchaNumberOfMistakesBeforeBlockingAccountText = "CAPTCHA mistakes allowance"; -$CaptchaNumberOfMistakesBeforeBlockingAccountComment = "The number of times a user can make a mistake on the CAPTCHA box before his account is locked out."; -$CaptchaTimeAccountIsLockedText = "CAPTCHA account locking time"; -$CaptchaTimeAccountIsLockedComment = "If the user reaches the maximum allowance for login mistakes (when using the CAPTCHA), his/her account will be locked for this number of minutes."; -$DRHAccessToAllSessionContentText = "HR directors access all session content"; -$DRHAccessToAllSessionContentComment = "If enabled, human resources directors will get access to all content and users from the sessions (s)he follows."; -$ShowGroupForaInGeneralToolText = "Display group forums in general forum"; -$ShowGroupForaInGeneralToolComment = "Display group forums in the forum tool at the course level. This option is enabled by default (in this case, group forum individual visibilities still act as an additional criteria). If disabled, group forums will only be visible through the group tool, be them public or not."; -$TutorsCanAssignStudentsToSessionsText = "Tutors can assign students to sessions"; -$TutorsCanAssignStudentsToSessionsComment = "When enabled, course coaches/tutors in sessions can subscribe new users to their session. This option is otherwise only available to administrators and session administrators."; -$UniqueAnswerImagePreferredSize200x150 = "Images will be resized (up or down) to 200x150 pixels. For a better rendering of the question, we recommend you upload only images of this size."; -$AllowLearningPathReturnLinkTitle = "Show learning paths return link"; -$AllowLearningPathReturnLinkComment = "Disable this option to hide the 'Return to homepage' button in the learning paths"; -$HideScormExportLinkTitle = "Hide SCORM export"; -$HideScormExportLinkComment = "Hide the 'SCORM export' icon in the learning paths list"; -$HideScormCopyLinkTitle = "Hide SCORM copy"; -$HideScormCopyLinkComment = "Hide the learning path copy icon in the learning paths list"; -$HideScormPdfLinkTitle = "Hide learning path PDF export"; -$HideScormPdfLinkComment = "Hide the learning path PDF export icon in the learning paths list"; -$SessionDaysBeforeCoachAccessTitle = "Default coach access days before session"; -$SessionDaysBeforeCoachAccessComment = "Default number of days a coach can access his session before the official session start date"; -$SessionDaysAfterCoachAccessTitle = "Default coach access days after session"; -$SessionDaysAfterCoachAccessComment = "Default number of days a coach can access his session after the official session end date"; -$PdfLogoHeaderTitle = "PDF header logo"; -$PdfLogoHeaderComment = "Whether to use the image at css/themes/[your-css]/images/pdf_logo_header.png as the PDF header logo for all PDF exports (instead of the normal portal logo)"; -$OrderUserListByOfficialCodeTitle = "Order users by official code"; -$OrderUserListByOfficialCodeComment = "Use the 'official code' to sort most students list on the platform, instead of their lastname or firstname."; -$AlertManagerOnNewQuizTitle = "Default e-mail alert setting on new quiz"; -$AlertManagerOnNewQuizComment = "Whether you want course managers (teachers) to be notified by e-mail when a quiz is answered by a student. This is the default value to be given to all new courses, but each teacher can still change this setting in his/her own course."; -$ShowOfficialCodeInExerciseResultListTitle = "Display official code in exercises results"; -$ShowOfficialCodeInExerciseResultListComment = "Whether to show the students' official code in the exercises results reports"; -$HidePrivateCoursesFromCourseCatalogTitle = "Hide private courses from catalogue"; -$HidePrivateCoursesFromCourseCatalogComment = "Whether to hide the private courses from the courses catalogue. This makes sense when you use the course catalogue mainly to allow students to auto-subscribe to the courses."; -$CoursesCatalogueShowSessionsTitle = "Sessions and courses catalogue"; -$CoursesCatalogueShowSessionsComment = "Whether you want to show only courses, only sessions or both courses *and* sessions in the courses catalogue."; -$AutoDetectLanguageCustomPagesTitle = "Enable language auto-detect in custom pages"; -$AutoDetectLanguageCustomPagesComment = "If you use custom pages, enable this if you want to have a language detector there present the page in the user's browser language, or disable to force the language to be the default platform language."; -$LearningPathShowReducedReportTitle = "Learning paths: show reduced report"; -$LearningPathShowReducedReportComment = "Inside the learning paths tool, when a user reviews his own progress (through the stats icon), show a shorten (less detailed) version of the progress report."; -$AllowSessionCourseCopyForTeachersTitle = "Allow session-to-session copy for teachers"; -$AllowSessionCourseCopyForTeachersComment = "Enable this option to let teachers copy their content from one course in a session to a course in another session. By default, this option is only available to platform administrators."; -$HideLogoutButtonTitle = "Hide logout button"; -$HideLogoutButtonComment = "Hide the logout button. This is usually only interesting when using an external login/logout method, for example when using Single Sign On of some sort."; -$RedirectAdminToCoursesListTitle = "Redirect admin to courses list"; -$RedirectAdminToCoursesListComment = "The default behaviour is to send administrators directly to the administration panel (while teachers and students are sent to the courses list or the platform homepage). Enable to redirect the administrator also to his/her courses list."; -$CourseImagesInCoursesListTitle = "Courses custom icons"; -$CourseImagesInCoursesListComment = "Use course images as the course icon in courses lists (instead of the default green blackboard icon)."; -$StudentPublicationSelectionForGradebookTitle = "Assignment considered for gradebook"; -$StudentPublicationSelectionForGradebookComment = "In the assignments tool, students can upload more than one file. In case there is more than one for a single assignment, which one should be considered when ranking them in the gradebook? This depends on your methodology. Use 'first' to put the accent on attention to detail (like handling in time and handling the right work first). Use 'last' to highlight collaborative and adaptative work."; -$FilterCertificateByOfficialCodeTitle = "Certificates filter by official code"; -$FilterCertificateByOfficialCodeComment = "Add a filter on the students official code to the certificates list."; -$MaxCKeditorsOnExerciseResultsPageTitle = "Max editors in exercise result screen"; -$MaxCKeditorsOnExerciseResultsPageComment = "Because of the sheer number of questions that might appear in an exercise, the correction screen, allowing the teacher to add comments to each answer, might be very slow to load. Set this number to 5 to ask the platform to only show WYSIWYG editors up to a certain number of answers on the screen. This will speed up the correction page loading time considerably, but will remove WYSIWYG editors and leave only a plain text editor."; -$DocumentDefaultOptionIfFileExistsTitle = "Default document upload mode"; -$DocumentDefaultOptionIfFileExistsComment = "Default upload method in the courses documents. This setting can be changed at upload time for all users. It only represents a default setting."; -$GradebookCronTaskGenerationTitle = "Certificates auto-generation on WS call"; -$GradebookCronTaskGenerationComment = "When enabled, and when using the WSCertificatesList webservice, this option will make sure that all certificates have been generated by users if they reached the sufficient score in all items defined in gradebooks for all courses and sessions (this might consume considerable processing resources on your server)."; -$OpenBadgesBackpackUrlTitle = "OpenBadges backpack URL"; -$OpenBadgesBackpackUrlComment = "The URL of the OpenBadges backpack server that will be used by default for all users wanting to export their badges. This defaults to the open and free Mozilla Foundation backpack repository: https://backpack.openbadges.org/"; -$CookieWarningTitle = "Cookie privacy notification"; -$CookieWarningComment = "If enabled, this option shows a banner on top of your platform that asks users to acknowledge that the platform is using cookies necessary to provide the user experience. The banner can easily be acknowledged and hidden by the user. This allows Chamilo to comply with EU web cookies regulations."; -$CatalogueAllowSessionAutoSubscriptionComment = "If enabled *and* the sessions catalogue is enabled, users will be able to subscribe to active sessions by themselves using the 'Subscribe' button, without any type of restriction."; -$HideCourseGroupIfNoToolAvailableTitle = "Hide course group if no tool"; -$HideCourseGroupIfNoToolAvailableComment = "If no tool is available in a group and the user is not registered to the group itself, hide the group completely in the groups list."; -$CatalogueAllowSessionAutoSubscriptionTitle = "Auto-subscription in sessions catalogue"; -$SoapRegistrationDecodeUtf8Title = "Web services: decode UTF-8"; -$SoapRegistrationDecodeUtf8Comment = "Decode UTF-8 from web services calls. Enable this option (passed to the SOAP parser) if you have issues with the encoding of titles and names when inserted through web services."; -$AttendanceDeletionEnableTitle = "Attendances: enable deletion"; -$AttendanceDeletionEnableComment = "The default behaviour in Chamilo is to hide attendance sheets instead of deleting them, just in case the teacher would do it by mistake. Enable this option to allow teachers to *really* delete attendance sheets."; -$GravatarPicturesTitle = "Gravatar user pictures"; -$GravatarPicturesComment = "Enable this option to search into the Gravatar repository for pictures of the current user, if the user hasn't defined a picture locally. This is great to auto-fill pictures on your site, in particular if your users are active internet users. Gravatar pictures can be configured easily, based on the e-mail address of a user, at http://en.gravatar.com/"; -$GravatarPicturesTypeTitle = "Gravatar avatar type"; -$GravatarPicturesTypeComment = "If the Gravatar option is enabled and the user doesn't have a picture configured on Gravatar, this option allows you to choose the type of avatar that Gravatar will generate for each user. Check http://en.gravatar.com/site/implement/images#default-image for avatar types examples."; -$SessionAdminPermissionsLimitTitle = "Limit session admins permissions"; -$SessionAdminPermissionsLimitComment = "If enabled, the session administrators will only see the User block with the 'Add user' option and the Sessions block with the 'Sessions list' option."; -$ShowSessionDescriptionTitle = "Show session description"; -$ShowSessionDescriptionComment = "Show the session description wherever this option is implemented (sessions tracking pages, etc)"; -$CertificateHideExportLinkStudentTitle = "Certificates: hide export link from students"; -$CertificateHideExportLinkStudentComment = "If enabled, students won't be able to export their certificates to PDF. This option is available because, depending on the precise HTML structure of the certificate template, the PDF export might be of low quality. In this case, it is best to only show the HTML certificate to students."; -$CertificateHideExportLinkTitle = "Certificates: hide PDF export link for all"; -$CertificateHideExportLinkComment = "Enable to completely remove the possibility to export certificates to PDF (for all users). If enabled, this includes hiding it from students."; -$DropboxHideCourseCoachTitle = "Dropbox: hide course coach"; -$DropboxHideCourseCoachComment = "Hide session course coach in dropbox when a document is sent by the coach to students"; -$SSOForceRedirectTitle = "Single Sign On: force redirect"; -$SSOForceRedirectComment = "Enable this option to force users to authenticate on the master authentication portal when a Single Sign On method is enabled. Only enable once you are sure that your Single Sign On procedure is correctly set up, otherwise you might prevent yourself from logging in again (in this case, change the SSO settings in the settings_current table through direct access to the database, to unlock)."; -$SessionCourseOrderingTitle = "Session courses manual ordering"; -$SessionCourseOrderingComment = "Enable this option to allow the session administrators to order the courses inside a session manually. If disabled, courses are ordered alphabetically on course title."; -$AddLPCategory = "Add learning path category"; -$WithOutCategory = "Without category"; -$ItemsTheReferenceDependsOn = "Items the reference depends on"; -$UseAsReference = "Use as reference"; -$Dependencies = "Items that depend on the reference"; -$SetAsRequirement = "Set as a requirement"; -$AddSequence = "Add new sequence"; -$ResourcesSequencing = "Resources sequencing"; -$GamificationModeTitle = "Gamification mode"; -$GamificationModeComment = "Activate the stars achievement in learning paths"; -$LevelX = "Level %s"; -$SeeCourse = "View course"; -$XPoints = "%s points"; -$FromXUntilY = "From %s until %s"; -$SubscribeUsersToLp = "Subscribe users to learning path"; -$SubscribeGroupsToLp = "Subscribe groups to learning path"; -$CreateForumForThisLearningPath = "Create forum for this learning path"; -$ByDate = "By date"; -$ByTag = "By tag"; -$GoToCourseInsideSession = "Go to course within session"; -$EnableGamificationMode = "Enable gamification mode"; -$MyCoursesSessionView = "My courses session view"; -$DisableGamificationMode = "Disable gamification mode"; -$CatalogueShowOnlyCourses = "Show only courses in the catalogue"; -$CatalogueShowOnlySessions = "Show only sessions in the catalogue"; -$CatalogueShowCoursesAndSessions = "Show both courses and sessions in the catalogue"; -$SequenceSelection = "Sequence selection"; -$SequenceConfiguration = "Sequence configuration"; -$SequencePreview = "Sequence preview"; -$DisplayDates = "Dates shown"; -$AccessDates = "Access dates for students"; -$CoachDates = "Access dates for coaches"; -$ChatWithXUser = "Chat with %s"; -$StartVideoChat = "Start video call"; -$FieldTypeVideoUrl = "Video URL"; -$InsertAValidUrl = "Insert a valid URL"; -$SeeInformation = "See information"; -$ShareWithYourFriends = "Share with your friends"; -$ChatRoomName = "Chatroom name"; -$TheVideoChatRoomXNameAlreadyExists = "The video chatroom %s already exists"; -$ChatRoomNotCreated = "Chatroom could not be created"; -$TheXUserBrowserDoesNotSupportWebRTC = "The browser of %s does not support native video transmission. Sorry."; -$FromDateX = "From %s"; -$UntilDateX = "Until %s"; -$GraphDependencyTree = "Dependency tree"; -$CustomizeIcons = "Customize icons"; -$ExportAllToPDF = "Export all to PDF"; -$GradeGeneratedOnX = "Grade generated on %s"; -$ExerciseAvailableSinceX = "Exercise available since %s"; -$ExerciseIsActivatedFromXToY = "The test is enabled from %s to %s"; -$SelectSomeOptions = "Select some options"; -$AddCustomCourseIntro = "You may add an introduction to this course here by clicking the edition icon"; -$SocialGroup = "Social group"; -$RequiredSessions = "Required sessions"; -$DependentSessions = "Dependent sessions"; -$ByDuration = "By duration"; -$ByDates = "By dates"; -$SendAnnouncementCopyToDRH = "Send a copy to HR managers of selected students"; -$PoweredByX = "Powered by %s"; -$AnnouncementErrorNoUserSelected = "Please select at least one user. The announcement has not been saved."; -$NoDependencies = "No dependencies"; -$SendMailToStudent = "Send mail to student"; -$SendMailToHR = "Send mail to HR manager"; -$CourseFields = "Course fields"; -$FieldTypeCheckbox = "Checkbox options"; -$FieldTypeInteger = "Integer value"; -$FieldTypeFileImage = "Image file"; -$FieldTypeFloat = "Float value"; -$DocumentsDefaultVisibilityDefinedInCourseTitle = "Document visibility defined in course"; -$DocumentsDefaultVisibilityDefinedInCourseComment = "The default document visibility for all courses"; -$HtmlPurifierWikiTitle = "HTMLPurifier in Wiki"; -$HtmlPurifierWikiComment = "Enable HTML purifier in the wiki tool (will increase security but reduce style features)"; -$ClickOrDropFilesHere = "Click or drop files"; -$RemoveTutorStatus = "Remove tutor status"; -$ImportGradebookInCourse = "Import gradebook from base course"; -$InstitutionAddressTitle = "Institution address"; -$InstitutionAddressComment = "Address"; -$LatestLoginInCourse = "Latest access in course"; -$LatestLoginInPlatform = "Latest login in platform"; -$FirstLoginInPlatform = "First login in platform"; -$FirstLoginInCourse = "First access to course"; -$QuotingToXUser = "Quoting to %s"; -$LoadMoreComments = "Load more comments"; -$ShowProgress = "Show progress"; -$XPercent = "%s %%"; -$CheckRequirements = "Check requirements"; -$ParentLanguageX = "Parent language: %s"; -$RegisterTermsOfSubLanguageForX = "Define new terms for sub-language %s by searching some term, then save each translation by clicking the save button. You will then have to switch your own user language to see the new terms appear."; -$SeeSequences = "See sequences"; -$SessionRequirements = "Session requirements"; -$IsRequirement = "Is requirement"; -$ConsiderThisGradebookAsRequirementForASessionSequence = "Consider this gradebook as a requirement to complete the course (influences the sessions sequences)"; -$DistinctUsersLogins = "Distinct users logins"; -$AreYouSureToSubscribe = "Are you sure to subscribe?"; -$CheckYourEmailAndFollowInstructions = "Check your email and follow the instructions."; -$LinkExpired = "Link expired, please try again."; -$ResetPasswordInstructions = "Instructions for the password change procedure"; +Once enabled, a search box will appear in the courses list of every user. Searching for a specific term will bring a list of corresponding documents, exercises or forum topics, filtered depending on the availability of these contents to the user."; +$SpecificSearchFieldsAvailable = "Available custom search fields"; +$XapianModuleInstalled = "Xapian module installed"; +$ClickToSelectOrDragAndDropMultipleFilesOnTheUploadField = "Click on the box below to select files from your computer (you can use CTRL + clic to select various files at a time), or drag and drop some files from your desktop directly over the box below. The system will handle the rest!"; +$Simple = "Simple"; +$Multiple = "Multiple"; +$UploadFiles = "Click or drag and drop files here to upload them"; +$ImportExcelQuiz = "Import quiz from Excel"; +$DownloadExcelTemplate = "Download the Excel Template"; +$YouAreCurrentlyUsingXOfYourX = "You are currently using %s MB (%s) of your %s MB."; +$AverageIsCalculatedBasedInAllAttempts = "Average is calculated based on all test attempts"; +$AverageIsCalculatedBasedInTheLatestAttempts = "Average is calculated based on the latest attempts"; +$LatestAttemptAverageScore = "Latest attempt average score"; +$SupportedFormatsForIndex = "Supported formats for index"; +$Installed = "Installed"; +$NotInstalled = "Not installed"; +$Settings = "Settings"; +$ProgramsNeededToConvertFiles = "Programs needed to convert files"; +$YouAreUsingChamiloInAWindowsPlatformSadlyYouCantConvertDocumentsInOrderToSearchTheContentUsingThisTool = "You are using Chamilo in a Windows platform, sadly you can't convert documents in order to search the content using this tool"; +$OnlyLettersAndNumbers = "Only letters (a-z) and numbers (0-9)"; +$HideCoursesInSessionsTitle = "Hide courses list in sessions"; +$HideCoursesInSessionsComment = "When showing the session block in your courses page, hide the list of courses inside that session (only show them inside the specific session screen)."; +$ShowGroupsToUsersTitle = "Show classes to users"; +$ShowGroupsToUsersComment = "Show the classes to users. Classes are a feature that allow you to register/unregister groups of users into a session or a course directly, reducing the administrative hassle. When you pick this option, learners will be able to see in which class they are through their social network interface."; +$ExerciseWillBeActivatedFromXToY = "Exercise will be activated from %s to %s"; +$ExerciseAvailableFromX = "Exercise available from %s"; +$ExerciseAvailableUntilX = "Exercise available until %s"; +$HomepageViewActivityBig = "Big activity view (Ipad style)"; +$CheckFilePermissions = "Check file permissions"; +$AddedToALP = "Added to a LP"; +$NotAvailable = "Not available"; +$ToolSearch = "Search"; +$EnableQuizScenarioTitle = "Enable Quiz scenario"; +$EnableQuizScenarioComment = "From here you will be able to create exercises that propose different questions depending in the user's answers."; +$NanogongNoApplet = "Can't find the applet Nanogong"; +$NanogongRecordBeforeSave = "Before try to send the file you should make the recording"; +$NanogongGiveTitle = "You did not give a name to file"; +$NanogongFailledToSubmit = "Failed to submit the voice recording"; +$NanogongSubmitted = "Voice recording has been submitted"; +$RecordMyVoice = "Record my voice"; +$PressRecordButton = "To start recording press the red button"; +$VoiceRecord = "Voice record"; +$BrowserNotSupportNanogongSend = "Your browser does not send your recording to the platform, although you can save on your computer disk and send it later. To have all the features, we recommend using advanced browsers such as Firefox or Chrome."; +$FileExistRename = "Already exist a file with the same name. Please, rename the file."; +$EnableNanogongTitle = "Activate recorder - voice player Nanogong"; +$EnableNanogongComment = "Nanongong is a recorder - voice player that allows you to record your voice and send it to the platform or download it into your hard drive. It also lets you play what you recorded. The learners only need a microphone and speakers, and accept the load applet when first loaded. It is very useful for language learners to hear his voice after listening the correct pronunciation proposed by teacher in a wav voice file."; +$GradebookAndAttendances = "Assessments and attendances"; +$ExerciseAndLPsAreInvisibleInTheNewCourse = "Exercises and learning paths are invisible in the new course"; +$SelectADateRange = "Select a date range"; +$AreYouSureToLockedTheEvaluation = "Are you sure you want to lock the evaluation?"; +$AreYouSureToUnLockedTheEvaluation = "Are you sure you want to unlock the evaluation?"; +$EvaluationHasBeenUnLocked = "Evaluation has been unlocked"; +$EvaluationHasBeenLocked = "Evaluation has been locked"; +$AllDone = "All done"; +$AllNotDone = "All not done"; +$IfYourLPsHaveAudioFilesIncludedYouShouldSelectThemFromTheDocuments = "If your Learning paths have audio files included, you should select them from the documents"; +$IfYouPlanToUpgradeFromOlderVersionYouMightWantToHaveAlookAtTheChangelog = "If you plan to upgrade from an older version of Chamilo, you might want to have a look at the changelog to know what's new and what has been changed"; +$UplUploadFailedSizeIsZero = "There was a problem uploading your document: the received file had a 0 bytes size on the server. Please, review your local file for any corruption or damage, then try again."; +$YouMustChooseARelationType = "You have to choose a relation type"; +$SelectARelationType = "Relation type selection"; +$AddUserToURL = "Add user to this URL"; +$CourseBelongURL = "Course registered to the URL"; +$AtLeastOneSessionAndOneURL = "You have to select at least one session and one URL"; +$SelectURL = "Select a URL"; +$SessionsWereEdited = "The sessions have been updated."; +$URLDeleted = "URL deleted."; +$CannotDeleteURL = "Cannot delete this URL."; +$CoursesInPlatform = "Courses on the platform."; +$UsersEdited = "Users updated."; +$CourseHome = "Course homepage"; +$ComingSoon = "Coming soon..."; +$DummyCourseOnlyOnTestServer = "Dummy course content - only available on test platforms."; +$ThereAreNotSelectedCoursesOrCoursesListIsEmpty = "There are no selected courses or the courses list is empty."; +$CodeTwiceInFile = "A code has been used twice in the file. This is not authorized. Courses codes should be unique."; +$CodeExists = "This code exists"; +$UnkownCategoryCourseCode = "The category could not be found"; +$LinkedCourseTitle = "Title of related course"; +$LinkedCourseCode = "Linked course's code"; +$AssignUsersToSessionsAdministrator = "Assign users to sessions administrator"; +$AssignedUsersListToSessionsAdministrator = "Assign a users list to the sessions administrator"; +$GroupUpdated = "Class updated."; +$GroupDeleted = "Class deleted."; +$CannotDeleteGroup = "The class could not be deleted."; +$SomeGroupsNotDeleted = "Some of the classes could not be deleted."; +$DontUnchek = "Don't uncheck"; +$Modified = "Modified"; +$SessionsList = "Sessions list"; +$Promotion = "Promotion"; +$UpdateSession = "Update session"; +$Path = "Path"; +$Over100 = "Over 100"; +$UnderMin = "Under the minimum."; +$SelectOptionExport = "Select export option"; +$FieldEdited = "Field added."; +$LanguageParentNotExist = "The parent language does not exist."; +$TheSubLanguageHasNotBeenRemoved = "The sub-language has not been removed."; +$ShowOrHide = "Show/Hide"; +$StatusCanNotBeChangedToHumanResourcesManager = "The status of this user cannot be changed to human resources manager."; +$FieldTaken = "Field taken"; +$AuthSourceNotAvailable = "Authentication source unavailable."; +$UsersSubscribedToSeveralCoursesBecauseOfVirtualCourses = "Users subscribed to several courses through the use of virtual courses."; +$NoUrlForThisUser = "This user doesn't have a related URL."; +$ExtraData = "Extra data"; +$ExercisesInLp = "Exercises in learning paths"; +$Id = "Id"; +$ThereWasAnError = "There was an error."; +$CantMoveToTheSameSession = "Cannot move this to the same session."; +$StatsMoved = "Stats moved."; +$UserInformationOfThisCourse = "User information for this course"; +$OriginCourse = "Original course"; +$OriginSession = "Original session"; +$DestinyCourse = "Destination course"; +$DestinySession = "Destination session"; +$CourseDoesNotExistInThisSession = "The course does not exist in this session. The copy will work only from one course in one session to the same course in another session."; +$UserNotRegistered = "User not registered."; +$ViewStats = "View stats"; +$Responsable = "Responsible"; +$TheAttendanceSheetIsLocked = "The attendance sheet is locked."; +$Presence = "Assistance"; +$ACourseCategoryWithThisNameAlreadyExists = "A course category with the same name already exists."; +$OpenIDRedirect = "OpenID redirect"; +$Blogs = "Blogs"; +$SelectACourse = "Select a course"; +$PleaseSelectACourseOrASessionInTheLeftColumn = "Please select a course or a session in the sidebar."; +$Others = "Others"; +$BackToCourseDesriptionList = "Back to the course description"; +$Postpone = "Postpone"; +$NotHavePermission = "The user doesn't have permissions to do the requested operation."; +$CourseCodeAlreadyExistExplained = "When a course code is duplicated, the database system detects a course code that already exists and prevents the creation of a duplicate. Please ensure no course code is duplicated."; +$NewImage = "New image"; +$Untitled = "Untitled"; +$CantDeleteReadonlyFiles = "Cannot delete files that are configured in read-only mode."; +$InvalideUserDetected = "Invalid user detected."; +$InvalideGroupDetected = "Invalid group detected."; +$OverviewOfFilesInThisZip = "Overview of diles in this Zip"; +$TestLimitsAdded = "Tests limits added"; +$AddLimits = "Add limits"; +$Unlimited = "Unlimited"; +$LimitedTime = "Limited time"; +$LimitedAttempts = "Limited attempts"; +$Times = "Times"; +$Random = "Random"; +$ExerciseTimerControlMinutes = "Enable exercise timer controller."; +$Numeric = "Numerical"; +$Acceptable = "Acceptable"; +$Hotspot = "Hotspot"; +$ChangeTheVisibilityOfTheCurrentImage = "Change the visibility of the current image"; +$Steps = "Steps"; +$OriginalValue = "Original value"; +$ChooseAnAnswer = "Choose an answer"; +$ImportExercise = "Import exercise"; +$MultipleChoiceMultipleAnswers = "Multiple choice, multiple answers"; +$MultipleChoiceUniqueAnswer = "Multiple choice, unique answer"; +$HotPotatoesFiles = "HotPotatoes files"; +$OAR = "Area to avoid"; +$TotalScoreTooBig = "Total score is too big"; +$InvalidQuestionType = "Invalid question type"; +$InsertQualificationCorrespondingToMaxScore = "Insert qualification corresponding to max score"; +$ThreadMoved = "Thread moved"; +$MigrateForum = "Migrate forum"; +$YouWillBeNotified = "You will be notified"; +$MoveWarning = "Warning: moving gradebook elements can be dangerous for the data inside your gradebook."; +$CategoryMoved = "The gradebook has been moved."; +$EvaluationMoved = "The gradebook component has been moved."; +$NoLinkItems = "There are not linked components."; +$NoUniqueScoreRanges = "There is no unique score range possibility."; +$DidNotTakeTheExamAcronym = "The user did not take the exam."; +$DidNotTakeTheExam = "The user did not take the exam."; +$DeleteUser = "Delete user"; +$ResultDeleted = "Result deleted."; +$ResultsDeleted = "Results deleted."; +$OverWriteMax = "Overwrite the maximum."; +$ImportOverWriteScore = "The import should overwrite the score."; +$NoDecimals = "No decimals"; +$NegativeValue = "Negative value"; +$ToExportMustLockEvaluation = "To export, you must lock the evaluation."; +$ShowLinks = "Show links"; +$TotalForThisCategory = "Total for this category."; +$OpenDocument = "Open document"; +$LockEvaluation = "Lock evaluation"; +$UnLockEvaluation = "Unlock evaluation."; +$TheEvaluationIsLocked = "The evaluation is locked."; +$BackToEvaluation = "Back to evaluation."; +$Uploaded = "Uploaded."; +$Saved = "Saved."; +$Reset = "Reset"; +$EmailSentFromLMS = "E-mail sent from the platform"; +$InfoAboutLastDoneAdvanceAndNextAdvanceNotDone = "Information about the last finished step and the next unfinished one."; +$LatexCode = "LaTeX code"; +$LatexFormula = "LaTeX formula"; +$AreYouSureToLockTheAttendance = "Are you sure you want to lock the attendance?"; +$UnlockMessageInformation = "The attendance is not locked, which means your teacher is still able to modify it."; +$LockAttendance = "Lock attendance"; +$AreYouSureToUnlockTheAttendance = "Are you sure you want to unlock the attendance?"; +$UnlockAttendance = "Unlock attendance"; +$LockedAttendance = "Locked attendance"; +$DecreaseFontSize = "Decrease the font size"; +$ResetFontSize = "Reset the font size"; +$IncreaseFontSize = "Increase the font size"; +$LoggedInAsX = "Logged in as %s"; +$Quantity = "Quantity"; +$AttachmentUpload = "attachment upload"; +$CourseAutoRegister = "Auto-registration course"; +$ThematicAdvanceInformation = "The thematic advance tool allows you to organize your course through time."; +$RequestURIInfo = "The URL requested to get to this page, without the domain definition."; +$DiskFreeSpace = "Free space on disk"; +$ProtectFolder = "Protected folder"; +$SomeHTMLNotAllowed = "Some HTML attributed are not allowed."; +$MyOtherGroups = "My other classes"; +$XLSFileNotValid = "The provided XLS file is not valid."; +$YouAreRegisterToSessionX = "You are registered to session: %s."; +$NextBis = "Next"; +$Prev = "Prev"; +$Configuration = "Configuration"; +$WelcomeToTheChamiloInstaller = "Welcome to the Chamilo installer"; +$PHPVersionError = "Your PHP version does not match the requirements for this software. Please check you have the latest version, then try again."; +$ExtensionSessionsNotAvailable = "Sessions extension not available"; +$ExtensionZlibNotAvailable = "Zlib extension not available"; +$ExtensionPCRENotAvailable = "PCRE extension not available"; +$ToGroup = "To social group"; +$XWroteY = "%s wrote:
        %s"; +$BackToGroup = "Back to the group"; +$GoAttendance = "Go to attendances"; +$GoAssessments = "Go assessments"; +$EditCurrentModule = "Edit current module"; +$SearchFeatureTerms = "Terms for the search feature"; +$UserRoles = "User roles"; +$GroupRoles = "Group roles"; +$StorePermissions = "Store permissions"; +$PendingInvitation = "Pending invitation"; +$MaximunFileSizeXMB = "Maximum file size: %sMB."; +$MessageHasBeenSent = "Your message has been sent."; +$Tags = "Tags"; +$ErrorSurveyTypeUnknown = "Survey type unknown"; +$SurveyUndetermined = "Survey undefined"; +$QuestionComment = "Question comment"; +$UnknowQuestion = "Unknown question"; +$DeleteSurveyGroup = "Delete a survey group"; +$ErrorOccurred = "An error occurred."; +$ClassesUnSubscribed = "Classes unsubscribed."; +$NotAddedToCourse = "Not added to course"; +$UsersNotRegistered = "Users who did not register."; +$ClearFilterResults = "Clear filter results"; +$SelectFilter = "Select filter"; +$MostLinkedPages = "Pages most linked"; +$DeadEndPages = "Dead end pages"; +$MostNewPages = "Newest pages"; +$MostLongPages = "Longest pages"; +$HiddenPages = "Hidden pages"; +$MostDiscussPages = "Most discussed pages"; +$BestScoredPages = "Best scores pages"; +$MProgressPages = "Highest progress pages"; +$MostDiscussUsers = "Most discussed users"; +$RandomPage = "Random page"; +$DateExpiredNotBeLessDeadLine = "The expiration date cannot be smaller than the deadline."; +$NotRevised = "Not reviewed"; +$DirExists = "The operation is impossible, a directory with this name already exists."; +$DocMv = "Document moved"; +$ThereIsNoClassScheduledTodayTryPickingAnotherDay = "There is no class scheduled today, try picking another day or add your attendance entry yourself using the action icons."; +$AddToCalendar = "Add to calendar"; +$TotalWeight = "Total weight"; +$RandomPick = "Random pick"; +$SumOfActivitiesWeightMustBeEqualToTotalWeight = "The sum of all activity weights must be equal to the total weight indicated in your assessment settings, otherwise the learners will not be able to reach the sufficient score to achieve their certification."; +$TotalSumOfWeights = "The sum of all weights of activities inside this assessment has to be equivalent to this number."; +$ShowScoreAndRightAnswer = "Auto-evaluation mode: show score and expected answers"; +$DoNotShowScoreNorRightAnswer = "Exam mode: Do not show score nor answers"; +$YouNeedToAddASessionCategoryFirst = "You need to add a session category first"; +$YouHaveANewInvitationFromX = "You have a new invitation from %s"; +$YouHaveANewMessageFromGroupX = "You have a new message from group %s"; +$YouHaveANewMessageFromX = "You have a new message from %s"; +$SeeMessage = "See message"; +$SeeInvitation = "See invitation"; +$YouHaveReceivedThisNotificationBecauseYouAreSubscribedOrInvolvedInItToChangeYourNotificationPreferencesPleaseClickHereX = "You have received this notification because you are subscribed or involved in it to change your notification preferences please click here: %s"; +$Replies = "Replies"; +$Reply = "Reply"; +$InstallationGuide = "Installation guide"; +$ChangesInLastVersion = "Changes in last version"; +$ContributorsList = "Contributors list"; +$SecurityGuide = "Security guide"; +$OptimizationGuide = "Optimization guide"; +$FreeBusyCalendar = "Free/Busy calendar"; +$LoadUsersExtraData = "Load users' extra data"; +$Broken = "Broken"; +$CheckURL = "Check link"; +$PrerequisiteDeletedError = "Error: the element defined as prerequisite has been deleted."; +$NoItem = "No item yet"; +$ProtectedPages = "Protected pages"; +$LoadExtraData = "Load extra user fields data (have to be marked as 'Filter' to appear)."; +$CourseAssistant = "Assistant"; +$TotalWeightMustBeX = "The sum of all weights of activities must be %s"; +$MaxWeightNeedToBeProvided = "Max weight need to be provided"; +$ExtensionCouldBeLoaded = "Extension could be loaded"; +$SupportedScormContentMakers = "Scorm Authoring tools supported"; +$DisableEndDate = "Disable end date"; +$ForumCategories = "Forum Categories"; +$Copy = "Copy"; +$ArchiveDirCleanup = "Archive directory cleanup"; +$ArchiveDirCleanupDescr = "Chamilo keeps a copy of most of the temporary files it generates (for backups, exports, copies, etc) into its archive/ directory. After a while, this can add up to a very large amount of disk space being used for nothing. Click the button below to clean your archive directory up. This operation should be automated by a cron process, but if this is not possible, you can come to this page regularly to remove all temporary files from the directory."; +$ArchiveDirCleanupProceedButton = "Proceed with cleanup"; +$ArchiveDirCleanupSucceeded = "The archive/ directory cleanup has been executed successfully."; +$ArchiveDirCleanupFailed = "For some reason, the archive/ directory could not be cleaned up. Please clean it up by manually connecting to the server and delete all files and symbolic links under the chamilo/archive/ directory, except the .htaccess file. On Linux: # find archive/ \( -type f -or -type l \) -not -name .htaccess -exec echo rm -v \{} \;"; +$EnableStartTime = "Enable start time"; +$EnableEndTime = "Enable end time"; +$LocalTimeUsingPortalTimezoneXIsY = "The local time in the portal timezone (%s) is %s"; +$AllEvents = "All events"; +$StartTest = "Start test"; +$ExportAsDOC = "Export as .doc"; +$Wrong = "Wrong"; +$Certification = "Certification"; +$CertificateOnlineLink = "Online link to certificate"; +$NewExercises = "New exercises"; +$MyAverage = "My average"; +$AllAttempts = "All attempts"; +$QuestionsToReview = "Questions to be reviewed"; +$QuestionWithNoAnswer = "Questions without answer"; +$ValidateAnswers = "Validate answers"; +$ReviewQuestions = "Review selected questions"; +$YouTriedToResolveThisExerciseEarlier = "You have tried to resolve this exercise earlier"; +$NoCookies = "You do not have cookies support enabled in your browser. Chamilo relies on the feature called \"cookies\" to store your connection details. This means you will not be able to login if cookies are not enabled. Please change your browser configuration (generally in the Edit -> Preferences menu) and reload this page."; +$NoJavascript = "Your do not have JavaScript support enabled in your browser. Chamilo relies heavily on JavaScript to provide you with a more dynamic interface. It is likely that most feature will work, but you might not benefit from the latest improvements in usability. We recommend you change your browser configuration (generally under the Edit -> Preferences menu) and reload this page."; +$NoFlash = "You do not seems to have Flash support enabled in your browser. Chamilo only relies on Flash for a few features and will not lock you out in any way if you don't have it, but if you want to benefit from the complete set of tools from Chamilo, we recommend you install the Flash Plugin and restart your browser."; +$ThereAreNoQuestionsForThisExercise = "There are no questions for this exercise"; +$Attempt = "Attempt"; +$SaveForNow = "Save and continue later"; +$ContinueTest = "Proceed with the test"; +$NoQuicktime = "Your browser does not have the QuickTime plugin installed. You can still use the platform, but to run a larger number of media file types, we suggest you might want to install it."; +$NoJavaSun = "Your browser doesn't seem to have the Sun Java plugin installed. You can still use the platform, but you will lose a few of its capabilities."; +$NoJava = "Your browser does not support Java"; +$JavaSun24 = "Your browser has a Java version not supported by this tool.\nTo use it you have to install a Java Sun version higher than 24"; +$NoMessageAnywere = "If you do not want to see this message again during this session, click here"; +$IncludeAllVersions = "Also search in older versions of each page"; +$TotalHiddenPages = "Total hidden pages"; +$TotalPagesEditedAtThisTime = "Total pages edited at this time"; +$TotalWikiUsers = "Total users that have participated in this Wiki"; +$StudentAddNewPages = "Learners can add new pages to the Wiki"; +$DateCreateOldestWikiPage = "Creation date of the oldest Wiki page"; +$DateEditLatestWikiVersion = "Date of most recent edition of Wiki"; +$AverageScoreAllPages = "Average rating of all pages"; +$AverageMediaUserProgress = "Mean estimated progress by users on their pages"; +$TotalIpAdress = "Total different IP addresses that have contributed to Wiki"; +$Pages = "Pages"; +$Versions = "Versions"; +$EmptyPages = "Total of empty pages"; +$LockedDiscussPages = "Number of discussion pages blocked"; +$HiddenDiscussPages = "Number of discussion pages hidden"; +$TotalComments = "Total comments on various versions of the pages"; +$TotalOnlyRatingByTeacher = "Total pages can only be scored by a teacher"; +$TotalRatingPeers = "Total pages that can be scored by other learners"; +$TotalTeacherAssignments = "Number of assignments pages proposed by a teacher"; +$TotalStudentAssignments = "Number of individual assignments learner pages"; +$TotalTask = "Number of tasks"; +$PortfolioMode = "Portfolio mode"; +$StandardMode = "Standard Task mode"; +$ContentPagesInfo = "Information about the content of the pages"; +$InTheLastVersion = "In the last version"; +$InAllVersions = "In all versions"; +$NumContributions = "Number of contributions"; +$NumAccess = "Number of visits"; +$NumWords = "Number of words"; +$NumlinksHtmlImagMedia = "Number of external html links inserted (text, images, ...)."; +$NumWikilinks = "Number of wiki links"; +$NumImages = "Number of inserted images"; +$NumFlash = "Number of inserted flash files"; +$NumMp3 = "Number of mp3 audio files inserted"; +$NumFlvVideo = "Number of FLV video files inserted"; +$NumYoutubeVideo = "Number of Youtube video embedded"; +$NumOtherAudioVideo = "Number of audio and video files inserted (except mp3 and flv)"; +$NumTables = "Number of tables inserted"; +$Anchors = "Anchors"; +$NumProtectedPages = "Number of protected pages"; +$Attempts = "Attempts"; +$SeeResults = "See results"; +$Loading = "Loading"; +$AreYouSureToRestore = "Are you sure you want to restore this element?"; +$XQuestionsWithTotalScoreY = "%d questions, for a total score (all questions) of %s."; +$ThisIsAutomaticEmailNoReply = "This is an automatic email message. Please do not reply to it."; +$UploadedDocuments = "Uploaded documents"; +$QuestionLowerCase = "question"; +$QuestionsLowerCase = "questions"; +$BackToTestList = "Back to test list"; +$CategoryDescription = "Category description"; +$BackToCategoryList = "Back to category list"; +$AddCategoryNameAlreadyExists = "This category name already exists. Please use another name."; +$CannotDeleteCategory = "Can't delete category"; +$CannotDeleteCategoryError = "Error: could not delete category"; +$CannotEditCategory = "Could not edit category"; +$ModifyCategoryError = "Could not update category"; +$AllCategories = "All categories"; +$CreateQuestionOutsideExercice = "Create question outside exercise"; +$ChoiceQuestionType = "Choose question type"; +$YesWithCategoriesSorted = "Yes, with categories ordered"; +$YesWithCategoriesShuffled = "Yes, with categories shuffled"; +$ManageAllQuestions = "Manage all questions"; +$MustBeInATest = "Must be in a test"; +$PleaseSelectSomeRandomQuestion = "Please select some random question"; +$RemoveFromTest = "Remove from test"; +$AddQuestionToTest = "Add question to test"; +$QuestionByCategory = "Question by category"; +$QuestionUpperCaseFirstLetter = "Question"; +$QuestionCategory = "Questions category"; +$AddACategory = "Add category"; +$AddTestCategory = "Add test category"; +$AddCategoryDone = "Category added"; +$NbCategory = "Nb categories"; +$DeleteCategoryAreYouSure = "Are you sure you want to delete this category?"; +$DeleteCategoryDone = "Category deleted"; +$MofidfyCategoryDone = "Category updated"; +$NotInAGroup = "Not in a group"; +$DoFilter = "Filter"; +$ByCategory = "By category"; +$PersonalCalendar = "Personal Calendar"; +$SkillsTree = "Skills Tree"; +$Skills = "Skills"; +$SkillsProfile = "Skills Profile"; +$WithCertificate = "With Certificate"; +$AdminCalendar = "Admin Calendar"; +$CourseCalendar = "Course Calendar"; +$Reports = "Reports"; +$ResultsNotRevised = "Results not reviewed"; +$ResultNotRevised = "Result not reviewed"; +$dateFormatShortNumber = "%m/%d/%Y"; +$dateTimeFormatLong24H = "%B %d, %Y at %H:%M"; +$ActivateLegal = "Enable legal terms"; +$ShowALegalNoticeWhenEnteringTheCourse = "Show a legal notice when entering the course"; +$GradingModelTitle = "Grading model"; +$AllowTeacherChangeGradebookGradingModelTitle = "Allow teachers to change the assessments grading model"; +$AllowTeacherChangeGradebookGradingModelComment = "Enabling this option, you will allow each teacher to choose the grading model which will be used in his/her course. This change will have to be made by the teacher from inside the assessments tool of the course."; +$NumberOfSubEvaluations = "Number of sub evaluations"; +$AddNewModel = "Add new model"; +$NumberOfStudentsWhoTryTheExercise = "Number of learners who attempted the exercise"; +$LowestScore = "Lowest score"; +$HighestScore = "Highest score"; +$ContainsAfile = "Contains a file"; +$Discussions = "Discussions"; +$ExerciseProgress = "Exercise progress"; +$GradeModel = "Grading model"; +$SelectGradebook = "Select assessment"; +$ViewSkillsTree = "View skills tree"; +$MySkills = "My skills"; +$GroupParentship = "Group parentship"; +$NoParentship = "No parentship"; +$NoCertificate = "No certificate"; +$AllowTextAssignments = "Allow assignments handing through online editor"; +$SeeFile = "See file"; +$ShowDocumentPreviewTitle = "Show document preview"; +$ShowDocumentPreviewComment = "Showing previews of the documents in the documents tool will avoid loading a new page just to show a document, but can result unstable with some older browsers or smaller width screens."; +$YouAlreadySentAPaperYouCantUpload = "You already sent an assignment, you can't upload a new one"; +$CasMainActivateTitle = "Enable CAS authentication"; +$CasMainServerTitle = "Main CAS server"; +$CasMainServerComment = "This is the main CAS server which will be used for the authentication (IP address or hostname)"; +$CasMainServerURITitle = "Main CAS server URI"; +$CasMainServerURIComment = "The path to the CAS service"; +$CasMainPortTitle = "Main CAS server port"; +$CasMainPortComment = "The port on which to connect to the main CAS server"; +$CasMainProtocolTitle = "Main CAS server protocol"; +$CAS1Text = "CAS 1"; +$CAS2Text = "CAS 2"; +$SAMLText = "SAML"; +$CasMainProtocolComment = "The protocol with which we connect to the CAS server"; +$CasUserAddActivateTitle = "Enable CAS user addition"; +$CasUserAddActivateComment = "Enable CAS user addition"; +$CasUserAddLoginAttributeTitle = "Add CAS user login"; +$CasUserAddLoginAttributeComment = "Add CAS user login details when registering a new user"; +$CasUserAddEmailAttributeTitle = "Add CAS user email"; +$CasUserAddEmailAttributeComment = "Add CAS user e-mail details when registering a new user"; +$CasUserAddFirstnameAttributeTitle = "Add CAS user first name"; +$CasUserAddFirstnameAttributeComment = "Add CAS user first name when registering a new user"; +$CasUserAddLastnameAttributeTitle = "Add CAS user last name"; +$CasUserAddLastnameAttributeComment = "Add CAS user last name details when registering a new user"; +$UserList = "User list"; +$SearchUsers = "Search users"; +$Administration = "Administration"; +$AddAsAnnouncement = "Add as an announcement"; +$SkillsAndGradebooks = "Skills and assessments"; +$AddSkill = "Add skill"; +$ShowAdminToolbarTitle = "Show admin toolbar"; +$AcceptLegal = "Accept legal agreement"; +$CourseLegalAgreement = "Legal agreement for this course"; +$RandomQuestionByCategory = "Random questions by category"; +$QuestionDisplayCategoryName = "Display questions category"; +$ReviewAnswers = "Review my answers"; +$TextWhenFinished = "Text appearing at the end of the test"; +$Validated = "Validated"; +$NotValidated = "Not validated"; +$Revised = "Revised"; +$SelectAQuestionToReview = "Select a question to revise"; +$ReviewQuestionLater = "Revise question later"; +$NumberStudentWhoSelectedIt = "Number of learners who selected it"; +$QuestionsAlreadyAnswered = "Questions already answered"; +$SkillDoesNotExist = "There is no such skill"; +$CheckYourGradingModelValues = "Please check your grading model values"; +$SkillsAchievedWhenAchievingThisGradebook = "Skills obtained when achieving this assessment"; +$AddGradebook = "Add assessment"; +$NoStudents = "No learner"; +$NoData = "No data available"; +$IAmAHRM = "I am a human resources manager"; +$SkillRootName = "Absolute skill"; +$Option = "Option"; +$NoSVGImagesInImagesGalleryPath = "There are no SVG images in your images gallery directory"; +$NoSVGImages = "No SVG image"; +$NumberOfStudents = "Number of learners"; +$NumberStudentsAccessingCourse = "Number of learners accessing the course"; +$PercentageStudentsAccessingCourse = "Percentage of learners accessing the course"; +$NumberStudentsCompleteAllActivities = "Number of learners who completed all activities (100% progress)"; +$PercentageStudentsCompleteAllActivities = "Percentage of learners who completed all activities (100% progress)"; +$AverageOfActivitiesCompletedPerStudent = "Average number of activities completed per learner"; +$TotalTimeSpentInTheCourse = "Total time spent in the course"; +$AverageTimePerStudentInCourse = "Average time spent per learner in the course"; +$NumberOfDocumentsInLearnpath = "Number of documents in learning path"; +$NumberOfExercisesInLearnpath = "Number of exercises in learning path"; +$NumberOfLinksInLearnpath = "Number of links in learning path"; +$NumberOfForumsInLearnpath = "Number of forums in learning path"; +$NumberOfAssignmentsInLearnpath = "Number of assignments in learning path"; +$NumberOfAnnouncementsInCourse = "Number of announcements in course"; +$CurrentCoursesReport = "Current courses report"; +$HideTocFrame = "Hide table of contents frame"; +$Updates = "Updates"; +$Teaching = "Teaching"; +$CoursesReporting = "Courses reporting"; +$AdminReports = "Admin reports"; +$ExamsReporting = "Exams reports"; +$MyReporting = "My reporting"; +$SearchSkills = "Search skills"; +$SaveThisSearch = "Save this search"; +$SkillProfiles = "Stored skills profiles"; +$Matches = "Matches"; +$WelcomeUserXToTheSiteX = "%s, welcome to %s"; +$CheckUsersWithId = "Use user's IDs from the file to subscribe them"; +$WhoAndWhere = "Who and where"; +$CantUploadDeleteYourPaperFirst = "You cannot upload this assignment. Please delete the previous one first."; +$MB = "MB"; +$ShowAdminToolbarComment = "Shows a global toolbar on top of the page to the designated user roles. This toolbar, very similar to Wordpress and Google's black toolbars, can really speed up complicated actions and improve the space you have available for the learning content, but it might be confusing for some users"; +$SessionList = "Session list"; +$StudentList = "Learners list"; +$StudentsWhoAreTakingTheExerciseRightNow = "Learners who're taking the exercise right now"; +$GroupReply = "Reply"; +$GroupReplies = "Replies"; +$ReportByQuestion = "Report by question"; +$LiveResults = "Live results"; +$SkillNotFound = "Skill not found"; +$IHaveThisSkill = "I have this skill"; +$Me = "Me"; +$Vote = "Vote"; +$Votes = "Votes"; +$XStarsOutOf5 = "%s stars out of 5"; +$Visit = "Visit"; +$Visits = "Visits"; +$YourVote = "Your vote"; +$HottestCourses = "Most popular courses"; +$SentAtX = "Sent at: %s"; +$dateTimeFormatShort = "%b %d, %Y at %I:%M %p"; +$dateTimeFormatShortTimeFirst = "%I:%M %p, %b %d %Y"; +$LoginToVote = "Login to vote"; +$AddInMenu = "Add in menu"; +$AllowUsersToChangeEmailWithNoPasswordTitle = "Allow users to change email with out password"; +$AllowUsersToChangeEmailWithNoPasswordComment = "When changing the account information"; +$EnableHelpLinkTitle = "Enable help link"; +$EnableHelpLinkComment = "The Help link is located in the top right part of the screen"; +$BackToAdmin = "Back to administration"; +$AllowGlobalChatTitle = "Allow global chat"; +$HeaderExtraContentTitle = "Extra content in header"; +$HeaderExtraContentComment = "You can add HTML code like meta tags"; +$FooterExtraContentTitle = "Extra content in footer"; +$AllowGlobalChatComment = "Users can chat with each other"; +$FooterExtraContentComment = "You can add HTML code like meta tags"; +$DoNotShow = "Do not show"; +$ShowToAdminsOnly = "Show to admins only"; +$ShowToAdminsAndTeachers = "Show to admins and teachers"; +$ShowToAllUsers = "Show to all users"; +$ImportGlossary = "Import glossary"; +$ReplaceGlossary = "Replace glossary"; +$CannotDeleteGlossary = "Cannot delete glossary"; +$TermsImported = "Terms imported"; +$TermsNotImported = "Terms not imported"; +$ExportGlossaryAsCSV = "Export glossary as a CSV file"; +$SelectAnAction = "Select an action"; +$LoginX = "Login: %s"; +$DatabaseXWillBeCreated = "Database %s will be created"; +$ADatabaseWithTheSameNameAlreadyExists = "A database with the same name already exists."; +$UserXCantHaveAccessInTheDatabaseX = "User %s doesn't have access in the database %s"; +$DatabaseXCantBeCreatedUserXDoestHaveEnoughPermissions = "Database %s can't be created, user %s doesn't have enough permissions"; +$CopyOnlySessionItems = "Copy only session items"; +$FirstLetterCourseTitle = "First letter of course title"; +$NumberOfPublishedExercises = "# of published exercises"; +$NumberOfPublishedLps = "# of published Learning Paths"; +$ChatConnected = "Chat (Connected)"; +$ChatDisconnected = "Chat (Disconnected)"; +$AddCourseDescription = "Add course description"; +$ThingsToDo = "Suggested steps to take next"; +$RecordAnswer = "Record answer"; +$UseTheMessageBelowToAddSomeComments = "Use the message below to add a comment"; +$SendRecord = "Send record"; +$DownloadLatestRecord = "Download record"; +$OralExpression = "Oral expression"; +$UsersFoundInOtherPortals = "Users found in other portals"; +$AddUserToMyURL = "Add user to my portal"; +$UsersDeleted = "Users deleted"; +$UsersAdded = "Users added"; +$PluginArea = "Plugin area"; +$NoConfigurationSettingsForThisPlugin = "No configuration settings found for this plugin"; +$CoursesDefaultCreationVisibilityTitle = "Default course visibility"; +$CoursesDefaultCreationVisibilityComment = "Default course visibility while creating a new course"; +$YouHaveEnteredTheCourseXInY = "You have entered the course %s in %s"; +$LoginIsEmailTitle = "Use the email as username"; +$LoginIsEmailComment = "Use the email in order to login to the system"; +$CongratulationsYouPassedTheTest = "Congratulations you passed the test!"; +$YouDidNotReachTheMinimumScore = "You didn't reach the minimum score"; +$AllowBrowserSnifferTitle = "Activate the browser sniffer"; +$AllowBrowserSnifferComment = "This will enable an investigator of the capabilities that support browsers that connect to Chamilo. Therefore will improve user experience by adapting responses to the type of browser platform that connects, but will slow initial page load of users every time that they enter to the platform."; +$EndTest = "End test"; +$EnableWamiRecordTitle = "Activate Wami-recorder"; +$EnableWamiRecordComment = "Wami-recorder is a voice record tool on Flash"; +$EventType = "Event type"; +$WamiFlashDialog = "It will display a dialog box which asks for your permission to access the microphone, answer yes and close the dialog box (if you do not want to appear again, before closing check remember)"; +$WamiStartRecorder = "Start recording by pressing the microphone and stop it by pressing again. Each time you do this will generate a file."; +$WamiNeedFilename = "Before you activate recording it is necessary a file name."; +$InputNameHere = "Enter name here"; +$Reload = "Reload"; +$SelectGradeModel = "Select a calification model"; +$AllMustWeight100 = "The sum of all values must be 100"; +$Components = "Components"; +$ChangeSharedSetting = "Change setting visibility for the other portals"; +$OnlyActiveWhenThereAreAnyComponents = "This option is enabled if you have any evaluations or categories"; +$AllowHRSkillsManagementTitle = "Allow HR skills management"; +$AllowHRSkillsManagementComment = "Allows HR to manage skills"; +$GradebookDefaultWeightTitle = "Default weight in Gradebook"; +$GradebookDefaultWeightComment = "This weight will be use in all courses by default"; +$TimeSpentLastXDays = "Time spent the last %s days"; +$TimeSpentBetweenXAndY = "Time spent between %s and %s"; +$GoToCourse = "Go to the course"; +$TeachersCanChangeScoreSettingsTitle = "Teachers can change the Gradebook score settings"; +$TeachersCanChangeScoreSettingsComment = "When editing the Gradebook settings"; +$SubTotal = "Subtotal"; +$Configure = "Configure"; +$Regions = "Regions"; +$CourseList = "Course list"; +$NumberAbbreviation = "N°"; +$FirstnameAndLastname = "First Name and Last Name"; +$LastnameAndFirstname = "Last Name and First Name"; +$Plugins = "Plugins"; +$Detailed = "Detailed"; +$ResourceLockedByGradebook = "This option is not available because this activity is contained by an assessment, which is currently locked. To unlock the assessment, ask your platform administrator."; +$GradebookLockedAlert = "This assessment has been locked. You cannot unlock it. If you really need to unlock it, please contact the platform administrator, explaining the reason why you would need to do that (it might otherwise be considered as fraud attempt)."; +$GradebookEnableLockingTitle = "Enable locking of assessments by teachers"; +$GradebookEnableLockingComment = "Once enabled, this option will enable locking of any assessment by the teachers of the corresponding course. This, in turn, will prevent any modification of results by the teacher inside the resources used in the assessment: exams, learning paths, tasks, etc. The only role authorized to unlock a locked assessment is the administrator. The teacher will be informed of this possibility. The locking and unlocking of gradebooks will be registered in the system's report of important activities"; +$LdapDescriptionComment = "

        • LDAP authentication :
          See I. below to configure LDAP
          See II. below to activate LDAP authentication


        • Update user attributes, with LDAP data, after CAS authentication(see CAS configuration ) :
          See I. below to configure LDAP
          CAS manage user authentication, LDAP activation isn't required.


        I. LDAP configuration

        Edit file main/inc/conf/auth.conf.php
        -> Edit values of array $extldap_config

        Parameters are
        • base domain string (ex : 'base_dn' => 'DC=cblue,DC=be')
        • admin distinguished name (ex : 'admin_dn' =>'CN=admin,dc=cblue,dc=be')
        • admin password (ex : 'admin_password' => '123456')
        • ldap host (ex : 'host' => array('1.2.3.4', '2.3.4.5', '3.4.5.6'))
        • filter (ex : 'filter' => '')
        • port (ex : 'port' => 389)
        • protocol version (2 or 3) (ex : 'protocol_version' => 3)
        • user_search (ex : 'user_search' => 'sAMAccountName=%username%')
        • encoding (ex : 'encoding' => 'UTF-8')
        • update_userinfo (ex : 'update_userinfo' => true)
        -> To update correspondences between user and LDAP attributes, edit array $extldap_user_correspondance
        Array values are <chamilo_field> => >ldap_field>
        Array structure is explained in file main/auth/external_login/ldap.conf.php


        II. Activate LDAP authentication

        Edit file main/inc/conf/configuration.php
        -> Uncomment lines
        $extAuthSource["extldap"]["login"] =$_configuration['root_sys']."main/auth/external_login/login.ldap.php";
        $extAuthSource["extldap"]["newUser"] =$_configuration['root_sys']."main/auth/external_login/newUser.ldap.php";

        N.B. : LDAP users use same fields than platform users to login.
        N.B. : LDAP activation adds a menu External authentication [LDAP] in "add or modify" user pages."; +$ShibbolethMainActivateTitle = "

        Shibboleth authentication

        "; +$ShibbolethMainActivateComment = "

        First of all, you have to configure Shibboleth for your web server.

        To configure it for Chamilo
        edit file main/auth/shibboleth/config/aai.class.php

        Modify object $result values with the name of your Shibboleth attributes

        • $result->unique_id = 'mail';
        • $result->firstname = 'cn';
        • $result->lastname = 'uid';
        • $result->email = 'mail';
        • $result->language = '-';
        • $result->gender = '-';
        • $result->address = '-';
        • $result->staff_category = '-';
        • $result->home_organization_type = '-';
        • $result->home_organization = '-';
        • $result->affiliation = '-';
        • $result->persistent_id = '-';
        • ...

        Go to Plugin to add a configurable 'Shibboleth Login' button for your Chamilo campus."; +$LdapDescriptionTitle = "

        LDAP autentication

        "; +$FacebookMainActivateTitle = "

        Facebook authentication

        "; +$FacebookMainActivateComment = "

        First of all, you have create a Facebook Application (see https://developers.facebook.com/apps) with your Facebook account. In the Facebook Apps parameters, the site URL value should have a GET parameter 'action=fbconnect' (e.g. http://mychamilo.com/?action=fbconnect).

        Then,
        edit file main/auth/external_login/facebook.conf.php
        and enter 'appId' and 'secret' values for $facebook_config.
        Go to Plugin to add a configurable 'Facebook Login' button for your Chamilo campus."; +$AnnouncementForGroup = "Announcement for a group"; +$AllGroups = "All groups"; +$LanguagePriority1Title = "Language priority 1"; +$LanguagePriority2Title = "Language priority 2"; +$LanguagePriority3Title = "Language priority 3"; +$LanguagePriority4Title = "Language priority 4"; +$LanguagePriority5Title = "Language priority 5"; +$LanguagePriority1Comment = "The language with the highest priority"; +$LanguagePriority2Comment = "The second language priority"; +$LanguagePriority3Comment = "The third language priority"; +$LanguagePriority4Comment = "The fourth language priority"; +$LanguagePriority5Comment = "The lowest language priority"; +$UserLanguage = "User language"; +$UserSelectedLanguage = "User selected language"; +$TeachersCanChangeGradeModelSettingsTitle = "Teachers can change the Gradebook model settings"; +$TeachersCanChangeGradeModelSettingsComment = "When editing a Gradebook"; +$GradebookDefaultGradeModelTitle = "Default grade model"; +$GradebookDefaultGradeModelComment = "This value will be selected by default when creating a course"; +$GradebookEnableGradeModelTitle = "Enable Gradebook model"; +$GradebookEnableGradeModelComment = "Enables the auto creation of gradebook categories inside a course depending of the gradebook models."; +$ConfirmToLockElement = "Are you sure you want to lock this item? After locking this item you can't edit the user results. To unlock it, you need to contact the platform administrator."; +$ConfirmToUnlockElement = "Are you sure you want to unlock this element?"; +$AllowSessionAdminsToSeeAllSessionsTitle = "Allow session administrators to see all sessions"; +$AllowSessionAdminsToSeeAllSessionsComment = "When this option is not enabled (default), session administrators can only see the sessions they have created. This is confusing in an open environment where session administrators might need to share support time between two sessions."; +$PassPercentage = "Pass percentage"; +$AllowSkillsToolTitle = "Allow Skills tool"; +$AllowSkillsToolComment = "Users can see their skills in the social network and in a block in the homepage."; +$UnsubscribeFromPlatform = "If you want to unsubscribe completely from this campus and have all your information removed from our database, please click the button below and confirm."; +$UnsubscribeFromPlatformConfirm = "Yes, I want to remove this account completely. No data will remain on the server and I will be unable to login again, unless I create a completely new account."; +$AllowPublicCertificatesTitle = "Allow public certificates"; +$AllowPublicCertificatesComment = "User certificates can be view by unregistered users."; +$DontForgetToSelectTheMediaFilesIfYourResourceNeedIt = "Don't forget to select the media files if your resource need it"; +$NoStudentCertificatesAvailableYet = "No learner certificate available yet. Please note that, to generate his certificate, a learner has to go to the assessments tool and click the certificate icon, which will only appear when he reached the course objectives."; +$CertificateExistsButNotPublic = "The requested certificate exists on this portal, but it has not been made public. Please login to view it."; +$Default = "Default"; +$CourseTestWasCreated = "A test course has been created successfully"; +$NoCategorySelected = "No category selected"; +$ReturnToCourseHomepage = "Return to Course Homepage"; +$ExerciseAverage = "Exercise average"; +$WebCamClip = "Webcam Clip"; +$Snapshot = "Snapshot"; +$TakeYourPhotos = "Take your photos"; +$LocalInputImage = "Local input image"; +$ClipSent = "Clip sent"; +$Auto = "Auto"; +$Stop = "Stop"; +$EnableWebCamClipTitle = "Enable Webcam Clip"; +$EnableWebCamClipComment = "Webcam Clip allow to users capture images from his webcam and send them to server in jpeg format"; +$ResizingAuto = "AUTO RESIZE (default)"; +$ResizingAutoComment = "This slideshow will resize automatically to your screen size. This is the default option."; +$YouShouldCreateTermAndConditionsForAllAvailableLanguages = "You should create the \"Term and Conditions\" for all the available languages."; +$SelectAnAudioFileFromDocuments = "Select an audio file from documents"; +$ActivateEmailTemplateTitle = "Enable e-mail alerts templates"; +$ActivateEmailTemplateComment = "Define home-made e-mail alerts to be fired on specific events (and to specific users)"; +$SystemManagement = "System Management"; +$RemoveOldDatabaseMessage = "Remove old database"; +$RemoveOldTables = "Remove old tables"; +$TotalSpaceUsedByPortalXLimitIsYMB = "Total space used by portal %s limit is %s MB"; +$EventMessageManagement = "Event message management"; +$ToBeWarnedUserList = "To be warned user list"; +$YouHaveSomeUnsavedChanges = "You have some unsaved changes. Do you want to abandon them ?"; +$ActivateEvent = "Activate event"; +$AvailableEventKeys = "Available event keys. Use them between (( ))."; +$Events = "Events"; +$EventTypeName = "Event type name"; +$HideCampusFromPublicPlatformsList = "Hide campus from public platforms list"; +$ChamiloOfficialServicesProviders = "Chamilo official services providers"; +$NoNegativeScore = "No negative score"; +$GlobalMultipleAnswer = "Global multiple answer"; +$Zombies = "Zombies"; +$ActiveOnly = "Active only"; +$AuthenticationSource = "Authentication source"; +$RegisteredDate = "Registered date"; +$NbInactiveSessions = "Number of inactive sessions"; +$AllQuestionsShort = "All"; +$FollowedSessions = "Followed sessions"; +$FollowedCourses = "Followed courses"; +$FollowedUsers = "Followed users"; +$Timeline = "Timeline"; +$ExportToPDFOnlyHTMLAndImages = "Export to PDF web pages and images"; +$CourseCatalog = "Course catalog"; +$Go = "Go"; +$ProblemsRecordingUploadYourOwnAudioFile = "Problem recording? Upload your own audio file."; +$ImportThematic = "Import course progress"; +$ExportThematic = "Export course progress"; +$DeleteAllThematic = "Delete all course progress"; +$FilterTermsTitle = "Filter terms"; +$FilterTermsComment = "Give a list of terms, one by line, to be filtered out of web pages and e-mails. These terms will be replaced by ***."; +$UseCustomPagesTitle = "Use custom pages"; +$UseCustomPagesComment = "Enable this feature to configure specific login pages by role"; +$StudentPageAfterLoginTitle = "Learner page after login"; +$StudentPageAfterLoginComment = "This page will appear to all learners after they login"; +$TeacherPageAfterLoginTitle = "Teacher page after login"; +$TeacherPageAfterLoginComment = "This page will be loaded after login for all teachers"; +$DRHPageAfterLoginTitle = "Human resources manager page after login"; +$DRHPageAfterLoginComment = "This page will load after login for all human resources managers"; +$StudentAutosubscribeTitle = "Learner autosubscribe"; +$StudentAutosubscribeComment = "Learner autosubscribe - not yet available"; +$TeacherAutosubscribeTitle = "Teacher autosubscribe"; +$TeacherAutosubscribeComment = "Teacher autosubscribe - not yet available"; +$DRHAutosubscribeTitle = "Human resources director autosubscribe"; +$DRHAutosubscribeComment = "Human resources director autosubscribe - not yet available"; +$ScormCumulativeSessionTimeTitle = "Cumulative session time for SCORM"; +$ScormCumulativeSessionTimeComment = "When enabled, the session time for SCORM learning paths will be cumulative, otherwise, it will only be counted from the last update time."; +$SessionAdminPageAfterLoginTitle = "Session admin page after login"; +$SessionAdminPageAfterLoginComment = "Page to load after login for the session administrators"; +$SessionadminAutosubscribeTitle = "Session admin autosubscribe"; +$SessionadminAutosubscribeComment = "Session administrator autosubscribe - not available yet"; +$ToolVisibleByDefaultAtCreationTitle = "Tool visible at course creation"; +$ToolVisibleByDefaultAtCreationComment = "Select the tools that will be visible when creating the courses - not yet available"; +$casAddUserActivatePlatform = "CAS internal setting"; +$casAddUserActivateLDAP = "CAS internal setting"; +$UpdateUserInfoCasWithLdapTitle = "CAS internal setting"; +$UpdateUserInfoCasWithLdapComment = "CAS internal setting"; +$InstallExecution = "Installation process execution"; +$UpdateExecution = "Update process execution"; +$PleaseWaitThisCouldTakeAWhile = "Please wait. This could take a while..."; +$ThisPlatformWasUnableToSendTheEmailPleaseContactXForMoreInformation = "This platform was unable to send the email. Please contact %s for more information."; +$FirstLoginChangePassword = "This is your first login. Please update your password to something you will remember."; +$NeedContactAdmin = "Click here to contact the administrator"; +$ShowAllUsers = "Show all users"; +$ShowUsersNotAddedInTheURL = "Show users not added to the URL"; +$UserNotAddedInURL = "Users not added to the URL"; +$UsersRegisteredInNoSession = "Users not registered in any session"; +$CommandLineInterpreter = "Command line interpreter (CLI)"; +$PleaseVisitOurWebsite = "Please visit our website: http://www.chamilo.org"; +$SpaceUsedOnSystemCannotBeMeasuredOnWindows = "The space used on disk cannot be measured properly on Windows-based systems."; +$XOldTablesDeleted = "%d old tables deleted"; +$XOldDatabasesDeleted = "%d old databases deleted"; +$List = "List"; +$MarkAll = "Select all"; +$UnmarkAll = "Unselect all"; +$NotAuthorized = "Not authorized"; +$UnknownAction = "Unknown action"; +$First = "First"; +$Last = "Last"; +$YouAreNotAuthorized = "You are not authorized to do this"; +$NoImplementation = "No implementation available yet for this action"; +$CourseDescriptions = "Course descriptions"; +$ReplaceExistingEntries = "Replace existing entries"; +$AddItems = "Add items"; +$NotFound = "Not found"; +$SentSuccessfully = "Successfully sent"; +$SentFailed = "Sending failed"; +$PortalSessionsLimitReached = "The number of sessions limit for this portal has been reached"; +$ANewSessionWasCreated = "A new session has been created"; +$Online = "Online"; +$Offline = "Offline"; +$TimelineItemText = "Text"; +$TimelineItemMedia = "Media"; +$TimelineItemMediaCaption = "Caption"; +$TimelineItemMediaCredit = "Credits"; +$TimelineItemTitleSlide = "Slider title"; +$SSOError = "Single Sign On error"; +$Sent = "Sent"; +$TimelineItem = "Item"; +$Listing = "Listing"; +$CourseRssTitle = "Course RSS"; +$CourseRssDescription = "RSS feed for all course notifications"; +$AllowPublicCertificates = "Learner certificates are public"; +$GlossaryTermUpdated = "Term updated"; +$DeleteAllGlossaryTerms = "Delete all terms"; +$PortalHomepageEdited = "Portal homepage updated"; +$UserRegistrationTitle = "User registration"; +$UserRegistrationComment = "Actions to be fired when a user registers to the platform"; +$ExtensionShouldBeLoaded = "This extension should be loaded."; +$Disabled = "Disabled"; +$Required = "Required"; +$CategorySaved = "Category saved"; +$CategoryRemoved = "Category removed"; +$BrowserDoesNotSupportNanogongPlayer = "Your browser doesn't support the Nanogong player"; +$ImportCSV = "Import CSV"; +$DataTableLengthMenu = "Table length"; +$DataTableZeroRecords = "No record found"; +$MalformedUrl = "Badly formed URL"; +$DataTableInfo = "Info"; +$DataTableInfoEmpty = "Empty"; +$DataTableInfoFiltered = "Filtered"; +$DataTableSearch = "Search"; +$HideColumn = "Hide column"; +$DisplayColumn = "Show column"; +$LegalAgreementAccepted = "Legal agreement accepted"; +$WorkEmailAlertActivateOnlyForTeachers = "Activate only for teachers e-mail alert on new work submission"; +$WorkEmailAlertActivateOnlyForStudents = "Activate only for students e-mail alert on new work submission"; +$Uncategorized = "Uncategorized"; +$NaturalYear = "Natural year"; +$AutoWeight = "Automatic weight"; +$AutoWeightExplanation = "Use the automatic weight distribution to speed things up. The system will then distribute the total weight evenly between the evaluation items below."; +$EditWeight = "Edit weight"; +$TheSkillHasBeenCreated = "The skill has been created"; +$CreateSkill = "Create skill"; +$CannotCreateSkill = "Cannot create skill"; +$SkillEdit = "Edit skill"; +$TheSkillHasBeenUpdated = "The skill has been updated"; +$CannotUpdateSkill = "Cannot update skill"; +$BadgesManagement = "Badges management"; +$CurrentBadges = "Current badges"; +$SaveBadge = "Save badge"; +$BadgeMeasuresXPixelsInPNG = "Badge measures 200x200 pixels in PNG"; +$SetTutor = "Set as coach"; +$UniqueAnswerImage = "Unique answer image"; +$TimeSpentByStudentsInCoursesGroupedByCode = "Time spent by students in courses, grouped by code"; +$TestResultsByStudentsGroupesByCode = "Tests results by student groups, by code"; +$TestResultsByStudents = "Tests results by student"; +$SystemCouldNotLogYouIn = "The system was unable to log you in. Please contact your administrator."; +$ShibbolethLogin = "Shibboleth Login"; +$NewStatus = "New status"; +$Reason = "Reason"; +$RequestStatus = "Request new status"; +$StatusRequestMessage = "You have been logged-in with default permissions. You can request more permissions by submitting the following request."; +$ReasonIsMandatory = "You reason field is mandatory. Please fill it in before submitting."; +$RequestSubmitted = "Your request has been submitted."; +$RequestFailed = "We are not able to fulfill your request at this time. Please contact your administrator."; +$InternalLogin = "Internal login"; +$AlreadyLoggedIn = "You are already logged in"; +$Draggable = "Sequence ordering"; +$Incorrect = "Incorrect"; +$YouNotYetAchievedCertificates = "You have not achieved any certificate just yet. Continue on your learning path to get one!"; +$SearchCertificates = "Search certificates"; +$TheUserXNotYetAchievedCertificates = "User %s hast not acquired any certificate yet"; +$CertificatesNotPublic = "Certificates are not publicly available"; +$MatchingDraggable = "Match by dragging"; +$ForumThreadPeerScoring = "Thread scored by peers"; +$ForumThreadPeerScoringComment = "If selected, this option will require each student to qualify at least 2 other students in order to get his score greater than 0 in the gradebook."; +$ForumThreadPeerScoringStudentComment = "To get the expected score in this forum, your contribution will have to be scored by another student, and you will have to score at least 2 other students' contributions. Until you reach this objective, even if scored, your contribution will show as a 0 score in the global grades for this course."; +$Readable = "Readable"; +$NotReadable = "Not readable"; +$DefaultInstallAdminFirstname = "John"; +$DefaultInstallAdminLastname = "Doe"; +$AttendanceUpdated = "Attendances updated"; +$HideHomeTopContentWhenLoggedInText = "Hide top content on homepage when logged in"; +$HideHomeTopContentWhenLoggedInComment = "On the platform homepage, this option allows you to hide the introduction block (to leave only the announcements, for example), for all users that are already logged in. The general introduction block will still appear to users not already logged in."; +$HideGlobalAnnouncementsWhenNotLoggedInText = "Hide global announcements for anonymous"; +$HideGlobalAnnouncementsWhenNotLoggedInComment = "Hide platform announcements from anonymous users, and only show them to authenticated users."; +$CourseCreationUsesTemplateText = "Use template course for new courses"; +$CourseCreationUsesTemplateComment = "Set this to use the same template course (identified by its course numeric ID in the database) for all new courses that will be created on the platform. Please note that, if not properly planned, this setting might have a massive impact on space usage. The template course will be used as if the teacher did a copy of the course with the course backup tools, so no user content is copied, only teacher material. All other course-backup rules apply. Leave empty (or set to 0) to disable."; +$EnablePasswordStrengthCheckerText = "Password strength checker"; +$EnablePasswordStrengthCheckerComment = "Enable this option to add a visual indicator of password strength, when the user changes his/her password. This will NOT prevent bad passwords to be added, it only acts as a visual helper."; +$EnableCaptchaText = "CAPTCHA"; +$EnableCaptchaComment = "Enable a CAPTCHA on the login form to avoid password hammering"; +$CaptchaNumberOfMistakesBeforeBlockingAccountText = "CAPTCHA mistakes allowance"; +$CaptchaNumberOfMistakesBeforeBlockingAccountComment = "The number of times a user can make a mistake on the CAPTCHA box before his account is locked out."; +$CaptchaTimeAccountIsLockedText = "CAPTCHA account locking time"; +$CaptchaTimeAccountIsLockedComment = "If the user reaches the maximum allowance for login mistakes (when using the CAPTCHA), his/her account will be locked for this number of minutes."; +$DRHAccessToAllSessionContentText = "HR directors access all session content"; +$DRHAccessToAllSessionContentComment = "If enabled, human resources directors will get access to all content and users from the sessions (s)he follows."; +$ShowGroupForaInGeneralToolText = "Display group forums in general forum"; +$ShowGroupForaInGeneralToolComment = "Display group forums in the forum tool at the course level. This option is enabled by default (in this case, group forum individual visibilities still act as an additional criteria). If disabled, group forums will only be visible through the group tool, be them public or not."; +$TutorsCanAssignStudentsToSessionsText = "Tutors can assign students to sessions"; +$TutorsCanAssignStudentsToSessionsComment = "When enabled, course coaches/tutors in sessions can subscribe new users to their session. This option is otherwise only available to administrators and session administrators."; +$UniqueAnswerImagePreferredSize200x150 = "Images will be resized (up or down) to 200x150 pixels. For a better rendering of the question, we recommend you upload only images of this size."; +$AllowLearningPathReturnLinkTitle = "Show learning paths return link"; +$AllowLearningPathReturnLinkComment = "Disable this option to hide the 'Return to homepage' button in the learning paths"; +$HideScormExportLinkTitle = "Hide SCORM export"; +$HideScormExportLinkComment = "Hide the 'SCORM export' icon in the learning paths list"; +$HideScormCopyLinkTitle = "Hide SCORM copy"; +$HideScormCopyLinkComment = "Hide the learning path copy icon in the learning paths list"; +$HideScormPdfLinkTitle = "Hide learning path PDF export"; +$HideScormPdfLinkComment = "Hide the learning path PDF export icon in the learning paths list"; +$SessionDaysBeforeCoachAccessTitle = "Default coach access days before session"; +$SessionDaysBeforeCoachAccessComment = "Default number of days a coach can access his session before the official session start date"; +$SessionDaysAfterCoachAccessTitle = "Default coach access days after session"; +$SessionDaysAfterCoachAccessComment = "Default number of days a coach can access his session after the official session end date"; +$PdfLogoHeaderTitle = "PDF header logo"; +$PdfLogoHeaderComment = "Whether to use the image at css/themes/[your-css]/images/pdf_logo_header.png as the PDF header logo for all PDF exports (instead of the normal portal logo)"; +$OrderUserListByOfficialCodeTitle = "Order users by official code"; +$OrderUserListByOfficialCodeComment = "Use the 'official code' to sort most students list on the platform, instead of their lastname or firstname."; +$AlertManagerOnNewQuizTitle = "Default e-mail alert setting on new quiz"; +$AlertManagerOnNewQuizComment = "Whether you want course managers (teachers) to be notified by e-mail when a quiz is answered by a student. This is the default value to be given to all new courses, but each teacher can still change this setting in his/her own course."; +$ShowOfficialCodeInExerciseResultListTitle = "Display official code in exercises results"; +$ShowOfficialCodeInExerciseResultListComment = "Whether to show the students' official code in the exercises results reports"; +$HidePrivateCoursesFromCourseCatalogTitle = "Hide private courses from catalogue"; +$HidePrivateCoursesFromCourseCatalogComment = "Whether to hide the private courses from the courses catalogue. This makes sense when you use the course catalogue mainly to allow students to auto-subscribe to the courses."; +$CoursesCatalogueShowSessionsTitle = "Sessions and courses catalogue"; +$CoursesCatalogueShowSessionsComment = "Whether you want to show only courses, only sessions or both courses *and* sessions in the courses catalogue."; +$AutoDetectLanguageCustomPagesTitle = "Enable language auto-detect in custom pages"; +$AutoDetectLanguageCustomPagesComment = "If you use custom pages, enable this if you want to have a language detector there present the page in the user's browser language, or disable to force the language to be the default platform language."; +$LearningPathShowReducedReportTitle = "Learning paths: show reduced report"; +$LearningPathShowReducedReportComment = "Inside the learning paths tool, when a user reviews his own progress (through the stats icon), show a shorten (less detailed) version of the progress report."; +$AllowSessionCourseCopyForTeachersTitle = "Allow session-to-session copy for teachers"; +$AllowSessionCourseCopyForTeachersComment = "Enable this option to let teachers copy their content from one course in a session to a course in another session. By default, this option is only available to platform administrators."; +$HideLogoutButtonTitle = "Hide logout button"; +$HideLogoutButtonComment = "Hide the logout button. This is usually only interesting when using an external login/logout method, for example when using Single Sign On of some sort."; +$RedirectAdminToCoursesListTitle = "Redirect admin to courses list"; +$RedirectAdminToCoursesListComment = "The default behaviour is to send administrators directly to the administration panel (while teachers and students are sent to the courses list or the platform homepage). Enable to redirect the administrator also to his/her courses list."; +$CourseImagesInCoursesListTitle = "Courses custom icons"; +$CourseImagesInCoursesListComment = "Use course images as the course icon in courses lists (instead of the default green blackboard icon)."; +$StudentPublicationSelectionForGradebookTitle = "Assignment considered for gradebook"; +$StudentPublicationSelectionForGradebookComment = "In the assignments tool, students can upload more than one file. In case there is more than one for a single assignment, which one should be considered when ranking them in the gradebook? This depends on your methodology. Use 'first' to put the accent on attention to detail (like handling in time and handling the right work first). Use 'last' to highlight collaborative and adaptative work."; +$FilterCertificateByOfficialCodeTitle = "Certificates filter by official code"; +$FilterCertificateByOfficialCodeComment = "Add a filter on the students official code to the certificates list."; +$MaxCKeditorsOnExerciseResultsPageTitle = "Max editors in exercise result screen"; +$MaxCKeditorsOnExerciseResultsPageComment = "Because of the sheer number of questions that might appear in an exercise, the correction screen, allowing the teacher to add comments to each answer, might be very slow to load. Set this number to 5 to ask the platform to only show WYSIWYG editors up to a certain number of answers on the screen. This will speed up the correction page loading time considerably, but will remove WYSIWYG editors and leave only a plain text editor."; +$DocumentDefaultOptionIfFileExistsTitle = "Default document upload mode"; +$DocumentDefaultOptionIfFileExistsComment = "Default upload method in the courses documents. This setting can be changed at upload time for all users. It only represents a default setting."; +$GradebookCronTaskGenerationTitle = "Certificates auto-generation on WS call"; +$GradebookCronTaskGenerationComment = "When enabled, and when using the WSCertificatesList webservice, this option will make sure that all certificates have been generated by users if they reached the sufficient score in all items defined in gradebooks for all courses and sessions (this might consume considerable processing resources on your server)."; +$OpenBadgesBackpackUrlTitle = "OpenBadges backpack URL"; +$OpenBadgesBackpackUrlComment = "The URL of the OpenBadges backpack server that will be used by default for all users wanting to export their badges. This defaults to the open and free Mozilla Foundation backpack repository: https://backpack.openbadges.org/"; +$CookieWarningTitle = "Cookie privacy notification"; +$CookieWarningComment = "If enabled, this option shows a banner on top of your platform that asks users to acknowledge that the platform is using cookies necessary to provide the user experience. The banner can easily be acknowledged and hidden by the user. This allows Chamilo to comply with EU web cookies regulations."; +$CatalogueAllowSessionAutoSubscriptionComment = "If enabled *and* the sessions catalogue is enabled, users will be able to subscribe to active sessions by themselves using the 'Subscribe' button, without any type of restriction."; +$HideCourseGroupIfNoToolAvailableTitle = "Hide course group if no tool"; +$HideCourseGroupIfNoToolAvailableComment = "If no tool is available in a group and the user is not registered to the group itself, hide the group completely in the groups list."; +$CatalogueAllowSessionAutoSubscriptionTitle = "Auto-subscription in sessions catalogue"; +$SoapRegistrationDecodeUtf8Title = "Web services: decode UTF-8"; +$SoapRegistrationDecodeUtf8Comment = "Decode UTF-8 from web services calls. Enable this option (passed to the SOAP parser) if you have issues with the encoding of titles and names when inserted through web services."; +$AttendanceDeletionEnableTitle = "Attendances: enable deletion"; +$AttendanceDeletionEnableComment = "The default behaviour in Chamilo is to hide attendance sheets instead of deleting them, just in case the teacher would do it by mistake. Enable this option to allow teachers to *really* delete attendance sheets."; +$GravatarPicturesTitle = "Gravatar user pictures"; +$GravatarPicturesComment = "Enable this option to search into the Gravatar repository for pictures of the current user, if the user hasn't defined a picture locally. This is great to auto-fill pictures on your site, in particular if your users are active internet users. Gravatar pictures can be configured easily, based on the e-mail address of a user, at http://en.gravatar.com/"; +$GravatarPicturesTypeTitle = "Gravatar avatar type"; +$GravatarPicturesTypeComment = "If the Gravatar option is enabled and the user doesn't have a picture configured on Gravatar, this option allows you to choose the type of avatar that Gravatar will generate for each user. Check http://en.gravatar.com/site/implement/images#default-image for avatar types examples."; +$SessionAdminPermissionsLimitTitle = "Limit session admins permissions"; +$SessionAdminPermissionsLimitComment = "If enabled, the session administrators will only see the User block with the 'Add user' option and the Sessions block with the 'Sessions list' option."; +$ShowSessionDescriptionTitle = "Show session description"; +$ShowSessionDescriptionComment = "Show the session description wherever this option is implemented (sessions tracking pages, etc)"; +$CertificateHideExportLinkStudentTitle = "Certificates: hide export link from students"; +$CertificateHideExportLinkStudentComment = "If enabled, students won't be able to export their certificates to PDF. This option is available because, depending on the precise HTML structure of the certificate template, the PDF export might be of low quality. In this case, it is best to only show the HTML certificate to students."; +$CertificateHideExportLinkTitle = "Certificates: hide PDF export link for all"; +$CertificateHideExportLinkComment = "Enable to completely remove the possibility to export certificates to PDF (for all users). If enabled, this includes hiding it from students."; +$DropboxHideCourseCoachTitle = "Dropbox: hide course coach"; +$DropboxHideCourseCoachComment = "Hide session course coach in dropbox when a document is sent by the coach to students"; +$SSOForceRedirectTitle = "Single Sign On: force redirect"; +$SSOForceRedirectComment = "Enable this option to force users to authenticate on the master authentication portal when a Single Sign On method is enabled. Only enable once you are sure that your Single Sign On procedure is correctly set up, otherwise you might prevent yourself from logging in again (in this case, change the SSO settings in the settings_current table through direct access to the database, to unlock)."; +$SessionCourseOrderingTitle = "Session courses manual ordering"; +$SessionCourseOrderingComment = "Enable this option to allow the session administrators to order the courses inside a session manually. If disabled, courses are ordered alphabetically on course title."; +$AddLPCategory = "Add learning path category"; +$WithOutCategory = "Without category"; +$ItemsTheReferenceDependsOn = "Items the reference depends on"; +$UseAsReference = "Use as reference"; +$Dependencies = "Items that depend on the reference"; +$SetAsRequirement = "Set as a requirement"; +$AddSequence = "Add new sequence"; +$ResourcesSequencing = "Resources sequencing"; +$GamificationModeTitle = "Gamification mode"; +$GamificationModeComment = "Activate the stars achievement in learning paths"; +$LevelX = "Level %s"; +$SeeCourse = "View course"; +$XPoints = "%s points"; +$FromXUntilY = "From %s until %s"; +$SubscribeUsersToLp = "Subscribe users to learning path"; +$SubscribeGroupsToLp = "Subscribe groups to learning path"; +$CreateForumForThisLearningPath = "Create forum for this learning path"; +$ByDate = "By date"; +$ByTag = "By tag"; +$GoToCourseInsideSession = "Go to course within session"; +$EnableGamificationMode = "Enable gamification mode"; +$MyCoursesSessionView = "My courses session view"; +$DisableGamificationMode = "Disable gamification mode"; +$CatalogueShowOnlyCourses = "Show only courses in the catalogue"; +$CatalogueShowOnlySessions = "Show only sessions in the catalogue"; +$CatalogueShowCoursesAndSessions = "Show both courses and sessions in the catalogue"; +$SequenceSelection = "Sequence selection"; +$SequenceConfiguration = "Sequence configuration"; +$SequencePreview = "Sequence preview"; +$DisplayDates = "Dates shown"; +$AccessDates = "Access dates for students"; +$CoachDates = "Access dates for coaches"; +$ChatWithXUser = "Chat with %s"; +$StartVideoChat = "Start video call"; +$FieldTypeVideoUrl = "Video URL"; +$InsertAValidUrl = "Insert a valid URL"; +$SeeInformation = "See information"; +$ShareWithYourFriends = "Share with your friends"; +$ChatRoomName = "Chatroom name"; +$TheVideoChatRoomXNameAlreadyExists = "The video chatroom %s already exists"; +$ChatRoomNotCreated = "Chatroom could not be created"; +$TheXUserBrowserDoesNotSupportWebRTC = "The browser of %s does not support native video transmission. Sorry."; +$FromDateX = "From %s"; +$UntilDateX = "Until %s"; +$GraphDependencyTree = "Dependency tree"; +$CustomizeIcons = "Customize icons"; +$ExportAllToPDF = "Export all to PDF"; +$GradeGeneratedOnX = "Grade generated on %s"; +$ExerciseAvailableSinceX = "Exercise available since %s"; +$ExerciseIsActivatedFromXToY = "The test is enabled from %s to %s"; +$SelectSomeOptions = "Select some options"; +$AddCustomCourseIntro = "You may add an introduction to this course here by clicking the edition icon"; +$SocialGroup = "Social group"; +$RequiredSessions = "Required sessions"; +$DependentSessions = "Dependent sessions"; +$ByDuration = "By duration"; +$ByDates = "By dates"; +$SendAnnouncementCopyToDRH = "Send a copy to HR managers of selected students"; +$PoweredByX = "Powered by %s"; +$AnnouncementErrorNoUserSelected = "Please select at least one user. The announcement has not been saved."; +$NoDependencies = "No dependencies"; +$SendMailToStudent = "Send mail to student"; +$SendMailToHR = "Send mail to HR manager"; +$CourseFields = "Course fields"; +$FieldTypeCheckbox = "Checkbox options"; +$FieldTypeInteger = "Integer value"; +$FieldTypeFileImage = "Image file"; +$FieldTypeFloat = "Float value"; +$DocumentsDefaultVisibilityDefinedInCourseTitle = "Document visibility defined in course"; +$DocumentsDefaultVisibilityDefinedInCourseComment = "The default document visibility for all courses"; +$HtmlPurifierWikiTitle = "HTMLPurifier in Wiki"; +$HtmlPurifierWikiComment = "Enable HTML purifier in the wiki tool (will increase security but reduce style features)"; +$ClickOrDropFilesHere = "Click or drop files"; +$RemoveTutorStatus = "Remove tutor status"; +$ImportGradebookInCourse = "Import gradebook from base course"; +$InstitutionAddressTitle = "Institution address"; +$InstitutionAddressComment = "Address"; +$LatestLoginInCourse = "Latest access in course"; +$LatestLoginInPlatform = "Latest login in platform"; +$FirstLoginInPlatform = "First login in platform"; +$FirstLoginInCourse = "First access to course"; +$QuotingToXUser = "Quoting to %s"; +$LoadMoreComments = "Load more comments"; +$ShowProgress = "Show progress"; +$XPercent = "%s %%"; +$CheckRequirements = "Check requirements"; +$ParentLanguageX = "Parent language: %s"; +$RegisterTermsOfSubLanguageForX = "Define new terms for sub-language %s by searching some term, then save each translation by clicking the save button. You will then have to switch your own user language to see the new terms appear."; +$SeeSequences = "See sequences"; +$SessionRequirements = "Session requirements"; +$IsRequirement = "Is requirement"; +$ConsiderThisGradebookAsRequirementForASessionSequence = "Consider this gradebook as a requirement to complete the course (influences the sessions sequences)"; +$DistinctUsersLogins = "Distinct users logins"; +$AreYouSureToSubscribe = "Are you sure to subscribe?"; +$CheckYourEmailAndFollowInstructions = "Check your email and follow the instructions."; +$LinkExpired = "Link expired, please try again."; +$ResetPasswordInstructions = "Instructions for the password change procedure"; $ResetPasswordCommentWithUrl = "You are receiving this message because you (or someone pretending to be you) have requested a new password to be generated for you. To set a the new password you need to activate it. To do this, please click this link: %s -If you did not request this procedure, then please ignore this message. If you keep receiving it, please contact the portal administrator."; -$CronRemindCourseExpirationActivateTitle = "Remind Course Expiration cron"; -$CronRemindCourseExpirationActivateComment = "Enable the Remind Course Expiration cron"; -$CronRemindCourseExpirationFrequencyTitle = "Frequency for the Remind Course Expiration cron"; -$CronRemindCourseExpirationFrequencyComment = "Number of days before the expiration of the course to consider to send reminder mail"; -$CronCourseFinishedActivateText = "Course Finished cron"; -$CronCourseFinishedActivateComment = "Activate the Course Finished cron"; -$MailCronCourseFinishedSubject = "End of course %s"; +If you did not request this procedure, then please ignore this message. If you keep receiving it, please contact the portal administrator."; +$CronRemindCourseExpirationActivateTitle = "Remind Course Expiration cron"; +$CronRemindCourseExpirationActivateComment = "Enable the Remind Course Expiration cron"; +$CronRemindCourseExpirationFrequencyTitle = "Frequency for the Remind Course Expiration cron"; +$CronRemindCourseExpirationFrequencyComment = "Number of days before the expiration of the course to consider to send reminder mail"; +$CronCourseFinishedActivateText = "Course Finished cron"; +$CronCourseFinishedActivateComment = "Activate the Course Finished cron"; +$MailCronCourseFinishedSubject = "End of course %s"; $MailCronCourseFinishedBody = "Dear %s, Thank you for your participation to course %s. We hope you've acquired new relevant knowledge and enjoyed the course. @@ -7461,186 +7461,186 @@ You can check your performance in the course through the My Progress section. Best regards, -%s Team"; -$GenerateDefaultContent = "Generate default content"; -$ThanksForYourSubscription = "Thanks for your subscription"; -$XTeam = "%s team."; -$YouCanStartSubscribingToCoursesEnteringToXUrl = "You can start subscribing to courses entering to %s"; -$VideoUrl = "Video URL"; -$AddAttachment = "Add attachment"; -$FieldTypeOnlyLetters = "Text only letters"; -$FieldTypeAlphanumeric = "Text only alphanumeric characters"; -$OnlyLetters = "Only letters"; -$SelectFillTheBlankSeparator = "Select a blanks marker"; -$RefreshBlanks = "Refresh terms"; -$WordTofind = "Word to find"; -$BlankInputSize = "Input size of box to fill"; -$DateFormatLongNoDayJS = "MM dd, yy"; -$TimeFormatNoSecJS = "HH:mm"; -$AtTime = " at"; -$SendSubscriptionNotification = "Send mail notification for subscription"; -$SendAnEmailWhenAUserBeingSubscribed = "Send an email when a user being subscribed to session"; -$SelectDate = "Select date"; -$OnlyLettersAndSpaces = "Only letters and spaces"; -$OnlyLettersAndNumbersAndSpaces = "Only letters, numbers and spaces"; -$FieldTypeLettersSpaces = "Text letters and spaces"; -$CronRemindCourseFinishedActivateTitle = "Send course finished notification"; -$FieldTypeAlphanumericSpaces = "Text alphanumeric characters and spaces"; -$CronRemindCourseFinishedActivateComment = "Whether to send an e-mail to students when their course (session) is finished. This requires cron tasks to be configured (see main/cron/ directory)."; -$ThanksForRegisteringToSite = "Thanks for registering to %s."; -$AllowCoachFeedbackExercisesTitle = "Allow coaches to comment in review of exercises"; -$AllowCoachFeedbackExercisesComment = "Allow coaches to edit feedback during review of exercises"; -$PreventMultipleSimultaneousLoginTitle = "Prevent simultaneous login"; -$PreventMultipleSimultaneousLoginComment = "Prevent users connecting with the same account more than once. This is a good option on pay-per-access portals, but might be restrictive during testing as only one browser can connect with any given account."; -$ShowAdditionalColumnsInStudentResultsPageTitle = "Show additional columns in gradebook"; -$ShowAdditionalColumnsInStudentResultsPageComment = "Show additional columns in the student view of the gradebook with the best score of all students, the relative position of the student looking at the report and the average score of the whole group of students."; -$CourseCatalogIsPublicTitle = "Publish course catalogue"; -$CourseCatalogIsPublicComment = "Make the courses catalogue available to anonymous users (the general public) without the need to login."; -$ResetPasswordTokenTitle = "Enable password reset token"; -$ResetPasswordTokenComment = "This option allows to generate a expiring single-use token sent by e-mail to the user to reset his/her password."; -$ResetPasswordTokenLimitTitle = "Time limit for password reset token"; -$ResetPasswordTokenLimitComment = "The number of seconds before the generated token automatically expires and cannot be used anymore (a new token needs to be generated)."; -$ViewMyCoursesListBySessionTitle = "View my courses by session"; -$ViewMyCoursesListBySessionComment = "Enable an additional 'My courses' page where sessions appear as part of courses, rather than the opposite."; -$DownloadCertificatePdf = "Download certificate in PDF"; -$EnterPassword = "Enter password"; -$DownloadReportPdf = "Download report in PDF"; -$SkillXEnabled = "Skill \"%s\" enabled"; -$SkillXDisabled = "Skill \"%s\" disabled"; -$ShowFullSkillNameOnSkillWheelTitle = "Show full skill name on skill wheel"; -$ShowFullSkillNameOnSkillWheelComment = "On the wheel of skills, it shows the name of the skill when it has short code."; -$DBPort = "Port"; -$CreatedBy = "Created by"; -$DropboxHideGeneralCoachTitle = "Hide general coach in dropbox"; -$DropboxHideGeneralCoachComment = "Hide general coach name in the dropbox tool when the general coach uploaded the file"; -$UploadMyAssignment = "Upload my assignment"; -$Inserted = "Inserted"; -$YourBroswerDoesNotSupportWebRTC = "Your browser does not support native video transmission."; -$OtherTeachers = "Other teachers"; -$CourseCategory = "Course category"; -$VideoChatBetweenUserXAndUserY = "Video chat between %s and %s"; -$Enable = "Enable"; -$Disable = "Disable"; -$AvoidChangingPageAsThisWillCutYourCurrentVideoChatSession = "Avoid changing page as this will cut your current video chat session"; -$ConnectingToPeer = "Connecting to peer"; -$ConnectionEstablished = "Connection established"; -$ConnectionFailed = "Connection failed"; -$ConnectionClosed = "Connection closed"; -$LocalConnectionFailed = "Local connection failed"; -$RemoteConnectionFailed = "Remote connection failed"; -$ViewStudents = "View students"; -$Into = "Into"; -$Sequence = "Sequence"; -$Invitee = "Invitee"; -$DateRange = "Date range"; -$EditIcon = "Edit icon"; -$CustomIcon = "Custom icon"; -$CurrentIcon = "Current icon"; -$GroupReporting = "Group reporting"; -$ConvertFormats = "Convert format"; -$AreYouSureToDeleteX = "Are you sure you want to delete %s?"; -$AttachmentList = "Attachments list"; -$SeeCourseInformationAndRequirements = "See course information and requirements"; -$DownloadAll = "Download all"; -$DeletedDocuments = "Deleted documents"; -$CourseListNotAvailable = "Course list not available"; -$CopyOfMessageSentToXUser = "Copy of message sent to %s"; -$Convert = "Convert"; -$PortalLimitType = "Portal's limit type"; -$PortalName = "Portal name"; -$BestScore = "Best score"; -$AreYouSureToDeleteJS = "Are you sure to delete"; -$ConversionToSameFileFormat = "Conversion to same file format. Please choose another."; -$FileFormatNotSupported = "File format not supported"; -$FileConvertedFromXToY = "File converted from %s to %s"; -$XDays = "%s days"; -$SkillProfile = "Skill profile"; -$AchievedSkills = "Achieved skills"; -$BusinessCard = "Business card"; -$BadgeDetails = "Badge details"; -$TheUserXNotYetAchievedTheSkillX = "The user %s not yet achieved the skill \"%s\""; -$IssuedBadgeInformation = "Issued badge information"; -$RecipientDetails = "Recipient details"; -$SkillAcquiredAt = "Skill acquired at"; -$BasicSkills = "Basic skills"; -$TimeXThroughCourseY = "%s through %s"; -$ExportBadge = "Export badge"; -$SelectToSearch = "Select to search"; -$PlaceOnTheWheel = "Place on the wheel"; -$Skill = "Skill"; -$Argumentation = "Argumentation"; -$TheUserXHasAlreadyAchievedTheSkillY = "The user %s has already achieved the skill %s"; -$SkillXAssignedToUserY = "The skill %s has been assigned to user %s"; -$AssignSkill = "Assign skill"; -$AddressField = "Address"; -$Geolocalization = "Geolocalization"; -$RateTheSkillInPractice = "On a grade of 1 to 10, how well did you observe that this person could put this skill in practice?"; -$AverageRatingX = "Average rating %s"; -$AverageRating = "Average rating"; -$GradebookTeacherResultsNotShown = "Teachers results are not shown nor taken into account in the gradebook."; -$SocialWallWriteNewPostToFriend = "Write something on your friend's wall"; -$EmptyTemplate = "Blank template"; -$BaseCourse = "Base course"; -$BaseCourses = "Base courses"; -$Square = "Square"; -$Ellipse = "Ellipse"; -$Polygon = "Polygon"; -$HotspotStatus1 = "Draw a hotspot"; -$HotspotStatus2Polygon = "Use right-click to close the polygon"; -$HotspotStatus2Other = "Release the mousebutton to save the hotspot"; -$HotspotStatus3 = "Hotspot saved"; -$HotspotShowUserPoints = "Show/Hide userclicks"; -$ShowHotspots = "Show / Hide hotspots"; -$Triesleft = "Attempts left"; -$NextAnswer = "Now click on:"; -$CloseDelineation = "Close delineation"; -$Oar = "Area at risk"; -$HotspotExerciseFinished = "Now click on the button below to validate your answers"; -$ClosePolygon = "Close polygon"; -$DelineationStatus1 = "Use right-click to close the delineation"; -$Beta = "Beta"; -$CropYourPicture = "Crop your picture"; -$DownloadBadge = "Download badge"; -$NoXMLFileFoundInTheZip = "No XML file found in the zip archive. This is a requirement for this type of import."; -$BakedBadgeProblem = "There was a problem embedding the badge assertion info into the badge image, but you can still use this page as a valid proof."; -$ConfirmAssociateForumToLPItem = "This action will associate a forum thread to this learning path item. Do you want to proceed?"; -$ConfirmDissociateForumToLPItem = "This action will dissociate the forum thread of this learning path item. Do you want to proceed?"; -$DissociateForumToLPItem = "Dissociate the forum of this learning path item"; -$AssociateForumToLPItem = "Associate a forum to this learning path item"; -$ForumDissociated = "Forum dissociated"; -$ClickOrDropOneFileHere = "Click or drop one file here"; -$ModuloPercentage = "Modulo:\t\t\t%"; -$LastXDays = "Last % days"; -$ExportBadges = "Export badges"; -$LanguagesDisableAllExceptDefault = "Disable all languages except the platform default"; -$ThereAreUsersUsingThisLanguagesDisableItManually = "There are users currently using the following language. Please disable manually."; -$MessagingAllowSendPushNotificationTitle = "Allow Push Notifications to the Chamilo Messaging mobile app"; -$MessagingAllowSendPushNotificationComment = "Send Push Notifications by Google Cloud Messaging"; -$MessagingGDCProjectNumberTitle = "Project number of Google Developer Console"; -$MessagingGDCProjectNumberComment = "You need register a project on Google Developer Console"; -$MessagingGDCApiKeyTitle = "API Key of Google Developer Console for Google Cloud Messaging"; -$MessagingGDCApiKeyComment = "You need enable the Google Cloud Messaging API and create one credential for Android"; -$Overwrite = "Overwrite"; -$TheLogoMustBeSizeXAndFormatY = "The logo must be of %s px in size and in %s format"; -$ResetToTheOriginalLogo = "Original logo recovered"; -$NewLogoUpdated = "New logo uploaded"; -$CurrentLogo = "Current logo"; -$UpdateLogo = "Update logo"; -$FollowedStudentBosses = "Followed student bosses"; -$DatabaseManager = "Database manager"; -$CourseTemplate = "Course template"; -$PickACourseAsATemplateForThisNewCourse = "Pick a course as template for this new course"; -$TeacherCanSelectCourseTemplateTitle = "Teacher can select a course as template"; -$TeacherCanSelectCourseTemplateComment = "Allow pick a course as template for the new course that teacher is creating"; -$TheForumAutoLaunchSettingIsOnStudentsWillBeRedirectToTheForumTool = "The forum's auto-launch setting is on. Students will be redirected to the forum tool when entering this course."; -$RedirectToForumList = "Redirect to forums list"; -$EnableForumAutoLaunch = "Enable forum auto-launch"; -$NowDownloadYourCertificateClickHere = "You can now download your certificate by clicking here"; -$AdditionallyYouHaveObtainedTheFollowingSkills = "Additionally, you have achieved the following skills"; -$IHaveObtainedSkillXOnY = "I have achieved skill %s on %s"; -$AnotherAttempt = "Another attempt"; -$RemainingXAttempts = "Remaining %d attempts"; -$Map = "Map"; -$MyLocation = "My location"; -$ShowCourseInUserLanguage = "Show course in user's language"; +%s Team"; +$GenerateDefaultContent = "Generate default content"; +$ThanksForYourSubscription = "Thanks for your subscription"; +$XTeam = "%s team."; +$YouCanStartSubscribingToCoursesEnteringToXUrl = "You can start subscribing to courses entering to %s"; +$VideoUrl = "Video URL"; +$AddAttachment = "Add attachment"; +$FieldTypeOnlyLetters = "Text only letters"; +$FieldTypeAlphanumeric = "Text only alphanumeric characters"; +$OnlyLetters = "Only letters"; +$SelectFillTheBlankSeparator = "Select a blanks marker"; +$RefreshBlanks = "Refresh terms"; +$WordTofind = "Word to find"; +$BlankInputSize = "Input size of box to fill"; +$DateFormatLongNoDayJS = "MM dd, yy"; +$TimeFormatNoSecJS = "HH:mm"; +$AtTime = " at"; +$SendSubscriptionNotification = "Send mail notification for subscription"; +$SendAnEmailWhenAUserBeingSubscribed = "Send an email when a user being subscribed to session"; +$SelectDate = "Select date"; +$OnlyLettersAndSpaces = "Only letters and spaces"; +$OnlyLettersAndNumbersAndSpaces = "Only letters, numbers and spaces"; +$FieldTypeLettersSpaces = "Text letters and spaces"; +$CronRemindCourseFinishedActivateTitle = "Send course finished notification"; +$FieldTypeAlphanumericSpaces = "Text alphanumeric characters and spaces"; +$CronRemindCourseFinishedActivateComment = "Whether to send an e-mail to students when their course (session) is finished. This requires cron tasks to be configured (see main/cron/ directory)."; +$ThanksForRegisteringToSite = "Thanks for registering to %s."; +$AllowCoachFeedbackExercisesTitle = "Allow coaches to comment in review of exercises"; +$AllowCoachFeedbackExercisesComment = "Allow coaches to edit feedback during review of exercises"; +$PreventMultipleSimultaneousLoginTitle = "Prevent simultaneous login"; +$PreventMultipleSimultaneousLoginComment = "Prevent users connecting with the same account more than once. This is a good option on pay-per-access portals, but might be restrictive during testing as only one browser can connect with any given account."; +$ShowAdditionalColumnsInStudentResultsPageTitle = "Show additional columns in gradebook"; +$ShowAdditionalColumnsInStudentResultsPageComment = "Show additional columns in the student view of the gradebook with the best score of all students, the relative position of the student looking at the report and the average score of the whole group of students."; +$CourseCatalogIsPublicTitle = "Publish course catalogue"; +$CourseCatalogIsPublicComment = "Make the courses catalogue available to anonymous users (the general public) without the need to login."; +$ResetPasswordTokenTitle = "Enable password reset token"; +$ResetPasswordTokenComment = "This option allows to generate a expiring single-use token sent by e-mail to the user to reset his/her password."; +$ResetPasswordTokenLimitTitle = "Time limit for password reset token"; +$ResetPasswordTokenLimitComment = "The number of seconds before the generated token automatically expires and cannot be used anymore (a new token needs to be generated)."; +$ViewMyCoursesListBySessionTitle = "View my courses by session"; +$ViewMyCoursesListBySessionComment = "Enable an additional 'My courses' page where sessions appear as part of courses, rather than the opposite."; +$DownloadCertificatePdf = "Download certificate in PDF"; +$EnterPassword = "Enter password"; +$DownloadReportPdf = "Download report in PDF"; +$SkillXEnabled = "Skill \"%s\" enabled"; +$SkillXDisabled = "Skill \"%s\" disabled"; +$ShowFullSkillNameOnSkillWheelTitle = "Show full skill name on skill wheel"; +$ShowFullSkillNameOnSkillWheelComment = "On the wheel of skills, it shows the name of the skill when it has short code."; +$DBPort = "Port"; +$CreatedBy = "Created by"; +$DropboxHideGeneralCoachTitle = "Hide general coach in dropbox"; +$DropboxHideGeneralCoachComment = "Hide general coach name in the dropbox tool when the general coach uploaded the file"; +$UploadMyAssignment = "Upload my assignment"; +$Inserted = "Inserted"; +$YourBroswerDoesNotSupportWebRTC = "Your browser does not support native video transmission."; +$OtherTeachers = "Other teachers"; +$CourseCategory = "Course category"; +$VideoChatBetweenUserXAndUserY = "Video chat between %s and %s"; +$Enable = "Enable"; +$Disable = "Disable"; +$AvoidChangingPageAsThisWillCutYourCurrentVideoChatSession = "Avoid changing page as this will cut your current video chat session"; +$ConnectingToPeer = "Connecting to peer"; +$ConnectionEstablished = "Connection established"; +$ConnectionFailed = "Connection failed"; +$ConnectionClosed = "Connection closed"; +$LocalConnectionFailed = "Local connection failed"; +$RemoteConnectionFailed = "Remote connection failed"; +$ViewStudents = "View students"; +$Into = "Into"; +$Sequence = "Sequence"; +$Invitee = "Invitee"; +$DateRange = "Date range"; +$EditIcon = "Edit icon"; +$CustomIcon = "Custom icon"; +$CurrentIcon = "Current icon"; +$GroupReporting = "Group reporting"; +$ConvertFormats = "Convert format"; +$AreYouSureToDeleteX = "Are you sure you want to delete %s?"; +$AttachmentList = "Attachments list"; +$SeeCourseInformationAndRequirements = "See course information and requirements"; +$DownloadAll = "Download all"; +$DeletedDocuments = "Deleted documents"; +$CourseListNotAvailable = "Course list not available"; +$CopyOfMessageSentToXUser = "Copy of message sent to %s"; +$Convert = "Convert"; +$PortalLimitType = "Portal's limit type"; +$PortalName = "Portal name"; +$BestScore = "Best score"; +$AreYouSureToDeleteJS = "Are you sure to delete"; +$ConversionToSameFileFormat = "Conversion to same file format. Please choose another."; +$FileFormatNotSupported = "File format not supported"; +$FileConvertedFromXToY = "File converted from %s to %s"; +$XDays = "%s days"; +$SkillProfile = "Skill profile"; +$AchievedSkills = "Achieved skills"; +$BusinessCard = "Business card"; +$BadgeDetails = "Badge details"; +$TheUserXNotYetAchievedTheSkillX = "The user %s not yet achieved the skill \"%s\""; +$IssuedBadgeInformation = "Issued badge information"; +$RecipientDetails = "Recipient details"; +$SkillAcquiredAt = "Skill acquired at"; +$BasicSkills = "Basic skills"; +$TimeXThroughCourseY = "%s through %s"; +$ExportBadge = "Export badge"; +$SelectToSearch = "Select to search"; +$PlaceOnTheWheel = "Place on the wheel"; +$Skill = "Skill"; +$Argumentation = "Argumentation"; +$TheUserXHasAlreadyAchievedTheSkillY = "The user %s has already achieved the skill %s"; +$SkillXAssignedToUserY = "The skill %s has been assigned to user %s"; +$AssignSkill = "Assign skill"; +$AddressField = "Address"; +$Geolocalization = "Geolocalization"; +$RateTheSkillInPractice = "On a grade of 1 to 10, how well did you observe that this person could put this skill in practice?"; +$AverageRatingX = "Average rating %s"; +$AverageRating = "Average rating"; +$GradebookTeacherResultsNotShown = "Teachers results are not shown nor taken into account in the gradebook."; +$SocialWallWriteNewPostToFriend = "Write something on your friend's wall"; +$EmptyTemplate = "Blank template"; +$BaseCourse = "Base course"; +$BaseCourses = "Base courses"; +$Square = "Square"; +$Ellipse = "Ellipse"; +$Polygon = "Polygon"; +$HotspotStatus1 = "Draw a hotspot"; +$HotspotStatus2Polygon = "Use right-click to close the polygon"; +$HotspotStatus2Other = "Release the mousebutton to save the hotspot"; +$HotspotStatus3 = "Hotspot saved"; +$HotspotShowUserPoints = "Show/Hide userclicks"; +$ShowHotspots = "Show / Hide hotspots"; +$Triesleft = "Attempts left"; +$NextAnswer = "Now click on:"; +$CloseDelineation = "Close delineation"; +$Oar = "Area at risk"; +$HotspotExerciseFinished = "Now click on the button below to validate your answers"; +$ClosePolygon = "Close polygon"; +$DelineationStatus1 = "Use right-click to close the delineation"; +$Beta = "Beta"; +$CropYourPicture = "Crop your picture"; +$DownloadBadge = "Download badge"; +$NoXMLFileFoundInTheZip = "No XML file found in the zip archive. This is a requirement for this type of import."; +$BakedBadgeProblem = "There was a problem embedding the badge assertion info into the badge image, but you can still use this page as a valid proof."; +$ConfirmAssociateForumToLPItem = "This action will associate a forum thread to this learning path item. Do you want to proceed?"; +$ConfirmDissociateForumToLPItem = "This action will dissociate the forum thread of this learning path item. Do you want to proceed?"; +$DissociateForumToLPItem = "Dissociate the forum of this learning path item"; +$AssociateForumToLPItem = "Associate a forum to this learning path item"; +$ForumDissociated = "Forum dissociated"; +$ClickOrDropOneFileHere = "Click or drop one file here"; +$ModuloPercentage = "Modulo:\t\t\t%"; +$LastXDays = "Last % days"; +$ExportBadges = "Export badges"; +$LanguagesDisableAllExceptDefault = "Disable all languages except the platform default"; +$ThereAreUsersUsingThisLanguagesDisableItManually = "There are users currently using the following language. Please disable manually."; +$MessagingAllowSendPushNotificationTitle = "Allow Push Notifications to the Chamilo Messaging mobile app"; +$MessagingAllowSendPushNotificationComment = "Send Push Notifications by Google Cloud Messaging"; +$MessagingGDCProjectNumberTitle = "Project number of Google Developer Console"; +$MessagingGDCProjectNumberComment = "You need register a project on Google Developer Console"; +$MessagingGDCApiKeyTitle = "API Key of Google Developer Console for Google Cloud Messaging"; +$MessagingGDCApiKeyComment = "You need enable the Google Cloud Messaging API and create one credential for Android"; +$Overwrite = "Overwrite"; +$TheLogoMustBeSizeXAndFormatY = "The logo must be of %s px in size and in %s format"; +$ResetToTheOriginalLogo = "Original logo recovered"; +$NewLogoUpdated = "New logo uploaded"; +$CurrentLogo = "Current logo"; +$UpdateLogo = "Update logo"; +$FollowedStudentBosses = "Followed student bosses"; +$DatabaseManager = "Database manager"; +$CourseTemplate = "Course template"; +$PickACourseAsATemplateForThisNewCourse = "Pick a course as template for this new course"; +$TeacherCanSelectCourseTemplateTitle = "Teacher can select a course as template"; +$TeacherCanSelectCourseTemplateComment = "Allow pick a course as template for the new course that teacher is creating"; +$TheForumAutoLaunchSettingIsOnStudentsWillBeRedirectToTheForumTool = "The forum's auto-launch setting is on. Students will be redirected to the forum tool when entering this course."; +$RedirectToForumList = "Redirect to forums list"; +$EnableForumAutoLaunch = "Enable forum auto-launch"; +$NowDownloadYourCertificateClickHere = "You can now download your certificate by clicking here"; +$AdditionallyYouHaveObtainedTheFollowingSkills = "Additionally, you have achieved the following skills"; +$IHaveObtainedSkillXOnY = "I have achieved skill %s on %s"; +$AnotherAttempt = "Another attempt"; +$RemainingXAttempts = "Remaining %d attempts"; +$Map = "Map"; +$MyLocation = "My location"; +$ShowCourseInUserLanguage = "Show course in user's language"; ?> \ No newline at end of file diff --git a/main/lang/spanish/trad4all.inc.php b/main/lang/spanish/trad4all.inc.php index f4558ad0bc..d1024baa2e 100644 --- a/main/lang/spanish/trad4all.inc.php +++ b/main/lang/spanish/trad4all.inc.php @@ -1,335 +1,335 @@ -http://openbadges.org/."; -$OpenBadgesIntroduction = "Ahora puede establecer reconocimiento de habilidades por aprender en cualquier curso de este campus virtual."; -$DesignANewBadgeComment = "Diseña una nueva insignia, descárgala y súbela en la plataforma."; -$TheBadgesWillBeSentToThatBackpack = "Las insignias se mandarán a esta mochila"; -$BackpackDetails = "Detalles de la mochila"; -$CriteriaToEarnTheBadge = "Criterios para lograr la insignia"; -$BadgePreview = "Previsualización insignia"; -$DesignNewBadge = "Diseñar una nueva insignia"; -$TotalX = "Total: %s"; -$DownloadBadges = "Descargar insignias"; -$IssuerDetails = "Detalles del emisor"; -$CreateBadge = "Crear insignia"; -$Badges = "Insignias"; -$StudentsWhoAchievedTheSkillX = "Estudiantes que adquirieron la competencia %s"; -$AchievedSkillInCourseX = "Competencias adquiridas en curso %s"; -$SkillsReport = "Reporte de competencias"; -$AssignedUsersListToStudentBoss = "Lista de usuarios asignados al superior"; -$AssignUsersToBoss = "Asignar usuarios a superior"; -$RoleStudentBoss = "Superior de estudiante(s)"; -$CosecantCsc = "Cosecante:\t\t\t\tcsc(x)"; -$HyperbolicCosecantCsch = "Cosecante hiperbólico:\t\tcsch(x)"; -$ArccosecantArccsc = "Arccosecante:\t\t\tarccsc(x)"; -$HyperbolicArccosecantArccsch = "Arcocosecante hiperbólico:\t\tarccsch(x)"; -$SecantSec = "Secante:\t\t\t\tsec(x)"; -$HyperbolicSecantSech = "Secante hiperbólico:\t\tsech(x)"; -$ArcsecantArcsec = "Arcosecante:\t\t\tarcsec(x)"; -$HyperbolicArcsecantArcsech = "Arcosecante hiperbólico:\t\tarcsech(x)"; -$CotangentCot = "Cotangente:\t\t\tcot(x)"; -$HyperbolicCotangentCoth = "Cotangente hiperbólico:\t\tcoth(x)"; -$ArccotangentArccot = "Arcocotangente:\t\t\tarccot(x)"; -$HyperbolicArccotangentArccoth = "Arcocotangente hiperbólico:\t\tarccoth(x)"; -$HelpCookieUsageValidation = "Para el buen funcionamiento de este sitio y la medición de su uso, esta plataforma usa cookies.

        \nSi lo considera necesario, la sección de ayuda de su navegador le informará sobre los prcedimientos para configurar los cookies.

        \nPara mayor información sobre cookies, puede visitar el sitio About Cookies (en inglés) o cualquier equivalente en español."; -$YouAcceptCookies = "A través del uso de este sitio web, declara aceptar el uso de cookies."; -$TemplateCertificateComment = "Ejemplo de certificado"; -$TemplateCertificateTitle = "Certificado"; -$ResultsVisibility = "Visibilidad de los resultados"; -$DownloadCertificate = "Descargar certificado"; -$PortalActiveCoursesLimitReached = "Lo sentimos, esta instalación tiene un límite de cursos activos, que ahora se ha alcanzado. Todavía puede crear nuevos cursos, pero sólo si te esconde al menos un curso activo existente. Para ello, edite un curso de la lista de cursos de administración y cambiar la visibilidad a 'invisible', a continuación, intente crear este curso de nuevo. para aumentar el número máximo de cursos activos permitidos en esta instalación de Chamilo, por favor póngase en contacto con su proveedor de hosting o, en su caso, actualizar a un plan de alojamiento superiores."; -$WelcomeToInstitution = "Bienvenido/a al campus de %s"; -$WelcomeToSiteName = "Bienvenido/a a %s"; -$RequestAccess = "Pedir acceso"; -$Formula = "Fórmula"; -$MultipleConnectionsAreNotAllow = "Este usuario ya está conectado"; -$Listen = "Escuchar"; -$AudioFileForItemX = "Audio para el item %s"; -$ThereIsANewWorkFeedbackInWorkXHere = "Hay un nuevo comentario en la tarea %s. Para verlo, haga clic aquí"; -$ThereIsANewWorkFeedback = "Hay un nuevo comentario en la tarea %s"; -$LastUpload = "Última subida"; -$EditUserListCSV = "Editar usuarios por CSV"; -$NumberOfCoursesHidden = "Número de cursos escondidos"; -$Post = "Publicar"; -$Write = "Escribir"; -$YouHaveNotYetAchievedSkills = "Aún no ha logrado competencias"; -$Corn = "Maíz"; -$Gray = "Gris"; -$LightBlue = "Celeste"; -$Black = "Negro"; -$White = "Blanco"; -$DisplayOptions = "Opciones de presentación"; -$EnterTheSkillNameToSearch = "Ingrese el nombre de la competencia a buscar"; -$SkillsSearch = "Búsqueda de competencias"; -$ChooseABackgroundColor = "Escoja un color de fondo"; -$SocialWriteNewComment = "Redactar nuevo comentario"; -$SocialWallWhatAreYouThinkingAbout = "En que está pensando en este momento?"; -$SocialMessageDelete = "Eliminar comentario"; -$SocialWall = "Muro"; -$BuyCourses = "Comprar cursos"; -$MySessions = "Mis sesiones"; -$ActivateAudioRecorder = "Activar la grabación de voz"; -$StartSpeaking = "Hable ahora"; -$AssignedCourses = "Cursos asignados"; -$QuestionEditionNotAvailableBecauseItIsAlreadyAnsweredHoweverYouCanCopyItAndModifyTheCopy = "No puede editar la pregunta porque alguien ya la respondió. Sin embargo, puede copiarla y modificar dicha copia."; -$SessionDurationDescription = "La duración de sesiones le permite configurar un número de días de acceso a una sesión que inician desde el primer acceso del estudiante a la misma sesión. Mientras no entre, no inicia el conteo de estos días. De esta manera, puede poner una sesión con acceso 'por 15 días' en lugar de una fecha específica de inicio y de fin, y así tener estudiantes que puedan iniciar con mayor flexibilidad."; -$HyperbolicArctangentArctanh = "Arcotangente hiperbólica:\tarctanh(x)"; -$SessionDurationTitle = "Duración de sesión"; -$ArctangentArctan = "Arcotangente:\t\t\tarctan(x)"; -$HyperbolicTangentTanh = "Tangente hiperbólica:\t\ttanh(x)"; -$TangentTan = "Tangente:\t\t\ttan(x)"; -$CoachAndStudent = "Tutor y estudiante"; -$Serie = "Serie"; -$HyperbolicArccosineArccosh = "Arcocoseno hiperbólico:\t\tarccosh(x)"; -$ArccosineArccos = "Arcocoseno:\t\t\tarccos(x)"; -$HyperbolicCosineCosh = "Coseno hiperbólico:\t\tcosh(x)"; -$CosineCos = "Coseno:\t\t\t\tcos(x)"; -$TeacherTimeReport = "Reporte de tiempo de profesores"; -$HyperbolicArcsineArcsinh = "Arcoseno hiperbólico:\t\tarcsinh(x)"; -$YourLanguageNotThereContactUs = "¿Algun idioma no se encuentra en la lista? Aceptamos contribuciones de nuevas traducciones! Contactar info@chamilo.org"; -$ArcsineArcsin = "Arcoseno:\t\t\tarcsin(x)"; -$HyperbolicSineSinh = "Seno hiperbólico:\t\tsinh(x)"; -$SineSin = "Seno:\t\t\t\tsin(x)"; -$PiNumberPi = "Número pi:\t\t\tpi"; -$ENumberE = "Número e:\t\t\te"; -$LogarithmLog = "Logaritmo:\t\t\tlog(x)"; -$NaturalLogarithmLn = "Logaritmo natural:\t\tln(x)"; -$AbsoluteValueAbs = "Valor absoluto:\t\t\tabs(x)"; -$SquareRootSqrt = "Raíz cuadrada:\t\t\tsqrt(x)"; -$ExponentiationCircumflex = "Potencia:\t\t\t^"; -$DivisionSlash = "División:\t\t\t/"; -$MultiplicationStar = "Multiplicación:\t\t\t*"; -$SubstractionMinus = "Resta:\t\t\t\t-"; -$SummationPlus = "Suma:\t\t\t\t+"; -$NotationList = "Notación para fórmula"; -$SubscribeToSessionRequest = "Solicitud de inscripción a una sesión"; -$PleaseSubscribeMeToSession = "Por favor suscribirme a la sesión"; -$SearchActiveSessions = "Buscar sesiones activas"; -$UserNameHasDash = "El nombre de usuario no puede contener el caracter '-'"; -$IfYouWantOnlyIntegerValuesWriteBothLimitsWithoutDecimals = "Si desea sólo números enteros escriba ambos límites sin decimales"; -$GiveAnswerVariations = "Por favor, escriba cuántos problemas desea generar"; -$AnswerVariations = "Problemas a generar"; -$GiveFormula = "Por favor, escriba la fórmula"; -$SignatureFormula = "Cordialmente"; -$FormulaExample = "Ejemplo de fórmula: sqrt( [x] / [y] ) * ( e ^ ( ln(pi) ) )"; -$VariableRanges = "Rangos de las variables"; -$ExampleValue = "Valor del rango"; -$CalculatedAnswer = "Pregunta calculada"; -$UserIsCurrentlySubscribed = "El usuario está actualmente suscrito"; -$OnlyBestAttempts = "Solo los mejores intentos"; -$IncludeAllUsers = "Incluir todos los usuarios"; -$HostingWarningReached = "Limite de alojamiento alcanzado"; -$SessionName = "Nombre de la sesión"; -$MobilePhoneNumberWrong = "El número de móvil que ha escrito está incompleto o contiene caracteres no válidos"; -$CountryDialCode = "Incluya el prefijo de llamada del país"; -$FieldTypeMobilePhoneNumber = "Número de móvil"; -$CheckUniqueEmail = "Verificar que los correos sean únicos."; -$EmailUsedTwice = "Este correo electrónico ya está registrado en el sistema."; -$TotalPostsInAllForums = "Total de mensajes en todos los foros"; -$AddMeAsCoach = "Agregarme como tutor"; -$AddMeAsTeacherInCourses = "Agregarme como profesor en los cursos importados."; -$ExerciseProgressInfo = "Progreso de los ejercicios realizados por el alumno"; -$CourseTimeInfo = "Tiempo pasado en el curso"; -$ExerciseAverageInfo = "Media del mejor resultado para cada intento de ejercicio."; -$ExtraDurationForUser = "Días de acceso adicionales para este usuario."; -$UserXSessionY = "Usuario: %s - Sesión: %s"; -$DurationIsSameAsDefault = "La duración de la sesión es la misma que el valor por defecto. Ignorando."; -$FirstAccessWasXSessionDurationYEndDateWasZ = "El primer acceso de este usuario a la sesión fue el %s. Con una duración de %s días, el acceso a esta sesión expiró el %s."; -$FirstAccessWasXSessionDurationYEndDateInZDays = "El primer acceso de este usuario a esta sesión fue el %s. Con una duración de %s días, la fecha de fin está configurada dentro de %s días."; -$UserNeverAccessedSessionDefaultDurationIsX = "Este usuario nunca ha accedido a esta sesión antes. La duración está configurada a %s días (desde la fecha de primer acceso)."; -$SessionDurationEdit = "Editar duración de sesión"; -$EditUserSessionDuration = "Editar la duración de la sesión del usuario"; -$SessionDurationXDaysLeft = "Esta sesión tiene una duración máxima. Solo quedan %s días."; -$NextTopic = "Próximo tema"; -$CurrentTopic = "Tema actual"; -$ShowFullCourseAdvance = "Ver programación"; -$RedirectToCourseHome = "Redirigir al inicio de Curso."; -$LpReturnLink = "Enlace de retorno en las Lecciones"; -$LearningPathList = "Lista de lecciones"; -$UsersWithoutTask = "Estudiantes que no enviaron su tarea"; -$UsersWithTask = "Estudiantes que enviaron su tarea"; -$UploadFromTemplate = "Subir desde plantilla"; -$DocumentAlreadyAdded = "Un documento ya está presente"; -$AddDocument = "Añadir documento"; -$ExportToDoc = "Exportar a .doc"; -$SortByTitle = "Ordenar por título"; -$SortByUpdatedDate = "Ordenar por fecha de edición"; -$SortByCreatedDate = "Ordenar por fecha de creación"; -$ViewTable = "Vista en tabla"; -$ViewList = "Vista en lista"; -$DRH = "Responsable de Recursos Humanos"; -$Global = "Global"; -$QuestionTitle = "Título de pregunta"; -$QuestionId = "ID de pregunta"; -$ExerciseId = "ID de ejercicio"; -$ExportExcel = "Exporte Excel"; -$CompanyReportResumed = "Reporte corporativo resumido"; -$CompanyReport = "Reporte corporativo"; -$Report = "Reporte"; -$TraceIP = "Seguir IP"; -$NoSessionProvided = "No se ha indicado una sesión"; -$UserMustHaveTheDrhRole = "Los usuarios deben tener el rol de director de recursos humanos"; -$NothingToAdd = "Nada por añadir"; -$NoStudentsFoundForSession = "Ningún alumno encontrado para la sesión"; -$NoDestinationSessionProvided = "Sesión de destino no indicada"; -$SessionXSkipped = "Sesión %s ignorada"; -$CheckDates = "Validar las fechas"; -$CreateACategory = "Crear una categoría"; -$PriorityOfMessage = "Tipo de mensaje"; -$ModifyDate = "Fecha de modificación"; -$Weep = "Llora"; -$LatestChanges = "Últimos cambios"; -$FinalScore = "Nota final"; -$ErrorWritingXMLFile = "Hubo un error al escribir el archivo XML. Contacte con su administrador para que verifique los registros de errores."; -$TeacherXInSession = "Tutor en sesión: %s"; -$DeleteAttachment = "Eliminar archivo adjunto"; -$EditingThisEventWillRemoveItFromTheSerie = "Editar este evento lo eliminará de la lista de eventos de la cual forma parte ahora"; -$EnterTheCharactersYouReadInTheImage = "Introduzca los caracteres que ve en la imagen"; -$YouDontHaveAnInstitutionAccount = "Si no tiene cuenta institucional"; -$LoginWithYourAccount = "Ingresar con su cuenta"; -$YouHaveAnInstitutionalAccount = "Si tiene una cuenta institucional"; -$NoActionAvailable = "No hay acción disponible"; -$Coaches = "Tutores"; -$ShowDescription = "Mostrar descripción"; -$HumanResourcesManagerShouldNotBeRegisteredToCourses = "Los directores de recursos humanos no pueden ser registrados directamente a los cursos (en su lugar, deberían 'seguirlos'). Los usuarios que corresponden a este perfil no han sido inscritos."; -$CleanAndUpdateCourseCoaches = "Limpiar y actualizar los tutores de cursos"; -$NoPDFFoundAtRoot = "No se encontraron PDFs a la raíz: tiene que poner los PDFs en la raíz de su archivo zip (sin carpeta intermedia)"; -$PDFsMustLookLike = "Los PDFs tienen que verse así:"; -$ImportZipFileLocation = "Ubicación del archivo de importación zip"; -$YouMustImportAZipFile = "Tiene que importar como archivo zip"; -$ImportPDFIntroToCourses = "Importar introducciónes de cursos en PDF"; -$SubscribeTeachersToSession = "Inscribir profesores a sesiones"; -$SubscribeStudentsToSession = "Inscribir estudiantes a sesiones"; -$ManageCourseCategories = "Gestionar las categorías de cursos"; -$CourseCategoryListInX = "Categorías de cursos en el sitio %s:"; -$CourseCategoryInPlatform = "Categorías de cursos disponibles"; -$UserGroupBelongURL = "El grupo ahora pertenece al grupo seleccionado"; -$AtLeastOneUserGroupAndOneURL = "Tiene que seleccionar por lo mínimo un grupo y un sitio"; -$AgendaList = "Lista agenda"; -$Calendar = "Calendario"; -$CustomRange = "Rango personalizado"; -$ThisWeek = "Esta semana"; -$SendToUsersInSessions = "Enviar a los usuarios de todas las sesiones de este curso"; -$ParametersNotFound = "Parámetros no encontrados"; -$UsersToAdd = "Usuarios por añadir"; -$DocumentsAdded = "Documentos añadidos"; -$NoUsersToAdd = "Ningun usuario por añadir"; -$StartSurvey = "Empezar Encuesta"; -$Subgroup = "Subgrupo"; -$Subgroups = "Subgrupos"; -$EnterTheLettersYouSee = "Introducir las letras que ve."; -$ClickOnTheImageForANewOne = "Dar clic en la imagen para cargar otra."; -$AccountBlockedByCaptcha = "Cuenta bloqueada por CAPTCHA."; -$CatchScreenCasts = "Capturar imagen o vídeo de la pantalla"; -$View = "Ver"; -$AmountSubmitted = "Cantidad enviada"; -$InstallWarningCouldNotInterpretPHP = "Advertencia: el instalador ha detectado un error mientras intentaba acceder al archivo de prueba %s. Parece que el script PHP no pudo ser interpretado. Esto podría ser una señal precursora de problemas al momento de la creación de nuevos cursos. Verifique el manual de instalación para mayor información sobre permisos. Si está instalando un sitio configurando una URL que todavía no existe, probablemente pueda ignorar este mensaje."; -$BeforeX = "Antes de %s"; -$AfterX = "Después de %s"; -$ExportSettingsAsXLS = "Exportar parámetros en formato .xls"; -$DeleteAllItems = "Borrar todos los elementos"; -$DeleteThisItem = "Borrar este elemento"; -$RecordYourVoice = "Grabe su voz"; -$RecordIsNotAvailable = "Ninguna grabación disponible"; -$WorkNumberSubmitted = "Tareas recibidas"; -$ClassIdDoesntExists = "ID de clase no existe"; -$WithoutCategory = "Sin categoría"; -$IncorrectScore = "Puntuación incorrecta"; -$CorrectScore = "Puntuación correcta"; -$UseCustomScoreForAllQuestions = "Usar puntuación personalizable para todas las preguntas."; -$YouShouldAddItemsBeforeAttachAudio = "Debería añadir algunos elementos a la lección, caso contrario no podrá adjuntarle archivos de audio"; -$InactiveDays = "Días inactivo"; -$FollowedHumanResources = "Directores RRHH seguidos"; -$TheTextYouEnteredDoesNotMatchThePicture = "El texto introducido no corresponde a la imagen."; -$RemoveOldRelationships = "Eliminar relaciones previas"; -$ImportSessionDrhList = "Importar lista de directores RRHH en las sesiones"; -$FollowedStudents = "Estudiantes seguidos"; -$FollowedTeachers = "Profesores seguidos"; -$AllowOnlyFiles = "Solo archivos"; -$AllowOnlyText = "Solo respuesta online"; -$AllowFileOrText = "Permitir archivos y respuestas online"; -$DocumentType = "Tipo de documento"; -$SendOnlyAnEmailToMySelfToTest = "Enviar correo electrónico solamente a mi mismo para pruebas."; -$DeleteAllSelectedAttendances = "Eliminar todas las hojas de asistencia seleccionadas"; -$AvailableClasses = "Clases disponibles"; -$RegisteredClasses = "Clases subscritas"; -$DeleteItemsNotInFile = "Eliminar elementos que no se encuentran en el archivo"; -$ImportGroups = "Importar grupos"; -$HereIsYourFeedback = "Respuesta del profesor:"; -$SearchSessions = "Búsqueda de sesiones"; -$ShowSystemFolders = "Mostrar directorios del sistema."; -$SelectADateOnTheCalendar = "Seleccione una fecha del calendario"; -$AreYouSureDeleteTestResultBeforeDateD = "¿Está seguro que desea eliminar los resultados de este ejercicio antes de la fecha seleccionada?"; -$CleanStudentsResultsBeforeDate = "Eliminar todos los resultados antes de la fecha selecionada"; -$HGlossary = "Ayuda del glosario"; -$GlossaryContent = "Esta herramienta le permite crear términos de glosario para su curso, los cuales pueden luego ser usados en la herramienta de documentos"; +http://openbadges.org/."; +$OpenBadgesIntroduction = "Ahora puede establecer reconocimiento de habilidades por aprender en cualquier curso de este campus virtual."; +$DesignANewBadgeComment = "Diseña una nueva insignia, descárgala y súbela en la plataforma."; +$TheBadgesWillBeSentToThatBackpack = "Las insignias se mandarán a esta mochila"; +$BackpackDetails = "Detalles de la mochila"; +$CriteriaToEarnTheBadge = "Criterios para lograr la insignia"; +$BadgePreview = "Previsualización insignia"; +$DesignNewBadge = "Diseñar una nueva insignia"; +$TotalX = "Total: %s"; +$DownloadBadges = "Descargar insignias"; +$IssuerDetails = "Detalles del emisor"; +$CreateBadge = "Crear insignia"; +$Badges = "Insignias"; +$StudentsWhoAchievedTheSkillX = "Estudiantes que adquirieron la competencia %s"; +$AchievedSkillInCourseX = "Competencias adquiridas en curso %s"; +$SkillsReport = "Reporte de competencias"; +$AssignedUsersListToStudentBoss = "Lista de usuarios asignados al superior"; +$AssignUsersToBoss = "Asignar usuarios a superior"; +$RoleStudentBoss = "Superior de estudiante(s)"; +$CosecantCsc = "Cosecante:\t\t\t\tcsc(x)"; +$HyperbolicCosecantCsch = "Cosecante hiperbólico:\t\tcsch(x)"; +$ArccosecantArccsc = "Arccosecante:\t\t\tarccsc(x)"; +$HyperbolicArccosecantArccsch = "Arcocosecante hiperbólico:\t\tarccsch(x)"; +$SecantSec = "Secante:\t\t\t\tsec(x)"; +$HyperbolicSecantSech = "Secante hiperbólico:\t\tsech(x)"; +$ArcsecantArcsec = "Arcosecante:\t\t\tarcsec(x)"; +$HyperbolicArcsecantArcsech = "Arcosecante hiperbólico:\t\tarcsech(x)"; +$CotangentCot = "Cotangente:\t\t\tcot(x)"; +$HyperbolicCotangentCoth = "Cotangente hiperbólico:\t\tcoth(x)"; +$ArccotangentArccot = "Arcocotangente:\t\t\tarccot(x)"; +$HyperbolicArccotangentArccoth = "Arcocotangente hiperbólico:\t\tarccoth(x)"; +$HelpCookieUsageValidation = "Para el buen funcionamiento de este sitio y la medición de su uso, esta plataforma usa cookies.

        \nSi lo considera necesario, la sección de ayuda de su navegador le informará sobre los prcedimientos para configurar los cookies.

        \nPara mayor información sobre cookies, puede visitar el sitio About Cookies (en inglés) o cualquier equivalente en español."; +$YouAcceptCookies = "A través del uso de este sitio web, declara aceptar el uso de cookies."; +$TemplateCertificateComment = "Ejemplo de certificado"; +$TemplateCertificateTitle = "Certificado"; +$ResultsVisibility = "Visibilidad de los resultados"; +$DownloadCertificate = "Descargar certificado"; +$PortalActiveCoursesLimitReached = "Lo sentimos, esta instalación tiene un límite de cursos activos, que ahora se ha alcanzado. Todavía puede crear nuevos cursos, pero sólo si te esconde al menos un curso activo existente. Para ello, edite un curso de la lista de cursos de administración y cambiar la visibilidad a 'invisible', a continuación, intente crear este curso de nuevo. para aumentar el número máximo de cursos activos permitidos en esta instalación de Chamilo, por favor póngase en contacto con su proveedor de hosting o, en su caso, actualizar a un plan de alojamiento superiores."; +$WelcomeToInstitution = "Bienvenido/a al campus de %s"; +$WelcomeToSiteName = "Bienvenido/a a %s"; +$RequestAccess = "Pedir acceso"; +$Formula = "Fórmula"; +$MultipleConnectionsAreNotAllow = "Este usuario ya está conectado"; +$Listen = "Escuchar"; +$AudioFileForItemX = "Audio para el item %s"; +$ThereIsANewWorkFeedbackInWorkXHere = "Hay un nuevo comentario en la tarea %s. Para verlo, haga clic aquí"; +$ThereIsANewWorkFeedback = "Hay un nuevo comentario en la tarea %s"; +$LastUpload = "Última subida"; +$EditUserListCSV = "Editar usuarios por CSV"; +$NumberOfCoursesHidden = "Número de cursos escondidos"; +$Post = "Publicar"; +$Write = "Escribir"; +$YouHaveNotYetAchievedSkills = "Aún no ha logrado competencias"; +$Corn = "Maíz"; +$Gray = "Gris"; +$LightBlue = "Celeste"; +$Black = "Negro"; +$White = "Blanco"; +$DisplayOptions = "Opciones de presentación"; +$EnterTheSkillNameToSearch = "Ingrese el nombre de la competencia a buscar"; +$SkillsSearch = "Búsqueda de competencias"; +$ChooseABackgroundColor = "Escoja un color de fondo"; +$SocialWriteNewComment = "Redactar nuevo comentario"; +$SocialWallWhatAreYouThinkingAbout = "En que está pensando en este momento?"; +$SocialMessageDelete = "Eliminar comentario"; +$SocialWall = "Muro"; +$BuyCourses = "Comprar cursos"; +$MySessions = "Mis sesiones"; +$ActivateAudioRecorder = "Activar la grabación de voz"; +$StartSpeaking = "Hable ahora"; +$AssignedCourses = "Cursos asignados"; +$QuestionEditionNotAvailableBecauseItIsAlreadyAnsweredHoweverYouCanCopyItAndModifyTheCopy = "No puede editar la pregunta porque alguien ya la respondió. Sin embargo, puede copiarla y modificar dicha copia."; +$SessionDurationDescription = "La duración de sesiones le permite configurar un número de días de acceso a una sesión que inician desde el primer acceso del estudiante a la misma sesión. Mientras no entre, no inicia el conteo de estos días. De esta manera, puede poner una sesión con acceso 'por 15 días' en lugar de una fecha específica de inicio y de fin, y así tener estudiantes que puedan iniciar con mayor flexibilidad."; +$HyperbolicArctangentArctanh = "Arcotangente hiperbólica:\tarctanh(x)"; +$SessionDurationTitle = "Duración de sesión"; +$ArctangentArctan = "Arcotangente:\t\t\tarctan(x)"; +$HyperbolicTangentTanh = "Tangente hiperbólica:\t\ttanh(x)"; +$TangentTan = "Tangente:\t\t\ttan(x)"; +$CoachAndStudent = "Tutor y estudiante"; +$Serie = "Serie"; +$HyperbolicArccosineArccosh = "Arcocoseno hiperbólico:\t\tarccosh(x)"; +$ArccosineArccos = "Arcocoseno:\t\t\tarccos(x)"; +$HyperbolicCosineCosh = "Coseno hiperbólico:\t\tcosh(x)"; +$CosineCos = "Coseno:\t\t\t\tcos(x)"; +$TeacherTimeReport = "Reporte de tiempo de profesores"; +$HyperbolicArcsineArcsinh = "Arcoseno hiperbólico:\t\tarcsinh(x)"; +$YourLanguageNotThereContactUs = "¿Algun idioma no se encuentra en la lista? Aceptamos contribuciones de nuevas traducciones! Contactar info@chamilo.org"; +$ArcsineArcsin = "Arcoseno:\t\t\tarcsin(x)"; +$HyperbolicSineSinh = "Seno hiperbólico:\t\tsinh(x)"; +$SineSin = "Seno:\t\t\t\tsin(x)"; +$PiNumberPi = "Número pi:\t\t\tpi"; +$ENumberE = "Número e:\t\t\te"; +$LogarithmLog = "Logaritmo:\t\t\tlog(x)"; +$NaturalLogarithmLn = "Logaritmo natural:\t\tln(x)"; +$AbsoluteValueAbs = "Valor absoluto:\t\t\tabs(x)"; +$SquareRootSqrt = "Raíz cuadrada:\t\t\tsqrt(x)"; +$ExponentiationCircumflex = "Potencia:\t\t\t^"; +$DivisionSlash = "División:\t\t\t/"; +$MultiplicationStar = "Multiplicación:\t\t\t*"; +$SubstractionMinus = "Resta:\t\t\t\t-"; +$SummationPlus = "Suma:\t\t\t\t+"; +$NotationList = "Notación para fórmula"; +$SubscribeToSessionRequest = "Solicitud de inscripción a una sesión"; +$PleaseSubscribeMeToSession = "Por favor suscribirme a la sesión"; +$SearchActiveSessions = "Buscar sesiones activas"; +$UserNameHasDash = "El nombre de usuario no puede contener el caracter '-'"; +$IfYouWantOnlyIntegerValuesWriteBothLimitsWithoutDecimals = "Si desea sólo números enteros escriba ambos límites sin decimales"; +$GiveAnswerVariations = "Por favor, escriba cuántos problemas desea generar"; +$AnswerVariations = "Problemas a generar"; +$GiveFormula = "Por favor, escriba la fórmula"; +$SignatureFormula = "Cordialmente"; +$FormulaExample = "Ejemplo de fórmula: sqrt( [x] / [y] ) * ( e ^ ( ln(pi) ) )"; +$VariableRanges = "Rangos de las variables"; +$ExampleValue = "Valor del rango"; +$CalculatedAnswer = "Pregunta calculada"; +$UserIsCurrentlySubscribed = "El usuario está actualmente suscrito"; +$OnlyBestAttempts = "Solo los mejores intentos"; +$IncludeAllUsers = "Incluir todos los usuarios"; +$HostingWarningReached = "Limite de alojamiento alcanzado"; +$SessionName = "Nombre de la sesión"; +$MobilePhoneNumberWrong = "El número de móvil que ha escrito está incompleto o contiene caracteres no válidos"; +$CountryDialCode = "Incluya el prefijo de llamada del país"; +$FieldTypeMobilePhoneNumber = "Número de móvil"; +$CheckUniqueEmail = "Verificar que los correos sean únicos."; +$EmailUsedTwice = "Este correo electrónico ya está registrado en el sistema."; +$TotalPostsInAllForums = "Total de mensajes en todos los foros"; +$AddMeAsCoach = "Agregarme como tutor"; +$AddMeAsTeacherInCourses = "Agregarme como profesor en los cursos importados."; +$ExerciseProgressInfo = "Progreso de los ejercicios realizados por el alumno"; +$CourseTimeInfo = "Tiempo pasado en el curso"; +$ExerciseAverageInfo = "Media del mejor resultado para cada intento de ejercicio."; +$ExtraDurationForUser = "Días de acceso adicionales para este usuario."; +$UserXSessionY = "Usuario: %s - Sesión: %s"; +$DurationIsSameAsDefault = "La duración de la sesión es la misma que el valor por defecto. Ignorando."; +$FirstAccessWasXSessionDurationYEndDateWasZ = "El primer acceso de este usuario a la sesión fue el %s. Con una duración de %s días, el acceso a esta sesión expiró el %s."; +$FirstAccessWasXSessionDurationYEndDateInZDays = "El primer acceso de este usuario a esta sesión fue el %s. Con una duración de %s días, la fecha de fin está configurada dentro de %s días."; +$UserNeverAccessedSessionDefaultDurationIsX = "Este usuario nunca ha accedido a esta sesión antes. La duración está configurada a %s días (desde la fecha de primer acceso)."; +$SessionDurationEdit = "Editar duración de sesión"; +$EditUserSessionDuration = "Editar la duración de la sesión del usuario"; +$SessionDurationXDaysLeft = "Esta sesión tiene una duración máxima. Solo quedan %s días."; +$NextTopic = "Próximo tema"; +$CurrentTopic = "Tema actual"; +$ShowFullCourseAdvance = "Ver programación"; +$RedirectToCourseHome = "Redirigir al inicio de Curso."; +$LpReturnLink = "Enlace de retorno en las Lecciones"; +$LearningPathList = "Lista de lecciones"; +$UsersWithoutTask = "Estudiantes que no enviaron su tarea"; +$UsersWithTask = "Estudiantes que enviaron su tarea"; +$UploadFromTemplate = "Subir desde plantilla"; +$DocumentAlreadyAdded = "Un documento ya está presente"; +$AddDocument = "Añadir documento"; +$ExportToDoc = "Exportar a .doc"; +$SortByTitle = "Ordenar por título"; +$SortByUpdatedDate = "Ordenar por fecha de edición"; +$SortByCreatedDate = "Ordenar por fecha de creación"; +$ViewTable = "Vista en tabla"; +$ViewList = "Vista en lista"; +$DRH = "Responsable de Recursos Humanos"; +$Global = "Global"; +$QuestionTitle = "Título de pregunta"; +$QuestionId = "ID de pregunta"; +$ExerciseId = "ID de ejercicio"; +$ExportExcel = "Exporte Excel"; +$CompanyReportResumed = "Reporte corporativo resumido"; +$CompanyReport = "Reporte corporativo"; +$Report = "Reporte"; +$TraceIP = "Seguir IP"; +$NoSessionProvided = "No se ha indicado una sesión"; +$UserMustHaveTheDrhRole = "Los usuarios deben tener el rol de director de recursos humanos"; +$NothingToAdd = "Nada por añadir"; +$NoStudentsFoundForSession = "Ningún alumno encontrado para la sesión"; +$NoDestinationSessionProvided = "Sesión de destino no indicada"; +$SessionXSkipped = "Sesión %s ignorada"; +$CheckDates = "Validar las fechas"; +$CreateACategory = "Crear una categoría"; +$PriorityOfMessage = "Tipo de mensaje"; +$ModifyDate = "Fecha de modificación"; +$Weep = "Llora"; +$LatestChanges = "Últimos cambios"; +$FinalScore = "Nota final"; +$ErrorWritingXMLFile = "Hubo un error al escribir el archivo XML. Contacte con su administrador para que verifique los registros de errores."; +$TeacherXInSession = "Tutor en sesión: %s"; +$DeleteAttachment = "Eliminar archivo adjunto"; +$EditingThisEventWillRemoveItFromTheSerie = "Editar este evento lo eliminará de la lista de eventos de la cual forma parte ahora"; +$EnterTheCharactersYouReadInTheImage = "Introduzca los caracteres que ve en la imagen"; +$YouDontHaveAnInstitutionAccount = "Si no tiene cuenta institucional"; +$LoginWithYourAccount = "Ingresar con su cuenta"; +$YouHaveAnInstitutionalAccount = "Si tiene una cuenta institucional"; +$NoActionAvailable = "No hay acción disponible"; +$Coaches = "Tutores"; +$ShowDescription = "Mostrar descripción"; +$HumanResourcesManagerShouldNotBeRegisteredToCourses = "Los directores de recursos humanos no pueden ser registrados directamente a los cursos (en su lugar, deberían 'seguirlos'). Los usuarios que corresponden a este perfil no han sido inscritos."; +$CleanAndUpdateCourseCoaches = "Limpiar y actualizar los tutores de cursos"; +$NoPDFFoundAtRoot = "No se encontraron PDFs a la raíz: tiene que poner los PDFs en la raíz de su archivo zip (sin carpeta intermedia)"; +$PDFsMustLookLike = "Los PDFs tienen que verse así:"; +$ImportZipFileLocation = "Ubicación del archivo de importación zip"; +$YouMustImportAZipFile = "Tiene que importar como archivo zip"; +$ImportPDFIntroToCourses = "Importar introducciónes de cursos en PDF"; +$SubscribeTeachersToSession = "Inscribir profesores a sesiones"; +$SubscribeStudentsToSession = "Inscribir estudiantes a sesiones"; +$ManageCourseCategories = "Gestionar las categorías de cursos"; +$CourseCategoryListInX = "Categorías de cursos en el sitio %s:"; +$CourseCategoryInPlatform = "Categorías de cursos disponibles"; +$UserGroupBelongURL = "El grupo ahora pertenece al grupo seleccionado"; +$AtLeastOneUserGroupAndOneURL = "Tiene que seleccionar por lo mínimo un grupo y un sitio"; +$AgendaList = "Lista agenda"; +$Calendar = "Calendario"; +$CustomRange = "Rango personalizado"; +$ThisWeek = "Esta semana"; +$SendToUsersInSessions = "Enviar a los usuarios de todas las sesiones de este curso"; +$ParametersNotFound = "Parámetros no encontrados"; +$UsersToAdd = "Usuarios por añadir"; +$DocumentsAdded = "Documentos añadidos"; +$NoUsersToAdd = "Ningun usuario por añadir"; +$StartSurvey = "Empezar Encuesta"; +$Subgroup = "Subgrupo"; +$Subgroups = "Subgrupos"; +$EnterTheLettersYouSee = "Introducir las letras que ve."; +$ClickOnTheImageForANewOne = "Dar clic en la imagen para cargar otra."; +$AccountBlockedByCaptcha = "Cuenta bloqueada por CAPTCHA."; +$CatchScreenCasts = "Capturar imagen o vídeo de la pantalla"; +$View = "Ver"; +$AmountSubmitted = "Cantidad enviada"; +$InstallWarningCouldNotInterpretPHP = "Advertencia: el instalador ha detectado un error mientras intentaba acceder al archivo de prueba %s. Parece que el script PHP no pudo ser interpretado. Esto podría ser una señal precursora de problemas al momento de la creación de nuevos cursos. Verifique el manual de instalación para mayor información sobre permisos. Si está instalando un sitio configurando una URL que todavía no existe, probablemente pueda ignorar este mensaje."; +$BeforeX = "Antes de %s"; +$AfterX = "Después de %s"; +$ExportSettingsAsXLS = "Exportar parámetros en formato .xls"; +$DeleteAllItems = "Borrar todos los elementos"; +$DeleteThisItem = "Borrar este elemento"; +$RecordYourVoice = "Grabe su voz"; +$RecordIsNotAvailable = "Ninguna grabación disponible"; +$WorkNumberSubmitted = "Tareas recibidas"; +$ClassIdDoesntExists = "ID de clase no existe"; +$WithoutCategory = "Sin categoría"; +$IncorrectScore = "Puntuación incorrecta"; +$CorrectScore = "Puntuación correcta"; +$UseCustomScoreForAllQuestions = "Usar puntuación personalizable para todas las preguntas."; +$YouShouldAddItemsBeforeAttachAudio = "Debería añadir algunos elementos a la lección, caso contrario no podrá adjuntarle archivos de audio"; +$InactiveDays = "Días inactivo"; +$FollowedHumanResources = "Directores RRHH seguidos"; +$TheTextYouEnteredDoesNotMatchThePicture = "El texto introducido no corresponde a la imagen."; +$RemoveOldRelationships = "Eliminar relaciones previas"; +$ImportSessionDrhList = "Importar lista de directores RRHH en las sesiones"; +$FollowedStudents = "Estudiantes seguidos"; +$FollowedTeachers = "Profesores seguidos"; +$AllowOnlyFiles = "Solo archivos"; +$AllowOnlyText = "Solo respuesta online"; +$AllowFileOrText = "Permitir archivos y respuestas online"; +$DocumentType = "Tipo de documento"; +$SendOnlyAnEmailToMySelfToTest = "Enviar correo electrónico solamente a mi mismo para pruebas."; +$DeleteAllSelectedAttendances = "Eliminar todas las hojas de asistencia seleccionadas"; +$AvailableClasses = "Clases disponibles"; +$RegisteredClasses = "Clases subscritas"; +$DeleteItemsNotInFile = "Eliminar elementos que no se encuentran en el archivo"; +$ImportGroups = "Importar grupos"; +$HereIsYourFeedback = "Respuesta del profesor:"; +$SearchSessions = "Búsqueda de sesiones"; +$ShowSystemFolders = "Mostrar directorios del sistema."; +$SelectADateOnTheCalendar = "Seleccione una fecha del calendario"; +$AreYouSureDeleteTestResultBeforeDateD = "¿Está seguro que desea eliminar los resultados de este ejercicio antes de la fecha seleccionada?"; +$CleanStudentsResultsBeforeDate = "Eliminar todos los resultados antes de la fecha selecionada"; +$HGlossary = "Ayuda del glosario"; +$GlossaryContent = "Esta herramienta le permite crear términos de glosario para su curso, los cuales pueden luego ser usados en la herramienta de documentos"; $ForumContent = "

        El foro es una herramienta de conversación para el trabajo escrito asíncrono. A diferencia del e-mail, un foro es para conversaciones públicas, semi-públicas o de grupos.

        Para usar el foro de Chamilo, los alumnos del curso pueden simplemente usar su navegador - no requieren de ningun otro tipo de herramienta

        Para organizar los foros, dar click en la herramienta de foros. Las conversaciones se organizan según la estructura siguiente: Categoría > Foro > Tema de conversación > Respuesta. Para permitir a los alumnos participar en los foros de manera ordenada y efectiva, es esencial crear primero categorías y foros. Luego, pertenece a los participantes crear temas de conversación y enviar respuestas. Por defecto, si el curso se ha creado con contenido de ejemplo, el foro contiene una única categoría, un foro, un tema de foro y una respuesta. Puede añadir foros a la categoría, cambiar su titulo o crear otras categorías dentro de las cuales podría entonces crear nuevos foros (no confunda categorías y foros, y recuerde que una categoría que no contiene foros es inútil y no se mostrará a los alumnos).

        La descripción del foro puede incluir una lista de sus miembros, una definición de su propósito, una tarea, un objetivo, un tema, etc.

        Los foros de grupos no son creados por la herramienta de foros directamente, sino por la herramienta de grupos, donde puede determinar si los foros serán públicos o privados, permitiendo al mismo tiempo a los miembros sus grupos compartir documentos y otros recursos

        -

        Tips de enseñanza: Un foro de aprendizaje no es lo mismo que un foro de los que ve en internet. De un lado, no es posible que los alumnos modifiquen sus respuestas una vez que un tema de conversación haya sido cerrado. Esto es con el objetivo de valorar su contribución en el foro. Luego, algunos usuarios privilegiados (profesor, tutor, asistente) pueden corregir directamente las respuestas dentro del foro.
        Para hacerlo, pueden seguir el procedimiento siguiente:
        dar click en el icono de edición (lapiz amarillo) y marcarlo usando una funcionalidad de edición (color, subrayado, etc). Finalmente, otros alumnos pueden beneficiar de esta corrección visualizando el foro nuevamente. La misa idea puede ser aplicada entre alumnos pero requiere usar la herramienta de citación para luego indicar los elementos incorrectos (ya que no pueden editar directamente la respuesta de otro alumno)

        "; -$HForum = "Ayuda del foro"; -$LoginToGoToThisCourse = "Conectarse para entrar al curso"; -$AreYouSureToEmptyAllTestResults = "¿Está seguro de eliminar todos los resultados de todos los ejercicios?"; -$CleanAllStudentsResultsForAllTests = "¿Está seguro de eliminar todos los resultados de los ejericios?"; -$AdditionalMailWasSentToSelectedUsers = "De manera adicional, un mensaje fue enviado a los usuarios seleccionados."; -$LoginDate = "Fecha de ingreso"; -$ChooseStartDateAndEndDate = "Elija fechas de inicio y de fin"; -$TestFeedbackNotShown = "Esta prueba está configurada para no dar retro-alimentación a los alumnos. Los comentarios correspondientes no se mostrarán al fin de la prueba, pero podrían serle útil, como docente, en el momento de revisar los detalles de las preguntas."; -$WorkAdded = "Tarea añadida"; -$FeedbackDisplayOptions = "Manera en la cual se mostrará el comentario definido para cada pregunta. Esta opción define como un estudiante visualizará (o no) los comentarios (retro-alimentación) ingresados para cada alternativa en cada pregunta. Recomendamos evaluar las distintas opciones antes de invitar los estudiantes a tomar la prueba."; -$InactiveUsers = "Usuarios desactivados"; -$ActiveUsers = "Usuarios activados"; -$SurveysProgress = "Progreso de encuestas"; -$SurveysLeft = "Encuestas incompletas"; -$SurveysDone = "Encuestas completadas"; -$SurveysTotal = "Total de encuestas"; -$WikiProgress = "Progreso de lectura de páginas"; -$WikiUnread = "Páginas de wiki no leídas"; -$WikiRead = "Páginas de wiki leídas"; -$WikiRevisions = "Páginas con revisiones"; -$WikiTotal = "Total de páginas de wiki"; -$AssignmentsProgress = "Progreso de tareas"; -$AssignmentsLeft = "Tareas no entregadas"; -$AssignmentsDone = "Tareas entregadas"; -$AssignmentsTotal = "Total de tareas"; -$ForumsProgress = "Progreso de foros"; -$ForumsLeft = "Foros no leídos"; -$ForumsDone = "Foros leídos"; -$ForumsTotal = "Total de foros"; -$ExercisesProgress = "Progreso de ejercicios"; -$ExercisesLeft = "Ejercicios incompletos"; -$ExercisesDone = "Ejercicios completados"; -$ExercisesTotal = "Total de ejercicios"; -$LearnpathsProgress = "Progreso de lecciones"; -$LearnpathsLeft = "Lecciones incompletas"; -$LearnpathsDone = "Lecciones completadas"; -$LearnpathsTotal = "Lecciones totales"; -$TimeLoggedIn = "Tiempo de permanencia (hh:mm)"; -$SelectSurvey = "Seleccionar la encuesta"; -$SurveyCopied = "Encuesta copiada"; -$NoSurveysAvailable = "No hay encuestas creadas"; -$DescriptionCopySurvey = "Crea una copia vacia en otro curso a partir de una encuesta existente. Usted necesita 2 cursos para usar esta característica: un curso origen y un curso destino."; -$CopySurvey = "Copiar la encuesta"; -$ChooseSession = "Elija una sesión"; -$SearchSession = "Buscar sesiones"; -$ChooseStudent = "Elija un estudiante"; -$SearchStudent = "Buscar estudiantes"; -$ChooseCourse = "Elija un curso"; -$DisplaySurveyOverview = "Reporte de encuestas"; -$DisplayProgressOverview = "Reporte de lectura y participación"; -$DisplayLpProgressOverview = "Reporte avance lecciones"; -$DisplayExerciseProgress = "Reporte de progreso en ejercicios"; -$DisplayAccessOverview = "Reporte de accesos por usuario"; -$AllowMemberLeaveGroup = "Permitir a los miembros de dejar el grupo"; -$WorkFileNotUploadedDirXDoesNotExist = "La tarea no pudo ser enviada porque la carpeta %s no existe"; -$DeleteUsersNotInList = "Desinscribir los alumnos que no están en una sesión en la lista importada"; -$IfSessionExistsUpdate = "Si la sesión existe, actualizarla con los datos del archivo"; -$CreatedByXYOnZ = "Creado/a por %s el %s"; -$LoginWithExternalAccount = "Ingresar con una cuenta externa"; +

        Tips de enseñanza: Un foro de aprendizaje no es lo mismo que un foro de los que ve en internet. De un lado, no es posible que los alumnos modifiquen sus respuestas una vez que un tema de conversación haya sido cerrado. Esto es con el objetivo de valorar su contribución en el foro. Luego, algunos usuarios privilegiados (profesor, tutor, asistente) pueden corregir directamente las respuestas dentro del foro.
        Para hacerlo, pueden seguir el procedimiento siguiente:
        dar click en el icono de edición (lapiz amarillo) y marcarlo usando una funcionalidad de edición (color, subrayado, etc). Finalmente, otros alumnos pueden beneficiar de esta corrección visualizando el foro nuevamente. La misa idea puede ser aplicada entre alumnos pero requiere usar la herramienta de citación para luego indicar los elementos incorrectos (ya que no pueden editar directamente la respuesta de otro alumno)

        "; +$HForum = "Ayuda del foro"; +$LoginToGoToThisCourse = "Conectarse para entrar al curso"; +$AreYouSureToEmptyAllTestResults = "¿Está seguro de eliminar todos los resultados de todos los ejercicios?"; +$CleanAllStudentsResultsForAllTests = "¿Está seguro de eliminar todos los resultados de los ejericios?"; +$AdditionalMailWasSentToSelectedUsers = "De manera adicional, un mensaje fue enviado a los usuarios seleccionados."; +$LoginDate = "Fecha de ingreso"; +$ChooseStartDateAndEndDate = "Elija fechas de inicio y de fin"; +$TestFeedbackNotShown = "Esta prueba está configurada para no dar retro-alimentación a los alumnos. Los comentarios correspondientes no se mostrarán al fin de la prueba, pero podrían serle útil, como docente, en el momento de revisar los detalles de las preguntas."; +$WorkAdded = "Tarea añadida"; +$FeedbackDisplayOptions = "Manera en la cual se mostrará el comentario definido para cada pregunta. Esta opción define como un estudiante visualizará (o no) los comentarios (retro-alimentación) ingresados para cada alternativa en cada pregunta. Recomendamos evaluar las distintas opciones antes de invitar los estudiantes a tomar la prueba."; +$InactiveUsers = "Usuarios desactivados"; +$ActiveUsers = "Usuarios activados"; +$SurveysProgress = "Progreso de encuestas"; +$SurveysLeft = "Encuestas incompletas"; +$SurveysDone = "Encuestas completadas"; +$SurveysTotal = "Total de encuestas"; +$WikiProgress = "Progreso de lectura de páginas"; +$WikiUnread = "Páginas de wiki no leídas"; +$WikiRead = "Páginas de wiki leídas"; +$WikiRevisions = "Páginas con revisiones"; +$WikiTotal = "Total de páginas de wiki"; +$AssignmentsProgress = "Progreso de tareas"; +$AssignmentsLeft = "Tareas no entregadas"; +$AssignmentsDone = "Tareas entregadas"; +$AssignmentsTotal = "Total de tareas"; +$ForumsProgress = "Progreso de foros"; +$ForumsLeft = "Foros no leídos"; +$ForumsDone = "Foros leídos"; +$ForumsTotal = "Total de foros"; +$ExercisesProgress = "Progreso de ejercicios"; +$ExercisesLeft = "Ejercicios incompletos"; +$ExercisesDone = "Ejercicios completados"; +$ExercisesTotal = "Total de ejercicios"; +$LearnpathsProgress = "Progreso de lecciones"; +$LearnpathsLeft = "Lecciones incompletas"; +$LearnpathsDone = "Lecciones completadas"; +$LearnpathsTotal = "Lecciones totales"; +$TimeLoggedIn = "Tiempo de permanencia (hh:mm)"; +$SelectSurvey = "Seleccionar la encuesta"; +$SurveyCopied = "Encuesta copiada"; +$NoSurveysAvailable = "No hay encuestas creadas"; +$DescriptionCopySurvey = "Crea una copia vacia en otro curso a partir de una encuesta existente. Usted necesita 2 cursos para usar esta característica: un curso origen y un curso destino."; +$CopySurvey = "Copiar la encuesta"; +$ChooseSession = "Elija una sesión"; +$SearchSession = "Buscar sesiones"; +$ChooseStudent = "Elija un estudiante"; +$SearchStudent = "Buscar estudiantes"; +$ChooseCourse = "Elija un curso"; +$DisplaySurveyOverview = "Reporte de encuestas"; +$DisplayProgressOverview = "Reporte de lectura y participación"; +$DisplayLpProgressOverview = "Reporte avance lecciones"; +$DisplayExerciseProgress = "Reporte de progreso en ejercicios"; +$DisplayAccessOverview = "Reporte de accesos por usuario"; +$AllowMemberLeaveGroup = "Permitir a los miembros de dejar el grupo"; +$WorkFileNotUploadedDirXDoesNotExist = "La tarea no pudo ser enviada porque la carpeta %s no existe"; +$DeleteUsersNotInList = "Desinscribir los alumnos que no están en una sesión en la lista importada"; +$IfSessionExistsUpdate = "Si la sesión existe, actualizarla con los datos del archivo"; +$CreatedByXYOnZ = "Creado/a por %s el %s"; +$LoginWithExternalAccount = "Ingresar con una cuenta externa"; $ImportAikenQuizExplanationExample = "Este es el texto de la pregunta 1 A. Respuesta 1 B. Respuesta 2 @@ -342,95 +342,95 @@ B. Respuesta 2 C. Respuesta 3 D. Respuesta 4 ANSWER: D -ANSWER_EXPLANATION: Este es un texto opcional de retroalimentación que aparecerá al costado de la respuesta correcta."; -$ImportAikenQuizExplanation = "El formato Aiken es un simple formato texto (archivo .txt) con varios bloques de preguntas, cada bloque separado por una línea blanca. La primera línea es la pregunta. Las líneas de respuestas tienen un prefijo de letra y punto, y la respuesta correcta sigue, con el prefijo 'ANSWER:'. Ver ejemplo a continuación."; -$ExerciseAikenErrorNoAnswerOptionGiven = "El archivo importado tiene por lo menos una pregunta sin respuesta (o las respuestas no incluyen la letra de prefijo requerida). Asegúrese de que cada pregunta tengo por lo mínimo una respuesta y que esté prefijada por una letra y un punto o una paréntesis, como sigue: A. Respuesta uno"; -$ExerciseAikenErrorNoCorrectAnswerDefined = "El archivo importado contiene por lo menos una pregunta sin ninguna respuesta definida. Asegúrese que todas las preguntas tienen una línea tipo ANSWER: [letra], y vuelva a intentar."; -$SearchCourseBySession = "Buscar curso por sesión"; -$ThereWasAProblemWithYourFile = "Hubo un error desconocido en su archivo. Por favor revise su formato e intente nuevamente."; -$YouMustUploadAZipOrTxtFile = "Tiene que subir un archivo .txt o .zip"; -$NoTxtFileFoundInTheZip = "No se encontró ningun archivo .txt en el zip"; -$ImportAikenQuiz = "Importar quiz en formato Aiken"; -$GlobalLinkUseDoubleColumnPrivateToShowPrivately = "Use ::private pegado al fin del enlace si quiere mostrarlo solo a los usuarios identificados"; -$NumberOfGroupsToCreate = "Cantidad de grupos a crear"; -$CoachesSubscribedAsATeacherInCourseX = "Tutores inscritos como profesores en curso %s"; -$EnrollStudentsFromExistingSessions = "Suscribir estudiantes de sesiones existentes"; -$EnrollTrainersFromExistingSessions = "Suscribir tutores de sesiones existentes"; -$AddingStudentsFromSessionXToSessionY = "Añadiendo estudiantes de la sesión %s a la sesión %s"; -$AddUserGroupToThatURL = "Agregar clases a una URL"; -$FirstLetter = "Primer letra"; -$UserGroupList = "Lista de clases"; -$AddUserGroupToURL = "Agregar clases a una URL"; -$UserGroupListInX = "Clases de %s"; -$UserGroupListInPlatform = "Lista de clases en la plataforma."; -$EditUserGroupToURL = "Editar clases de una URL"; -$ManageUserGroup = "Administrar clases"; -$FolderDoesntExistsInFileSystem = "La carpeta destino no existe en el servidor"; -$RegistrationDisabled = "Disculpe, está intentando acceder a la página de registro del portal, pero el registro de usuarios está actualmente deshabilitada. Por favor, contacte al administrador(Véase información de contacto). Si usted ya tiene una cuenta en nuestro sitio."; -$CasDirectCourseAccess = "Ingrese el curso con autentificación CAS"; -$TeachersWillBeAddedAsCoachInAllCourseSessions = "Los profesores serán agregados como tutores en todos los cursos dentre de las sesiones."; -$DateTimezoneSettingNotSet = "Hemos detectado que su instalación de PHP no tiene el parámetro date.timezone configurado. Este es un requerimiento para instalar Chamilo. Asegúrese que esté configurado verificando su archivo de configuración php.ini, sino tendrá problemas al usar Chamilo. Ahora ya lo sabe!"; -$YesImSure = "Si, estoy seguro."; -$NoIWantToTurnBack = "No, deseo regresar."; -$IfYouContinueYourAnswerWillBeSavedAnyChangeWillBeNotAllowed = "Si continúa se guardará sus respuestas. Cualquier cambio no posterir no será permitido."; -$SpecialCourses = "Cursos especiales"; -$Roles = "Roles"; -$ToolCurriculum = "Curriculum"; -$ToReviewXYZ = "%s por revisar (%s)"; -$UnansweredXYZ = "%s sin responder (%s)"; -$AnsweredXYZ = "%s respondidas (%s)+(%s)"; -$UnansweredZ = "(%s) Sin responder"; -$AnsweredZ = "(%s) Respondida"; -$CurrentQuestionZ = "(%s) Pregunta actual"; -$ToReviewZ = "(%s) Por revisar"; -$ReturnToExerciseList = "Regresar a la lista de exámenes"; -$ExerciseAutoLaunch = "Modo de lanzamiento automático de exámenes"; -$AllowFastExerciseEdition = "Activar modo de edición rápida de exámenes"; -$Username = "Nombre de usuario"; -$SignIn = "Ingresar"; -$YouAreReg = "Ha sido registrado a la plataforma"; -$ManageQuestionCategories = "Gestionar categorías globales de preguntas"; -$ManageCourseFields = "Gestor de campos de cursos"; -$ManageQuestionFields = "Gestor de campos de preguntas"; -$QuestionFields = "Campos de preguntas"; -$FieldLoggeable = "Registrar cambios del valor de este campo"; -$EditExtraFieldWorkFlow = "Editar el flujo de trabajo de este campo"; -$SelectRole = "Elegir rol"; -$SelectAnOption = "Elegir una opción"; -$CurrentStatus = "Estado actual"; -$MyCourseCategories = "Mis categorías de cursos"; -$SessionsCategories = "Categorías de sesiones"; -$CourseSessionBlock = "Cursos y sesiones."; -$Committee = "Comité"; -$ModelType = "Modelo de ejercicio"; -$AudioFile = "Archivo de audio"; -$CourseVisibilityHidden = "Invisible - Totalmente invisible para todos los usuarios a parte de los administradores"; -$HandedOutDate = "Fecha de recepción"; -$HandedOut = "Entregado"; -$HandOutDateLimit = "Fecha límite de entrega"; -$ApplyAllLanguages = "Aplicar cambio a todos los lenguajes habilitados"; -$ExerciseWasActivatedFromXToY = "El ejercicio estuvo disponible desde %s hasta %s"; -$YourPasswordCannotBeTheSameAsYourUsername = "Su contraseña no puede ser igual a su nombre de usuario"; -$CheckEasyPasswords = "Identificar contraseñas demasiado simples"; -$PasswordVeryStrong = "Muy fuerte"; -$PasswordStrong = "Fuerte"; -$PasswordMedium = "Moderada"; -$PasswordNormal = "Normal"; -$PasswordWeak = "Débil"; -$PasswordIsTooShort = "Contraseña demasiado corta"; -$BadCredentials = "Identificación no reconocida"; -$SelectAnAnswerToContinue = "Tiene que seleccionar una respuesta para poder continuar"; -$QuestionReused = "Pregunta añadida al ejercicio"; -$QuestionCopied = "Pregunta copiada a la prueba"; -$BreadcrumbNavigationDisplayComment = "Mostrar o esconder la navegación en migajas de pan, que aparece normalmente bajo la barra horizontal de pestañas del menú principal. Es áltamente recomendado dejar esta barra de navegación visible, ya que ayuda los alumnos a navegar en el sistema, identificar su ubicación actual y regresar a etapas anteriores de su navegación. En pocos casos, puede generarse la necesidad de esconder esta barra (por ejemplo en el caso de un sistema de exámenes) para evitar que los usuarios naveguen erróneamente a páginas que los podría confundir."; -$BreadcrumbNavigationDisplayTitle = "Mostrar la navegación en migajas de pan"; -$AllowurlfopenIsSetToOff = "El parámetro de PHP \"allow_url_fopen\" está desactivado. Esto impide que el mecanismo de registro funcione correctamente. Este parámetro puede cambiarse en el archivo de configuración de PHP (php.ini) o en la configuración del Virtual Host de Apache, mediante la directiva php_admin_value"; -$ImpossibleToContactVersionServerPleaseTryAgain = "Imposible de conectarse al servidor de versiones. Por favor inténtelo de nuevo más tarde \tImposible de conectarse al servidor de versiones. Por favor inténtelo de nuevo más tarde"; -$VersionUpToDate = "Su versión está actualizada"; -$LatestVersionIs = "La última versión es"; -$YourVersionNotUpToDate = "Su versión está actualizada"; -$Hotpotatoes = "Hotpotatoes"; -$ZeroMeansNoQuestionWillBeSelectedMinusOneMeansThatAllQuestionsWillBeSelected = "-1 = Todas las preguntas serán seleccionadas. 0 = Ninguna pregunta será seleccionada."; +ANSWER_EXPLANATION: Este es un texto opcional de retroalimentación que aparecerá al costado de la respuesta correcta."; +$ImportAikenQuizExplanation = "El formato Aiken es un simple formato texto (archivo .txt) con varios bloques de preguntas, cada bloque separado por una línea blanca. La primera línea es la pregunta. Las líneas de respuestas tienen un prefijo de letra y punto, y la respuesta correcta sigue, con el prefijo 'ANSWER:'. Ver ejemplo a continuación."; +$ExerciseAikenErrorNoAnswerOptionGiven = "El archivo importado tiene por lo menos una pregunta sin respuesta (o las respuestas no incluyen la letra de prefijo requerida). Asegúrese de que cada pregunta tengo por lo mínimo una respuesta y que esté prefijada por una letra y un punto o una paréntesis, como sigue: A. Respuesta uno"; +$ExerciseAikenErrorNoCorrectAnswerDefined = "El archivo importado contiene por lo menos una pregunta sin ninguna respuesta definida. Asegúrese que todas las preguntas tienen una línea tipo ANSWER: [letra], y vuelva a intentar."; +$SearchCourseBySession = "Buscar curso por sesión"; +$ThereWasAProblemWithYourFile = "Hubo un error desconocido en su archivo. Por favor revise su formato e intente nuevamente."; +$YouMustUploadAZipOrTxtFile = "Tiene que subir un archivo .txt o .zip"; +$NoTxtFileFoundInTheZip = "No se encontró ningun archivo .txt en el zip"; +$ImportAikenQuiz = "Importar quiz en formato Aiken"; +$GlobalLinkUseDoubleColumnPrivateToShowPrivately = "Use ::private pegado al fin del enlace si quiere mostrarlo solo a los usuarios identificados"; +$NumberOfGroupsToCreate = "Cantidad de grupos a crear"; +$CoachesSubscribedAsATeacherInCourseX = "Tutores inscritos como profesores en curso %s"; +$EnrollStudentsFromExistingSessions = "Suscribir estudiantes de sesiones existentes"; +$EnrollTrainersFromExistingSessions = "Suscribir tutores de sesiones existentes"; +$AddingStudentsFromSessionXToSessionY = "Añadiendo estudiantes de la sesión %s a la sesión %s"; +$AddUserGroupToThatURL = "Agregar clases a una URL"; +$FirstLetter = "Primer letra"; +$UserGroupList = "Lista de clases"; +$AddUserGroupToURL = "Agregar clases a una URL"; +$UserGroupListInX = "Clases de %s"; +$UserGroupListInPlatform = "Lista de clases en la plataforma."; +$EditUserGroupToURL = "Editar clases de una URL"; +$ManageUserGroup = "Administrar clases"; +$FolderDoesntExistsInFileSystem = "La carpeta destino no existe en el servidor"; +$RegistrationDisabled = "Disculpe, está intentando acceder a la página de registro del portal, pero el registro de usuarios está actualmente deshabilitada. Por favor, contacte al administrador(Véase información de contacto). Si usted ya tiene una cuenta en nuestro sitio."; +$CasDirectCourseAccess = "Ingrese el curso con autentificación CAS"; +$TeachersWillBeAddedAsCoachInAllCourseSessions = "Los profesores serán agregados como tutores en todos los cursos dentre de las sesiones."; +$DateTimezoneSettingNotSet = "Hemos detectado que su instalación de PHP no tiene el parámetro date.timezone configurado. Este es un requerimiento para instalar Chamilo. Asegúrese que esté configurado verificando su archivo de configuración php.ini, sino tendrá problemas al usar Chamilo. Ahora ya lo sabe!"; +$YesImSure = "Si, estoy seguro."; +$NoIWantToTurnBack = "No, deseo regresar."; +$IfYouContinueYourAnswerWillBeSavedAnyChangeWillBeNotAllowed = "Si continúa se guardará sus respuestas. Cualquier cambio no posterir no será permitido."; +$SpecialCourses = "Cursos especiales"; +$Roles = "Roles"; +$ToolCurriculum = "Curriculum"; +$ToReviewXYZ = "%s por revisar (%s)"; +$UnansweredXYZ = "%s sin responder (%s)"; +$AnsweredXYZ = "%s respondidas (%s)+(%s)"; +$UnansweredZ = "(%s) Sin responder"; +$AnsweredZ = "(%s) Respondida"; +$CurrentQuestionZ = "(%s) Pregunta actual"; +$ToReviewZ = "(%s) Por revisar"; +$ReturnToExerciseList = "Regresar a la lista de exámenes"; +$ExerciseAutoLaunch = "Modo de lanzamiento automático de exámenes"; +$AllowFastExerciseEdition = "Activar modo de edición rápida de exámenes"; +$Username = "Nombre de usuario"; +$SignIn = "Ingresar"; +$YouAreReg = "Ha sido registrado a la plataforma"; +$ManageQuestionCategories = "Gestionar categorías globales de preguntas"; +$ManageCourseFields = "Gestor de campos de cursos"; +$ManageQuestionFields = "Gestor de campos de preguntas"; +$QuestionFields = "Campos de preguntas"; +$FieldLoggeable = "Registrar cambios del valor de este campo"; +$EditExtraFieldWorkFlow = "Editar el flujo de trabajo de este campo"; +$SelectRole = "Elegir rol"; +$SelectAnOption = "Elegir una opción"; +$CurrentStatus = "Estado actual"; +$MyCourseCategories = "Mis categorías de cursos"; +$SessionsCategories = "Categorías de sesiones"; +$CourseSessionBlock = "Cursos y sesiones."; +$Committee = "Comité"; +$ModelType = "Modelo de ejercicio"; +$AudioFile = "Archivo de audio"; +$CourseVisibilityHidden = "Invisible - Totalmente invisible para todos los usuarios a parte de los administradores"; +$HandedOutDate = "Fecha de recepción"; +$HandedOut = "Entregado"; +$HandOutDateLimit = "Fecha límite de entrega"; +$ApplyAllLanguages = "Aplicar cambio a todos los lenguajes habilitados"; +$ExerciseWasActivatedFromXToY = "El ejercicio estuvo disponible desde %s hasta %s"; +$YourPasswordCannotBeTheSameAsYourUsername = "Su contraseña no puede ser igual a su nombre de usuario"; +$CheckEasyPasswords = "Identificar contraseñas demasiado simples"; +$PasswordVeryStrong = "Muy fuerte"; +$PasswordStrong = "Fuerte"; +$PasswordMedium = "Moderada"; +$PasswordNormal = "Normal"; +$PasswordWeak = "Débil"; +$PasswordIsTooShort = "Contraseña demasiado corta"; +$BadCredentials = "Identificación no reconocida"; +$SelectAnAnswerToContinue = "Tiene que seleccionar una respuesta para poder continuar"; +$QuestionReused = "Pregunta añadida al ejercicio"; +$QuestionCopied = "Pregunta copiada a la prueba"; +$BreadcrumbNavigationDisplayComment = "Mostrar o esconder la navegación en migajas de pan, que aparece normalmente bajo la barra horizontal de pestañas del menú principal. Es áltamente recomendado dejar esta barra de navegación visible, ya que ayuda los alumnos a navegar en el sistema, identificar su ubicación actual y regresar a etapas anteriores de su navegación. En pocos casos, puede generarse la necesidad de esconder esta barra (por ejemplo en el caso de un sistema de exámenes) para evitar que los usuarios naveguen erróneamente a páginas que los podría confundir."; +$BreadcrumbNavigationDisplayTitle = "Mostrar la navegación en migajas de pan"; +$AllowurlfopenIsSetToOff = "El parámetro de PHP \"allow_url_fopen\" está desactivado. Esto impide que el mecanismo de registro funcione correctamente. Este parámetro puede cambiarse en el archivo de configuración de PHP (php.ini) o en la configuración del Virtual Host de Apache, mediante la directiva php_admin_value"; +$ImpossibleToContactVersionServerPleaseTryAgain = "Imposible de conectarse al servidor de versiones. Por favor inténtelo de nuevo más tarde \tImposible de conectarse al servidor de versiones. Por favor inténtelo de nuevo más tarde"; +$VersionUpToDate = "Su versión está actualizada"; +$LatestVersionIs = "La última versión es"; +$YourVersionNotUpToDate = "Su versión está actualizada"; +$Hotpotatoes = "Hotpotatoes"; +$ZeroMeansNoQuestionWillBeSelectedMinusOneMeansThatAllQuestionsWillBeSelected = "-1 = Todas las preguntas serán seleccionadas. 0 = Ninguna pregunta será seleccionada."; $EmailNotificationTemplateDescription = "Puede modificar el correo enviado a los usuarios al terminar el ejercicio. Puede usar los siguientes términos: {{ student.username }} @@ -441,2205 +441,2205 @@ $EmailNotificationTemplateDescription = "Puede modificar el correo enviado a los {{ exercise.start_time }} {{ exercise.end_time }} {{ course.title }} -{{ course.code }}"; -$EmailNotificationTemplate = "Plantilla del correo electrónico enviado al usuario al terminar el ejercicio."; -$ExerciseEndButtonDisconnect = "Desconexión de la plataforma"; -$ExerciseEndButtonExerciseHome = "Lista de ejercicios"; -$ExerciseEndButtonCourseHome = "Página principal del curso"; -$ExerciseEndButton = "Botón al terminar el ejercicio"; -$HideQuestionTitle = "Ocultar el título de la pregunta"; -$QuestionSelection = "Selección de preguntas"; -$OrderedCategoriesByParentWithQuestionsRandom = "Categorías ordenadas según la categoría padre, con preguntas desordenadas"; -$OrderedCategoriesByParentWithQuestionsOrdered = "Categorías ordenadas según la categoría padre, con preguntas ordenadas"; -$RandomCategoriesWithRandomQuestionsNoQuestionGrouped = "Categorías tomadas al azar, con preguntas desordenadas, sin agrupar preguntas"; -$RandomCategoriesWithQuestionsOrderedNoQuestionGrouped = "Categorías tomadas al azar, con preguntas ordenadas, sin agrupar preguntas"; -$RandomCategoriesWithRandomQuestions = "Categorías tomadas al azar, con preguntas desordenadas"; -$OrderedCategoriesAlphabeticallyWithRandomQuestions = "Categorías ordenadas (alfabéticamente), con preguntas desordenadas"; -$RandomCategoriesWithQuestionsOrdered = "Categorías tomadas al azar, con preguntas ordenadas"; -$OrderedCategoriesAlphabeticallyWithQuestionsOrdered = "Categorías ordenadas alfabéticamente, con preguntas ordenadas"; -$UsingCategories = "Usando categorías"; -$OrderedByUser = "Ordenado según la lista de preguntas"; -$ToReview = "Por revisar"; -$Unanswered = "Sin responder"; -$CurrentQuestion = "Pregunta actual"; -$MediaQuestions = "Enunciados compartidos"; -$CourseCategoriesAreGlobal = "Las categorías de cursos son globales en la configuración de múltiples portales, pero los cambios son permitidos solamente en la sesión administrativa del portal principal."; -$CareerUpdated = "Carrera actualizada satisfactoriamente"; -$UserIsNotATeacher = "El usuario no es un profesor."; -$ShowAllEvents = "Mostrar todos los eventos"; -$Month = "Mes"; -$Hour = "Hora"; -$Minutes = "Minutos"; -$AddSuccess = "El evento ha sido añadido a la agenda"; -$AgendaDeleteSuccess = "El evento ha sido borrado de la agenda"; -$NoAgendaItems = "No hay eventos."; -$ClassName = "Nombre de la clase"; -$ItemTitle = "Título del evento"; -$Day = "Día"; -$month_default = "mes por defecto"; -$year_default = "año por defecto"; -$Hour = "Hora"; -$hour_default = "hora por defecto"; -$Minute = "minuto"; -$Lasting = "duración"; -$OldToNew = "antiguo a reciente"; -$NewToOld = "reciente a antiguo"; -$Now = "Ahora"; -$AddEvent = "Añadir un evento"; -$Detail = "detalles"; -$MonthView = "Vista mensual"; -$WeekView = "Vista semanal"; -$DayView = "Vista diaria"; -$AddPersonalItem = "Añadir un evento personal"; -$Week = "Semana"; -$Time = "Hora"; -$AddPersonalCalendarItem = "Añadir un evento personal a la agenda"; -$ModifyPersonalCalendarItem = "Modificar un evento personal de la agenda"; -$PeronalAgendaItemAdded = "El evento personal ha sido añadido a su agenda"; -$PeronalAgendaItemEdited = "El evento personal de su agenda ha sido actualizado"; -$PeronalAgendaItemDeleted = "El evento personal ha sido borrado de su agenda"; -$ViewPersonalItem = "Ver mis eventos personales"; -$Print = "Imprimir"; -$MyTextHere = "mi texto aquí"; -$CopiedAsAnnouncement = "Copiado como anuncio"; -$NewAnnouncement = "Nuevo anuncio"; -$UpcomingEvent = "Próximo evento"; -$RepeatedEvent = "Evento periódico"; -$RepeatType = "Periodicidad"; -$RepeatDaily = "Diaria"; -$RepeatWeekly = "Semanal"; -$RepeatMonthlyByDate = "Mensual, por fecha"; -$RepeatMonthlyByDay = "Mensual, por día"; -$RepeatMonthlyByDayR = "Mensual, por día, restringido"; -$RepeatYearly = "Anual"; -$RepeatEnd = "Finalizar las repeticiones el"; -$RepeatedEventViewOriginalEvent = "Ver el evento inicial"; -$ICalFileImport = "Importar un fichero iCal/ics"; -$AllUsersOfThePlatform = "Todos los usuarios de la Plataforma"; -$GlobalEvent = "Evento de la plataforma"; -$ModifyEvent = "Modificar evento"; -$EndDateCannotBeBeforeTheStartDate = "Fecha final no deberá ser menor que la fecha de inicio"; -$ItemForUserSelection = "Evento dirigido a una selección de usuarios"; -$IsNotiCalFormatFile = "No es un archivo de formato iCal"; -$RepeatEvent = "Repetir evento"; -$ScormVersion = "versión"; -$ScormRestarted = "Ningún objeto de aprendizaje ha sido completado."; -$ScormNoNext = "Este es el último objeto de aprendizaje."; -$ScormNoPrev = "Este es el primer objeto de aprendizaje."; -$ScormTime = "Tiempo"; -$ScormNoOrder = "No hay un orden preestablecido, puedes hacer clic en cualquier lección."; -$ScormScore = "Puntuación"; -$ScormLessonTitle = "Título del apartado"; -$ScormStatus = "Estado"; -$ScormToEnter = "Para entrar en"; -$ScormFirstNeedTo = "primero debe terminar"; -$ScormThisStatus = "Este objeto de aprendizaje ahora está"; -$ScormClose = "Cerrar aplicación"; -$ScormRestart = "Reiniciar"; -$ScormCompstatus = "Completado"; -$ScormIncomplete = "Sin completar"; -$ScormPassed = "Aprobado"; -$ScormFailed = "Suspenso"; -$ScormPrevious = "Anterior"; -$ScormNext = "Siguiente"; -$ScormTitle = "Visor de contenidos SCORM"; -$ScormMystatus = "Estado"; -$ScormNoItems = "Esta lección está vacía."; -$ScormNoStatus = "No hay estado para este contenido"; -$ScormLoggedout = "Ha salido del área SCORM"; -$ScormCloseWindow = "¿ Está seguro de haber terminado ?"; -$ScormBrowsed = "Visto"; -$ScormExitFullScreen = "Volver a la vista normal"; -$ScormFullScreen = "Pantalla completa"; -$ScormNotAttempted = "Sin intentar"; -$Local = "Local"; -$Remote = "Remoto"; -$Autodetect = "Autodetectar"; -$AccomplishedStepsTotal = "Total de los apartados realizados"; -$AreYouSureToDeleteSteps = "¿ Está seguro de querer eliminar estos elementos ?"; -$Origin = "Origen"; -$Local = "Local"; -$Remote = "Remoto"; -$FileToUpload = "Archivo a enviar"; -$ContentMaker = "Creador de contenidos"; -$ContentProximity = "Localización del contenido"; -$UploadLocalFileFromGarbageDir = "Enviar paquete .zip local desde el directorio archive/"; -$ThisItemIsNotExportable = "Este objeto de aprendizaje no es compatible con SCORM. Por esta razón no es exportable."; -$MoveCurrentChapter = "Mover el capítulo actual"; -$GenericScorm = "SCORM genérico"; -$UnknownPackageFormat = "El formato de este paquete no ha sido reconocido. Por favor, compruebe este es un paquete válido."; -$MoveTheCurrentForum = "Mover el foro actual"; -$WarningWhenEditingScorm = "¡ Aviso ! Si edita el contenido de un elemento scorm, puede alterar el informe de la secuencia de aprendizaje o dañar el objeto."; -$MessageEmptyMessageOrSubject = "Por favor, escriba el título y el texto de su mensaje"; -$Messages = "Mensajes"; -$NewMessage = "Nuevo mensaje"; -$DeleteSelectedMessages = "Borrar los mensajes seleccionados"; -$DeselectAll = "Anular selección"; -$ReplyToMessage = "Responder a este mensaje"; -$BackToInbox = "Volver a la Bandeja de entrada"; -$MessageSentTo = "El mensaje ha sido enviado a"; -$SendMessageTo = "Enviar a"; -$Myself = "Yo mismo"; -$InvalidMessageId = "El id del mensaje a contestar no es válido."; -$ErrorSendingMessage = "Se ha producido un error mientras se intentaba enviar el mensaje."; -$SureYouWantToDeleteSelectedMessages = "¿ Está seguro de querer borrar los mensajes seleccionados ?"; -$SelectedMessagesDeleted = "Los mensajes seleccionados han sido suprimidos"; -$EnterTitle = "Ingrese un título"; -$TypeYourMessage = "Escriba su mensaje"; -$MessageDeleted = "El mensaje ha sido eliminado"; -$ConfirmDeleteMessage = "¿Esta seguro de que desea borrar este mensaje?"; -$DeleteMessage = " Borrar mensaje"; -$ReadMessage = " Leer"; -$SendInviteMessage = "Enviar mensaje de invitación"; -$SendMessageInvitation = "¿ Está seguro de que desea enviar las invitaciones a los usuarios seleccionados ?"; -$MessageTool = "Herramienta mensajes"; -$WriteAMessage = "Escribir un mensaje"; -$AlreadyReadMessage = "Mensaje leído"; -$UnReadMessage = "Mensaje sin leer"; -$MessageSent = "Mensaje enviado"; -$ModifInfo = "Configuración del curso"; -$ModifDone = "Las características han sido modificadas"; -$DelCourse = "Eliminar este curso por completo"; -$Professors = "Profesores"; -$Faculty = "Categoría"; -$Confidentiality = "Confidencialidad"; -$Unsubscription = "Anular la inscripción"; -$PrivOpen = "Acceso privado, inscripción abierta"; -$Forbidden = "Usted no está registrado como responsable de este curso"; -$CourseAccessConfigTip = "Por defecto el curso es público. Pero Ud. puede definir el nivel de confidencialidad en los botones superiores."; -$OpenToTheWorld = "Público - acceso autorizado a cualquier persona"; -$OpenToThePlatform = "Abierto - acceso autorizado sólo para los usuarios registrados en la plataforma"; -$OpenToThePlatform = "Abierto - acceso permitido sólo a los usuarios registrados en la plataforma"; -$TipLang = "Este será el idioma que verán todos los visitantes del curso."; -$Vid = "Video"; -$Work = "Trabajos"; -$ProgramMenu = "Programa del curso"; -$Stats = "Estadísticas"; -$UplPage = "Enviar una página y enlazarla a la principal"; -$LinkSite = "Añadir un enlace web en la página principal"; -$HasDel = "ha sido suprimido"; -$ByDel = "Si suprime el sitio web de este curso, suprimirá todos los documentos que contiene y todos sus miembros dejarán de estar inscritos en el mismo.

        ¿ Está seguro de querer suprimir este curso ?"; -$Y = "SI"; -$N = "NO"; -$DepartmentUrl = "URL del departamento"; -$DepartmentUrlName = "Departamento"; -$BackupCourse = "Guarda este curso"; -$ModifGroups = "Grupos"; -$Professor = "Profesor"; -$DescriptionCours = "Descripción del curso"; -$ArchiveCourse = "Copia de seguridad del curso"; -$RestoreCourse = "Restaurar un curso"; -$Restore = "Restaurar"; -$CreatedIn = "creado en"; -$CreateMissingDirectories = "Creación de los directorios que faltan"; -$CopyDirectoryCourse = "Copiar los archivos del curso"; -$Disk_free_space = "espacio libre"; -$BuildTheCompressedFile = "Creación de una copia de seguridad de los archivos"; -$FileCopied = "archivo copiado"; -$ArchiveLocation = "Localización del archivo"; -$SizeOf = "tamaño de"; -$ArchiveName = "Nombre del archivo"; -$BackupSuccesfull = "Copia de seguridad realizada"; -$BUCourseDataOfMainBase = "Copia de seguridad de los datos del curso en la base de datos principal"; -$BUUsersInMainBase = "Copia de seguridad de los datos de los usuarios en la base de datos principal"; -$BUAnnounceInMainBase = "Copia de seguridad de los datos de los anuncios en la base de datos principal"; -$BackupOfDataBase = "Copia de seguridad de la base de datos"; -$ExpirationDate = "Fecha de expiración"; -$LastEdit = "Última edición"; -$LastVisit = "Última visita"; -$Subscription = "Inscripción"; -$CourseAccess = "Acceso al curso"; -$ConfirmBackup = "¿ Realmente quiere realizar una copia de seguridad del curso ?"; -$CreateSite = "Crear un curso"; -$RestoreDescription = "El curso está en un archivo que puede seleccionar debajo.

        Cuando haga clic en \"Restaurar\", el archivo se descomprimirá y el curso se creará de nuevo."; -$RestoreNotice = "Este script no permite restaurar automáticamente los usuarios, pero los datos guardados de los \"usuarios.csv\" son suficientes para el administrador."; -$AvailableArchives = "Lista de archivos disponible"; -$NoArchive = "No ha seleccionado ningún archivo"; -$ArchiveNotFound = "No se encontró ningún archivo"; -$ArchiveUncompressed = "Se descomprimió y se instaló el archivo."; -$CsvPutIntoDocTool = "El archivo \"usuarios.csv\" se puso dentro de la herramienta documentos."; -$BackH = "volver a la página principal"; -$OtherCategory = "Otra categoría"; -$AllowedToUnsubscribe = "Los usuarios pueden anular su inscripción en este curso"; -$NotAllowedToUnsubscribe = "Los usuarios no pueden anular su inscripción en este curso"; -$CourseVisibilityClosed = "Cerrado - acceso autorizado sólo para el administrador del curso"; -$CourseVisibilityClosed = "Cerrado - no hay acceso a este curso"; -$CourseVisibilityModified = "Modificado (ajustes más detallados especificados a través de roles-permisos del sistema)"; -$WorkEmailAlert = "Avisar por correo electrónico del envío de una tarea"; -$WorkEmailAlertActivate = "Activar el aviso por correo electrónico del envío de una nueva tarea"; -$WorkEmailAlertDeactivate = "Desactivar el aviso por correo electrónico del envío de una nueva tarea"; -$DropboxEmailAlert = "Avisar por correo electrónico cuando se reciba un envío en los documentos compartidos"; -$DropboxEmailAlertActivate = "Activar el aviso por correo electrónico de la recepción de nuevos envíos en los documentos compartidos"; -$DropboxEmailAlertDeactivate = "Desactivar el aviso por correo electrónico de la recepción de nuevos envíos en los documentos compartidos"; -$AllowUserEditAgenda = "Permitir que los usuarios editen la agenda del curso"; -$AllowUserEditAgendaActivate = "Activar la edición por los usuarios de la agenda del curso"; -$AllowUserEditAgendaDeactivate = "Desactivar la edición por los usuarios de la agenda del curso"; -$AllowUserEditAnnouncement = "Permitir que los usuarios editen los anuncios del curso"; -$AllowUserEditAnnouncementActivate = "Permitir la edición por los usuarios"; -$AllowUserEditAnnouncementDeactivate = "Desactivar la edición por los usuarios"; -$OrInTime = "o dentro"; -$CourseRegistrationPassword = "Contraseña de registro en el curso"; -$DescriptionDeleteCourse = "Haga clic en este enlace para eliminar cualquier rastro del curso en el servidor...

        ¡ Esta funcionalidad debe ser usada con extrema precaución !"; -$DescriptionCopyCourse = "Chamilo permite copiar, parcial o completamente, un curso en otro; para ello el curso de destino debe estar vacío.

        La única condición es tener un curso que contenga algunos documentos, anuncios, foros... y un segundo curso que no contenga los elementos del primero. Se recomienda usar la herramienta \"Reciclar este curso\" para no traer futuros problemas con su contenido."; -$DescriptionRecycleCourse = "Esta utilidad elimina de forma total o parcial los contenidos de las distintas herramientas de un curso. Suprime documentos, foros, enlaces... Esta utilidad puede ejecutarse al final de una acción formativa o de un año académico. ¡ Por supuesto, antes de \"reciclar\", tenga la precaución de realizar una copia de seguridad completa del curso!"; -$QuizEmailAlert = "Avisar mediante un correo electrónico cuando se envíe un nuevo ejercicio"; -$QuizEmailAlertActivate = "Activar el aviso por correo electrónico de que se han enviado las respuestas de un ejercicio"; -$QuizEmailAlertDeactivate = "Desactivar el aviso por correo electrónico de que se han enviado las respuestas de un ejercicio"; -$AllowUserImageForum = "Imagen de los usuarios en el foro"; -$AllowUserImageForumActivate = "Muestra las imágenes de los usuarios en el foro"; -$AllowUserImageForumDeactivate = "Oculta las imágenes de los usuarios en el foro"; -$AllowLearningPathTheme = "Permitir estilos en Lecciones"; -$AllowLearningPathThemeAllow = "Permitido"; -$AllowLearningPathThemeDisallow = "No permitido"; -$ConfigChat = "Configuración del chat"; -$AllowOpenchatWindow = "Abrir el chat en una nueva ventana"; -$AllowOpenChatWindowActivate = "Activar abrir el chat en una nueva ventana"; -$AllowOpenChatWindowDeactivate = "Desactivar abrir el chat en una nueva ventana"; -$NewUserEmailAlert = "Avisar por correo electronico la autosuscripcion de un nuevo usuario."; -$NewUserEmailAlertEnable = "Activar el aviso por correo electrónico al profesor del curso de la autosuscripción de un nuevo usuario."; -$NewUserEmailAlertToTeacharAndTutor = "Activar el aviso por correo electrónico al profesor y a los tutores del curso de la autosuscripción de un nuevo usuario."; -$NewUserEmailAlertDisable = "Desactivar el aviso por correo electrónico de la autosuscripción de un nuevo usuario en el curso."; -$PressAgain = "Pulse de nuevo 'Guardar' ..."; -$Rights = "Derechos de uso"; -$Version = "Versión"; -$StatusTip = "seleccionar de la lista"; -$CreatedSize = "Creado, tamaño"; -$AuthorTip = "en formato VCARD"; -$Format = "Formato"; -$FormatTip = "seleccionar de la lista"; -$Statuses = ":draft:esbozo,, final:final,, revised:revisado,, unavailable:no disponible"; -$Costs = ":no:gratuito,, yes:no es gratuito, debe pagarse"; -$Copyrights = ":sí:copyright,, no:sin copyright"; -$Formats = ":text/plain;iso-8859-1:texto/plano;iso-8859-1,, text/plain;utf-8:texto/plano;utf-8,, text/html;iso-8859-1:texto/html;iso-8859-1,, text/html;utf-8:texto/html;utf-8,, inode/directory:Directorio,, application/msword:MsWord,, application/octet-stream:Octet stream,, application/pdf:PDF,, application/postscript:PostScript,, application/rtf:RTF,, application/vnd.ms-excel:MsExcel,, application/vnd.ms-powerpoint:MsPowerpoint,, application/xml;iso-8859-1:XML;iso-8859-1,, application/xml;utf-8:XML;utf-8,, application/zip:ZIP"; -$LngResTypes = ":exercise:ejercicio,, simulation:simulación,, questionnaire:cuestionario,, diagram:diagrama,, figure:figura,, graph:gráfico,, index:índice,, slide:diapositiva,, table:tabla,, narrative text:texto narrativo,, exam:examen,, experiment:experiencia,, problem statement:problema,, self assessment:autoevaluación,, lecture:presentación"; -$SelectOptionForBackup = "Por favor, seleccione una opción de copia de seguridad"; -$LetMeSelectItems = "Seleccionar los componentes del curso"; -$CreateFullBackup = "Crear una copia de seguridad completa de este curso"; -$CreateBackup = "Crear una copia de seguridad"; -$BackupCreated = "Se ha generado la copia de seguridad del curso. La descarga de este archivo se producirá en breves instantes. Si la descarga no se inicia, haga clic en el siguiente enlace"; -$SelectBackupFile = "Seleccionar un fichero de copia de seguridad"; -$ImportBackup = "Importar una copia de seguridad"; -$ImportFullBackup = "Importar una copia de seguridad completa"; -$ImportFinished = "Importación finalizada"; -$Tests = "Ejercicios"; -$Learnpaths = "Lecciones"; -$CopyCourse = "Copiar el curso"; -$SelectItemsToCopy = "Seleccione los elementos que desea copiar"; -$CopyFinished = "La copia ha finalizado"; -$FullRecycle = "Reciclado completo"; -$RecycleCourse = "Reciclar el curso"; -$RecycleFinished = "El reciclado ha finalizado"; -$RecycleWarning = "Atención: al usar esta herramienta puede eliminar partes del curso que luego no podrá recuperar. Le aconsejamos que antes realice una copia de seguridad"; -$SameFilename = "¿ Qué hacer con los ficheros importados que tengan el mismo nombre que otros existentes ?"; -$SameFilenameSkip = "Saltar los ficheros con el mismo nombre"; -$SameFilenameRename = "Renombrar el fichero (ej. archivo.pdf se convierte en archivo_1.pdf)"; -$SameFilenameOverwrite = "Sobreescribir el fichero"; -$SelectDestinationCourse = "Seleccionar el curso de destino"; -$FullCopy = "Copia completa"; -$NoResourcesToBackup = "No hay recursos para hacer una copia de seguridad"; -$NoResourcesInBackupFile = "No hay recursos disponibles en este fichero de copia de seguridad"; -$SelectResources = "Seleccione los recursos"; -$NoResourcesToRecycles = "No hay recursos para reciclar"; -$IncludeQuestionPool = "Incluir el repositorio de preguntas"; -$LocalFile = "Fichero local"; -$ServerFile = "Fichero del servidor"; -$NoBackupsAvailable = "No hay una copia de seguridad disponible"; -$NoDestinationCoursesAvailable = "No hay disponible un curso de destino"; -$ImportBackupInfo = "Puede transferir una copia de seguridad desde su ordenador o bien usar una copia de seguridad ya disponible en el servidor."; -$CreateBackupInfo = "Puede seleccionar los contenidos del curso que constituirán la copia de seguridad."; -$ToolIntro = "Textos de introducción"; -$UploadError = "Error de envío, revise tamaño máximo del archivo y los permisos del directorio."; -$DocumentsWillBeAddedToo = "Los documentos también serán añadidos"; -$ToExportLearnpathWithQuizYouHaveToSelectQuiz = "Si quiere exportar una lección que contenga ejercicios, tendrá que asegurarse de que estos ejercicios han sido incluidos en la exportación; para eso tendrá que haberlos seleccionado en la lista de ejercicios."; -$ArchivesDirectoryNotWriteableContactAdmin = "El directorio \"archive\" utilizado por esta herramienta no tiene habilitado los permisos de escritura. Contacte al administrador de la plataforma."; -$DestinationCourse = "Curso de destino"; -$ConvertToMultipleAnswer = "Convertir a respuesta múltiple"; -$CasMainActivateComment = "Activar la autentificación CAS permitirá a usuarios autentificarse con sus credenciales CAS"; -$UsersRegisteredInAnyGroup = "Usuario registrado en ningun curso"; -$Camera = "Cámara"; -$Microphone = "Micrófono"; -$DeleteStream = "Eliminar stream"; -$Record = "Grabar"; -$NoFileAvailable = "No hay archivos disponibles"; -$RecordingOnlyForTeachers = "Sólo pueden grabar los profesores"; -$UsersNow = "Usuarios actuales:"; -$StartConference = "Comenzar conferencia"; -$MyName = "Mi nombre"; -$OrganisationSVideoconference = "Videoconferencia Chamilo"; -$ImportPresentation = "Importar presentación"; -$RefreshList = "Actualizar la lista"; -$GoToTop = "Ir al comienzo"; -$NewPoll = "Nuevo sondeo"; -$CreateNewPoll = "Crear un nuevo sondeo para esta sala"; -$Question = "Pregunta"; -$PollType = "Tipo de sondeo:"; -$InfoConnectedUsersGetNotifiedOfThisPoll = "Info: Cada usuario conectado a esta sala recibirá una notificación de este nuevo sondeo."; -$YesNo = "Si / No"; -$Numeric1To10 = "Numérico de 1 a 10"; -$Poll = "Sondeo"; -$YouHaveToBecomeModeratorOfThisRoomToStartPolls = "Ud. tiene que ser un moderador de esta sala para poder realizar sondeos."; -$YourVoteHasBeenSent = "Su voto ha sido enviado"; -$YouAlreadyVotedForThisPoll = "Ud. ya ha votado en este sondeo"; -$VoteButton = "Votar"; -$YourAnswer = "Su respuesta"; -$WantsToKnow = "quiero saber:"; -$PollResults = "Resultados del sondeo"; -$ThereIsNoPoll = "No hay disponible ningún sondeo."; -$MeetingMode = "Modo reunión (máx. 4 plazas)"; -$ConferenceMaxSeats = "Conferencia (máx. 50 plazas)"; -$RemainingSeats = "Plazas restantes"; -$AlreadyIn = "Ya conectado"; -$CheckIn = "Comprobar conexión"; -$TheModeratorHasLeft = "El moderador de esta conferencia ha abandonado la sala."; -$SystemMessage = "Mensaje del sistema"; -$ChooseDevices = "Seleccionar dispositivos"; -$ChooseCam = "Seleccionar la cámara"; -$ChooseMic = "Seleccionar el Micro:"; -$YouHaveToReconnectSoThatTheChangesTakeEffect = "Debe volverse a conectar para que los cambios tengan efecto."; -$ChangeSettings = "Cambiar parámetros"; -$CourseLanguage = "Idioma del curso:"; -$ConfirmClearWhiteboard = "Confirmar la limpieza de la pizarra"; -$ShouldWitheboardBeClearedBeforeNewImage = "¿ Quiere borrar la pizarra antes de añadir una nueva imagen ?"; -$DontAskMeAgain = "No volver a preguntar"; -$ShowConfirmationBeforeClearingWhiteboard = "Pida confirmación antes de borrar la pizarra"; -$ClearDrawArea = "Limpiar la pizarra"; -$Undo = "Deshacer"; -$Redo = "Rehacer"; -$SelectAnObject = "Seleccionar un objeto"; -$DrawLine = "Dibujar una línea"; -$DrawUnderline = "Dibujar subrayado"; -$Rectangle = "Rectángulo"; -$Elipse = "Elipse"; -$Arrow = "Flecha"; -$DeleteChosenItem = "Borrar el elemento seleccionado"; -$ApplyForModeration = "Hacer moderador"; -$Apply = "Hacer"; -$BecomeModerator = "Convertir en moderador"; -$Italic = "Cursiva"; -$Bold = "Negrita"; -$Waiting = "Esperando"; -$AUserWantsToApplyForModeration = "Un usuario quiere ser moderador:"; -$Reject = "Rechazar"; -$SendingRequestToFollowingUsers = "Enviar una solicitud a los siguientes usuarios"; -$Accepted = "Aceptado"; -$Rejected = "Rechazado"; -$ChangeModerator = "Cambiar de moderador"; -$YouAreNotModeratingThisCourse = "Ud. no es el moderador de este curso"; -$Moderator = "Moderador"; -$ThisRoomIsFullPleaseTryAgain = "Esta sala está completa. Por favor, inténtelo más tarde"; -$PleaseWaitWhileLoadingImage = "Por favor, espere mientras se carga la imagen"; -$SynchronisingConferenceMembers = "Sincronización de los participantes"; -$Trainer = "Profesor"; -$Slides = "Diapositivas"; -$WaitingForParticipants = "Esperando a los participantes"; -$Browse = "Ojear"; -$ChooseFile = "Seleccionar el archivo a enviar"; -$ConvertingDocument = "Convirtiendo el documento"; -$Disconnected = "Desconectado"; -$FineStroke = "Fino"; -$MediumStroke = "Medio"; -$ThickStroke = "Grueso"; -$ShowHotCoursesComment = "La lista de los cursos con mayor popularidad será añadida a la página principal"; -$ShowHotCoursesTitle = "Mostrar cursos con mayor popularidad"; -$ThisItemIsInvisibleForStudentsButYouHaveAccessAsTeacher = "Este item no es visible para un estudiante pero podrá acceder a él como profesor"; -$PreventSessionAdminsToManageAllUsersTitle = "Impedir a los admins de sesiones de gestionar todos los usuarios"; -$IsOpenSession = "Sesión abierta"; -$AllowVisitors = "Permitir visitantes"; -$EnableIframeInclusionComment = "Permitir iframes en el editor HTML aumentará las capacidades de edición de los usuarios, pero puede representar un riesgo de seguridad. Asegúrese de que puede confiar en sus usuarios (por ejemplo, usted sabe quienes son) antes de activar esta prestación."; -$AddedToLPCannotBeAccessed = "Este ejercicio ha sido incluido en una secuencia de aprendizaje, por lo cual no podrá ser accesible directamente por los estudiantes desde aquí. Si quiere colocar el mismo ejercicio disponible a través de la herramienta ejercicios, haga una copia del ejercicio en cuestión pulsando sobre el icono de copia."; -$EnableIframeInclusionTitle = "Permitir iframes en el editor HTML"; -$MailTemplateRegistrationMessage = "Estimado ((firstname)) ((lastname)),\n\nHa sido registrado en ((sitename)) con la siguiente configuración:\n\nNombre de usuario : ((username))\nContraseña : ((password))\n\nLa dirección de ((sitename)) es : ((url))\n\nSi tiene alguna dificultad, contacte con nosotros.\n\nAtentamente:\n((admin_name)) ((admin_surname))."; -$Explanation = "Una vez que haya pulsado el botón \"Crear curso\" se creará el sitio web del curso, en el que dispondrá de múltiples herramientas que podrá configurar para dar al curso su aspecto definitivo: Test o Ejercicios, Proyectos o Blogs, Wikis, Tareas, Creador y visualizador de Lecciones en formato SCORM, Encuestas y mucho más. Su identificación como creador de este sitio automáticamente lo convierte en profesor del curso, lo cual le permitirá modificarlo según sus necesidades."; -$CodeTaken = "Este código de curso ya es utilizado por otro curso.
        Utilice el botón de retorno de su navegador y vuelva a empezar."; -$ExerciceEx = "Ejercicio de ejemplo"; -$Antique = "La ironía"; -$SocraticIrony = "La ironía socrática consiste en..."; -$ManyAnswers = "(puede haber varias respuestas correctas)"; -$Ridiculise = "Ridiculizar al interlocutor para hacerle admitir su error."; -$NoPsychology = "No. La ironía socrática no se aplica al terreno de la psicología sino al de la argumentación."; -$AdmitError = "Reconocer los propios errores para invitar al interlocutor a hacer lo mismo."; -$NoSeduction = "No. No se trata de una estrategia de seducción o de un método basado en el ejemplo."; -$Force = "Forzar al interlocutor mediante una serie de cuestiones y subcuestiones a reconocer que no sabe lo que pretende saber."; -$Indeed = "Correcto. La ironía socrática es un método interrogativo. El término griego \"eirotao\" significa \"interrogar\"."; -$Contradiction = "Utilizar el principio de no contradicción para llevar al interlocutor a un callejón sin salida."; -$NotFalse = "Correcto. Ciertamente la puesta en evidencia de la ignorancia del interlocutor se realiza mostrando las contradicciones en que desembocan sus hipótesis."; -$AddPageHome = "Enviar una página y enlazarla con la página principal"; -$ModifyInfo = "Descripción del curso"; -$CourseDesc = "Descripción del curso"; -$AgendaTitle = "Martes 11 diciembre 14h00 : Primera reunión - Lugar: Sur 18"; -$AgendaText = "Introducción general a la gestión de proyectos"; -$Micro = "Entrevistas en la calle"; -$Google = "Potente motor de búsqueda"; -$IntroductionTwo = "Esta página permite a cualquier usuario o grupo enviar documentos."; -$AnnouncementEx = "Esto es un ejemplo de anuncio."; -$JustCreated = "Acaba de crear el sitio del curso"; -$CreateCourseGroups = "Grupos"; -$CatagoryMain = "Principal"; -$CatagoryGroup = "Foros de grupos"; -$Ln = "Idioma"; -$FieldsRequ = "Todos los campos son obligatorios"; -$Ex = "Por ej: Gestión de la innovación"; -$Fac = "Categoría"; -$TargetFac = "Este campo puede contener la facultad, el departamento o cualquier otra categoría de la que forme parte el curso"; -$Doubt = "En caso de duda sobre el código o el título exacto del curso consultar el"; -$Program = "Programa del curso. Si el sitio que usted quiere crear no corresponde a un curso existente, usted puede inventar uno. Por ejemplo INNOVACION si se trata de un programa de formación sobre gestión de la innovación"; -$Scormtool = "Lecciones"; -$Scormbuildertool = "Constructor de lecciones SCORM"; -$Pathbuildertool = "Constructor de lecciones"; -$OnlineConference = "Conferencia en línea"; -$AgendaCreationTitle = "Creación del curso"; -$AgendaCreationContenu = "El curso ha sido creado en esta fecha"; -$OnlineDescription = "Descripción de la Conferencia en línea"; -$Only = "Sólo"; -$RandomLanguage = "Seleccionar entre los idiomas disponibles"; -$ForumLanguage = "inglés"; -$NewCourse = "Curso Nuevo"; -$AddNewCourse = "Crear un nuevo curso"; -$OtherProperties = "Otras propiedades del archivo"; -$SysId = "Id del Sistema"; -$ScoreShow = "Mostrar resultados"; -$Visibility = "Visibilidad"; -$VersionDb = "Versión de la base de datos"; -$Expire = "Fecha de caducidad"; -$ChoseFile = "Seleccionar archivo"; -$FtpFileTips = "Si el fichero está en otro ordenador y es accessible por ftp"; -$HttpFileTips = "Si el fichero está en otro ordenador y es accesible por http"; -$LocalFileTips = "Si el fichero está almacenado en algún curso del campus"; -$PostFileTips = "Si el fichero está en su ordenador"; -$Minimum = "mínimo"; -$Maximum = "máximo"; -$RestoreACourse = "restaurar un curso"; -$Recycle = "Reciclar curso"; -$AnnouncementExampleTitle = "Este es un anuncio de ejemplo"; -$Wikipedia = "Enciclopedia gratuita en línea"; -$DefaultGroupCategory = "Grupos por defecto"; -$DefaultCourseImages = "Galería"; -$ExampleForumCategory = "Ejemplo de Categoría de Foros"; -$ExampleForum = "Ejemplo de foro"; -$ExampleThread = "Ejemplo de tema de debate"; -$ExampleThreadContent = "Ejemplo de contenido"; -$IntroductionWiki = "La palabra Wiki es una abreviatura de WikiWikiWeb. Wikiwiki es una palabra Hawaiana que significa rápido o veloz. En un Wiki sus usuarios pueden escribir páginas conjuntamente. Si una persona escribe algo mal, la siguiente puede corregir esto. Esta última persona también puede añadir nuevos elementos a la página. Así la página va mejorando con sucesivos cambios que quedan registrados en un historial."; -$CreateCourseArea = "Crear curso"; -$CreateCourse = "Crear curso"; -$TitleNotification = "Desde su última visita"; -$ForumCategoryAdded = "La nueva categoría de foros ha sido añadida"; -$LearnpathAdded = "Lección añadida"; -$GlossaryAdded = "Término añadido al Glosario"; -$QuizQuestionAdded = "Nueva pregunta añadida en el ejercicio"; -$QuizQuestionUpdated = "Nueva pregunta actualizada en el Ejercicio"; -$QuizQuestionDeleted = "Nueva pregunta eliminada en el Ejercicio"; -$QuizUpdated = "Ejercicio actualizado"; -$QuizAdded = "Ejercicio añadido"; -$QuizDeleted = "Ejercicio eliminado"; -$DocumentInvisible = "Documento invisible"; -$DocumentVisible = "Documento visible"; -$CourseDescriptionAdded = "Descripcion del curso añadida"; -$NotebookAdded = "Nota añadida"; -$NotebookUpdated = "Nota actualizada"; -$NotebookDeleted = "Nota eliminada"; -$DeleteAllAttendances = "Eliminar todas las asistencias creadas"; -$AssignSessionsTo = "Asignar sesiones a"; -$Upload = "Enviar"; -$MailTemplateRegistrationTitle = "Nuevo usuario en ((sitename))"; -$Unsubscribe = "Dar de baja"; -$AlreadyRegisteredToCourse = "Ya se encuentra registrado en el curso"; -$ShowFeedback = "Mostrar comentario"; -$GiveFeedback = "Añadir / Modificar un comentario"; -$JustUploadInSelect = "---Transferir a mí mismo---"; -$MailingNothingFor = "Nada para"; -$MailingFileNotRegistered = "(no inscrito en este curso)"; -$MailingFileSentTo = "enviado a"; -$MailingFileIsFor = "es para"; -$ClickKw = "Haga clic en la palabra clave del árbol para seleccionarla o anular su selección."; -$KwHelp = "
        Haga clic en el botón '+' para abrir, en el botón '-' para cerrar, en el botón '++' para abrir todo, en el botón '--' para cerrarlo todo.
        Anule la selección de todas las palabras clave cerrando el árbol y abriéndolo de nuevo con el botón '+'.
        Alt-clic '+' busca las palabras claves originales en el árbol.

        Alt-clic selecciona las palabras clave sin términos más amplios o anula la selección de palabras clave con términos más amplios.

        Si desea cambiar el idioma de la descripción, no lo haga a la vez que añade palabras clave/>
        "; -$SearchCrit = "¡ Una palabra por línea !"; -$NoKeywords = "Este curso no tiene palabras clave"; -$KwCacheProblem = "La palabra clave no puede ser abierta"; -$CourseKwds = "Este documento contiene las palabras clave del curso"; -$KwdsInMD = "palabras clave usadas en los metadatos (MD)"; -$KwdRefs = "referencias de palabras clave"; -$NonCourseKwds = "Palabras clave no pertenecientes al curso"; -$KwdsUse = "Palabras clave del curso (negrita = sin usar)"; -$TotalMDEs = "Total de entradas de metadatos (MD) de enlaces"; -$ForumDeleted = "Foro eliminado"; -$ForumCategoryDeleted = "Categoría de foro eliminada"; -$ForumLocked = "Foro cerrado"; -$AddForumCategory = "Añadir una categoría de foros"; -$AddForum = "Añadir un foro"; -$Posts = "Mensajes"; -$LastPosts = "Último mensaje"; -$NoForumInThisCategory = "No hay foros en esta categoría"; -$InForumCategory = "Crear en categoría"; -$AllowAnonymousPosts = "¿ Permitir mensajes anónimos ?"; -$StudentsCanEdit = "¿ Pueden los estudiantes editar sus mensajes ?"; -$ApprovalDirect = "Aprobación / Mensaje directo"; -$AllowNewThreads = "Permitir a los estudiantes iniciar nuevos temas"; -$DefaultViewType = "Tipo de vista por defecto"; -$GroupSettings = "Configuración del grupo"; -$NotAGroupForum = "No es un foro de grupo"; -$PublicPrivateGroupForum = "¿ Foro del grupo público o privado ?"; -$NewPostStored = "Su mensaje ha sido guardado"; -$ReplyToThread = "Responder a este tema"; -$QuoteMessage = "Citar este mensaje"; -$NewTopic = "Nuevo tema"; -$Views = "Vistas"; -$LastPost = "Último mensaje"; -$Quoting = "Cita"; -$NotifyByEmail = "Notificarme por e-mail cuando alguien responda"; -$StickyPost = "Este es un mensaje de aviso (aparece siempre en primer término junto a un icono especial)"; -$ReplyShort = "Re:"; -$DeletePost = "¿ Está seguro de querer borrar este mensaje ? Al borrar este mensaje también borrará todas las respuestas que tenga. Por favor, mediante la vista arborescente, compruebe que mensajes también serán suprimidos."; -$Locked = "Cerrado: los estudiantes no pueden publicar más mensajes en esta categoría, foro o tema, pero pueden leer los mensajes que anteriormente hayan sido publicados."; -$Unlocked = "Abierto: los estudiantes pueden publicar nuevos mensajes en esta categoría, foro o tema"; -$Flat = "Plana"; -$Threaded = "Arborescente"; -$Nested = "Anidada"; -$FlatView = "Vista plana"; -$ThreadedView = "Vista arborescente"; -$NestedView = "Vista jerarquizada"; -$Structure = "Estructura"; -$ForumCategoryEdited = "La categoría de foros ha sido modificada"; -$ForumEdited = "El foro ha sido modificado"; -$NewThreadStored = "El nuevo tema ha sido añadido"; -$Approval = "Aprobación"; -$Direct = "Directo"; -$ForGroup = "Para Grupo"; -$ThreadLocked = "Tema cerrado."; -$NotAllowedHere = "Aquí no le está permitido."; -$ReplyAdded = "La respuesta ha sido añadida"; -$EditPost = "Editar artículo"; -$EditPostStored = "El mensaje ha sido modificado"; -$NewForumPost = "Nuevo mensaje en el foro"; -$YouWantedToStayInformed = "Ha indicado que desea ser informado por e-mail cuando alguien conteste al tema"; -$MessageHasToBeApproved = "Su mensaje debe ser aprobado antes de ser publicado."; -$AllowAttachments = "Permitir adjuntos"; -$EditForumCategory = "Editar la categoría de foros"; -$MovePost = "Mover el mensaje"; -$MoveToThread = "Mover a un tema"; -$ANewThread = "Un nuevo debate"; -$DeleteForum = "¿ Borrar el foro ?"; -$DeleteForumCategory = "¿ Desea borrar la categoría de foros ?"; -$Lock = "Bloquear"; -$Unlock = "Desbloquear"; -$MoveThread = "Mover tema"; -$PostVisibilityChanged = "La visibilidad del mensaje ha cambiado"; -$PostDeleted = "El mensaje ha sido borrado"; -$ThreadCanBeFoundHere = "El tema se puede encontrar aquí"; -$DeleteCompleteThread = "¿ Eliminar el tema por completo ?"; -$PostDeletedSpecial = "Mensaje de aviso eliminado"; -$ThreadDeleted = "Tema eliminado"; -$NextMessage = "Mensaje siguiente"; -$PrevMessage = "Mensaje anterior"; -$FirstMessage = "Primer mensaje"; -$LastMessage = "Último mensaje"; -$ForumSearch = "Buscar en los foros"; -$ForumSearchResults = "resultados de la búsqueda en los foros"; -$ForumSearchInformation = "Puede buscar varias palabras usando el signo +"; -$YouWillBeNotifiedOfNewPosts = "Los nuevos mensajes le serán notificados por correo electrónico"; -$YouWillNoLongerBeNotifiedOfNewPosts = "Los nuevos mensajes ya no se le notificarán por correo electrónico"; -$AddImage = "Agregar imagen"; -$QualifyThread = "Calificar el tema"; -$ThreadUsersList = "Lista de usuarios del tema"; -$QualifyThisThread = "Calificar este tema"; -$CourseUsers = "Usuarios del Curso"; -$PostsNumber = "Número de mensajes"; -$NumberOfPostsForThisUser = "Número de mensajes del usuario"; -$AveragePostPerUser = "Promedio de mensajes por usuario"; -$QualificationChangesHistory = "Historial de cambios en las calificaciones"; -$MoreRecent = "mas reciente"; -$Older = "mas antiguo"; -$WhoChanged = "Quien hizo el cambio"; -$NoteChanged = "Nota cambiada"; -$DateChanged = "Fecha del cambio"; -$ViewComentPost = "Ver comentarios en los mensajes"; -$AllStudents = "Todos los estudiantes"; -$StudentsQualified = "Estudiantes calificados"; -$StudentsNotQualified = "Estudiantes sin calificar"; -$NamesAndLastNames = "Nombres y apellidos"; -$MaxScore = "Puntuación máxima"; -$QualificationCanNotBeGreaterThanMaxScore = "La calificación no puede ser superior a la puntuación máxima."; -$ThreadStatistics = "Estadísticas del tema"; -$Thread = "Tema"; -$NotifyMe = "Notificarme"; -$ConfirmUserQualification = "¿Confirmar la calificación de usuario?"; -$NotChanged = "No hay cambios"; -$QualifyThreadGradebook = "Calificar este hilo de discusión"; -$QualifyNumeric = "Calificación numérica sobre"; -$AlterQualifyThread = "Editar la calificación del tema"; -$ForumMoved = "El foro ha sido movido"; -$YouMustAssignWeightOfQualification = "Debe asignar el peso de la cualificación"; -$DeleteAttachmentFile = "Eliminar archivo adjunto"; -$EditAnAttachment = "Editar un adjunto"; -$CreateForum = "Crear foro"; -$ModifyForum = "Modificar foro"; -$CreateThread = "Crear tema"; -$ModifyThread = "Modificar tema"; -$EditForum = "Editar foro"; -$BackToForum = "Volver al foro"; -$BackToForumOverview = "Volver a la vista general del foro"; -$BackToThread = "Regresar a tema"; -$ForumcategoryLocked = "Categoría de foro bloqueado"; -$LinkMoved = "El enlace ha sido movido"; -$LinkName = "Nombre del enlace"; -$LinkAdd = "Añadir un enlace"; -$LinkAdded = "El enlace ha sido añadido."; -$LinkMod = "Modificar enlace"; -$LinkModded = "El enlace ha sido modificado."; -$LinkDel = "Borrar enlace"; -$LinkDeleted = "El enlace ha sido borrado"; -$LinkDelconfirm = "¿ Está seguro de querer borrar este enlace ?"; -$AllLinksDel = " Borrar todos los enlaces de esta categoría"; -$CategoryName = "Nombre de la categoría"; -$CategoryAdd = "Añadir una categoría"; -$CategoryModded = "La categoría se ha modificado"; -$CategoryDel = "Borrar categoría"; -$CategoryDelconfirm = "Al eliminar una categoría, también se eliminarán todos los enlaces que contenga. ¿Seguro que quiere eliminar esta categoría y todos sus enlaces?"; -$AllCategoryDel = "Borrar todas las categorías y sus enlaces"; -$GiveURL = "Por favor, ponga la URL"; -$GiveCategoryName = "Por favor, ponga un nombre para la categoría"; -$NoCategory = "General"; -$ShowNone = "Contraer todas las categorías"; -$ListDeleted = "La lista ha sido completamente borrada"; -$AddLink = "Añadir un enlace"; -$DelList = "Borrar lista"; -$ModifyLink = "Modificar un enlace"; -$CsvImport = "Importar CSV"; -$CsvFileNotFound = "El fichero CSV no puede ser importado (¿vacío?, ¿demasiado grande?)"; -$CsvFileNoSeps = "Use , o ; para separar las columnas del archivo CSV a importar"; -$CsvFileNoURL = "Las columnas URL y título son obligatorias en el archivo CSV a importar"; -$CsvFileLine1 = "... - línea 1 ="; -$CsvLinesFailed = "línea(s) erróneas al importar un enlace (falta la URL o el título)."; -$CsvLinesOld = "enlace/s existente/s actualizados (igual URL y categoría)"; -$CsvLinesNew = "nuevo enlace(s) creado."; -$CsvExplain = "El fichero se debe presentar así:

        URL;category;title;description;http://www.aaa.org/...;Enlaces importantes;Nombre 1;Descripción 1;http://www.bbb.net/...;;Nombre 2;\"Description 2\";
        Si la 'URL' y la 'categoría' pertenecen a un enlace ya existente, éste será actualizado. En el resto de los casos un nuevo enlace será creado.

        Negrita = obligatorio. El orden de los campos no tiene importancia, mayúsculas y minúsculas están permitidas. Los campos desconocidos serán añadidos a la 'descripción'. Separadores: comas o puntos y comas. Los valores podrán encontrarse entre comillas, pero no los nombres de columna.Algunas [b]etiquetas HTML[/b] serán importadas en el campo 'descripción'."; -$LinkUpdated = "El enlace ha sido actualizado"; -$OnHomepage = "¿ Mostrar el enlace en la página principal del curso"; -$ShowLinkOnHomepage = "Mostrar este enlace como un icono en la página principal del curso"; -$General = "general"; -$SearchFeatureDoIndexLink = "¿Indexar título y descripción?"; -$SaveLink = "Guardar el enlace"; -$SaveCategory = "Guardar la categoría"; -$BackToLinksOverview = "Regresar a la lista de enlaces"; -$AddTargetOfLinkOnHomepage = "Seleccione el modo (target) en que se mostrará el enlace en la página principal del curso"; -$StatDB = "Base de datos de seguimiento. Úsela sólo si hay varias bases de datos."; -$EnableTracking = "Permitir seguimiento"; -$InstituteShortName = "Acrónimo de la organización"; -$WarningResponsible = "Use este script únicamente tras haber hecho una copia de seguridad. El equipo deChamilo no es resposable si Ud. pierde o deteriora sus datos."; -$AllowSelfRegProf = "Permitir que los propios usuarios puedan registrarse como creadores de cursos"; -$EG = "ej."; -$DBHost = "Servidor de base de datos"; -$DBLogin = "Nombre de usuario de la base de datos"; -$DBPassword = "Contraseña de la base de datos"; -$MainDB = "Base de datos principal de Chamilo (BD)"; -$AllFieldsRequired = "Requerir todos los campos"; -$PrintVers = "Versión para imprimir"; -$LocalPath = "Ruta local correspondiente"; -$AdminEmail = "E-mail del administrador"; -$AdminName = "Nombre del administrador"; -$AdminSurname = "Apellidos del administrador"; -$AdminLogin = "Nombre de usuario del administrador"; -$AdminPass = "Contraseña del administrador (puede que desee cambiarla)"; -$EducationManager = "Responsable educativo"; -$CampusName = "Nombre de su plataforma"; -$DBSettingIntro = "El script de instalación creará las principales bases de datos de Chamilo. Por favor, recuerde que Chamilo necesitará crear varias bases de datos. Si sólo puede tener una base de datos en su proveedor, Chamilo no funcionará."; -$TimeSpentByStudentsInCourses = "Tiempo dedicado por los estudiantes en los cursos"; -$Step3 = "Paso 3 de 6"; -$Step4 = "Paso 4 de 6"; -$Step5 = "Paso 5 de 6"; -$Step6 = "Paso 6 de 6"; -$CfgSetting = "Parámetros de configuración"; -$DBSetting = "Parámetros de las bases de datos MySQL"; -$MainLang = "Idioma principal"; -$Licence = "Licencia"; -$LastCheck = "Última comprobación antes de instalar"; -$AutoEvaluation = "Auto-evaluación"; -$DbPrefixForm = "Prefijo MySQL"; -$DbPrefixCom = "No completar si no se requiere"; -$EncryptUserPass = "Encriptar las contraseñas de los usuarios en la base de datos"; -$SingleDb = "Usar Chamilo con una o varias bases de datos"; -$AllowSelfReg = "Permitir que los propios usuarios puedan registrarse"; -$Recommended = "Recomendado"; -$ScormDB = "Base de datos SCORM"; -$AdminLastName = "Apellidos del administrador"; -$AdminPhone = "Teléfono del administrador"; -$NewNote = "Nueva nota"; -$Note = "Nota"; -$NoteDeleted = "Nota eliminada"; -$NoteUpdated = "Nota actualizada"; -$NoteCreated = "Nota creada"; -$YouMustWriteANote = "Por favor, escriba una nota"; -$SaveNote = "Guardar nota"; -$WriteYourNoteHere = "Escriba su nota aquí"; -$SearchByTitle = "Buscar por título"; -$WriteTheTitleHere = "Escriba el título aquí"; -$UpdateDate = "Última modificación"; -$NoteAddNew = "Añadir una nota"; -$OrderByCreationDate = "Ordenar por fecha de creación"; -$OrderByModificationDate = "Ordenar por fecha de modificación"; -$OrderByTitle = "Ordenar por título"; -$NoteTitle = "Título de la nota"; -$NoteComment = "Contenido de la nota"; -$NoteAdded = "Nota añadida"; -$NoteConfirmDelete = "¿ Realmente desea borrar la nota"; -$AddNote = "Añadir nota"; -$ModifyNote = "Modificar nota"; -$BackToNoteList = "Regresar a la lista de anotaciones"; -$NotebookManagement = "Administración de nota personal"; -$BackToNotesList = "Volver al listado de notas"; -$NotesSortedByTitleAsc = "Notas ordenadas por título (A-Z)"; -$NotesSortedByTitleDESC = "Notas ordenadas por título (Z-A)"; -$NotesSortedByUpdateDateAsc = "Notas ordenadas por fecha de actualización (antiguas - recientes)"; -$NotesSortedByUpdateDateDESC = "Notas ordenadas por fecha de actualización (recientes - antiguas)"; -$NotesSortedByCreationDateAsc = "Notas ordenadas por fecha de creación (antiguas - recientes)"; -$NotesSortedByCreationDateDESC = "Notas ordenadas por fecha de creación (recientes - antiguas)"; -$Titular = "Titular"; -$SendToAllUsers = "Enviar a todos los usuarios"; -$AdministrationTools = "Herramientas de administración"; -$CatList = "Categorías"; -$Subscribe = "Inscribirme"; -$AlreadySubscribed = "Ya está inscrito"; -$CodeMandatory = "Código obligatorio"; -$CourseCategoryMandatory = "Categoría de curso obligatoria"; -$TeacherMandatory = "Nombre de profesor obligatorio"; -$CourseCategoryStored = "La categoría ha sido creada"; -$WithoutTimeLimits = "Sin límite de tiempo"; -$Added = "Añadido"; -$Deleted = "Borrado"; -$Keeped = "Guardado"; -$HideAndSubscribeClosed = "Oculto / Cerrado"; -$HideAndSubscribeOpen = "Oculto / Abierto"; -$ShowAndSubscribeOpen = "Visible / Abierto"; -$ShowAndSubscribeClosed = "Visible / Cerrado"; -$AdminThisUser = "Volver a este usuario"; -$Manage = "Administrar la Plataforma"; -$EnrollToCourseSuccessful = "Su inscripción en el curso se ha completado"; -$SubCat = "sub-categorías"; -$UnsubscribeNotAllowed = "En este curso no está permitido que los propios usuarios puedan anular su inscripción."; -$CourseAdminUnsubscribeNotAllowed = "Actualmente es el administrador de este curso"; -$CourseManagement = "Catálogo de cursos"; -$SortMyCourses = "Ordenar mis cursos"; -$SubscribeToCourse = "Inscribirme en un curso"; -$UnsubscribeFromCourse = "Anular mi inscripción en un curso"; -$CreateCourseCategory = "Crear una categoría personal de cursos"; -$CourseCategoryAbout2bedeleted = "¿ Está seguro de querer borrar esta categoría de curso ? Los cursos de esta categoría aparecerán en la lista sin categorizar"; -$CourseCategories = "Categorías de cursos"; -$CoursesInCategory = "Cursos en esta categoría"; -$SearchCourse = "Buscar cursos"; -$UpOneCategory = "Una categoría arriba"; -$ConfirmUnsubscribeFromCourse = "¿ Está seguro de querer anular su inscripción en este curso ?"; -$NoCourseCategory = "No asignar el curso a una categoría"; -$EditCourseCategorySucces = "El curso ha sido asignado a esta categoría"; -$SubscribingNotAllowed = "Inscripción no permitida"; -$CourseSortingDone = "Ordenación de cursos realizada"; -$ExistingCourseCategories = "Categorías existentes"; -$YouAreNowUnsubscribed = "Ha dejado de pertenecer al curso"; -$ViewOpenCourses = "Ver los cursos abiertos"; -$ErrorContactPlatformAdmin = "Se ha producido un error desconocido. Por favor, póngase en contacto con el administrador de la plataforma."; -$CourseRegistrationCodeIncorrect = "El código del curso es incorrecto"; -$CourseRequiresPassword = "El curso requiere una contraseña"; -$SubmitRegistrationCode = "Enviar el código de registro"; -$CourseCategoryDeleted = "La categoría fue eliminada"; -$CategorySortingDone = "Ordenación de categorías realizada"; -$CourseCategoryEditStored = "Categoría actualizada"; -$buttonCreateCourseCategory = "Crear una categoría de cursos"; -$buttonSaveCategory = "Guardar categoría"; -$buttonChangeCategory = "Cambiar categoría"; -$Expand = "Expandir"; -$Collapse = "Contraer"; -$CourseDetails = "Descripción del curso"; -$DocumentList = "Lista de todos los documentos"; -$OrganisationList = "Tabla de contenidos"; -$EditTOC = "Editar la tabla de contenidos"; -$EditDocument = "Editar"; -$CreateDocument = "Crear un documento"; -$MissingImagesDetected = "Se ha detectado que faltan imágenes"; -$Publish = "Publicar"; -$Scormcontentstudent = "Este es un curso con formato SCORM. Si quiere verlo, haga clic aquí: "; -$Scormcontent = "Este es un contenido SCORM
        "; -$DownloadAndZipEnd = " El archivo zip ha sido enviado y descomprimido en el servidor"; -$ZipNoPhp = "El archivo zip no puede contener archivos con formato .PHP"; -$GroupForumLink = "Foro de grupo"; -$NotScormContent = "¡ No es un archivo ZIP SCORM !"; -$NoText = "Por favor, introduzca el contenido de texto / contenido HTML"; -$NoFileName = "Por favor, introduzca el nombre del archivo"; -$FileError = "El archivo que quiere subir no es válido."; -$ViMod = "Visibilidad modificada"; -$AddComment = "Añadir/modificar un comentario a"; -$Impossible = "Operación imposible"; -$NoSpace = "El envio ha fallado. No hay suficiente espacio en su directorio"; -$DownloadEnd = "Se ha realizado el envío"; -$FileExists = "Operación imposible, existe un archivo con el mismo nombre."; -$DocCopied = "Documento copiado"; -$DocDeleted = "Documento eliminado"; -$ElRen = "Archivo renombrado"; -$DirMv = "Elemento movido"; -$ComMod = "Comentario modificado"; -$Rename = "Renombrar"; -$NameDir = "Nombre del nuevo directorio"; -$DownloadFile = "Descargar archivo"; -$Builder = "Constructor de lecciones"; -$MailMarkSelectedAsUnread = "Marcar como no leído"; -$ViewModeImpress = "Visualización actual: Impress"; -$AllowTeachersToCreateSessionsComment = "Los profesores pueden crear, editar y borrar sus propias sesiones."; -$AllowTeachersToCreateSessionsTitle = "Permitir a los profesores crear sesiones"; -$SelectACategory = "Seleccione una categoría"; -$MailMarkSelectedAsRead = "Marcar como leído"; -$MailSubjectReplyShort = "RE:"; -$AdvancedEdit = "Edición avanzada"; -$ScormBuilder = "Constructor de lecciones en formato SCORM"; -$CreateDoc = "Crear un documento"; -$OrganiseDocuments = "Crear tabla de contenidos"; -$Uncompress = "Descomprimir el archivo (.zip) en el servidor"; -$ExportShort = "Exportación SCORM"; -$AllDay = "Todo el día"; -$PublicationStartDate = "Fecha de inicio publicada"; -$ShowStatus = "Mostrar estado"; -$Mode = "Modalidad"; -$Schedule = "Horario"; -$Place = "Ubicación"; -$RecommendedNumberOfParticipants = "Número recomendado de participantes"; -$WCAGGoMenu = "Ir al menú"; -$WCAGGoContent = "Ir al contenido"; -$AdminBy = "Administrado por:"; -$Statistiques = "Estadísticas"; -$VisioHostLocal = "Host para la videoconferencia"; -$VisioRTMPIsWeb = "El protocolo de la videoconferencia funciona en modo web (la mayoría de las veces no es así)"; -$ShowBackLinkOnTopOfCourseTreeComment = "Mostrar un enlace para volver a la jerarquía del curso. De todos modos, un enlace siempre estará disponible al final de la lista."; -$Used = "usada"; -$Exist = "existe"; -$ShowBackLinkOnTopOfCourseTree = "Mostrar un enlace para volver atrás encima del árbol de las categorías/cursos"; -$ShowNumberOfCourses = "Mostrar el número de cursos"; -$DisplayTeacherInCourselistTitle = "Mostrar al profesor en el título del curso"; -$DisplayTeacherInCourselistComment = "Mostrar el nombre de cada profesor en cada uno de los cursos del listado"; -$DisplayCourseCodeInCourselistComment = "Mostrar el código del curso en cada uno de los cursos del listado"; -$DisplayCourseCodeInCourselistTitle = "Mostrar el código del curso en el título de éste"; -$ThereAreNoVirtualCourses = "No hay cursos virtuales en la plataforma"; -$ConfigureHomePage = "Configuración de la página principal"; -$CourseCreateActiveToolsTitle = "Módulos activos al crear un curso"; -$CourseCreateActiveToolsComment = "¿Qué herramientas serán activadas (visibles) por defecto al crear un curso?"; -$CreateUser = "Crear usuario"; -$ModifyUser = "Modificar usuario"; -$buttonEditUserField = "Editar campos de usuario"; -$ModifyCoach = "Modificar tutor"; -$ModifyThisSession = "Modificar esta sesión"; -$ExportSession = "Exportar sesión"; -$ImportSession = "Importar sesión"; -$CourseBackup = "Copia de seguridad de este curso"; -$CourseTitular = "Profesor principal"; -$CourseFaculty = "Categoría del curso"; -$CourseDepartment = "Facultad (solo usado como metadato)"; -$CourseDepartmentURL = "URL de la facultad (solo usado como metadato)"; -$CourseSubscription = "Inscripción en el curso"; -$PublicAccess = "Acceso público"; -$PrivateAccess = "Acceso privado"; -$DBManagementOnlyForServerAdmin = "La administración de la base de datos sólo está disponible para el administrador del servidor"; -$ShowUsersOfCourse = "Mostrar los usuarios del curso"; -$ShowClassesOfCourse = "Mostrar las clases inscritas en este curso"; -$ShowGroupsOfCourse = "Mostrar los grupos de este curso"; -$PhoneNumber = "Número de teléfono"; -$AddToCourse = "Añadir a un curso"; -$DeleteFromPlatform = "Eliminar de la plataforma"; -$DeleteCourse = "Eliminar cursos seleccionados"; -$DeleteFromCourse = "Anular la inscripción del curso(s)"; -$DeleteSelectedClasses = "Eliminar las clases seleccionadas"; -$DeleteSelectedGroups = "Eliminar los grupos seleccionados"; -$Administrator = "Administrador"; -$ChangePicture = "Cambiar la imagen"; -$XComments = "%s comentarios"; -$AddUsers = "Añadir usuarios"; -$AddGroups = "Crear grupos en la red social"; -$AddClasses = "Crear clases"; -$ExportUsers = "Exportar usuarios"; -$NumberOfParticipants = "Número de miembros"; -$NumberOfUsers = "Número de usuarios"; -$Participants = "miembros"; -$FirstLetterClass = "Primera letra (clase)"; -$FirstLetterUser = "Primera letra (apellidos)"; -$FirstLetterCourse = "Primera letra (código)"; -$ModifyUserInfo = "Modificar la información de un usuario"; -$ModifyClassInfo = "Modificar la información de una clase"; -$ModifyGroupInfo = "Modificar la información de un grupo"; -$ModifyCourseInfo = "Modificar la información del curso"; -$PleaseEnterClassName = "¡ Introduzca la clase !"; -$PleaseEnterLastName = "¡ Introduzca los apellidos del usuario !"; -$PleaseEnterFirstName = "¡ Introduzca el nombre del usuario !"; -$PleaseEnterValidEmail = "¡ Introduzca una dirección de correo válida !"; -$PleaseEnterValidLogin = "¡ Introduzca un Nombre de usuario válido !"; -$PleaseEnterCourseCode = "¡ Introduzca el código del curso !"; -$PleaseEnterTitularName = "¡ Introduzca el nombre y apellidos del profesor !"; -$PleaseEnterCourseTitle = "¡ Introduzca el título del curso !"; -$AcceptedPictureFormats = "Formatos aceptados: .jpg, .png y .gif"; -$LoginAlreadyTaken = "Este Nombre de usuario ya está en uso"; -$ImportUserListXMLCSV = "Importar usuarios desde un fichero XML/CSV"; -$ExportUserListXMLCSV = "Exportar usuarios a un fichero XML/CSV"; -$OnlyUsersFromCourse = "Sólo usuarios del curso"; -$AddClassesToACourse = "Añadir clases a un curso"; -$AddUsersToACourse = "Inscribir usuarios en un curso"; -$AddUsersToAClass = "Importar usuarios a una clase desde un fichero"; -$AddUsersToAGroup = "Añadir usuarios a un grupo"; -$AtLeastOneClassAndOneCourse = "Debe seleccionar al menos una clase y un curso"; -$AtLeastOneUser = "Debe seleccionar al menos un usuario"; -$AtLeastOneUserAndOneCourse = "Debe seleccionar al menos un usuario y un curso"; -$ClassList = "Listado de clases"; -$AddToThatCourse = "Añadir a este (estos) curso(s)"; -$AddToClass = "Añadir a la clase"; -$RemoveFromClass = "Quitar de la clase"; -$AddToGroup = "Añadir al grupo"; -$RemoveFromGroup = "Quitar del grupo"; -$UsersOutsideClass = "Usuarios que no pertenecen a la clase"; -$UsersInsideClass = "Usuarios pertenecientes a la clase"; -$UsersOutsideGroup = "Usuarios que no pertenecen al grupo"; -$UsersInsideGroup = "Usuarios pertenecientes al grupo"; -$MustUseSeparator = "debe utilizar el carácter ';' como separador"; -$CSVMustLookLike = "El fichero CSV debe tener el siguiente formato"; -$XMLMustLookLike = "El fichero XML debe tener el siguiente formato"; -$MandatoryFields = "Los campos en negrita son obligatorios"; -$NotXML = "El fichero especificado no está en formato XML."; -$NotCSV = "El fichero especificado no está en formato CSV."; -$NoNeededData = "El fichero especificado no contiene todos los datos necesarios."; -$MaxImportUsers = "No se pueden importar más de 500 usuarios a la vez."; -$AdminDatabases = "Bases de datos (phpMyAdmin)"; -$AdminUsers = "Usuarios"; -$AdminClasses = "Clases de usuarios"; -$AdminGroups = "Grupos de usuarios"; -$AdminCourses = "Cursos"; -$AdminCategories = "Categorías de cursos"; -$SubscribeUserGroupToCourse = "Inscribir un usuario o un grupo en un curso"; -$NoCategories = "Sin categorías"; -$AllowCoursesInCategory = "Permitir añadir cursos a esta categoría"; -$GoToForum = "Ir al foro"; -$CategoryCode = "Código de la categoría"; -$MetaTwitterCreatorComment = "Cuenta personal de Twitter (ej: @ywarnier) que representa la *persona* que está a cargo de o representa este portal. Este campo es opcional."; -$EditNode = "Editar esta categoría"; -$OpenNode = "Abrir esta categoría"; -$DeleteNode = "Eliminar esta categoría"; -$AddChildNode = "Añadir una subcategoría"; -$ViewChildren = "Ver hijos"; -$TreeRebuildedIn = "Árbol reconstruido en"; -$TreeRecountedIn = "Árbol recontado en"; -$RebuildTree = "Reconstruir el árbol"; -$RefreshNbChildren = "Actualizar el número de hijos"; -$ShowTree = "Ver el árbol"; -$MetaImagePathTitle = "Ruta de imagen Meta"; -$LogDeleteCat = "Categoría eliminada"; -$RecountChildren = "Recontar los hijos"; -$UpInSameLevel = "Subir en este nivel"; -$MailTo = "Correo a:"; -$AddAdminInApache = "Añadir un administrador"; -$AddFaculties = "Añadir categorías"; -$SearchACourse = "Buscar un curso"; -$SearchAUser = "Buscar un usuario"; -$TechnicalTools = "Técnico"; -$Config = "Configuración del sistema"; -$LogIdentLogoutComplete = "Lista de logins (detallada)"; -$LimitUsersListDefaultMax = "Máximo de usuarios mostrados en la lista desplegable"; -$NoTimeLimits = "Sin límite de tiempo"; -$GeneralProperties = "Propiedades generales"; -$CourseCoach = "Tutor del curso"; -$UsersNumber = "Número de usuarios"; -$PublicAdmin = "Administración pública"; -$PageAfterLoginTitle = "Página después de identificarse"; -$PageAfterLoginComment = "Página que será visualizada por los usuarios que se conecten"; -$TabsMyProfile = "Pestaña Mi perfil"; -$GlobalRole = "Perfil global"; -$NomOutilTodo = "Gestionar la lista de sugerencias"; -$NomPageAdmin = "Administración"; -$SysInfo = "Información del Sistema"; -$DiffTranslation = "Comparar traducciones"; -$StatOf = "Estadíticas de"; -$PDFDownloadNotAllowedForStudents = "Los estudiantes no están permitidos descargar PDF"; -$LogIdentLogout = "Lista de logins"; -$ServerStatus = "Estado del servidor MySQL:"; -$DataBase = "Base de datos"; -$Run = "Funciona"; -$Client = " Cliente MySQL"; -$Server = "Servidor MySQL"; -$titulary = "Titularidad"; -$UpgradeBase = "Actualización de la Base de datos"; -$ErrorsFound = "errores encontrados"; -$Maintenance = "Mantenimiento"; -$Upgrade = "Actualizar Chamilo"; -$Website = "Web de Chamilo"; -$Documentation = "Documentación"; -$Contribute = "Contribuir"; -$InfoServer = "Información del servidor"; -$SendMailToUsers = "Enviar un correo a los usuarios"; -$CourseSystemCode = "Código del sistema"; -$CourseVisualCode = "Código visual"; -$SystemCode = "Código del sistema"; -$VisualCode = "Código visual"; -$AddCourse = "Crear un curso"; -$AdminManageVirtualCourses = "Administrar cursos virtuales"; -$AdminCreateVirtualCourse = "Crear un curso virtual"; -$AdminCreateVirtualCourseExplanation = "Un curso virtual comparte su espacio de almacenamiento (directorios y bases de datos) con un curso que físicamente ya existe previamente."; -$RealCourseCode = "Código real del curso"; -$CourseCreationSucceeded = "El curso ha sido creado."; -$OnTheHardDisk = "en el disco duro"; -$IsVirtualCourse = "Curso virtual"; -$AnnouncementUpdated = "El anuncio ha sido actualizado"; -$MetaImagePathComment = "Esta es la ruta hacia una imagen, dentro de la estructura de carpetas de Chamilo (ej: home/image.png) que representará su portal en una Twitter Card o una OpenGraph Card cuando alguien publique un enlace a su portal en un sitio que soporte uno de estos dos formatos. Twitter recomienda que la imagen sea de 120 x 120 píxeles de dimensiones, pero a veces se reduce a 120x90, por lo que debería quedar bien en ambas dimensiones."; -$PermissionsForNewFiles = "Permisos para los nuevos archivos"; -$PermissionsForNewFilesComment = "La posibilidad de definir la configuración de los permisos asignados a los nuevos archivos, aumenta la seguridad contra los ataques de hackers que puedan enviar material peligroso a la plataforma. La configuración por defecto (0550) debe ser suficiente para dar a su servidor un nivel de protección razonable. El formato proporcionado utiliza la terminología de UNIX Propietario-Grupo-Otros, con los permisos de Lectura-Escritura-Ejecución."; -$Guest = "Invitado"; -$LoginAsThisUserColumnName = "Entrar como"; -$LoginAsThisUser = "Entrar"; -$SelectPicture = "Seleccionar imagen..."; -$DontResetPassword = "No reiniciar contraseña"; -$ParticipateInCommunityDevelopment = "Participar en el desarrollo"; -$CourseAdmin = "administrador de curso"; -$PlatformLanguageTitle = "Idioma de la plataforma"; -$ServerStatusComment = "¿ Qué tipo de servidor utiliza ? Esto activa o desactiva algunas opciones específicas. En un servidor de desarrollo hay una funcionalidad que indica las cadenas de caracteres no traducidas."; -$ServerStatusTitle = "Tipo de servidor"; -$PlatformLanguages = "Idiomas de la plataforma Chamilo"; -$PlatformLanguagesExplanation = "Esta herramienta genera el menú de selección de idiomas en la página de autentificación. El administrador de la plataforma puede decidir qué idiomas estarán disponibles para los usuarios."; -$OriginalName = "Nombre original"; -$EnglishName = "Nombre inglés"; -$LMSFolder = "Directorio Chamilo"; -$Properties = "Propiedades"; -$PlatformConfigSettings = "Parámetros de configuración de Chamilo"; -$SettingsStored = "Los parámetros han sido guardados"; -$InstitutionTitle = "Nombre de la Institución"; -$InstitutionComment = "Nombre de la Institución (aparece en el lado derecho de la cabecera)"; -$InstitutionUrlTitle = "URL de la Institución"; -$InstitutionUrlComment = "URL de la Institución (enlace que aparece en el lado derecho de la cabecera)"; -$SiteNameTitle = "Nombre del Sitio Web de su plataforma"; -$SiteNameComment = "El nombre del Sitio Web de su plataforma (aparece en la cabecera)"; -$emailAdministratorTitle = "Administrador de la plataforma: e-mail"; -$emailAdministratorComment = "La dirección de correo electrónico del administrador de la plataforma (aparece en el lado izquierdo del pie)"; -$administratorSurnameTitle = "Administrador de la plataforma: apellidos"; -$administratorSurnameComment = "Los apellidos del administrador de la plataforma (aparecen en el lado izquierdo del pie)"; -$administratorNameTitle = "Administrador de la plataforma: nombre"; -$administratorNameComment = "El nombre del administrador de la plataforma (aparece en el lado izquierdo del pie)"; -$ShowAdministratorDataTitle = "Información del administrador de la plataforma en el pie"; -$ShowAdministratorDataComment = "¿ Mostrar la información del administrador de la plataforma en el pie ?"; -$HomepageViewTitle = "Vista de la página principal"; -$HomepageViewComment = "¿ Cómo quiere que se presente la página principal del curso ?"; -$HomepageViewDefault = "Presentación en dos columnas. Las herramientas desactivadas quedan escondidas"; -$HomepageViewFixed = "Presentación en tres columnas. Las herramientas desactivadas aparecen en gris (los iconos se mantienen en su lugar)."; -$ShowToolShortcutsTitle = "Barra de acceso rápido a las herramientas"; -$ShowToolShortcutsComment = "¿ Mostrar la barra de acceso rápido a las herramientas en la cabecera ?"; -$ShowStudentViewTitle = "Vista de estudiante"; -$ShowStudentViewComment = "¿ Habilitar la 'Vista de estudiante' ?
        Esta funcionalidad permite al profesor previsualizar lo que los estudiantes van a ver."; -$AllowGroupCategories = "Categorías de grupos"; -$AllowGroupCategoriesComment = "Permitir a los administradores de un curso crear categorías en el módulo grupos"; -$PlatformLanguageComment = "Determinar el idioma de la plataforma: Idiomas de la plataforma Chamilo"; -$ProductionServer = "Servidor de producción"; -$TestServer = "Servidor de desarrollo"; -$ShowOnlineTitle = "¿ Quién está en línea ?"; -$AsPlatformLanguage = "como idioma de la plataforma"; -$ShowOnlineComment = "¿ Mostrar el número de personas que están en línea ?"; -$AllowNameChangeTitle = "¿ Permitir cambiar el nombre en el perfil ?"; -$AllowNameChangeComment = "¿ Permitir al usuario cambiar su nombre y apellidos ?"; -$DefaultDocumentQuotumTitle = "Cuota de espacio por defecto para un curso en el servidor"; -$DefaultDocumentQuotumComment = "¿Cuál es la cuota de espacio por defecto de un curso en el servidor? Se puede cambiar este espacio para un curso específico a través de: administración de la plataforma -> Cursos -> modificar"; -$ProfileChangesTitle = "Perfil"; -$ProfileChangesComment = "¿Qué parte de su perfil desea que el usuario pueda modificar?"; -$RegistrationRequiredFormsTitle = "Registro: campos obligatorios"; -$RegistrationRequiredFormsComment = "Campos que obligatoriamente deben ser rellenados (además del nombre, apellidos, nombre de usuario y contraseña). En el caso de idioma será visible o invisible."; -$DefaultGroupQuotumTitle = "Cuota de espacio por defecto en el servidor para los grupos"; -$DefaultGroupQuotumComment = "¿Cuál es la cuota de espacio por defecto en el servidor para los grupos?"; -$AllowLostPasswordTitle = "Olvidé mi contraseña"; -$AllowLostPasswordComment = "¿ Cuando un usuario ha perdido su contraseña, puede pedir que el sistema se la envíe automáticamente ?"; -$AllowRegistrationTitle = "Registro"; -$AllowRegistrationComment = "¿ Está permitido que los nuevos usuarios puedan registrarse por sí mismos ? ¿ Pueden los usuarios crear cuentas nuevas ?"; -$AllowRegistrationAsTeacherTitle = "Registro como profesor"; -$AllowRegistrationAsTeacherComment = "¿ Alguien puede registrarse como profesor (y poder crear cursos) ?"; -$PlatformLanguage = "Idioma de la plataforma"; -$Tuning = "Mejorar el rendimiento"; -$SplitUsersUploadDirectory = "Dividir el directorio de transferencias (upload) de los usuarios"; -$SplitUsersUploadDirectoryComment = "En plataformas que tengan un uso muy elevado, donde están registrados muchos usuarios que envían sus fotos, el directorio al que se transfieren (main/upload/users/) puede contener demasiados archivos para que el sistema los maneje de forma eficiente (se ha documentado el caso de un servidor Debian con más de 36000 archivos). Si cambia esta opción añadirá un nivel de división a los directorios del directorio upload. Nueve directorios se utilizarán en el directorio base para contener los directorios de todos los usuarios. El cambio de esta opción no afectará a la estructura de los directorios en el disco, sino al comportamiento del código de Chamilo, por lo que si la activa tendrá que crear nuevos directorios y mover manualmente los directorios existentes en el servidor. Cuando cree y mueva estos directorios, tendrá que mover los directorios de los usuarios 1 a 9 a subdirectorios con el mismo nombre. Si no está seguro de usar esta opción, es mejor que no la active."; -$CourseQuota = "Espacio del curso en el servidor"; -$EditNotice = "Editar aviso"; -$InsertLink = "Insertar enlace"; -$EditNews = "Editar noticias"; -$EditCategories = "Editar categorías"; -$EditHomePage = "Editar la página principal"; -$AllowUserHeadingsComment = "¿ El administrador de un curso puede definir cabeceras para obtener información adicional de los usuarios ?"; -$MetaTwitterSiteTitle = "Cuenta Twitter Site"; -$Languages = "Idiomas"; -$NoticeTitle = "Título de la noticia"; -$NoticeText = "Texto de la noticia"; -$LinkURL = "URL del enlace"; -$OpenInNewWindow = "Abrir en una nueva ventana"; -$LimitUsersListDefaultMaxComment = "En las pantallas de inscripción de usuarios a cursos o clases, si la primera lista no filtrada contiene más que este número de usuarios dejar por defecto la primera letra (A)"; -$HideDLTTMarkupComment = "Ocultar la marca [=...=] cuando una variable de idioma no esté traducida"; -$UpgradeFromLMS19x = "Actualizar desde una versión 1.9.*"; -$SignUp = "¡Regístrate!"; -$UserDeleted = "Los usuarios seleccionados han sido eliminados"; -$NoClassesForThisCourse = "No hay clases inscritas en este curso"; -$CourseUsage = "Utilización del curso"; -$NoCoursesForThisUser = "Este usuario no está inscrito en ningún curso"; -$NoClassesForThisUser = "Este usuario no está inscrito en ninguna clase"; -$NoCoursesForThisClass = "Esta clase no está inscrita en ningún curso"; -$Tool = "Herramienta"; -$NumberOfItems = "Número de elementos"; -$DocumentsAndFolders = "Documentos y carpetas"; -$Exercises = "Ejercicios"; -$AllowPersonalAgendaTitle = "Agenda personal"; -$AllowPersonalAgendaComment = "¿ El usuario puede añadir elementos de la agenda personal a la sección 'Mi agenda' ?"; -$CurrentValue = "Valor actual"; -$AlreadyRegisteredToSession = "Ya está registrado en la sesión"; -$MyCoursesDefaultView = "Mis cursos, vista simple"; -$UserPassword = "Contraseña"; -$SubscriptionAllowed = "Inscripción"; -$UnsubscriptionAllowed = "Anular inscripción"; -$AddDummyContentToCourse = "Añadir contenidos de prueba al curso"; -$DummyCourseCreator = "Crear contenidos de prueba"; -$DummyCourseDescription = "Se añadirán contenidos al curso para que le sirvan de ejemplo. ¡ Esta utilidad sólo debe usarse para hacer pruebas !"; -$AvailablePlugins = "Estos son los plugins que se han encontrado en su sistema."; -$CreateVirtualCourse = "Crear un curso virtual"; -$DisplayListVirtualCourses = "Mostrar el listado de los cursos virtuales"; -$LinkedToRealCourseCode = "Enlazado al código del curso físico"; -$AttemptedCreationVirtualCourse = "Creando el curso virtual..."; -$WantedCourseCode = "Código del curso"; -$ResetPassword = "Actualizar la contraseña"; -$CheckToSendNewPassword = "Enviar nueva contraseña"; -$AutoGeneratePassword = "Generar automáticamente una contraseña"; -$UseDocumentTitleTitle = "Utilice un título para el nombre del documento"; -$UseDocumentTitleComment = "Esto permitirá utilizar un título para el nombre de cada documento en lugar de nom_document.ext"; -$StudentPublications = "Tareas"; -$PermanentlyRemoveFilesTitle = "Los archivos eliminados no pueden ser recuperados"; -$PermanentlyRemoveFilesComment = "Si en el área de documentos elimina un archivo, esta eliminación será definitiva. El archivo no podrá ser recuperado después"; -$DropboxMaxFilesizeTitle = "Compartir documentos: tamaño máximo de los documentos"; -$DropboxMaxFilesizeComment = "¿Qué tamaño en MB puede tener un documento?"; -$DropboxAllowOverwriteTitle = "Compartir documentos: los documentos se sobreescribirán"; -$DropboxAllowOverwriteComment = "¿ Puede sobreescribirse el documento original cuando un estudiante o profesor sube un documento con el mismo nombre de otro que ya existe ? Si responde sí, perderá la posibilidad de conservar sucesivas versiones"; -$DropboxAllowJustUploadTitle = "¿ Compartir documentos: subir al propio espacio ?"; -$DropboxAllowJustUploadComment = "Permitir a los profesores y a los estudiantes subir documentos en su propia sección de documentos compartidos sin enviarlos a nadie más (=enviarse un documento a uno mismo)"; -$DropboxAllowStudentToStudentTitle = "Compartir documentos: estudiante <-> estudiante"; -$DropboxAllowStudentToStudentComment = "Permitir a los estudiantes enviar documentos a otros estudiantes (peer to peer, intercambio P2P). Tenga en cuenta que los estudiantes pueden usar esta funcionalidad para enviarse documentos poco relevantes (mp3, soluciones,...). Si deshabilita esta opción los estudiantes sólo podrán enviar documentos a sus profesores"; -$DropboxAllowMailingTitle = "Compartir documentos: permitir el envío por correo"; -$DropboxAllowMailingComment = "Con la funcionalidad de envío por correo, Ud. puede enviar un documento personal a cada estudiante"; -$PermissionsForNewDirs = "Permisos para los nuevos directorios"; -$PermissionsForNewDirsComment = "La posibilidad de definir la configuración de los permisos asignados a los nuevos directorios, aumenta la seguridad contra los ataques de hackers que puedan enviar material peligroso a la plataforma. La configuración por defecto (0770) debe ser suficiente para dar a su servidor un nivel de protección razonable. El formato proporcionado utiliza la terminología de UNIX Propietario-Grupo-Otros con los permisos de Lectura-Escritura-Ejecución."; -$UserListHasBeenExported = "La lista de usuarios ha sido exportada."; -$ClickHereToDownloadTheFile = "Haga clic aquí para descargar el archivo."; -$administratorTelephoneTitle = "Administrador de la plataforma: teléfono"; -$administratorTelephoneComment = "Número de teléfono del administrador de la plataforma"; -$SendMailToNewUser = "Enviar un e-mail al nuevo usuario"; -$ExtendedProfileTitle = "Perfil extendido"; -$ExtendedProfileComment = "Si se configura como 'Verdadero', un usuario puede rellenar los siguientes campos (opcionales): 'Mis competencias', 'Mis títulos', '¿Qué puedo enseñar?' y 'Mi área personal pública'"; -$Classes = "Clases"; -$UserUnsubscribed = "La inscripción del usuario ha sido anulada."; -$CannotUnsubscribeUserFromCourse = "El usuario no puede anular su inscripci�n en el curso. Este usuario es un administrador del curso."; -$InvalidStartDate = "Fecha de inicio no válida."; -$InvalidEndDate = "Fecha de finalización no válida."; -$DateFormatLabel = "(d/m/a h:m)"; -$HomePageFilesNotWritable = "Los archivos de la página principal no se pueden escribir."; -$PleaseEnterNoticeText = "Por favor, introduzca el texto de la noticia"; -$PleaseEnterNoticeTitle = "Por favor, introduzca el título de la noticia"; -$PleaseEnterLinkName = "Por favor, introduzca el nombre del enlace"; -$InsertThisLink = "Insertar este enlace"; -$FirstPlace = "Primer lugar"; -$DropboxAllowGroupTitle = "Compartir documentos: permitir al grupo"; -$DropboxAllowGroupComment = "Los usuarios pueden enviar archivos a los grupos"; -$ClassDeleted = "La clase ha sido eliminada"; -$ClassesDeleted = "Las clases han sido eliminadas"; -$NoUsersInClass = "No hay usuarios en esta clase"; -$UsersAreSubscibedToCourse = "Los usuarios seleccionados han sido inscritos en sus correspondientes cursos"; -$InvalidTitle = "Por favor, introduzca un título"; -$CatCodeAlreadyUsed = "Esta categoría ya está en uso"; -$PleaseEnterCategoryInfo = "Por favor, introduzca un código y un nombre para esta categoría"; -$RegisterYourPortal = "Registre su plataforma"; -$ShowNavigationMenuTitle = "Mostrar el menú de navegación del curso"; -$ShowNavigationMenuComment = "Mostrar el menu de navegación facilitará el acceso a las diferentes áreas del curso."; -$LoginAs = "Iniciar sesión como"; -$ImportClassListCSV = "Importar un listado de clases desde un fichero CSV"; -$ShowOnlineWorld = "Mostrar el número de usuarios en línea en la página de autentificación (visible para todo el mundo)"; -$ShowOnlineUsers = "Mostrar el número de usuarios en línea en todas las páginas (visible para quienes se hayan autentificado)"; -$ShowOnlineCourse = "Mostrar el número de usuarios en línea en este curso"; -$ShowIconsInNavigationsMenuTitle = "¿Mostrar los iconos en el menú de navegación?"; -$SeeAllRightsAllRolesForSpecificLocation = "Ver todos los perfiles y permisos para un lugar específico"; -$MetaTwitterCreatorTitle = "Cuenta Twitter Creator"; -$ClassesSubscribed = "Las clases seleccionadas fueron inscritas en los cursos seleccionados"; -$RoleId = "ID del perfil"; -$RoleName = "Nombre del perfil"; -$RoleType = "Tipo"; -$MakeAvailable = "Habilitar"; -$MakeUnavailable = "Deshabilitar"; -$Stylesheets = "Hojas de estilo"; -$ShowIconsInNavigationsMenuComment = "¿Se debe mostrar los iconos de las herramientas en el menú de navegación?"; -$Plugin = "Plugin"; -$MainMenu = "Menú principal"; -$MainMenuLogged = "Menú principal después de autentificarse"; -$Banner = "Banner"; -$ImageResizeTitle = "Redimensionar las imágenes enviadas por los usuarios"; -$ImageResizeComment = "Las imágenes de los usuarios pueden ser redimensionadas cuando se envían si PHP está compilado con GD library. Si GD no está disponible, la configuración será ignorada."; -$MaxImageWidthTitle = "Anchura máxima de la imagen del usuario"; -$MaxImageWidthComment = "Anchura máxima en pixeles de la imagen de un usuario. Este ajuste se aplica solamente si las imágenes de lo usuarios se configuran para ser redimensionadas al enviarse."; -$MaxImageHeightTitle = "Altura máxima de la imagen del usuario"; -$MaxImageHeightComment = "Altura máxima en pixels de la imagen de un usuario. Esta configuración sólo se aplica si las imágenes de los usuarios han sido configuradas para ser redimensionadas al enviarse."; -$YourVersionIs = "Su versión es"; -$ConnectSocketError = "Error de conexión vía socket"; -$SocketFunctionsDisabled = "Las conexiones vía socket están deshabilitadas"; -$ShowEmailAddresses = "Mostrar la dirección de correo electrónico"; -$ShowEmailAddressesComment = "Mostrar a los usuarios las direcciones de correo electrónico"; -$ActiveExtensions = "Activar los servicios"; -$Visioconf = "Videoconferencia"; -$VisioconfDescription = "Chamilo Live Conferencing® es una herramienta estándar de videoconferencia que ofrece: mostrar diapositivas, pizarra para dibujar y escribir, audio/video duplex, chat. Tan solo requiere Flash® player, permitiendo tres modos: uno a uno, uno a muchos, y muchos a muchos."; -$Ppt2lp = "Chamilo RAPID Lecciones"; -$Ppt2lpDescription = "Chamilo RAPID es una herramienta que permite generar secuencias de aprendizaje rápidamente.Puede convertir presentaciones Powerpoint y documentos Word, así como sus equivalentes de Openoffice en cursos tipo SCORM. Tras la conversión, el documento podrá ser gestionado por la herramienta lecciones de Chamilo. Podrá añadir diapositivas, audio, ejercicios entre las diapositivas o actividades como foros de discusión y el envío de tareas. Al ser un curso SCORM permite el informe y el seguimiento de los estudiantes. El sistema combina el poder de Openoffice como herramienta de conversión de documentos MS-Office + el servidor streamming RED5 para la grabación de audio + la herramienta de administración de lecciones de Chamilo."; -$BandWidthStatistics = "Estadísticas del tráfico"; -$BandWidthStatisticsDescription = "MRTG le permite consultar estadísticas detalladas del estado del servidor en las últimas 24 horas."; -$ServerStatistics = "Estadísticas del servidor"; -$ServerStatisticsDescription = "AWStats le permite consultar las estadísticas de su plataforma: visitantes, páginas vistas, referenciadores..."; -$SearchEngine = "Buscador de texto completo"; -$SearchEngineDescription = "El buscador de texto completo le permite buscar una palabra a través de toda la plataforma. La indización diaria de los contenidos le asegura la calidad de los resultados."; -$ListSession = "Lista de sesiones de formación"; -$AddSession = "Crear una sesión de formación"; -$ImportSessionListXMLCSV = "Importar sesiones en formato XML/CSV"; -$ExportSessionListXMLCSV = "Exportar sesiones en formato XML/CSV"; -$NbCourses = "Número de cursos"; -$DateStart = "Fecha inicial"; -$DateEnd = "Fecha final"; -$CoachName = "Nombre del tutor"; -$SessionNameIsRequired = "Debe dar un nombre a la sesión"; -$NextStep = "Siguiente elemento"; -$Confirm = "Confirmar"; -$UnsubscribeUsersFromCourse = "Anular la inscripción de los usuarios en el curso"; -$MissingClassName = "Falta el nombre de la clase"; -$ClassNameExists = "El nombre de la clase ya existe"; -$ImportCSVFileLocation = "Localización del fichero de importación CSV"; -$ClassesCreated = "Clases creadas"; -$ErrorsWhenImportingFile = "Errores al importar el fichero"; -$ServiceActivated = "Servicio activado"; -$ActivateExtension = "Activar servicios"; -$InvalidExtension = "Extensión no válida"; -$VersionCheckExplanation = "Para habilitar la comprobación automática de la versión debe registrar su plataforma en chamilo.org. La información obtenida al hacer clic en este botón sólo es para uso interno y sólo los datos añadidos estarán disponibles públicamente (número total de usuarios de la plataforma, número total de cursos, número total de estudiantes,...) (ver http://www.chamilo.org/stats/). Cuando se registre, también aparecerá en esta lista mundial (http://www.chamilo.org/community.php. Si no quiere aparecer en esta lista, debe marcar la casilla inferior. El registro es tan fácil como hacer clic sobre este botón:
        "; -$AfterApproval = "Después de ser aprobado"; -$StudentViewEnabledTitle = "Activar la Vista de estudiante"; -$StudentViewEnabledComment = "Habilitar la Vista de estudiante, que permite que un profesor o un administrador pueda ver un curso como lo vería un estudiante"; -$TimeLimitWhosonlineTitle = "Límite de tiempo de Usuarios en línea"; -$TimeLimitWhosonlineComment = "Este límite de tiempo define cuantos minutos han de pasar despúes de la última acción de un usuario para seguir considerándolo *en línea*"; -$ExampleMaterialCourseCreationTitle = "Material de ejemplo para la creación de un curso"; -$ExampleMaterialCourseCreationComment = "Crear automáticamente material de ejemplo al crear un nuevo curso"; -$AccountValidDurationTitle = "Validez de la cuenta"; -$AccountValidDurationComment = "Una cuenta de usuario es válida durante este número de días a partir de su creación"; -$UseSessionModeTitle = "Usar sesiones de formación"; -$UseSessionModeComment = "Las sesiones ofrecen una forma diferente de tratar los cursos, donde el curso tiene un creador, un tutor y unos estudiantes. Cada tutor imparte un curso por un perido de tiempo, llamado *sesión*, a un conjunto de estudiantes"; -$HomepageViewActivity = "Ver la actividad"; -$HomepageView2column = "Visualización en dos columnas"; -$HomepageView3column = "Visualización en tres columnas"; -$AllowUserHeadings = "Permitir encabezados de usuarios"; -$IconsOnly = "Sólo iconos"; -$TextOnly = "Sólo texto"; -$IconsText = "Iconos y texto"; -$EnableToolIntroductionTitle = "Activar introducción a las herramientas"; -$EnableToolIntroductionComment = "Habilitar una introducción en cada herramienta de la página principal"; -$BreadCrumbsCourseHomepageTitle = "Barra de navegación de la página principal del curso"; -$BreadCrumbsCourseHomepageComment = "La barra de navegación es un sistema de navegación horizontal mediante enlaces que generalmente se sitúa en la zona superior izquierda de su página. Esta opción le permite seleccionar el contenido de esta barra en la página principal de cada curso"; -$MetaTwitterSiteComment = "La cuenta Twitter Site es una cuenta Twitter (ej: @chamilo_news) que se relaciona con su portal. Usualmente, se trata de una cuenta temporal o institucional, más no de una cuenta de un indivíduo en particular (como la es la del Twitter Creator). Este campo es obligatorio para mostrar el resto de campos de las Twitter Cards."; -$LoginPageMainArea = "Area principal de la página de acceso"; -$LoginPageMenu = "Menú de la página de acceso"; -$CampusHomepageMainArea = "Area principal de la página de acceso a la plataforma"; -$CampusHomepageMenu = "Menú de la página de acceso a la plataforma"; -$MyCoursesMainArea = "Área principal de cursos"; -$MyCoursesMenu = "Menú de cursos"; -$Header = "Cabecera"; -$Footer = "Pie"; -$PublicPagesComplyToWAITitle = "Páginas públicas conformes a WAI"; -$PublicPagesComplyToWAIComment = "WAI (Web Accessibility Initiative) es una iniciativa para hacer la web más accesible. Seleccionando esta opción, las páginas públicas de Chamilo serán más accesibles. Esto también hará que algunos contenidos de las páginas publicadas en la plataforma puedan mostrarse de forma diferente."; -$VersionCheck = "Comprobar versión"; -$SessionOverview = "Resumen de la sesión de formación"; -$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"; -$DeleteSelectedSessions = "Eliminar las sesiones seleccionadas"; -$CourseListInSession = "Lista de cursos en esta sesión"; -$UnsubscribeCoursesFromSession = "Cancelar la inscripción en la sesión de los cursos seleccionados"; -$NbUsers = "Usuarios"; -$SubscribeUsersToSession = "Inscribir usuarios en esta sesión"; -$UserListInPlatform = "Lista de usuarios de la plataforma"; -$UserListInSession = "Lista de usuarios inscritos en esta sesión"; -$CourseListInPlatform = "Lista de cursos de la plataforma"; -$Host = "Servidor"; -$UserOnHost = "Nombre de usuario"; -$FtpPassword = "Contraseña FTP"; -$PathToLzx = "Path de los archivos LZX"; -$WCAGContent = "texto"; -$SubscribeCoursesToSession = "Inscribir cursos en esta sesión"; -$DateStartSession = "Fecha de comienzo de sesión"; -$DateEndSession = "Fecha de fin de sesión"; -$EditSession = "Editar esta sesión"; -$VideoConferenceUrl = "Path de la reunión por videoconferencia"; -$VideoClassroomUrl = "Path del aula de videoconferencia"; -$ReconfigureExtension = "Reconfigurar la extensión"; -$ServiceReconfigured = "Servicio reconfigurado"; -$ChooseNewsLanguage = "Seleccionar idioma"; -$Ajax_course_tracking_refresh = "Suma el tiempo transcurrido en un curso"; -$Ajax_course_tracking_refresh_comment = "Esta opción se usa para calcular en tiempo real el tiempo que un usuario ha pasado en un curso. El valor de este campo es el intervalo de refresco en segundos. Para desactivar esta opción, dejar en el campo el valor por defecto 0."; -$FinishSessionCreation = "Terminar la creación de la sesión"; -$VisioRTMPPort = "Puerto del protocolo RTMP para la videoconferencia"; -$SessionNameAlreadyExists = "El nombre de la sesión ya existe"; -$NoClassesHaveBeenCreated = "No se ha creado ninguna clase"; -$ThisFieldShouldBeNumeric = "Este campo debe ser numérico"; -$UserLocked = "Usuario bloqueado"; -$UserUnlocked = "Usuario desbloqueado"; -$CannotDeleteUser = "No puede eliminar este usuario"; -$SelectedUsersDeleted = "Los usuarios seleccionados han sido borrados"; -$SomeUsersNotDeleted = "Algunos usuarios no han sido borrados"; -$ExternalAuthentication = "Autentificación externa"; -$RegistrationDate = "Fecha de registro"; -$UserUpdated = "Usuario actualizado"; -$HomePageFilesNotReadable = "Los ficheros de la página principal no son legibles"; -$Choose = "Seleccione"; -$ModifySessionCourse = "Modificar la sesión del curso"; -$CourseSessionList = "Lista de los cursos de la sesión"; -$SelectACoach = "Seleccionar un tutor"; -$UserNameUsedTwice = "El nombre de usuario ya está en uso"; -$UserNameNotAvailable = "Este nombre de usuario no está disponible pues ya está siendo utilizado por otro usuario"; -$UserNameTooLong = "Este nombre de usuario es demasiado largo"; -$WrongStatus = "Este estado no existe"; -$ClassNameNotAvailable = "Este nombre de clase no está disponible"; -$FileImported = "Archivo importado"; -$WhichSessionToExport = "Seleccione la sesión a exportar"; -$AllSessions = "Todas las sesiones"; -$CodeDoesNotExists = "Este código no existe"; -$UnknownUser = "Usuario desconocido"; -$UnknownStatus = "Estatus desconocido"; -$SessionDeleted = "La sesión ha sido borrada"; -$CourseDoesNotExist = "Este curso no existe"; -$UserDoesNotExist = "Este usuario no existe"; -$ButProblemsOccured = "pero se han producido problemas"; -$UsernameTooLongWasCut = "Este nombre de usuario fue cortado"; -$NoInputFile = "No se envió ningún archivo"; -$StudentStatusWasGivenTo = "El estatus de estudiante ha sido dado a"; -$WrongDate = "Formato de fecha erróneo (yyyy-mm-dd)"; -$YouWillSoonReceiveMailFromCoach = "En breve, recibirá un correo electrónico de su tutor."; -$SlideSize = "Tamaño de las diapositivas"; -$EphorusPlagiarismPrevention = "Prevención de plagio Ephorus"; -$CourseTeachers = "Profesores del curso"; -$UnknownTeacher = "Profesor desconocido"; -$HideDLTTMarkup = "Ocultar las marcas DLTT"; -$ListOfCoursesOfSession = "Lista de cursos de la sesión"; -$UnsubscribeSelectedUsersFromSession = "Cancelar la inscripción en la sesión de los usuarios seleccionados"; -$ShowDifferentCourseLanguageComment = "Mostrar el idioma de cada curso, después de su título, en la lista los cursos de la página principal"; -$ShowEmptyCourseCategoriesComment = "Mostrar las categorías de cursos en la página principal, aunque estén vacías"; -$ShowEmptyCourseCategories = "Mostrar las categorías de cursos vacías"; -$XMLNotValid = "El documento XML no es válido"; -$ForTheSession = "de la sesión"; -$AllowEmailEditorTitle = "Activar el editor de correo electrónico en línea"; -$AllowEmailEditorComment = "Si se activa esta opción, al hacer clic en un correo electrónico, se abrirá un editor en línea."; -$AddCSVHeader = "¿ Añadir la linea de cabecera del CSV ?"; -$YesAddCSVHeader = "Sí, añadir las cabeceras CSV
        Esta línea define los campos y es necesaria cuando quiera importar el archivo en otra plataforma Chamilo"; -$ListOfUsersSubscribedToCourse = "Lista de usuarios inscritos en el curso"; -$NumberOfCourses = "Número de cursos"; -$ShowDifferentCourseLanguage = "Mostrar los idiomas de los cursos"; -$VisioRTMPTunnelPort = "Puerto de tunelización del protocolo RTMP para la videoconferencia (RTMTP)"; -$Security = "Seguridad"; -$UploadExtensionsListType = "Tipo de filtrado en los envíos de documentos"; -$UploadExtensionsListTypeComment = "Utilizar un filtrado blacklist o whitelist. Para más detalles, vea más abajo la descripción ambos filtros."; -$Blacklist = "Blacklist"; -$Whitelist = "Whitelist"; -$UploadExtensionsBlacklist = "Blacklist - parámetros"; -$UploadExtensionsWhitelist = "Whitelist - parámetros"; -$UploadExtensionsBlacklistComment = "La blacklist o lista negra, se usa para filtrar los ficheros según sus extensiones, eliminando (o renombrando) cualquier fichero cuya extensión se encuentre en la lista inferior. Las extensiones deben figurar sin el punto (.) y separadas por punto y coma (;) por ejemplo: exe; COM; palo; SCR; php. Los archivos sin extensión serán aceptados. Que las letras estén en mayúsculas o en minúsculas no tiene importancia."; -$UploadExtensionsWhitelistComment = "La whitelist o lista blanca, se usa para filtrar los ficheros según sus extensiones, eliminando (o renombrando) cualquier fichero cuya extensión *NO* figure en la lista inferior. Es el tipo de filtrado más seguro, pero también el más restrictivo. Las extensiones deben figurar sin el punto (.) y separadas por punto y coma (;) por ejemplo: htm;html;txt;doc;xls;ppt;jpg;jpeg;gif;sxw . Los archivos sin extensión serán aceptados. Que las letras estén en mayúsculas o en minúsculas no tiene importancia."; -$UploadExtensionsSkip = "Comportamiento del filtrado (eliminar/renombrar)"; -$UploadExtensionsSkipComment = "Si elige eliminar, los archivos filtrados a través de la blacklist o de la whitelist no podrán ser enviados al sistema. Si elige renombrarlos, su extensión será sustituida por la definida en la configuración del reemplazo de extensiones. Tenga en cuenta que renombrarlas realmente no le protege y que puede ocasionar un conflicto de nombres si previamente existen varios ficheros con el mismo nombre y diferentes extensiones."; -$UploadExtensionsReplaceBy = "Reemplazo de extensiones"; -$UploadExtensionsReplaceByComment = "Introduzca la extensión que quiera usar para reemplazar las extensiones peligrosas detectadas por el filtro. Sólo es necesario si ha seleccionado filtrar por reemplazo."; -$ShowNumberOfCoursesComment = "Mostrar el número de cursos de cada categoría, en las categorías de cursos de la página principal"; -$EphorusDescription = "Comenzar a usar en Chamilo el servicio antiplagio de Ephorus.
        Con Ephorus, prevendrá el plagio de Internet sin ningún esfuerzo adicional.
        Puede utilizar nuestro servicio web estándar para construir su propia integración o utilizar uno de los módulos de la integración de Chamilo."; -$EphorusLeadersInAntiPlagiarism = "Líderes en 
        antiplagio
        "; -$EphorusClickHereForInformationsAndPrices = "Haga clic aquí para más información y precios"; -$NameOfTheSession = "Nombre de la sesión"; -$NoSessionsForThisUser = "Este usuario no está inscrito en ninguna sesión de formación"; -$DisplayCategoriesOnHomepageTitle = "Mostrar categorías en la página principal"; -$DisplayCategoriesOnHomepageComment = "Esta opción mostrará u ocultará las categorías de cursos en la página principal de la plataforma"; -$ShowTabsTitle = "Pestañas en la cabecera"; -$ShowTabsComment = "Seleccione que pestañas quiere que aparezcan en la cabecera. Las pestañas no seleccionadas, si fueran necesarias, aparecerán en el menú derecho de la página principal de la plataforma y en la página de mis cursos"; -$DefaultForumViewTitle = "Vista del foro por defecto"; -$DefaultForumViewComment = "Cuál es la opción por defecto cuando se crea un nuevo foro. Sin embargo, cualquier administrador de un curso puede elegir una vista diferente en cada foro"; -$TabsMyCourses = "Pestaña Mis cursos"; -$TabsCampusHomepage = "Pestaña Página principal de la plataforma"; -$TabsReporting = "Pestaña Informes"; -$TabsPlatformAdministration = "Pestaña Administración de la plataforma"; -$NoCoursesForThisSession = "No hay cursos para esta sesión"; -$NoUsersForThisSession = "No hay usuarios para esta sesión"; -$LastNameMandatory = "Los apellidos deben completarse obligatoriamente"; -$FirstNameMandatory = "El nombre no puede ser vacio"; -$EmailMandatory = "La dirección de correo electrónico debe cumplimentarse obligatoriamente"; -$TabsMyAgenda = "Pestaña Mi agenda"; -$NoticeWillBeNotDisplayed = "La noticia no será mostrada en la página principal"; -$LetThoseFieldsEmptyToHideTheNotice = "Deje estos campos vacíos si no quiere mostrar la noticia"; -$Ppt2lpVoiceRecordingNeedsRed5 = "La funcionalidad de grabación de voz en el Editor de Itinerarios de aprendizaje depende un servidor de streaming Red5. Los parámetros de este servidor pueden configurarse en la sección de videoconferencia de esta misma página."; -$PlatformCharsetTitle = "Juego de caracteres"; -$PlatformCharsetComment = "El juego de caracteres es el que controla la manera en que determinados idiomas son mostrados en Chamilo. Si, por ejemplo, utiliza caracteres rusos o japoneses, es posible que quiera cambiar este juego. Para todos los caracteres anglosajones, latinos y de Europa Occidental, el juego por defecto UTF-8 debe ser el correcto."; -$ExtendedProfileRegistrationTitle = "Campos del perfil extendido del registro"; -$ExtendedProfileRegistrationComment = "¿ Qué campos del perfil extendido deben estar disponibles en el proceso de registro de un usuario ? Esto requiere que el perfil extendido esté activado (ver más arriba)."; -$ExtendedProfileRegistrationRequiredTitle = "Campos requeridos en el perfil extendido del registro"; -$ExtendedProfileRegistrationRequiredComment = "¿Qué campos del perfil extendido son obligatorios en el proceso de registro de un usuario? Esto requiere que el perfil extendido esté activado y que el campo también esté disponible en el formulario de registro (véase más arriba)."; -$NoReplyEmailAddress = "No responder a este correo (No-reply e-mail address)"; -$NoReplyEmailAddressComment = "Esta es la dirección de correo electrónico que se utiliza cuando se envía un correo para solicitar que no se realice ninguna respuesta. Generalmente, esta dirección de correo electrónico debe ser configurada en su servidor eliminando/ignorando cualquier correo entrante."; -$SurveyEmailSenderNoReply = "Remitente de la encuesta (no responder)"; -$SurveyEmailSenderNoReplyComment = "¿ Los correos electrónicos utilizados para enviar las encuestas, deben usar el correo electrónico del tutor o una dirección especial de correo electrónico a la que el destinatario no responde (definida en los parámetros de configuración de la plataforma) ?"; -$CourseCoachEmailSender = "Correo electrónico del tutor"; -$NoReplyEmailSender = "No responder a este correo (No-reply e-mail address)"; -$OpenIdAuthenticationComment = "Activar la autentificación basada en URL OpenID (muestra un formulario de adicional de identificación en la página principal de la plataforma)"; -$VersionCheckEnabled = "Comprobación de la versión activada"; -$InstallDirAccessibleSecurityThreat = "El directorio de instalación main/install/ es todavía accesible a los usuarios de la Web. Esto podría representar una amenaza para su seguridad. Le recomendamos que elimine este directorio o que cambie sus permisos, de manera que los usuarios de la Web no puedan usar los scripts que contiene."; -$GradebookActivation = "Activación de la herramienta Evaluaciones"; -$GradebookActivationComment = "La herramienta Evaluaciones le permite evaluar las competencias de su organización mediante la fusión de las evaluaciones de actividades de clase y de actividades en línea en Informes comunes. ¿ Está seguro de querer activar esta herramienta ?"; -$UserTheme = "Tema (hoja de estilo)"; -$UserThemeSelection = "Selección de tema por el usuario"; -$UserThemeSelectionComment = "Permitir a los usuarios elegir su propio tema visual en su perfil. Esto les cambiará el aspecto de Chamilo, pero dejará intacto el estilo por defecto de la plataforma. Si un curso o una sesión han sido asignados a un tema específico, en ellos éste tendrá prioridad sobre el tema definido para el perfil de un usuario."; -$VisioHost = "Nombre o dirección IP del servidor de streaming para la videoconferencia"; -$VisioPort = "Puerto del servidor de streaming para la videoconferencia"; -$VisioPassword = "Contraseña del servidor de streaming para la videoconferencia"; -$Port = "Puerto"; -$EphorusClickHereForADemoAccount = "Haga clic aquí para obtener una cuenta de demostración"; -$ManageUserFields = "Gestionar los campos de usuario"; -$AddUserField = "Añadir un campo de usuario"; -$FieldLabel = "Etiqueta del campo"; -$FieldType = "Tipo de campo"; -$FieldTitle = "Título del campo"; -$FieldDefaultValue = "Valor por defecto del campo"; -$FieldOrder = "Orden del campo"; -$FieldVisibility = "Visibilidad del campo"; -$FieldChangeability = "Modificable"; -$FieldTypeText = "Texto"; -$FieldTypeTextarea = "Area de texto"; -$FieldTypeRadio = "Botones de radio"; -$FieldTypeSelect = "Desplegable"; -$FieldTypeSelectMultiple = "Desplegable con elección múltiple"; -$FieldAdded = "El campo ha sido añadido"; -$GradebookScoreDisplayColoring = "Coloreado de puntuación"; -$GradebookScoreDisplayColoringComment = "Seleccione la casilla para habilitar el coloreado de las puntuaciones (por ejemplo, tendrá que definir qué puntuaciones serán marcadas en rojo)"; -$TabsGradebookEnableColoring = "Habilitar el coloreado de las puntuaciones"; -$GradebookScoreDisplayCustom = "Personalización de la presentación de las puntuaciones"; -$GradebookScoreDisplayCustomComment = "Marque la casilla para activar la personalización de las puntuaciones (seleccione el nivel que se asociará a cada puntuación)"; -$TabsGradebookEnableCustom = "Activar la configuración de puntuaciones"; -$GradebookScoreDisplayColorSplit = "Límite para el coloreado de las puntuaciones"; -$GradebookScoreDisplayColorSplitComment = "Porcentaje límite por debajo del cual las puntuaciones se colorearán en rojo"; -$GradebookScoreDisplayUpperLimit = "Mostrar el límite superior de puntuación"; -$GradebookScoreDisplayUpperLimitComment = "Marque la casilla para mostrar el límite superior de la puntuación"; -$TabsGradebookEnableUpperLimit = "Activar la visualización del límite superior de la puntuación"; -$AddUserFields = "Añadir campos de usuario"; -$FieldPossibleValues = "Valores posibles"; -$FieldPossibleValuesComment = "Sólo en campos repetitivos, debiendo estar separados por punto y coma (;)"; -$FieldTypeDate = "Fecha"; -$FieldTypeDatetime = "Fecha y hora"; -$UserFieldsAddHelp = "Añadir un campo de usuario es muy fácil:
        - elija una palabra como identificador en minúsculas,
        - seleccione un tipo,
        - elija el texto que le debe aparecer al usuario (si utiliza un nombre ya traducido por Chamilo, como BirthDate o UserSex, automáticamente se traduce a todos los idiomas),
        - si ha elegido un campo del tipo selección múltiple (radio, seleccionar, selección múltiple), tiene la oportunidad de elegir (también aquí, puede hacer uso de las variables de idioma definidas en Chamilo), separado por punto y coma,
        - en los campos tipo texto, puede elegir un valor por defecto.

        Una vez que esté listo, agregue el campo y elija si desea hacerlo visible y modificable. Hacerlo modificable pero oculto es inútil."; -$AllowCourseThemeTitle = "Permitir temas para personalizar el aspecto del curso"; -$AllowCourseThemeComment = "Permitir que los cursos puedan tener un tema gráfico distinto, cambiando la hoja de estilo usada por una de las disponibles en Chamilo. Cuando un usuario entra en un curso, la hoja de estilo del curso tiene preferencia sobre la del usuario y sobre la que esté definida por defecto para la plataforma."; -$DisplayMiniMonthCalendarTitle = "Mostrar en la agenda el calendario mensual reducido"; -$DisplayMiniMonthCalendarComment = "Esta configuración activa o desactiva el pequeño calendario mensual que aparece a la izquierda en la herramienta agenda de un curso"; -$DisplayUpcomingEventsTitle = "Mostrar los próximos eventos en la agenda"; -$DisplayUpcomingEventsComment = "Esta configuración activa o desactiva los próximos eventos que aparecen a la izquierda de la herramienta agenda de un curso."; -$NumberOfUpcomingEventsTitle = "Número de próximos eventos que se deben mostrar"; -$NumberOfUpcomingEventsComment = "Número de próximos eventos que serán mostrados en la agenda. Esto requiere que la funcionalidad próximos eventos esté activada (ver más arriba la configuración)"; -$ShowClosedCoursesTitle = "¿ Mostrar los cursos cerrados en la página de registro y en la página principal de la plataforma ?"; -$ShowClosedCoursesComment = "¿ Mostrar los cursos cerrados en la página de registro y en la página principal de la plataforma ? En la página de inicio de la plataforma aparecerá un icono junto al curso, para inscribirse rápidamente en el mismo. Esto solo se mostrará en la página principal de la plataforma tras la autentificación del usuario y siempre que ya no esté inscrito en el curso."; -$LDAPConnectionError = "Error de conexión LDAP"; -$LDAP = "LDAP"; -$LDAPEnableTitle = "Habilitar LDAP"; -$LDAPEnableComment = "Si tiene un servidor LDAP, tendrá que configurar los parámetros inferiores y modificar el fichero de configuración descrito en la guía de instalación, y finalmente activarlo. Esto permitirá a los usuarios autentificarse usando su nombre de usuario LDAP. Si no conoce LDAP es mejor que deje esta opción desactivada"; -$LDAPMainServerAddressTitle = "Dirección del servidor LDAP principal"; -$LDAPMainServerAddressComment = "La dirección IP o la URL de su servidor LDAP principal."; -$LDAPMainServerPortTitle = "Puerto del servidor LDAP principal"; -$LDAPMainServerPortComment = "El puerto en el que el servidor LDAP principal responderá (generalmente 389). Este parámetro es obligatorio."; -$LDAPDomainTitle = "Dominio LDAP"; -$LDAPDomainComment = "Este es el dominio (dc) LDAP que será usado para encontrar los contactos en el servidor LDAP. Por ejemplo: dc=xx, dc=yy, dc=zz"; -$LDAPReplicateServerAddressTitle = "Dirección del servidor de replicación"; -$LDAPReplicateServerAddressComment = "Cuando el servidor principal no está disponible, este servidor le dará acceso. Deje en blanco o use el mismo valor que el del servidor principal si no tiene un servidor de replicación."; -$LDAPReplicateServerPortTitle = "Puerto del servidor LDAP de replicación"; -$LDAPReplicateServerPortComment = "El puerto en el que el servidor LDAP de replicación responderá."; -$LDAPSearchTermTitle = "Término de búsqueda"; -$LDAPSearchTermComment = "Este término será usado para filtrar la búsqueda de contactos en el servidor LDAP. Si no está seguro de lo que escribir aquí, consulte la documentación y configuración de su servidor LDAP."; -$LDAPVersionTitle = "Versión LDAP"; -$LDAPVersionComment = "Por favor, seleccione la versión del servidor LDAP que quiere usar. El uso de la versión correcta depende de la configuración de su servidor LDAP."; -$LDAPVersion2 = "LDAP 2"; -$LDAPVersion3 = "LDAP 3"; -$LDAPFilledTutorFieldTitle = "Campo de identificación de profesor"; -$LDAPFilledTutorFieldComment = "Comprobará el contenido del campo de contacto LDAP donde los nuevos usuarios serán insertados. Si este campo no está vacío, el usuario será considerado como profesor y será insertado en Chamilo como tal. Si Ud. quiere que todos los usuarios sean reconocidos como simples usuarios, deje este campo en blanco. Podrá modificar este comportamiento cambiando el código. Para más información lea la guía de instalación."; -$LDAPAuthenticationLoginTitle = "Identificador de autentificación"; -$LDAPAuthenticationLoginComment = "Si está usando un servidor LDAP que no acepta acceso anónimo, rellene el siguiente campo con el nombre de usuario que debe ser usado. No incluya \"cn=\". En el caso de aceptar acceso anónimo y querer usarlo, déjelo vacío."; -$LDAPAuthenticationPasswordTitle = "Contraseña de autentificación"; -$LDAPAuthenticationPasswordComment = "Si está usando un servidor LDAP que no acepta acceso anónimo, rellene el siguiente campo con la contraseña que tenga que usarse."; -$LDAPImport = "Importación LDAP"; -$EmailNotifySubscription = "Notificar usuarios registrados por e-mail"; -$DontUncheck = "No desactivar"; -$AllSlashNone = "Todos/Ninguno"; -$LDAPImportUsersSteps = "Importación LDAP: Usuarios/Etapas"; -$EnterStepToAddToYourSession = "Introduzca la etapa que quiera añadir a su sesión"; -$ToDoThisYouMustEnterYearDepartmentAndStep = "Para hacer esto, debe introducir el año, el departamento y la etapa"; -$FollowEachOfTheseStepsStepByStep = "Siga cada una de los elementos, paso a paso"; -$RegistrationYearExample = "Año de registro. Ejemplo: %s para el año académico %s-%s"; -$SelectDepartment = "Seleccionar departamento"; -$RegistrationYear = "Año de registro"; -$SelectStepAcademicYear = "Seleccionar etapa (año académico)"; -$ErrorExistingStep = "Error: esta etapa ya existe"; -$ErrorStepNotFoundOnLDAP = "Error: etapa no encontrada en el servidor LDAP"; -$StepDeletedSuccessfully = "La etapa ha sido suprimida"; -$StepUsersDeletedSuccessfully = "Los usuarios han sido quitados de la etapa"; -$NoStepForThisSession = "No hay etapas para esta sesión"; -$DeleteStepUsers = "Quitar usuarios de la etapa"; -$ImportStudentsOfAllSteps = "Importar los estudiantes de todas las etapas"; -$ImportLDAPUsersIntoPlatform = "Añadir usuarios LDAP"; -$NoUserInThisSession = "No hay usuario en esta sesión"; -$SubscribeSomeUsersToThisSession = "Inscribir usuarios en esta sesión"; -$EnterStudentsToSubscribeToCourse = "Introduzca los estudiantes que quiera inscribir en su curso"; -$ToDoThisYouMustEnterYearComponentAndComponentStep = "Para hacer esto, debe introducir el año, la componente y la etapa de la componente"; -$SelectComponent = "Seleccionar componente"; -$Component = "Componente"; -$SelectStudents = "Seleccionar estudiantes"; -$LDAPUsersAdded = "Usuarios LDAP añadidos"; -$NoUserAdded = "Ningún usuario añadido"; -$ImportLDAPUsersIntoCourse = "Importar usuarios LDAP en un curso"; -$ImportLDAPUsersAndStepIntoSession = "Importar usuarios LDAP y una etapa en esta sesión"; -$LDAPSynchroImportUsersAndStepsInSessions = "Sincronización LDAP: Importar usuarios/etapas en las sesiones"; -$TabsMyGradebook = "Pestaña Evaluaciones"; -$LDAPUsersAddedOrUpdated = "Usuarios LDAP añadidos o actualizados"; -$SearchLDAPUsers = "Buscar usuarios LDAP"; -$SelectCourseToImportUsersTo = "Seleccione el curso en el que desee inscribir los usuarios que ha seleccionado"; -$ImportLDAPUsersIntoSession = "Importar usuarios LDAP en una sesión"; -$LDAPSelectFilterOnUsersOU = "Seleccione un filtro para encontrar usuarios cuyo atributo OU (Unidad Organizativa) acabe por el mismo"; -$LDAPOUAttributeFilter = "Filtro del atributo OU"; -$SelectSessionToImportUsersTo = "Seleccione la sesión en la que quiere importar estos usuarios"; -$VisioUseRtmptTitle = "Usar el protocolo rtmpt"; -$VisioUseRtmptComment = "El protocolo rtmpt permite acceder a una videoconferencia desde detrás de un firewall, redirigiendo las comunicaciones a través del puerto 80. Esto ralentizará el streaming por lo que se recomienda no utilizarlo a menos que sea necesario."; -$UploadNewStylesheet = "Nuevo archivo de hoja de estilo"; -$NameStylesheet = "Nombre de la hoja de estilo"; -$StylesheetAdded = "La hoja de estilo ha sido añadida"; -$LDAPFilledTutorFieldValueTitle = "Valor de identificación de un profesor"; -$LDAPFilledTutorFieldValueComment = "Cuando se realice una comprobación en el campo profesor que aparece arriba, para que el usuario sea considerado profesor, el valor que se le dé debe ser uno de los subelementos del campo profesor. Si deja este campo en blanco, la única condición para que sea considerado como profesor es que en este usuario LDAP el campo exista. Por ejemplo, el campo puede ser \"memberof\" y el valor de búsqueda puede ser \"CN=G_TRAINER,OU=Trainer\""; -$IsNotWritable = "no se puede escribir"; -$FieldMovedDown = "El campo ha sido desplazado hacia abajo"; -$CannotMoveField = "No se puede mover el campo"; -$FieldMovedUp = "El campo ha sido desplazado hacia arriba"; -$MetaTitleTitle = "Título meta OpenGraph"; -$MetaDescriptionComment = "Esto incluirá el tag de descripción OpenGraph (og:description) en las cabeceras (invisibles) de su portal."; -$MetaDescriptionTitle = "Descripción Meta"; -$MetaTitleComment = "Esto incluirá el tag OpenGraph Title (og:title) en las cabeceras (invisibles) de su portal."; -$FieldDeleted = "El campo ha sido eliminado"; -$CannotDeleteField = "No se puede eliminar el campo"; -$AddUsersByCoachTitle = "Registro de usuarios por el tutor"; -$AddUsersByCoachComment = "El tutor puede registrar nuevos usuarios en la plataforma e inscribirlos en una sesión."; -$UserFieldsSortOptions = "Ordenar las opciones de los campos del perfil"; -$FieldOptionMovedUp = "Esta opción ha sido movida arriba."; -$CannotMoveFieldOption = "No se puede mover la opción."; -$FieldOptionMovedDown = "La opción ha sido movida abajo."; -$DefineSessionOptions = "Definir el retardo del acceso del tutor"; -$DaysBefore = "días antes"; -$DaysAfter = "días después"; -$SessionAddTypeUnique = "Registro individual"; -$SessionAddTypeMultiple = "Registro múltiple"; -$EnableSearchTitle = "Funcionalidad de búsqueda de texto completo"; -$EnableSearchComment = "Seleccione \"Sí\" para habilitar esta funcionalidad. Esta utilidad depende de la extensión Xapian para PHP, por lo que no funcionará si esta extensión no está instalada en su servidor, como mínimo la versión 1.x"; -$SearchASession = "Buscar una sesión"; -$ActiveSession = "Activación de la sesión"; -$AddUrl = "Agregar URL"; -$ShowSessionCoachTitle = "Mostrar el tutor de la sesión"; -$ShowSessionCoachComment = "Mostrar el nombre del tutor global de la sesión dentro de la caja de título de la página del listado de cursos"; -$ExtendRightsForCoachTitle = "Ampliar los permisos del tutor"; -$ExtendRightsForCoachComment = "La activación de esta opción dará a los tutores los mismos permisos que tenga un profesor sobre las herramientas de autoría"; -$ExtendRightsForCoachOnSurveyComment = "La activación de esta opción dará a los tutores el derecho de crear y editar encuestas"; -$ExtendRightsForCoachOnSurveyTitle = "Ampliar los permisos de los tutores en las encuestas"; -$CannotDeleteUserBecauseOwnsCourse = "Este usuario no se puede eliminar porque sigue como docente de un curso o más. Puede cambiar su título de docente de estos cursos antes de eliminarlo, o bloquear su cuenta."; -$AllowUsersToCreateCoursesTitle = "Permitir la creación de cursos"; -$AllowUsersToCreateCoursesComment = "Los profesores pueden crear cursos en la plataforma"; -$AllowStudentsToBrowseCoursesComment = "Permitir a los estudiantes consular el catálogo de cursos en los que se pueden matricularse"; -$YesWillDeletePermanently = "Sí (los archivos se eliminarán permanentemente y no podrán ser recuperados)"; -$NoWillDeletePermanently = "No (los archivos se borrarán de la aplicación, pero podrán ser recuperados manualmente por su administrador)"; -$SelectAResponsible = "Seleccione a un responsable"; -$ThereIsNotStillAResponsible = "Aún no hay responsables"; -$AllowStudentsToBrowseCoursesTitle = "Los estudiantes pueden consultar el catálogo de cursos"; -$SharedSettingIconComment = "Esta configuración está compartida"; -$GlobalAgenda = "Agenda global"; -$AdvancedFileManagerTitle = "Gestor avanzado de ficheros para el editor WYSIWYG"; -$AdvancedFileManagerComment = "¿ Activar el gestor avanzado de archivos para el editor WYSIWYG ? Esto añadirá un considerable número de opciones al gestor de ficheros que se abre en una ventana cuando se envían archivos al servidor."; -$ScormAndLPProgressTotalAverage = "Promedio total de progreso de SCORM y soló lecciones"; -$MultipleAccessURLs = "Multiple access URL"; -$SearchShowUnlinkedResultsTitle = "Búsqueda full-text: mostrar resultados no accesibles"; -$SearchShowUnlinkedResultsComment = "Al momento de mostrar los resultados de la búsqueda full-text, como debería comportarse el sistema para los enlaces que no estan accesibles para el usuario actual?"; -$SearchHideUnlinkedResults = "No mostrarlos"; -$SearchShowUnlinkedResults = "Mostrarlos pero sin enlace hasta el recurso"; -$Templates = "Plantillas"; -$EnableVersionCheck = "Activar la verificación de versiones"; -$AllowMessageToolTitle = "Habilitar la herramienta mensajes"; -$AllowReservationTitle = "Habilitar la herramienta de Reservas"; -$AllowReservationComment = "Esta opción habilitará el sistema de Reservas"; -$ConfigureResourceType = "Configurar tipo de recurso"; -$ConfigureMultipleAccessURLs = "Configurar acceso a multiple URLs"; -$URLAdded = "URL agregada"; -$URLAlreadyAdded = "La URL ya se encuentra registrada, ingrese otra URL"; -$AreYouSureYouWantToSetThisLanguageAsThePortalDefault = "¿Esta seguro de que desea que este idioma sea el idioma por defecto de la plataforma?"; -$CurrentLanguagesPortal = "Idioma actual de la plataforma"; -$EditUsersToURL = "Editar usuarios y URLs"; -$AddUsersToURL = "Agregar usuarios a una URL"; -$URLList = "Lista de URLs"; -$AddToThatURL = "Agregar usuarios a esta URL"; -$SelectUrl = "Seleccione una URL"; -$UserListInURL = "Usuarios registrados en esta URL"; -$UsersWereEdited = "Los usuarios fueron modificados"; -$AtLeastOneUserAndOneURL = "Seleccione por lo menos un usuario y una URL"; -$UsersBelongURL = "Usuarios fueron editados"; -$LPTestScore = "Puntaje total por lección"; -$ScormAndLPTestTotalAverage = "Media de los ejercicios realizados en las lecciones"; -$ImportUsersToACourse = "Importar usuarios a un curso desde un fichero"; -$ImportCourses = "Importar cursos desde un fichero"; -$ManageUsers = "Administrar usuarios"; -$ManageCourses = "Administrar cursos"; -$UserListIn = "Usuarios de"; -$URLInactive = "La URL ha sido desactivada"; -$URLActive = "La URL ha sido activada"; -$EditUsers = "Editar usuarios"; -$EditCourses = "Editar cursos"; -$CourseListIn = "Cursos de"; -$AddCoursesToURL = "Agregar cursos a una URL"; -$EditCoursesToURL = "Editar cursos de una URL"; -$AddCoursesToThatURL = "Agregar cursos a esta URL"; -$EnablePlugins = "Habilitar los plugins seleccionados"; -$AtLeastOneCourseAndOneURL = "Debe escoger por lo menos un curso y una URL"; -$ClickToRegisterAdmin = "Haga click para registrar al usuario Admin en todas las URLs"; -$AdminShouldBeRegisterInSite = "El usuario administrador deberia estar registrado en:"; -$URLNotConfiguredPleaseChangedTo = "URL no configurada favor de agregar la siguiente URL"; -$AdminUserRegisteredToThisURL = "Usuario registrado a esta URL"; -$CoursesWereEdited = "Los cursos fueron editados"; -$URLEdited = "La URL ha sido modificada"; -$AddSessionToURL = "Agregar una sesión a una URL"; -$FirstLetterSession = "Primera letra del nombre de la sessión"; -$EditSessionToURL = "Editar una sesión"; -$AddSessionsToThatURL = "Agregar sesiones a esta URL"; -$SessionBelongURL = "Las sesiones fueron registradas"; -$ManageSessions = "Administrar sesiones"; -$AllowMessageToolComment = "Esta opción habilitará la herramienta de mensajes"; -$AllowSocialToolTitle = "Habilita la herramienta de red social"; -$AllowSocialToolComment = "Esta opción habilitará la herramienta de red social"; -$SetLanguageAsDefault = "Definir como idioma por defecto"; -$FieldFilter = "Filtro"; -$FilterOn = "Habilitar filtro"; -$FilterOff = "Deshabilitar filtro"; -$FieldFilterSetOn = "Puede utilizar este campo como filtro"; -$FieldFilterSetOff = "Filtro deshabilitado"; -$buttonAddUserField = "Añadir campo de usuario"; -$UsersSubscribedToFollowingCoursesBecauseOfVirtualCourses = "Los usuarios han sido registrados a los siguientes cursos porque varios cursos comparten el mismo código visual"; -$TheFollowingCoursesAlreadyUseThisVisualCode = "Los siguientes cursos ya utilizan este código"; -$UsersSubscribedToBecauseVisualCode = "Los usuarios han sido suscritos a los siguientes cursos, porque muchos cursos comparten el mismo codigo visual"; -$UsersUnsubscribedFromBecauseVisualCode = "los usuarios desuscritos de los siguientes cursos, porque muchos cursos comparten el mismo codigo visual"; -$FilterUsers = "Filtro de usuarios"; -$SeveralCoursesSubscribedToSessionBecauseOfSameVisualCode = "Varios cursos se suscribieron a la sesión a causa de un código duplicado de curso"; -$CoachIsRequired = "Debe seleccionar un tutor"; -$EncryptMethodUserPass = "Método de encriptación"; -$AddTemplate = "Añadir una plantilla"; -$TemplateImageComment100x70 = "Esta imagen representará su plantilla en la lista de plantillas. No debería ser mayor de 100x70 píxeles"; -$TemplateAdded = "Plantilla añadida"; -$TemplateDeleted = "Plantilla borrada"; -$EditTemplate = "Edición de plantilla"; -$FileImportedJustUsersThatAreNotRegistered = "Sólamente se importaron los usuarios que no estaban registrados en la plataforma"; -$YouMustImportAFileAccordingToSelectedOption = "Debe importar un archivo de acuerdo a la opción seleccionada"; -$ShowEmailOfTeacherOrTutorTitle = "Correo electrónico del profesor o del tutor en el pie"; -$ShowEmailOfTeacherOrTutorComent = "¿Mostrar el correo electrónico del profesor o del tutor en el pie de página?"; -$AddSystemAnnouncement = "Añadir un anuncio del sistema"; -$EditSystemAnnouncement = "Editar anuncio del sistema"; -$LPProgressScore = "Progreso total por lección"; -$TotalTimeByCourse = "Tiempo total por lección"; -$LastTimeTheCourseWasUsed = "Último acceso a la lección"; -$AnnouncementAvailable = "El anuncio está disponible"; -$AnnouncementNotAvailable = "El anuncio no está disponible"; -$Searching = "Buscando"; -$AddLDAPUsers = "Añadir usuarios LDAP"; -$Academica = "Académica"; -$AddNews = "Crear anuncio"; -$SearchDatabaseOpeningError = "No se pudo abrir la base de datos del motor de indexación,pruebe añadir un nuevo recurso (ejercicio,enlace,lección,etc) el cual será indexado al buscador"; -$SearchDatabaseVersionError = "La base de datos está en un formato no soportado"; -$SearchDatabaseModifiedError = "La base de datos ha sido modificada(alterada)"; -$SearchDatabaseLockError = "No se pudo bloquear una base de datos"; -$SearchDatabaseCreateError = "No se pudo crear una base de datos"; -$SearchDatabaseCorruptError = "Se detectó graves errores en la base de datos"; -$SearchNetworkTimeoutError = "Tiempo expirado mientras se conectaba a una base de datos remota"; -$SearchOtherXapianError = "Se ha producido un error relacionado al motor de indexación"; -$SearchXapianModuleNotInstalled = "El modulo Xapian de PHP no está configurado en su servidor, póngase en contacto con su administrador"; -$FieldRemoved = "Campo removido"; -$TheNewSubLanguageHasBeenAdded = "El sub-idioma ha sido creado"; -$DeleteSubLanguage = "Eliminar sub-idioma"; -$CreateSubLanguageForLanguage = "Crear sub-idioma para el idioma"; -$DeleteSubLanguageFromLanguage = "Eliminar sub-idioma de idioma"; -$CreateSubLanguage = "Crear sub-idioma"; -$RegisterTermsOfSubLanguageForLanguage = "Registrar términos del sub-idioma para el idioma"; -$AddTermsOfThisSubLanguage = "Añada sus nuevos términos para éste sub-idioma"; -$LoadLanguageFile = "Cargar fichero de idiomas"; -$AllowUseSubLanguageTitle = "Permite definir sub-idiomas"; -$AllowUseSubLanguageComment = "Al activar esta opción, podrá definir variaciones para cada término del lenguaje usado para la interfaz de la plataforma, en la forma de un nuevo lenguaje basado en un lenguaje existente.Podrá encontrar esta opción en el menu de idiomas de su página de administración."; -$AddWordForTheSubLanguage = "Añadir palabras al sub-idioma"; -$TemplateEdited = "Plantilla modificada"; -$SubLanguage = "Sub-idioma"; -$LanguageIsNowVisible = "El idioma ahora es visible"; -$LanguageIsNowHidden = "El idioma ahora no es visible"; -$LanguageDirectoryNotWriteableContactAdmin = "El directorio /main/lang usado en éste portal,no tiene permisos de escritura. Por favor contacte con su administrador"; -$ShowGlossaryInDocumentsTitle = "Mostrar los términos del glosario en los documentos"; -$ShowGlossaryInDocumentsComment = "Desde aquí puede configurar la forma de como se añadirán los términos del glosario a los documentos"; -$ShowGlossaryInDocumentsIsAutomatic = "Automática. Al activar está opción se añadirá un enlace a todos los términos del glosario que se encuentren en el documento."; -$ShowGlossaryInDocumentsIsManual = "Manual. Al activar está opción, se mostrará un icono en el editor en línea que le permitirá marcar las palabras que desee que enlacen con los términos del glosario."; -$ShowGlossaryInDocumentsIsNone = "Ninguno. Si activa esta opción, las palabras de sus documentos no se enlazarán con los términos que aparezcan en el glosario."; -$LanguageVariable = "Variable de idioma"; -$ToExportDocumentsWithGlossaryYouHaveToSelectGlossary = "Si quiere exportar un documento que contenga términos del glosario, tendrá que asegurarse de que estos términos han sido incluidos en la exportación; para eso tendrá que haberlos seleccionado en la lista del glosario."; -$ShowTutorDataTitle = "Información del tutor de sesion en el pie"; -$ShowTutorDataComment = "¿Mostrar la información del tutor de sesión en el pie de página?"; -$ShowTeacherDataTitle = "Información del profesor en el pie"; -$ShowTeacherDataComment = "¿Mostrar la información del profesor en el pie de página?"; -$HTMLText = "HTML"; -$PageLink = "Enlace"; -$DisplayTermsConditions = "Mostrar Términos y condiciones en la página de registro, el visitante debe aceptar los T&C para poder registrarse."; -$AllowTermsAndConditionsTitle = "Habilitar Términos y Condiciones"; -$AllowTermsAndConditionsComment = "Esta opción mostrará los Términos y Condiciones en el formulario de registro para los nuevos usuarios"; -$Load = "Cargar"; -$AllVersions = "Todas las versiones"; -$EditTermsAndConditions = "Modificar términos y condiciones"; -$ExplainChanges = "Explicar cambios"; -$TermAndConditionNotSaved = "Términos y condiciones no guardados."; -$TheSubLanguageHasBeenRemoved = "El sub-idioma ha sido eliminado"; -$AddTermsAndConditions = "Añadir términos y condiciones"; -$TermAndConditionSaved = "Términos y condiciones guardados."; -$ListSessionCategory = "Categorías de sesiones de formación"; -$AddSessionCategory = "Añadir categoría"; -$SessionCategoryName = "Nombre de la categoría"; -$EditSessionCategory = "Editar categoría de sesión"; -$SessionCategoryAdded = "La categoría ha sido añadida"; -$SessionCategoryUpdate = "Categoría actualizada"; -$SessionCategoryDelete = "Se han eliminado las categorías seleccionadas"; -$SessionCategoryNameIsRequired = "Debe dar un nombre de la categoría de sesión"; -$ThereIsNotStillASession = "No hay aún una sesión"; -$SelectASession = "Seleccione una sesión"; -$OriginCoursesFromSession = "Cursos de origen de la sesión"; -$DestinationCoursesFromSession = "Cursos de destino de la sesión"; -$CopyCourseFromSessionToSessionExplanation = "Si desea copiar un curso de una sesión a otro curso de otra sesión, primero debe seleccionar un curso de la lista cursos de origen de la sesión. Puedes copiar contenidos de las herramientas descripción del curso, documentos, glosario, enlaces, ejercicios y lecciones, de forma directa o seleccionando los componentes del curso"; -$TypeOfCopy = "Tipo de copia"; -$CopyFromCourseInSessionToAnotherSession = "Copiar cursos de una sesión a otra"; -$YouMustSelectACourseFromOriginalSession = "Debe seleccionar un curso de la lista original y una sesión de la lista de destino"; -$MaybeYouWantToDeleteThisUserFromSession = "Tal vez desea eliminar al usuario de la sesión en lugar de eliminarlo de todos los cursos."; -$EditSessionCoursesByUser = "Editar cursos por usuario"; -$CoursesUpdated = "Cursos actualizados"; -$CurrentCourses = "Cursos del usuario"; -$CoursesToAvoid = "Cursos a evitar"; -$EditSessionCourses = "Editar cursos"; -$SessionVisibility = "Visibilidad después de la fecha de finalización"; -$BlockCoursesForThisUser = "Bloquear cursos a este usuario"; -$LanguageFile = "Archivo de idioma"; -$ShowCoursesDescriptionsInCatalogTitle = "Mostrar las descripciones de los cursos en el catálogo"; -$ShowCoursesDescriptionsInCatalogComment = "Mostrar las descripciones de los cursos como ventanas emergentes al hacer clic en un icono de información del curso en el catálogo de cursos"; -$StylesheetNotHasBeenAdded = "La hoja de estilos no ha sido añadida,probablemente su archivo zip contenga ficheros no permitidos,el zip debe contener ficheros con las siguientes extensiones('png', 'jpg', 'gif', 'css')"; -$AddSessionsInCategories = "Añadir varias sesiones a una categoría"; -$ItIsRecommendedInstallImagickExtension = "Se recomienda instalar la extension imagick de php para obtener mejor performancia en la resolucion de las imagenes al generar los thumbnail de lo contrario no se mostrara muy bien, pues sino esta instalado por defecto usa la extension gd de php."; -$EditSpecificSearchField = "Editar campo específico"; -$FieldName = "Campo"; -$SpecialExports = "Exportaciones especiales"; -$SpecialCreateFullBackup = "Crear exportación especial completa"; -$SpecialLetMeSelectItems = "Seleccionar los componentes"; -$AllowCoachsToEditInsideTrainingSessions = "Permitir a los tutores editar dentro de los cursos de las sesiones"; -$AllowCoachsToEditInsideTrainingSessionsComment = "Permitir a los tutores editar comentarios dentro de los cursos de las sesiones"; -$ShowSessionDataTitle = "Mostrar datos del período de la sesión"; -$ShowSessionDataComment = "Mostrar comentarios de datos de la sesion"; -$SubscribeSessionsToCategory = "Inscribir sesiones en una categoría"; -$SessionListInPlatform = "Lista de sesiones de la plataforma"; -$SessionListInCategory = "Lista de sesiones en la categoría"; -$ToExportSpecialSelect = "Si quiere exportar cursos que contenga sessiones, tendría que asegurarse de que estos sean incluidos en la exportación; para eso tendría que haberlos seleccionado en la lista."; -$ErrorMsgSpecialExport = "No se encontraron cursos registrados o es posible que no se haya realizado su asociación con las sesiones"; -$ConfigureInscription = "Configuración de la página de registro"; -$MsgErrorSessionCategory = "Debe seleccionar una categoría y las sessiones"; -$NumberOfSession = "Número de sesiones"; -$DeleteSelectedSessionCategory = "Eliminar solo las categorias seleccionadas sin sesiones"; -$DeleteSelectedFullSessionCategory = "Eliminar las categorias seleccionadas con las sesiones"; -$EditTopRegister = "Editar Aviso"; -$InsertTabs = "Insertar pestaña o enlace"; -$EditTabs = "Editar Tabs"; -$AnnEmpty = "Los anuncios han sido borrados"; -$AnnouncementModified = "El anuncio ha sido modificado"; -$AnnouncementAdded = "El anuncio ha sido añadido"; -$AnnouncementDeleted = "El anuncio ha sido borrado"; -$AnnouncementPublishedOn = "Publicado el"; -$AddAnnouncement = "Nuevo anuncio"; -$AnnouncementDeleteAll = "Eliminar todos los anuncios"; -$professorMessage = "Mensaje del profesor"; -$EmailSent = "y enviado a los estudiantes registrados"; -$EmailOption = "Enviar este anuncio por correo electrónico"; -$On = "Hay"; -$RegUser = "usuarios inscritos en el curso"; -$Unvalid = "tienen una dirección de correo inválida o una dirección de correo sin especificar"; -$ModifAnn = "Modificar este anuncio"; -$SelMess = "Advertencia a algunos usuarios"; -$SelectedUsers = "Usuarios seleccionados"; -$PleaseEnterMessage = "Debe introducir el texto del mensaje."; -$PleaseSelectUsers = "Debe seleccionar algún usuario."; -$Teachersubject = "Mensaje enviado a sus estudiantes"; -$MessageToSelectedUsers = "Enviar mensajes a determinados usuarios"; -$IntroText = "Para mandar un mensaje, seleccione los grupos de usuarios (marcados con una G delante)o a usuarios individuales (marcados con una U) de la lista de la izquierda."; -$MsgSent = "El mensaje ha sido enviado a los estudiantes seleccionados"; -$SelUser = "seleccionar usuarios"; -$MessageToSelectedGroups = "Mensaje para los grupos seleccionados"; -$SelectedGroups = "grupos seleccionados"; -$Msg = "Mensajes"; -$MsgText = "Mensaje"; -$AnnouncementDeletedAll = "Todos los anuncios han sido borrados"; -$AnnouncementMoved = "El anuncio ha sido movido"; -$NoAnnouncements = "No hay anuncios"; -$SelectEverybody = "Seleccionar Todos"; -$SelectedUsersGroups = "grupo de usuarios seleccionados"; -$LearnerMessage = "Mensaje de un estudiante"; -$TitleIsRequired = "El título es obligatorio"; -$AnnounceSentByEmail = "Anuncio enviado por correo electrónico"; -$AnnounceSentToUserSelection = "Anuncio enviado a una selección de usuarios"; -$SendAnnouncement = "Enviar anuncio"; -$ModifyAnnouncement = "Modificar anuncio"; -$ButtonPublishAnnouncement = "Enviar anuncio"; -$LineNumber = "Número de líneas"; -$LineOrLines = "línea(s)"; -$AddNewHeading = "Añadir nuevo encabezado"; -$CourseAdministratorOnly = "Sólo profesores"; -$DefineHeadings = "Definir encabezados"; -$BackToUsersList = "Volver a la lista de usuarios"; -$CourseManager = "Profesor"; -$ModRight = "cambiar los permisos de"; -$NoAdmin = "desde ahora no tiene permisos para la administración de este sitio"; -$AllAdmin = "ahora tiene todos los permisos para la administración de esta página"; -$ModRole = "Cambiar el rol de"; -$IsNow = "está ahora arriba"; -$InC = "en este curso"; -$Filled = "No ha rellenado todos los campos."; -$UserNo = "El nombre de usuario que eligió"; -$Taken = "ya existe. Elija uno diferente."; -$Tutor = "Tutor"; -$Unreg = "Anular inscripción"; -$GroupUserManagement = "Gestión de Grupos"; -$AddAUser = "Añadir usuarios"; -$UsersUnsubscribed = "Los usuarios seleccionados han sido dados de baja en el curso"; -$ThisStudentIsSubscribeThroughASession = "Este estudiante está inscrito en este curso mediante una sesión. No puede editar su información"; -$AddToFriends = "¿Esta seguro(a) que desea añadirlo(a) a su red de amigos?"; -$AddPersonalMessage = "Añadir un mensaje personal"; -$Friends = "Amigos"; -$PersonalData = "Datos personales"; -$Contacts = "Contactos"; -$SocialInformationComment = "Aquí puede organizar sus contactos"; -$AttachContactsToGroup = "Agrupe sus contactos"; -$ContactsList = "Lista de mis contactos"; -$AttachToGroup = "Añadir a este grupo de contactos"; -$SelectOneContact = "Seleccione un contacto"; -$SelectOneGroup = "Seleccione un grupo"; -$AttachContactsPersonal = "Está seguro de que desea añadir este contacto al grupo seleccionado"; -$AttachContactsToGroupSuccesfuly = "Su contacto fue agrupado correctamente"; -$AddedContactToList = "Usuario añadido a su lista de contactos"; -$ContactsGroupsComment = "Aquí se muestran sus contactos ordenados por grupos"; -$YouDontHaveContactsInThisGroup = "No tiene contactos en este grupo"; -$SelectTheCheckbox = "Seleccione una o más opciones de la casilla de verificación"; -$YouDontHaveInvites = "Actualmente no tiene invitaciones"; -$SocialInvitesComment = "Aquí puede aceptar o denegar las invitaciones entrantes"; -$InvitationSentBy = "Invitación enviada por"; -$RequestContact = "Petición de contacto"; -$SocialUnknow = "Contactos desconocidos"; -$SocialParent = "Mis parientes"; -$SocialFriend = "Mis amigos"; -$SocialGoodFriend = "Mis mejores amigos"; -$SocialEnemy = "Contactos no deseados"; -$SocialDeleted = "Contacto eliminado"; -$MessageOutboxComment = "Aquí puede ver los mensajes que ha enviado"; -$MyPersonalData = "Aquí puede ver y modificar sus datos personales"; -$AlterPersonalData = "Modifique sus datos personales desde aquí"; -$Invites = "Mis invitados"; -$ContactsGroups = "Mis grupos"; -$MyInbox = "Bandeja de entrada"; -$ViewSharedProfile = "Perfil compartido"; -$ImagesUploaded = "Mis imágenes"; -$ExtraInformation = "Infomación extra"; -$SearchContacts = "Aquí puede añadir contactos a su red social"; -$SocialSeeContacts = "Ver mi red de contactos"; -$SocialUserInformationAttach = "Escriba un mensaje antes de enviar la solicitud de acceso."; -$MessageInvitationNotSent = "Su mensaje de invitación no ha sido enviado"; -$SocialAddToFriends = "Añadir a mi red de amigos"; -$ChangeContactGroup = "Cambiar el grupo de mi contacto"; -$Friend = "Amigo"; -$ViewMySharedProfile = "Mi perfil compartido"; -$UserStatistics = "Informes de este usuario"; -$EditUser = "Editar usuario"; -$ViewUser = "Ver usuario"; -$RSSFeeds = "Agregador RSS"; -$NoFriendsInYourContactList = "Su lista de contactos está vacía"; -$TryAndFindSomeFriends = "Pruebe a encontrar algunos amigos"; -$SendInvitation = "Enviar invitación"; -$SocialInvitationToFriends = "Invitar a unirse a mi red de amigos"; -$MyCertificates = "Mis certificados"; -$NewGroupCreate = "Crear grupos"; -$GroupCreation = "Creación de grupos"; -$NewGroups = "nuevo(s) grupo(s)"; -$Max = "max. 20 caracteres, p. ej. INNOV21"; -$GroupPlacesThis = "plazas (opcional)"; -$GroupsAdded = "grupo(s) ha(n) sido creado(s)"; -$GroupDel = "Grupo borrado"; -$ExistingGroups = "Grupos"; -$Registered = "Inscritos"; -$GroupAllowStudentRegistration = "Los propios usuarios pueden inscribirse en el grupo que quieran"; -$GroupTools = "Herramientas"; -$GroupDocument = "Documentos"; -$GroupPropertiesModified = "La configuración del grupo ha sido modificada"; -$GroupName = "Nombre del grupo"; -$GroupDescription = "Descripción del grupo"; -$GroupMembers = "Miembros del grupo"; -$EditGroup = "Modificar este grupo"; -$GroupSettingsModified = "Configuración del grupo modificada"; -$GroupTooMuchMembers = "El número propuesto excede el máximo que Ud. autoriza (puede modificarlo debajo). \t\t\t\tLa composición del grupo no se ha modificado"; -$GroupTutor = "Tutor del grupo"; -$GroupNoTutor = "(ninguno)"; -$GroupNone = "(ninguno)"; -$GroupNoneMasc = "(ninguno)"; -$AddTutors = "Herramienta de gestión de usuarios"; -$MyGroup = "mi grupo"; -$OneMyGroups = "mi supervisión"; -$GroupSelfRegistration = "Inscripción"; -$GroupSelfRegInf = "inscribirme"; -$RegIntoGroup = "Inscribirme en este grupo"; -$GroupNowMember = "Ahora ya es miembro de este grupo"; -$Private = "Acceso privado (acceso autorizado sólo a los miembros del grupo)"; -$Public = "Acceso público (acceso autorizado a cualquier miembro del curso)"; -$PropModify = "Modificar configuración"; -$State = "Estado"; -$GroupFilledGroups = "Los grupos han sido completados con los integrantes de la lista usuarios del curso"; -$Subscribed = "usuarios inscritos en este curso"; -$StudentsNotInThisGroups = "Usuarios no pertenecientes a este grupo"; -$QtyOfUserCanSubscribe_PartBeforeNumber = "Un usuario puede pertenecer a un máximo de"; -$QtyOfUserCanSubscribe_PartAfterNumber = " grupos"; -$GroupLimit = "Límite"; -$CreateGroup = "Crear grupo(s)"; -$ProceedToCreateGroup = "Proceder para crear grupo(s)"; -$StudentRegAllowed = "Los propios estudiantes pueden inscribirse en los grupos"; -$GroupAllowStudentUnregistration = "Los propios usuarios pueden anular su inscripción a un grupo"; -$AllGroups = "Todos los grupos"; -$StudentUnsubscribe = "Anular mi inscripción en este grupo"; -$StudentDeletesHimself = "Su inscripción ha sido anulada"; -$DefaultSettingsForNewGroups = "Configuración por defecto para los nuevos grupos"; -$SelectedGroupsDeleted = "Todos los grupos seleccionados han sido borrados"; -$SelectedGroupsEmptied = "Todos los grupos seleccionados están ahora vacíos"; -$GroupEmptied = "El grupo está ahora vacío"; -$SelectedGroupsFilled = "Todos los grupos seleccionados han sido completados"; -$GroupSelfUnRegInf = "anular inscripción"; -$SameForAll = "igual para todos"; -$NoLimit = "Sin límite"; -$PleaseEnterValidNumber = "Por favor, introduzca el número de grupos deseado"; -$CreateGroupsFromVirtualCourses = "Crear grupos para todos los usuarios en los cursos virtuales"; -$CreateGroupsFromVirtualCoursesInfo = "Este curso es una combinación de un curso real y uno o más cursos virtuales. Si pulsa el botón siguiente, nuevos grupos serán creados a partir de estos cursos virtuales. Todos los estudiantes serán inscritos en los grupos."; -$NoGroupsAvailable = "No hay grupos disponibles"; -$GroupsFromVirtualCourses = "Cursos virtuales"; -$CreateSubgroups = "Crear subgrupos"; -$CreateSubgroupsInfo = "Esta opción le permite crear nuevos grupos basados en grupos ya existentes. Indique el número de grupos que desea y elija un grupo existente. Se crearán el número de grupos deseado y todos los miembros del grupo inicial serán inscritos en ellos. El grupo"; -$CreateNumberOfGroups = "Crear numero de grupos"; -$WithUsersFrom = "grupos con miembros de"; -$FillGroup = "Rellenar el grupo al azar con alumnos del curso"; -$EmptyGroup = "Anular la inscripción de todos los usuarios"; -$MaxGroupsPerUserInvalid = "El número máximo de grupos por usuario que ha enviado no es válido. Actualmente hay usuarios inscritos en un número mayor de grupos que el que Ud. propone."; -$GroupOverview = "Sumario de los grupos"; -$GroupCategory = "Categoría del grupo"; -$NoTitleGiven = "Por favor, introduzca un título"; -$InvalidMaxNumberOfMembers = "Por favor introduzca un número válido para el número máximo de miembros"; -$CategoryOrderChanged = "El orden de las categorías ha sido cambiado"; -$CategoryCreated = "Categoría creada"; -$GroupTutors = "Tutores"; -$GroupWork = "Tareas"; -$GroupCalendar = "Agenda"; -$GroupAnnouncements = "Anuncios"; -$NoCategoriesDefined = "Sin categorías definidas"; -$GroupsFromClasses = "Grupos de clases"; -$GroupsFromClassesInfo = "Información de grupos de clases"; -$BackToGroupList = "Volver a la lista de grupos"; -$NewForumCreated = "El foro ha sido añadido"; -$NewThreadCreated = "El tema del foro ha sido añadido"; -$AddHotpotatoes = "Agregar hotpotatoes"; -$HideAttemptView = "Ocultar la vista de intento(s)"; -$ExtendAttemptView = "Ver la vista de intento(s)"; -$LearnPathAddedTitle = "Bienvenido a la herramienta de creación de lecciones de Chamilo !"; -$BuildComment = "Añada objetos de aprendizaje y actividades a su lección"; -$BasicOverviewComment = "Añada comentarios de audio y ordene los objetos de aprendizaje en la tabla de contenidos"; -$DisplayComment = "Vea la lección tal y como la vería el estudiante"; -$NewChapterComment = "Capítulo 1, Capítulo 2 o Semana 1, Semana 2..."; -$NewStepComment = "Construya su lección paso a paso con documentos, ejercicios y actividades, ayudándose de plantillas, mascotas y galerías multimedia."; -$LearnpathTitle = "Título"; -$LearnpathPrerequisites = "Prerrequisitos"; -$LearnpathMoveUp = "Subir"; -$LearnpathMoveDown = "Bajar"; -$ThisItem = "este objeto de aprendizaje"; -$LearnpathTitleAndDesc = "Título y descripción"; -$LearnpathChangeOrder = "Cambiar orden"; -$LearnpathAddPrereqi = "Añadir prerrequisitos"; -$LearnpathAddTitleAndDesc = "Editar título y descripción"; -$LearnpathMystatus = "Mi estado"; -$LearnpathCompstatus = "completado"; -$LearnpathIncomplete = "sin completar"; -$LearnpathPassed = "aprobado"; -$LearnpathFailed = "sin aprobar"; -$LearnpathPrevious = "Previo"; -$LearnpathNext = "Siguiente"; -$LearnpathRestart = "Reiniciar"; -$LearnpathThisStatus = "Este elemento está"; -$LearnpathToEnter = "Entrar"; -$LearnpathFirstNeedTo = "primero necesita completar"; -$LearnpathLessonTitle = "Título"; -$LearnpathStatus = "Estado"; -$LearnpathScore = "Puntuación"; -$LearnpathTime = "Tiempo"; -$LearnpathVersion = "versión"; -$LearnpathRestarted = "No se han completado todos los elementos."; -$LearnpathNoNext = "Este es el último elemento."; -$LearnpathNoPrev = "Este es el primer elemento."; -$LearnpathAddLearnpath = "Crear una lección SCORM"; -$LearnpathEditLearnpath = "Editar la lección"; -$LearnpathDeleteLearnpath = "Eliminar la lección"; -$LearnpathDoNotPublish = "No publicar"; -$LearnpathPublish = "Publicar"; -$LearnpathNotPublished = "no publicado"; -$LearnpathPublished = "publicado"; -$LearnpathEditModule = "Editar el origen, posición y el título de la sección."; -$LearnpathDeleteModule = "Eliminar sección"; -$LearnpathNoChapters = "No hay secciones añadidas."; -$LearnpathAddItem = "Añadir objetos de aprendizaje a esta sección"; -$LearnpathItemDeleted = "El objeto de aprendizaje ha sido eliminado de la lección"; -$LearnpathItemEdited = "El objeto de aprendizaje ha sido modificado en la lección"; -$LearnpathPrereqNotCompleted = "Prerrequisitos no completados."; -$NewChapter = "Añadir sección"; -$NewStep = "Añadir objeto de aprendizaje"; -$EditPrerequisites = "Editar los prerrequisitos del actual objeto de aprendizaje"; -$TitleManipulateChapter = "Modificar la sección"; -$TitleManipulateModule = "Modificar la sección"; -$TitleManipulateDocument = "Modificar el documento actual"; -$TitleManipulateLink = "Modificar el enlace actual"; -$TitleManipulateQuiz = "Modificar el ejercicio actual"; -$TitleManipulateStudentPublication = "Modificar la tarea actual"; -$EnterDataNewChapter = "Introduzca los datos de la sección"; -$EnterDataNewModule = "Introduzca los datos de la sección"; -$CreateNewStep = "Crear un documento :"; -$NewDocument = "Cree e incorpore a su lección documentos con componentes multimedia"; -$UseAnExistingResource = "O usar un recurso ya existente :"; -$Position = "Posición"; -$NewChapterCreated = "La sección ha sido creada. Ahora puede incorporarle objetos de aprendizaje o crear otra sección"; -$NewLinksCreated = "El enlace ha sido creado"; -$NewStudentPublicationCreated = "La tarea ha sido creada"; -$NewModuleCreated = "La sección ha sido creada. Ahora puede incorporarle elementos o crear otra sección"; -$NewExerciseCreated = "El ejercicio ha sido creado."; -$ItemRemoved = "El item ha sido eliminado"; -$Converting = "Convirtiendo..."; -$Ppt2lpError = "Error durante la conversión de PowerPoint. Por favor, compruebe si el nombre de su archivo PowerPoint contiene caracteres especiales."; -$Build = "Construir"; -$ViewModeEmbedded = "Vista actual: embebida"; -$ViewModeFullScreen = "Vista actual: pantalla completa"; -$ShowDebug = "Mostrar debug"; -$HideDebug = "Ocultar debug"; -$CantEditDocument = "Este documento no es editable"; -$After = "Después de"; -$LearnpathPrerequisitesLimit = "Prerrequisitos (límite)"; -$HotPotatoesFinished = "Este test HotPotatoes ha terminado."; -$CompletionLimit = "Límite de finalización (puntuación mínima)"; -$PrereqToEnter = "Para entrar"; -$PrereqFirstNeedTo = "primero necesita terminar"; -$PrereqModuleMinimum1 = "Al menos falta 1 elemento"; -$PrereqModuleMinimum2 = "establecido como requisito."; -$PrereqTestLimit1 = "debe alcanzar un mínimo"; -$PrereqTestLimit2 = "puntos en"; -$PrereqTestLimitNow = "Ud. tiene ahora :"; -$LearnpathExitFullScreen = "volver a la pantalla normal"; -$LearnpathFullScreen = "pantalla completa"; -$ItemMissing1 = "Había una"; -$ItemMissing2 = "página (elemento) aquí en la Lección original de Chamilo."; -$NoItemSelected = "Seleccione un objeto de aprendizaje de la tabla contenidos"; -$NewDocumentCreated = "El documento ha sido creado."; -$EditCurrentChapter = "Editar la sección actual"; -$ditCurrentModule = "Editar la sección actual"; -$CreateTheDocument = "Cree e incorpore a su lección documentos con componentes multimedia"; -$MoveTheCurrentDocument = "Mover el documento actual"; -$EditTheCurrentDocument = "Editar el documento actual"; -$Warning = "¡ Atención !"; -$WarningEditingDocument = "Cuando edita un documento existente en la lección, la nueva versión del documento no sobreescribirá la antigua, sino que será guardada como un nuevo documento. si quiere editar un documento definitivamente, puede hacerlo con la herramienta documentos."; -$CreateTheExercise = "Crear el ejercicio"; -$MoveTheCurrentExercise = "Mover el ejercicio actual"; -$EditCurrentExecice = "Editar el ejercicio actual"; -$UploadScorm = "Importación SCORM y AICC"; -$PowerPointConvert = "Conversión PowerPoint"; -$LPCreatedToContinue = "Para continuar, añada a su lección una sección o un objeto de aprendizaje"; -$LPCreatedAddChapterStep = "

        \"practicerAnim.gif\"¡ Bienvenido a la herramienta de autor de Chamilo !

        • Construir : Añada objetos de aprendizaje a su lección
        • Organizar : Añada comentarios de audio y ordene sus objetos de aprendizaje en la tabla de contenidos
        • Mostrar : Vea la lección como la vería un estudiante
        • Añadir una sección : Capítulo 1, Capítulo 2 o Semana 1, Semana 2...
        • Añadir un objeto de aprendizaje : construya su lección paso a paso con documentos, ejercicios y actividades, contando con la ayuda de plantillas, mascotas y galerías multimedia
        "; -$PrerequisitesAdded = "Los prerrequisitos de este objeto de aprendizaje han sido añadidos."; -$AddEditPrerequisites = "Añadir/Editar prerrequisitos"; -$NoDocuments = "No hay documentos"; -$NoExercisesAvailable = "No hay ejercicios disponibles"; -$NoLinksAvailable = "No hay enlaces disponibles"; -$NoItemsInLp = "En este momento no hay objetos de aprendizaje en la lección. Para crearlos, haga clic en \"Construir\""; -$FirstPosition = "Primera posición"; -$NewQuiz = "Añadir ejercicio"; -$CreateTheForum = "Añadir el foro"; -$AddLpIntro = "Bienvenido a Lecciones, la herramienta de autor de Chamilo con la que podrá crear lecciones en formato SCORM
        La estructura de la lección aparecerá el menú izquierdo"; -$AddLpToStart = "Para comenzar, de un título a su lección"; -$CreateTheLink = "Importar un enlace"; -$MoveCurrentLink = "Mover el enlace actual"; -$EditCurrentLink = "Editar el enlace actual"; -$MoveCurrentStudentPublication = "Mover la tarea actual"; -$EditCurrentStudentPublication = "Editar la tarea actual"; -$AllowMultipleAttempts = "Permitir múltiples intentos"; -$PreventMultipleAttempts = "Impedir múltiples intentos"; -$MakeScormRecordingExtra = "Crear elementos SCORM extra"; -$MakeScormRecordingNormal = "Crear elementos SCORM básicos"; -$DocumentHasBeenDeleted = "El documento no puede ser mostrado debido a que ha sido eliminado"; -$EditCurrentForum = "Editar este foro"; -$NoPrerequisites = "Sin prerrequisitos"; -$NewExercise = "Crear un ejercicio"; -$CreateANewLink = "Crear un enlace"; -$CreateANewForum = "Crear un foro"; -$WoogieConversionPowerPoint = "Woogie: Conversión de Word"; -$WelcomeWoogieSubtitle = "Conversor de documentos Word en Lecciones"; -$WelcomeWoogieConverter = "Bienvenido al conversor Woogie
        • Elegir un archivo .doc, .sxw, .odt
        • Enviarlo a Woogie, que lo convertirá en una Lección SCORM
        • Podrá añadir comentarios de audio en cada página e insertar tests y otras actividades entre las páginas
        "; -$WoogieError = "Error durante la conversión del documento word. Por favor, compruebe si hay caracteres especiales en el nombre de su documento."; -$WordConvert = "Conversión Word"; -$InteractionID = "ID de Interacción"; -$TimeFinished = "Tiempo (finalizado en...)"; -$CorrectAnswers = "Respuestas correctas"; -$StudentResponse = "Respuestas del estudiante"; -$LatencyTimeSpent = "Tiempo empleado"; -$SplitStepsPerPage = "Una página, un objeto de aprendizaje"; -$SplitStepsPerChapter = "Una sección, un objeto de aprendizaje"; -$TakeSlideName = "Usar los nombres de las diapositivas para los objetos de aprendizaje de la lección"; -$CannotConnectToOpenOffice = "La conexión con el conversor de documentos ha fallado. Póngase en contacto con el administrador de su plataforma para solucionar el problema."; -$OogieConversionFailed = "Conversión fallida.
        Algunos documentos son demasiado complejos para su tratamiento automático mediante el conversor de documentos.
        En sucesivas versiones se irá ampliando esta capacidad."; -$OogieUnknownError = "La conversión ha fallado por una razón desconocida.
        Contacte a su administrador para más información."; -$OogieBadExtension = "El archivo no tiene una extensión correcta."; -$WoogieBadExtension = "Por favor, envíe sólo documentos de texto. La extensión del archivo debe ser .doc, .docx o bien .odt"; -$ShowAudioRecorder = "Mostrar el grabador de audio"; -$SearchFeatureSearchExplanation = "Para buscar en la base de datos de lecciones use la siguiente sintaxis::
           term tag:tag_name -exclude +include \"exact phrase\"
        Por ejemplo:
           coche tag:camión -ferrari +ford \"alto consumo\".
        Esto mostrará todos los resultados para la palabra 'coche' etiquetados como 'camión', que no incluyan la palabra 'ferrari', pero sí la palabra 'ford' y la frase exacta 'alto consumo'."; -$ViewLearningPath = "Ver lecciones"; -$SearchFeatureDocumentTagsIfIndexing = "Etiquetas para añadir al documento en caso de indexación"; -$ReturnToLearningPaths = "Regresar a las lecciones"; -$UploadMp3audio = "Cargar audio"; -$UpdateAllAudioFragments = "Cargar todos los fragmentos de audio"; -$LeaveEmptyToKeepCurrentFile = "Dejar vacio para mantener el archivo actual"; -$RemoveAudio = "Quitar audio"; -$SaveAudio = "Guardar"; -$ViewScoreChangeHistory = "Ver puntuacion de historial de cambio"; -$ImageWillResizeMsg = "La imagen sera ajustada a un tamaño predeterminado"; -$ImagePreview = "Vista previa de la imagen"; -$UplAlreadyExists = "¡ ya existe !"; -$UplUnableToSaveFile = "¡ El fichero enviado no puede ser guardado (¿problema de permisos?) !"; -$MoveDocument = "Mover el documento"; -$EditLPSettings = "Cambiar parámetros de lección"; -$SaveLPSettings = "Guardar parámetros de lección"; -$ShowAllAttempts = "Mostrar todos los intentos"; -$HideAllAttempts = "Ocultar todos los intentos"; -$ShowAllAttemptsByExercise = "Mostrar todos los intentos por ejercicio"; -$ShowAttempt = "Mostrar intento"; -$ShowAndQualifyAttempt = "Mostrar y calificar intento"; -$ModifyPrerequisites = "Modificar los prerrequisitos"; -$CreateLearningPath = "Crear lección"; -$AddExercise = "Agregar el ejercicio a la lección"; -$LPCreateDocument = "Crear un documento"; -$ObjectiveID = "ID del objetivo"; -$ObjectiveStatus = "Estatus del objetivo"; -$ObjectiveRawScore = "Puntuación básica del objetivo"; -$ObjectiveMaxScore = "Puntuación máxima del objetivo"; -$ObjectiveMinScore = "Puntuación mínima del objetivo"; -$LPName = "Título de la lección"; -$AuthoringOptions = "Autorización de opciones"; -$SaveSection = "Guardar sección"; -$AddLinkToCourse = "Agregar el enlace a la lección"; -$AddAssignmentToCourse = "Agregar la tarea a la lección"; -$AddForumToCourse = "Agregar el foro a la lección"; -$SaveAudioAndOrganization = "Guardar audio y organización"; -$UploadOnlyMp3Files = "Por favor, envíe sólo archivos mp3"; -$OpenBadgesTitle = "Chamilo ahora tiene OpenBadges"; -$NoPosts = "Sin publicaciones"; -$WithoutAchievedSkills = "Sin competencias logradas"; -$TypeMessage = "Por favor, escriba su mensaje"; -$ConfirmReset = "¿Seguro que quiere borrar todos los mensajes?"; +{{ course.code }}"; +$EmailNotificationTemplate = "Plantilla del correo electrónico enviado al usuario al terminar el ejercicio."; +$ExerciseEndButtonDisconnect = "Desconexión de la plataforma"; +$ExerciseEndButtonExerciseHome = "Lista de ejercicios"; +$ExerciseEndButtonCourseHome = "Página principal del curso"; +$ExerciseEndButton = "Botón al terminar el ejercicio"; +$HideQuestionTitle = "Ocultar el título de la pregunta"; +$QuestionSelection = "Selección de preguntas"; +$OrderedCategoriesByParentWithQuestionsRandom = "Categorías ordenadas según la categoría padre, con preguntas desordenadas"; +$OrderedCategoriesByParentWithQuestionsOrdered = "Categorías ordenadas según la categoría padre, con preguntas ordenadas"; +$RandomCategoriesWithRandomQuestionsNoQuestionGrouped = "Categorías tomadas al azar, con preguntas desordenadas, sin agrupar preguntas"; +$RandomCategoriesWithQuestionsOrderedNoQuestionGrouped = "Categorías tomadas al azar, con preguntas ordenadas, sin agrupar preguntas"; +$RandomCategoriesWithRandomQuestions = "Categorías tomadas al azar, con preguntas desordenadas"; +$OrderedCategoriesAlphabeticallyWithRandomQuestions = "Categorías ordenadas (alfabéticamente), con preguntas desordenadas"; +$RandomCategoriesWithQuestionsOrdered = "Categorías tomadas al azar, con preguntas ordenadas"; +$OrderedCategoriesAlphabeticallyWithQuestionsOrdered = "Categorías ordenadas alfabéticamente, con preguntas ordenadas"; +$UsingCategories = "Usando categorías"; +$OrderedByUser = "Ordenado según la lista de preguntas"; +$ToReview = "Por revisar"; +$Unanswered = "Sin responder"; +$CurrentQuestion = "Pregunta actual"; +$MediaQuestions = "Enunciados compartidos"; +$CourseCategoriesAreGlobal = "Las categorías de cursos son globales en la configuración de múltiples portales, pero los cambios son permitidos solamente en la sesión administrativa del portal principal."; +$CareerUpdated = "Carrera actualizada satisfactoriamente"; +$UserIsNotATeacher = "El usuario no es un profesor."; +$ShowAllEvents = "Mostrar todos los eventos"; +$Month = "Mes"; +$Hour = "Hora"; +$Minutes = "Minutos"; +$AddSuccess = "El evento ha sido añadido a la agenda"; +$AgendaDeleteSuccess = "El evento ha sido borrado de la agenda"; +$NoAgendaItems = "No hay eventos."; +$ClassName = "Nombre de la clase"; +$ItemTitle = "Título del evento"; +$Day = "Día"; +$month_default = "mes por defecto"; +$year_default = "año por defecto"; +$Hour = "Hora"; +$hour_default = "hora por defecto"; +$Minute = "minuto"; +$Lasting = "duración"; +$OldToNew = "antiguo a reciente"; +$NewToOld = "reciente a antiguo"; +$Now = "Ahora"; +$AddEvent = "Añadir un evento"; +$Detail = "detalles"; +$MonthView = "Vista mensual"; +$WeekView = "Vista semanal"; +$DayView = "Vista diaria"; +$AddPersonalItem = "Añadir un evento personal"; +$Week = "Semana"; +$Time = "Hora"; +$AddPersonalCalendarItem = "Añadir un evento personal a la agenda"; +$ModifyPersonalCalendarItem = "Modificar un evento personal de la agenda"; +$PeronalAgendaItemAdded = "El evento personal ha sido añadido a su agenda"; +$PeronalAgendaItemEdited = "El evento personal de su agenda ha sido actualizado"; +$PeronalAgendaItemDeleted = "El evento personal ha sido borrado de su agenda"; +$ViewPersonalItem = "Ver mis eventos personales"; +$Print = "Imprimir"; +$MyTextHere = "mi texto aquí"; +$CopiedAsAnnouncement = "Copiado como anuncio"; +$NewAnnouncement = "Nuevo anuncio"; +$UpcomingEvent = "Próximo evento"; +$RepeatedEvent = "Evento periódico"; +$RepeatType = "Periodicidad"; +$RepeatDaily = "Diaria"; +$RepeatWeekly = "Semanal"; +$RepeatMonthlyByDate = "Mensual, por fecha"; +$RepeatMonthlyByDay = "Mensual, por día"; +$RepeatMonthlyByDayR = "Mensual, por día, restringido"; +$RepeatYearly = "Anual"; +$RepeatEnd = "Finalizar las repeticiones el"; +$RepeatedEventViewOriginalEvent = "Ver el evento inicial"; +$ICalFileImport = "Importar un fichero iCal/ics"; +$AllUsersOfThePlatform = "Todos los usuarios de la Plataforma"; +$GlobalEvent = "Evento de la plataforma"; +$ModifyEvent = "Modificar evento"; +$EndDateCannotBeBeforeTheStartDate = "Fecha final no deberá ser menor que la fecha de inicio"; +$ItemForUserSelection = "Evento dirigido a una selección de usuarios"; +$IsNotiCalFormatFile = "No es un archivo de formato iCal"; +$RepeatEvent = "Repetir evento"; +$ScormVersion = "versión"; +$ScormRestarted = "Ningún objeto de aprendizaje ha sido completado."; +$ScormNoNext = "Este es el último objeto de aprendizaje."; +$ScormNoPrev = "Este es el primer objeto de aprendizaje."; +$ScormTime = "Tiempo"; +$ScormNoOrder = "No hay un orden preestablecido, puedes hacer clic en cualquier lección."; +$ScormScore = "Puntuación"; +$ScormLessonTitle = "Título del apartado"; +$ScormStatus = "Estado"; +$ScormToEnter = "Para entrar en"; +$ScormFirstNeedTo = "primero debe terminar"; +$ScormThisStatus = "Este objeto de aprendizaje ahora está"; +$ScormClose = "Cerrar aplicación"; +$ScormRestart = "Reiniciar"; +$ScormCompstatus = "Completado"; +$ScormIncomplete = "Sin completar"; +$ScormPassed = "Aprobado"; +$ScormFailed = "Suspenso"; +$ScormPrevious = "Anterior"; +$ScormNext = "Siguiente"; +$ScormTitle = "Visor de contenidos SCORM"; +$ScormMystatus = "Estado"; +$ScormNoItems = "Esta lección está vacía."; +$ScormNoStatus = "No hay estado para este contenido"; +$ScormLoggedout = "Ha salido del área SCORM"; +$ScormCloseWindow = "¿ Está seguro de haber terminado ?"; +$ScormBrowsed = "Visto"; +$ScormExitFullScreen = "Volver a la vista normal"; +$ScormFullScreen = "Pantalla completa"; +$ScormNotAttempted = "Sin intentar"; +$Local = "Local"; +$Remote = "Remoto"; +$Autodetect = "Autodetectar"; +$AccomplishedStepsTotal = "Total de los apartados realizados"; +$AreYouSureToDeleteSteps = "¿ Está seguro de querer eliminar estos elementos ?"; +$Origin = "Origen"; +$Local = "Local"; +$Remote = "Remoto"; +$FileToUpload = "Archivo a enviar"; +$ContentMaker = "Creador de contenidos"; +$ContentProximity = "Localización del contenido"; +$UploadLocalFileFromGarbageDir = "Enviar paquete .zip local desde el directorio archive/"; +$ThisItemIsNotExportable = "Este objeto de aprendizaje no es compatible con SCORM. Por esta razón no es exportable."; +$MoveCurrentChapter = "Mover el capítulo actual"; +$GenericScorm = "SCORM genérico"; +$UnknownPackageFormat = "El formato de este paquete no ha sido reconocido. Por favor, compruebe este es un paquete válido."; +$MoveTheCurrentForum = "Mover el foro actual"; +$WarningWhenEditingScorm = "¡ Aviso ! Si edita el contenido de un elemento scorm, puede alterar el informe de la secuencia de aprendizaje o dañar el objeto."; +$MessageEmptyMessageOrSubject = "Por favor, escriba el título y el texto de su mensaje"; +$Messages = "Mensajes"; +$NewMessage = "Nuevo mensaje"; +$DeleteSelectedMessages = "Borrar los mensajes seleccionados"; +$DeselectAll = "Anular selección"; +$ReplyToMessage = "Responder a este mensaje"; +$BackToInbox = "Volver a la Bandeja de entrada"; +$MessageSentTo = "El mensaje ha sido enviado a"; +$SendMessageTo = "Enviar a"; +$Myself = "Yo mismo"; +$InvalidMessageId = "El id del mensaje a contestar no es válido."; +$ErrorSendingMessage = "Se ha producido un error mientras se intentaba enviar el mensaje."; +$SureYouWantToDeleteSelectedMessages = "¿ Está seguro de querer borrar los mensajes seleccionados ?"; +$SelectedMessagesDeleted = "Los mensajes seleccionados han sido suprimidos"; +$EnterTitle = "Ingrese un título"; +$TypeYourMessage = "Escriba su mensaje"; +$MessageDeleted = "El mensaje ha sido eliminado"; +$ConfirmDeleteMessage = "¿Esta seguro de que desea borrar este mensaje?"; +$DeleteMessage = " Borrar mensaje"; +$ReadMessage = " Leer"; +$SendInviteMessage = "Enviar mensaje de invitación"; +$SendMessageInvitation = "¿ Está seguro de que desea enviar las invitaciones a los usuarios seleccionados ?"; +$MessageTool = "Herramienta mensajes"; +$WriteAMessage = "Escribir un mensaje"; +$AlreadyReadMessage = "Mensaje leído"; +$UnReadMessage = "Mensaje sin leer"; +$MessageSent = "Mensaje enviado"; +$ModifInfo = "Configuración del curso"; +$ModifDone = "Las características han sido modificadas"; +$DelCourse = "Eliminar este curso por completo"; +$Professors = "Profesores"; +$Faculty = "Categoría"; +$Confidentiality = "Confidencialidad"; +$Unsubscription = "Anular la inscripción"; +$PrivOpen = "Acceso privado, inscripción abierta"; +$Forbidden = "Usted no está registrado como responsable de este curso"; +$CourseAccessConfigTip = "Por defecto el curso es público. Pero Ud. puede definir el nivel de confidencialidad en los botones superiores."; +$OpenToTheWorld = "Público - acceso autorizado a cualquier persona"; +$OpenToThePlatform = "Abierto - acceso autorizado sólo para los usuarios registrados en la plataforma"; +$OpenToThePlatform = "Abierto - acceso permitido sólo a los usuarios registrados en la plataforma"; +$TipLang = "Este será el idioma que verán todos los visitantes del curso."; +$Vid = "Video"; +$Work = "Trabajos"; +$ProgramMenu = "Programa del curso"; +$Stats = "Estadísticas"; +$UplPage = "Enviar una página y enlazarla a la principal"; +$LinkSite = "Añadir un enlace web en la página principal"; +$HasDel = "ha sido suprimido"; +$ByDel = "Si suprime el sitio web de este curso, suprimirá todos los documentos que contiene y todos sus miembros dejarán de estar inscritos en el mismo.

        ¿ Está seguro de querer suprimir este curso ?"; +$Y = "SI"; +$N = "NO"; +$DepartmentUrl = "URL del departamento"; +$DepartmentUrlName = "Departamento"; +$BackupCourse = "Guarda este curso"; +$ModifGroups = "Grupos"; +$Professor = "Profesor"; +$DescriptionCours = "Descripción del curso"; +$ArchiveCourse = "Copia de seguridad del curso"; +$RestoreCourse = "Restaurar un curso"; +$Restore = "Restaurar"; +$CreatedIn = "creado en"; +$CreateMissingDirectories = "Creación de los directorios que faltan"; +$CopyDirectoryCourse = "Copiar los archivos del curso"; +$Disk_free_space = "espacio libre"; +$BuildTheCompressedFile = "Creación de una copia de seguridad de los archivos"; +$FileCopied = "archivo copiado"; +$ArchiveLocation = "Localización del archivo"; +$SizeOf = "tamaño de"; +$ArchiveName = "Nombre del archivo"; +$BackupSuccesfull = "Copia de seguridad realizada"; +$BUCourseDataOfMainBase = "Copia de seguridad de los datos del curso en la base de datos principal"; +$BUUsersInMainBase = "Copia de seguridad de los datos de los usuarios en la base de datos principal"; +$BUAnnounceInMainBase = "Copia de seguridad de los datos de los anuncios en la base de datos principal"; +$BackupOfDataBase = "Copia de seguridad de la base de datos"; +$ExpirationDate = "Fecha de expiración"; +$LastEdit = "Última edición"; +$LastVisit = "Última visita"; +$Subscription = "Inscripción"; +$CourseAccess = "Acceso al curso"; +$ConfirmBackup = "¿ Realmente quiere realizar una copia de seguridad del curso ?"; +$CreateSite = "Crear un curso"; +$RestoreDescription = "El curso está en un archivo que puede seleccionar debajo.

        Cuando haga clic en \"Restaurar\", el archivo se descomprimirá y el curso se creará de nuevo."; +$RestoreNotice = "Este script no permite restaurar automáticamente los usuarios, pero los datos guardados de los \"usuarios.csv\" son suficientes para el administrador."; +$AvailableArchives = "Lista de archivos disponible"; +$NoArchive = "No ha seleccionado ningún archivo"; +$ArchiveNotFound = "No se encontró ningún archivo"; +$ArchiveUncompressed = "Se descomprimió y se instaló el archivo."; +$CsvPutIntoDocTool = "El archivo \"usuarios.csv\" se puso dentro de la herramienta documentos."; +$BackH = "volver a la página principal"; +$OtherCategory = "Otra categoría"; +$AllowedToUnsubscribe = "Los usuarios pueden anular su inscripción en este curso"; +$NotAllowedToUnsubscribe = "Los usuarios no pueden anular su inscripción en este curso"; +$CourseVisibilityClosed = "Cerrado - acceso autorizado sólo para el administrador del curso"; +$CourseVisibilityClosed = "Cerrado - no hay acceso a este curso"; +$CourseVisibilityModified = "Modificado (ajustes más detallados especificados a través de roles-permisos del sistema)"; +$WorkEmailAlert = "Avisar por correo electrónico del envío de una tarea"; +$WorkEmailAlertActivate = "Activar el aviso por correo electrónico del envío de una nueva tarea"; +$WorkEmailAlertDeactivate = "Desactivar el aviso por correo electrónico del envío de una nueva tarea"; +$DropboxEmailAlert = "Avisar por correo electrónico cuando se reciba un envío en los documentos compartidos"; +$DropboxEmailAlertActivate = "Activar el aviso por correo electrónico de la recepción de nuevos envíos en los documentos compartidos"; +$DropboxEmailAlertDeactivate = "Desactivar el aviso por correo electrónico de la recepción de nuevos envíos en los documentos compartidos"; +$AllowUserEditAgenda = "Permitir que los usuarios editen la agenda del curso"; +$AllowUserEditAgendaActivate = "Activar la edición por los usuarios de la agenda del curso"; +$AllowUserEditAgendaDeactivate = "Desactivar la edición por los usuarios de la agenda del curso"; +$AllowUserEditAnnouncement = "Permitir que los usuarios editen los anuncios del curso"; +$AllowUserEditAnnouncementActivate = "Permitir la edición por los usuarios"; +$AllowUserEditAnnouncementDeactivate = "Desactivar la edición por los usuarios"; +$OrInTime = "o dentro"; +$CourseRegistrationPassword = "Contraseña de registro en el curso"; +$DescriptionDeleteCourse = "Haga clic en este enlace para eliminar cualquier rastro del curso en el servidor...

        ¡ Esta funcionalidad debe ser usada con extrema precaución !"; +$DescriptionCopyCourse = "Chamilo permite copiar, parcial o completamente, un curso en otro; para ello el curso de destino debe estar vacío.

        La única condición es tener un curso que contenga algunos documentos, anuncios, foros... y un segundo curso que no contenga los elementos del primero. Se recomienda usar la herramienta \"Reciclar este curso\" para no traer futuros problemas con su contenido."; +$DescriptionRecycleCourse = "Esta utilidad elimina de forma total o parcial los contenidos de las distintas herramientas de un curso. Suprime documentos, foros, enlaces... Esta utilidad puede ejecutarse al final de una acción formativa o de un año académico. ¡ Por supuesto, antes de \"reciclar\", tenga la precaución de realizar una copia de seguridad completa del curso!"; +$QuizEmailAlert = "Avisar mediante un correo electrónico cuando se envíe un nuevo ejercicio"; +$QuizEmailAlertActivate = "Activar el aviso por correo electrónico de que se han enviado las respuestas de un ejercicio"; +$QuizEmailAlertDeactivate = "Desactivar el aviso por correo electrónico de que se han enviado las respuestas de un ejercicio"; +$AllowUserImageForum = "Imagen de los usuarios en el foro"; +$AllowUserImageForumActivate = "Muestra las imágenes de los usuarios en el foro"; +$AllowUserImageForumDeactivate = "Oculta las imágenes de los usuarios en el foro"; +$AllowLearningPathTheme = "Permitir estilos en Lecciones"; +$AllowLearningPathThemeAllow = "Permitido"; +$AllowLearningPathThemeDisallow = "No permitido"; +$ConfigChat = "Configuración del chat"; +$AllowOpenchatWindow = "Abrir el chat en una nueva ventana"; +$AllowOpenChatWindowActivate = "Activar abrir el chat en una nueva ventana"; +$AllowOpenChatWindowDeactivate = "Desactivar abrir el chat en una nueva ventana"; +$NewUserEmailAlert = "Avisar por correo electronico la autosuscripcion de un nuevo usuario."; +$NewUserEmailAlertEnable = "Activar el aviso por correo electrónico al profesor del curso de la autosuscripción de un nuevo usuario."; +$NewUserEmailAlertToTeacharAndTutor = "Activar el aviso por correo electrónico al profesor y a los tutores del curso de la autosuscripción de un nuevo usuario."; +$NewUserEmailAlertDisable = "Desactivar el aviso por correo electrónico de la autosuscripción de un nuevo usuario en el curso."; +$PressAgain = "Pulse de nuevo 'Guardar' ..."; +$Rights = "Derechos de uso"; +$Version = "Versión"; +$StatusTip = "seleccionar de la lista"; +$CreatedSize = "Creado, tamaño"; +$AuthorTip = "en formato VCARD"; +$Format = "Formato"; +$FormatTip = "seleccionar de la lista"; +$Statuses = ":draft:esbozo,, final:final,, revised:revisado,, unavailable:no disponible"; +$Costs = ":no:gratuito,, yes:no es gratuito, debe pagarse"; +$Copyrights = ":sí:copyright,, no:sin copyright"; +$Formats = ":text/plain;iso-8859-1:texto/plano;iso-8859-1,, text/plain;utf-8:texto/plano;utf-8,, text/html;iso-8859-1:texto/html;iso-8859-1,, text/html;utf-8:texto/html;utf-8,, inode/directory:Directorio,, application/msword:MsWord,, application/octet-stream:Octet stream,, application/pdf:PDF,, application/postscript:PostScript,, application/rtf:RTF,, application/vnd.ms-excel:MsExcel,, application/vnd.ms-powerpoint:MsPowerpoint,, application/xml;iso-8859-1:XML;iso-8859-1,, application/xml;utf-8:XML;utf-8,, application/zip:ZIP"; +$LngResTypes = ":exercise:ejercicio,, simulation:simulación,, questionnaire:cuestionario,, diagram:diagrama,, figure:figura,, graph:gráfico,, index:índice,, slide:diapositiva,, table:tabla,, narrative text:texto narrativo,, exam:examen,, experiment:experiencia,, problem statement:problema,, self assessment:autoevaluación,, lecture:presentación"; +$SelectOptionForBackup = "Por favor, seleccione una opción de copia de seguridad"; +$LetMeSelectItems = "Seleccionar los componentes del curso"; +$CreateFullBackup = "Crear una copia de seguridad completa de este curso"; +$CreateBackup = "Crear una copia de seguridad"; +$BackupCreated = "Se ha generado la copia de seguridad del curso. La descarga de este archivo se producirá en breves instantes. Si la descarga no se inicia, haga clic en el siguiente enlace"; +$SelectBackupFile = "Seleccionar un fichero de copia de seguridad"; +$ImportBackup = "Importar una copia de seguridad"; +$ImportFullBackup = "Importar una copia de seguridad completa"; +$ImportFinished = "Importación finalizada"; +$Tests = "Ejercicios"; +$Learnpaths = "Lecciones"; +$CopyCourse = "Copiar el curso"; +$SelectItemsToCopy = "Seleccione los elementos que desea copiar"; +$CopyFinished = "La copia ha finalizado"; +$FullRecycle = "Reciclado completo"; +$RecycleCourse = "Reciclar el curso"; +$RecycleFinished = "El reciclado ha finalizado"; +$RecycleWarning = "Atención: al usar esta herramienta puede eliminar partes del curso que luego no podrá recuperar. Le aconsejamos que antes realice una copia de seguridad"; +$SameFilename = "¿ Qué hacer con los ficheros importados que tengan el mismo nombre que otros existentes ?"; +$SameFilenameSkip = "Saltar los ficheros con el mismo nombre"; +$SameFilenameRename = "Renombrar el fichero (ej. archivo.pdf se convierte en archivo_1.pdf)"; +$SameFilenameOverwrite = "Sobreescribir el fichero"; +$SelectDestinationCourse = "Seleccionar el curso de destino"; +$FullCopy = "Copia completa"; +$NoResourcesToBackup = "No hay recursos para hacer una copia de seguridad"; +$NoResourcesInBackupFile = "No hay recursos disponibles en este fichero de copia de seguridad"; +$SelectResources = "Seleccione los recursos"; +$NoResourcesToRecycles = "No hay recursos para reciclar"; +$IncludeQuestionPool = "Incluir el repositorio de preguntas"; +$LocalFile = "Fichero local"; +$ServerFile = "Fichero del servidor"; +$NoBackupsAvailable = "No hay una copia de seguridad disponible"; +$NoDestinationCoursesAvailable = "No hay disponible un curso de destino"; +$ImportBackupInfo = "Puede transferir una copia de seguridad desde su ordenador o bien usar una copia de seguridad ya disponible en el servidor."; +$CreateBackupInfo = "Puede seleccionar los contenidos del curso que constituirán la copia de seguridad."; +$ToolIntro = "Textos de introducción"; +$UploadError = "Error de envío, revise tamaño máximo del archivo y los permisos del directorio."; +$DocumentsWillBeAddedToo = "Los documentos también serán añadidos"; +$ToExportLearnpathWithQuizYouHaveToSelectQuiz = "Si quiere exportar una lección que contenga ejercicios, tendrá que asegurarse de que estos ejercicios han sido incluidos en la exportación; para eso tendrá que haberlos seleccionado en la lista de ejercicios."; +$ArchivesDirectoryNotWriteableContactAdmin = "El directorio \"archive\" utilizado por esta herramienta no tiene habilitado los permisos de escritura. Contacte al administrador de la plataforma."; +$DestinationCourse = "Curso de destino"; +$ConvertToMultipleAnswer = "Convertir a respuesta múltiple"; +$CasMainActivateComment = "Activar la autentificación CAS permitirá a usuarios autentificarse con sus credenciales CAS"; +$UsersRegisteredInAnyGroup = "Usuario registrado en ningun curso"; +$Camera = "Cámara"; +$Microphone = "Micrófono"; +$DeleteStream = "Eliminar stream"; +$Record = "Grabar"; +$NoFileAvailable = "No hay archivos disponibles"; +$RecordingOnlyForTeachers = "Sólo pueden grabar los profesores"; +$UsersNow = "Usuarios actuales:"; +$StartConference = "Comenzar conferencia"; +$MyName = "Mi nombre"; +$OrganisationSVideoconference = "Videoconferencia Chamilo"; +$ImportPresentation = "Importar presentación"; +$RefreshList = "Actualizar la lista"; +$GoToTop = "Ir al comienzo"; +$NewPoll = "Nuevo sondeo"; +$CreateNewPoll = "Crear un nuevo sondeo para esta sala"; +$Question = "Pregunta"; +$PollType = "Tipo de sondeo:"; +$InfoConnectedUsersGetNotifiedOfThisPoll = "Info: Cada usuario conectado a esta sala recibirá una notificación de este nuevo sondeo."; +$YesNo = "Si / No"; +$Numeric1To10 = "Numérico de 1 a 10"; +$Poll = "Sondeo"; +$YouHaveToBecomeModeratorOfThisRoomToStartPolls = "Ud. tiene que ser un moderador de esta sala para poder realizar sondeos."; +$YourVoteHasBeenSent = "Su voto ha sido enviado"; +$YouAlreadyVotedForThisPoll = "Ud. ya ha votado en este sondeo"; +$VoteButton = "Votar"; +$YourAnswer = "Su respuesta"; +$WantsToKnow = "quiero saber:"; +$PollResults = "Resultados del sondeo"; +$ThereIsNoPoll = "No hay disponible ningún sondeo."; +$MeetingMode = "Modo reunión (máx. 4 plazas)"; +$ConferenceMaxSeats = "Conferencia (máx. 50 plazas)"; +$RemainingSeats = "Plazas restantes"; +$AlreadyIn = "Ya conectado"; +$CheckIn = "Comprobar conexión"; +$TheModeratorHasLeft = "El moderador de esta conferencia ha abandonado la sala."; +$SystemMessage = "Mensaje del sistema"; +$ChooseDevices = "Seleccionar dispositivos"; +$ChooseCam = "Seleccionar la cámara"; +$ChooseMic = "Seleccionar el Micro:"; +$YouHaveToReconnectSoThatTheChangesTakeEffect = "Debe volverse a conectar para que los cambios tengan efecto."; +$ChangeSettings = "Cambiar parámetros"; +$CourseLanguage = "Idioma del curso:"; +$ConfirmClearWhiteboard = "Confirmar la limpieza de la pizarra"; +$ShouldWitheboardBeClearedBeforeNewImage = "¿ Quiere borrar la pizarra antes de añadir una nueva imagen ?"; +$DontAskMeAgain = "No volver a preguntar"; +$ShowConfirmationBeforeClearingWhiteboard = "Pida confirmación antes de borrar la pizarra"; +$ClearDrawArea = "Limpiar la pizarra"; +$Undo = "Deshacer"; +$Redo = "Rehacer"; +$SelectAnObject = "Seleccionar un objeto"; +$DrawLine = "Dibujar una línea"; +$DrawUnderline = "Dibujar subrayado"; +$Rectangle = "Rectángulo"; +$Elipse = "Elipse"; +$Arrow = "Flecha"; +$DeleteChosenItem = "Borrar el elemento seleccionado"; +$ApplyForModeration = "Hacer moderador"; +$Apply = "Hacer"; +$BecomeModerator = "Convertir en moderador"; +$Italic = "Cursiva"; +$Bold = "Negrita"; +$Waiting = "Esperando"; +$AUserWantsToApplyForModeration = "Un usuario quiere ser moderador:"; +$Reject = "Rechazar"; +$SendingRequestToFollowingUsers = "Enviar una solicitud a los siguientes usuarios"; +$Accepted = "Aceptado"; +$Rejected = "Rechazado"; +$ChangeModerator = "Cambiar de moderador"; +$YouAreNotModeratingThisCourse = "Ud. no es el moderador de este curso"; +$Moderator = "Moderador"; +$ThisRoomIsFullPleaseTryAgain = "Esta sala está completa. Por favor, inténtelo más tarde"; +$PleaseWaitWhileLoadingImage = "Por favor, espere mientras se carga la imagen"; +$SynchronisingConferenceMembers = "Sincronización de los participantes"; +$Trainer = "Profesor"; +$Slides = "Diapositivas"; +$WaitingForParticipants = "Esperando a los participantes"; +$Browse = "Ojear"; +$ChooseFile = "Seleccionar el archivo a enviar"; +$ConvertingDocument = "Convirtiendo el documento"; +$Disconnected = "Desconectado"; +$FineStroke = "Fino"; +$MediumStroke = "Medio"; +$ThickStroke = "Grueso"; +$ShowHotCoursesComment = "La lista de los cursos con mayor popularidad será añadida a la página principal"; +$ShowHotCoursesTitle = "Mostrar cursos con mayor popularidad"; +$ThisItemIsInvisibleForStudentsButYouHaveAccessAsTeacher = "Este item no es visible para un estudiante pero podrá acceder a él como profesor"; +$PreventSessionAdminsToManageAllUsersTitle = "Impedir a los admins de sesiones de gestionar todos los usuarios"; +$IsOpenSession = "Sesión abierta"; +$AllowVisitors = "Permitir visitantes"; +$EnableIframeInclusionComment = "Permitir iframes en el editor HTML aumentará las capacidades de edición de los usuarios, pero puede representar un riesgo de seguridad. Asegúrese de que puede confiar en sus usuarios (por ejemplo, usted sabe quienes son) antes de activar esta prestación."; +$AddedToLPCannotBeAccessed = "Este ejercicio ha sido incluido en una secuencia de aprendizaje, por lo cual no podrá ser accesible directamente por los estudiantes desde aquí. Si quiere colocar el mismo ejercicio disponible a través de la herramienta ejercicios, haga una copia del ejercicio en cuestión pulsando sobre el icono de copia."; +$EnableIframeInclusionTitle = "Permitir iframes en el editor HTML"; +$MailTemplateRegistrationMessage = "Estimado ((firstname)) ((lastname)),\n\nHa sido registrado en ((sitename)) con la siguiente configuración:\n\nNombre de usuario : ((username))\nContraseña : ((password))\n\nLa dirección de ((sitename)) es : ((url))\n\nSi tiene alguna dificultad, contacte con nosotros.\n\nAtentamente:\n((admin_name)) ((admin_surname))."; +$Explanation = "Una vez que haya pulsado el botón \"Crear curso\" se creará el sitio web del curso, en el que dispondrá de múltiples herramientas que podrá configurar para dar al curso su aspecto definitivo: Test o Ejercicios, Proyectos o Blogs, Wikis, Tareas, Creador y visualizador de Lecciones en formato SCORM, Encuestas y mucho más. Su identificación como creador de este sitio automáticamente lo convierte en profesor del curso, lo cual le permitirá modificarlo según sus necesidades."; +$CodeTaken = "Este código de curso ya es utilizado por otro curso.
        Utilice el botón de retorno de su navegador y vuelva a empezar."; +$ExerciceEx = "Ejercicio de ejemplo"; +$Antique = "La ironía"; +$SocraticIrony = "La ironía socrática consiste en..."; +$ManyAnswers = "(puede haber varias respuestas correctas)"; +$Ridiculise = "Ridiculizar al interlocutor para hacerle admitir su error."; +$NoPsychology = "No. La ironía socrática no se aplica al terreno de la psicología sino al de la argumentación."; +$AdmitError = "Reconocer los propios errores para invitar al interlocutor a hacer lo mismo."; +$NoSeduction = "No. No se trata de una estrategia de seducción o de un método basado en el ejemplo."; +$Force = "Forzar al interlocutor mediante una serie de cuestiones y subcuestiones a reconocer que no sabe lo que pretende saber."; +$Indeed = "Correcto. La ironía socrática es un método interrogativo. El término griego \"eirotao\" significa \"interrogar\"."; +$Contradiction = "Utilizar el principio de no contradicción para llevar al interlocutor a un callejón sin salida."; +$NotFalse = "Correcto. Ciertamente la puesta en evidencia de la ignorancia del interlocutor se realiza mostrando las contradicciones en que desembocan sus hipótesis."; +$AddPageHome = "Enviar una página y enlazarla con la página principal"; +$ModifyInfo = "Descripción del curso"; +$CourseDesc = "Descripción del curso"; +$AgendaTitle = "Martes 11 diciembre 14h00 : Primera reunión - Lugar: Sur 18"; +$AgendaText = "Introducción general a la gestión de proyectos"; +$Micro = "Entrevistas en la calle"; +$Google = "Potente motor de búsqueda"; +$IntroductionTwo = "Esta página permite a cualquier usuario o grupo enviar documentos."; +$AnnouncementEx = "Esto es un ejemplo de anuncio."; +$JustCreated = "Acaba de crear el sitio del curso"; +$CreateCourseGroups = "Grupos"; +$CatagoryMain = "Principal"; +$CatagoryGroup = "Foros de grupos"; +$Ln = "Idioma"; +$FieldsRequ = "Todos los campos son obligatorios"; +$Ex = "Por ej: Gestión de la innovación"; +$Fac = "Categoría"; +$TargetFac = "Este campo puede contener la facultad, el departamento o cualquier otra categoría de la que forme parte el curso"; +$Doubt = "En caso de duda sobre el código o el título exacto del curso consultar el"; +$Program = "Programa del curso. Si el sitio que usted quiere crear no corresponde a un curso existente, usted puede inventar uno. Por ejemplo INNOVACION si se trata de un programa de formación sobre gestión de la innovación"; +$Scormtool = "Lecciones"; +$Scormbuildertool = "Constructor de lecciones SCORM"; +$Pathbuildertool = "Constructor de lecciones"; +$OnlineConference = "Conferencia en línea"; +$AgendaCreationTitle = "Creación del curso"; +$AgendaCreationContenu = "El curso ha sido creado en esta fecha"; +$OnlineDescription = "Descripción de la Conferencia en línea"; +$Only = "Sólo"; +$RandomLanguage = "Seleccionar entre los idiomas disponibles"; +$ForumLanguage = "inglés"; +$NewCourse = "Curso Nuevo"; +$AddNewCourse = "Crear un nuevo curso"; +$OtherProperties = "Otras propiedades del archivo"; +$SysId = "Id del Sistema"; +$ScoreShow = "Mostrar resultados"; +$Visibility = "Visibilidad"; +$VersionDb = "Versión de la base de datos"; +$Expire = "Fecha de caducidad"; +$ChoseFile = "Seleccionar archivo"; +$FtpFileTips = "Si el fichero está en otro ordenador y es accessible por ftp"; +$HttpFileTips = "Si el fichero está en otro ordenador y es accesible por http"; +$LocalFileTips = "Si el fichero está almacenado en algún curso del campus"; +$PostFileTips = "Si el fichero está en su ordenador"; +$Minimum = "mínimo"; +$Maximum = "máximo"; +$RestoreACourse = "restaurar un curso"; +$Recycle = "Reciclar curso"; +$AnnouncementExampleTitle = "Este es un anuncio de ejemplo"; +$Wikipedia = "Enciclopedia gratuita en línea"; +$DefaultGroupCategory = "Grupos por defecto"; +$DefaultCourseImages = "Galería"; +$ExampleForumCategory = "Ejemplo de Categoría de Foros"; +$ExampleForum = "Ejemplo de foro"; +$ExampleThread = "Ejemplo de tema de debate"; +$ExampleThreadContent = "Ejemplo de contenido"; +$IntroductionWiki = "La palabra Wiki es una abreviatura de WikiWikiWeb. Wikiwiki es una palabra Hawaiana que significa rápido o veloz. En un Wiki sus usuarios pueden escribir páginas conjuntamente. Si una persona escribe algo mal, la siguiente puede corregir esto. Esta última persona también puede añadir nuevos elementos a la página. Así la página va mejorando con sucesivos cambios que quedan registrados en un historial."; +$CreateCourseArea = "Crear curso"; +$CreateCourse = "Crear curso"; +$TitleNotification = "Desde su última visita"; +$ForumCategoryAdded = "La nueva categoría de foros ha sido añadida"; +$LearnpathAdded = "Lección añadida"; +$GlossaryAdded = "Término añadido al Glosario"; +$QuizQuestionAdded = "Nueva pregunta añadida en el ejercicio"; +$QuizQuestionUpdated = "Nueva pregunta actualizada en el Ejercicio"; +$QuizQuestionDeleted = "Nueva pregunta eliminada en el Ejercicio"; +$QuizUpdated = "Ejercicio actualizado"; +$QuizAdded = "Ejercicio añadido"; +$QuizDeleted = "Ejercicio eliminado"; +$DocumentInvisible = "Documento invisible"; +$DocumentVisible = "Documento visible"; +$CourseDescriptionAdded = "Descripcion del curso añadida"; +$NotebookAdded = "Nota añadida"; +$NotebookUpdated = "Nota actualizada"; +$NotebookDeleted = "Nota eliminada"; +$DeleteAllAttendances = "Eliminar todas las asistencias creadas"; +$AssignSessionsTo = "Asignar sesiones a"; +$Upload = "Enviar"; +$MailTemplateRegistrationTitle = "Nuevo usuario en ((sitename))"; +$Unsubscribe = "Dar de baja"; +$AlreadyRegisteredToCourse = "Ya se encuentra registrado en el curso"; +$ShowFeedback = "Mostrar comentario"; +$GiveFeedback = "Añadir / Modificar un comentario"; +$JustUploadInSelect = "---Transferir a mí mismo---"; +$MailingNothingFor = "Nada para"; +$MailingFileNotRegistered = "(no inscrito en este curso)"; +$MailingFileSentTo = "enviado a"; +$MailingFileIsFor = "es para"; +$ClickKw = "Haga clic en la palabra clave del árbol para seleccionarla o anular su selección."; +$KwHelp = "
        Haga clic en el botón '+' para abrir, en el botón '-' para cerrar, en el botón '++' para abrir todo, en el botón '--' para cerrarlo todo.
        Anule la selección de todas las palabras clave cerrando el árbol y abriéndolo de nuevo con el botón '+'.
        Alt-clic '+' busca las palabras claves originales en el árbol.

        Alt-clic selecciona las palabras clave sin términos más amplios o anula la selección de palabras clave con términos más amplios.

        Si desea cambiar el idioma de la descripción, no lo haga a la vez que añade palabras clave/>
        "; +$SearchCrit = "¡ Una palabra por línea !"; +$NoKeywords = "Este curso no tiene palabras clave"; +$KwCacheProblem = "La palabra clave no puede ser abierta"; +$CourseKwds = "Este documento contiene las palabras clave del curso"; +$KwdsInMD = "palabras clave usadas en los metadatos (MD)"; +$KwdRefs = "referencias de palabras clave"; +$NonCourseKwds = "Palabras clave no pertenecientes al curso"; +$KwdsUse = "Palabras clave del curso (negrita = sin usar)"; +$TotalMDEs = "Total de entradas de metadatos (MD) de enlaces"; +$ForumDeleted = "Foro eliminado"; +$ForumCategoryDeleted = "Categoría de foro eliminada"; +$ForumLocked = "Foro cerrado"; +$AddForumCategory = "Añadir una categoría de foros"; +$AddForum = "Añadir un foro"; +$Posts = "Mensajes"; +$LastPosts = "Último mensaje"; +$NoForumInThisCategory = "No hay foros en esta categoría"; +$InForumCategory = "Crear en categoría"; +$AllowAnonymousPosts = "¿ Permitir mensajes anónimos ?"; +$StudentsCanEdit = "¿ Pueden los estudiantes editar sus mensajes ?"; +$ApprovalDirect = "Aprobación / Mensaje directo"; +$AllowNewThreads = "Permitir a los estudiantes iniciar nuevos temas"; +$DefaultViewType = "Tipo de vista por defecto"; +$GroupSettings = "Configuración del grupo"; +$NotAGroupForum = "No es un foro de grupo"; +$PublicPrivateGroupForum = "¿ Foro del grupo público o privado ?"; +$NewPostStored = "Su mensaje ha sido guardado"; +$ReplyToThread = "Responder a este tema"; +$QuoteMessage = "Citar este mensaje"; +$NewTopic = "Nuevo tema"; +$Views = "Vistas"; +$LastPost = "Último mensaje"; +$Quoting = "Cita"; +$NotifyByEmail = "Notificarme por e-mail cuando alguien responda"; +$StickyPost = "Este es un mensaje de aviso (aparece siempre en primer término junto a un icono especial)"; +$ReplyShort = "Re:"; +$DeletePost = "¿ Está seguro de querer borrar este mensaje ? Al borrar este mensaje también borrará todas las respuestas que tenga. Por favor, mediante la vista arborescente, compruebe que mensajes también serán suprimidos."; +$Locked = "Cerrado: los estudiantes no pueden publicar más mensajes en esta categoría, foro o tema, pero pueden leer los mensajes que anteriormente hayan sido publicados."; +$Unlocked = "Abierto: los estudiantes pueden publicar nuevos mensajes en esta categoría, foro o tema"; +$Flat = "Plana"; +$Threaded = "Arborescente"; +$Nested = "Anidada"; +$FlatView = "Vista plana"; +$ThreadedView = "Vista arborescente"; +$NestedView = "Vista jerarquizada"; +$Structure = "Estructura"; +$ForumCategoryEdited = "La categoría de foros ha sido modificada"; +$ForumEdited = "El foro ha sido modificado"; +$NewThreadStored = "El nuevo tema ha sido añadido"; +$Approval = "Aprobación"; +$Direct = "Directo"; +$ForGroup = "Para Grupo"; +$ThreadLocked = "Tema cerrado."; +$NotAllowedHere = "Aquí no le está permitido."; +$ReplyAdded = "La respuesta ha sido añadida"; +$EditPost = "Editar artículo"; +$EditPostStored = "El mensaje ha sido modificado"; +$NewForumPost = "Nuevo mensaje en el foro"; +$YouWantedToStayInformed = "Ha indicado que desea ser informado por e-mail cuando alguien conteste al tema"; +$MessageHasToBeApproved = "Su mensaje debe ser aprobado antes de ser publicado."; +$AllowAttachments = "Permitir adjuntos"; +$EditForumCategory = "Editar la categoría de foros"; +$MovePost = "Mover el mensaje"; +$MoveToThread = "Mover a un tema"; +$ANewThread = "Un nuevo debate"; +$DeleteForum = "¿ Borrar el foro ?"; +$DeleteForumCategory = "¿ Desea borrar la categoría de foros ?"; +$Lock = "Bloquear"; +$Unlock = "Desbloquear"; +$MoveThread = "Mover tema"; +$PostVisibilityChanged = "La visibilidad del mensaje ha cambiado"; +$PostDeleted = "El mensaje ha sido borrado"; +$ThreadCanBeFoundHere = "El tema se puede encontrar aquí"; +$DeleteCompleteThread = "¿ Eliminar el tema por completo ?"; +$PostDeletedSpecial = "Mensaje de aviso eliminado"; +$ThreadDeleted = "Tema eliminado"; +$NextMessage = "Mensaje siguiente"; +$PrevMessage = "Mensaje anterior"; +$FirstMessage = "Primer mensaje"; +$LastMessage = "Último mensaje"; +$ForumSearch = "Buscar en los foros"; +$ForumSearchResults = "resultados de la búsqueda en los foros"; +$ForumSearchInformation = "Puede buscar varias palabras usando el signo +"; +$YouWillBeNotifiedOfNewPosts = "Los nuevos mensajes le serán notificados por correo electrónico"; +$YouWillNoLongerBeNotifiedOfNewPosts = "Los nuevos mensajes ya no se le notificarán por correo electrónico"; +$AddImage = "Agregar imagen"; +$QualifyThread = "Calificar el tema"; +$ThreadUsersList = "Lista de usuarios del tema"; +$QualifyThisThread = "Calificar este tema"; +$CourseUsers = "Usuarios del Curso"; +$PostsNumber = "Número de mensajes"; +$NumberOfPostsForThisUser = "Número de mensajes del usuario"; +$AveragePostPerUser = "Promedio de mensajes por usuario"; +$QualificationChangesHistory = "Historial de cambios en las calificaciones"; +$MoreRecent = "mas reciente"; +$Older = "mas antiguo"; +$WhoChanged = "Quien hizo el cambio"; +$NoteChanged = "Nota cambiada"; +$DateChanged = "Fecha del cambio"; +$ViewComentPost = "Ver comentarios en los mensajes"; +$AllStudents = "Todos los estudiantes"; +$StudentsQualified = "Estudiantes calificados"; +$StudentsNotQualified = "Estudiantes sin calificar"; +$NamesAndLastNames = "Nombres y apellidos"; +$MaxScore = "Puntuación máxima"; +$QualificationCanNotBeGreaterThanMaxScore = "La calificación no puede ser superior a la puntuación máxima."; +$ThreadStatistics = "Estadísticas del tema"; +$Thread = "Tema"; +$NotifyMe = "Notificarme"; +$ConfirmUserQualification = "¿Confirmar la calificación de usuario?"; +$NotChanged = "No hay cambios"; +$QualifyThreadGradebook = "Calificar este hilo de discusión"; +$QualifyNumeric = "Calificación numérica sobre"; +$AlterQualifyThread = "Editar la calificación del tema"; +$ForumMoved = "El foro ha sido movido"; +$YouMustAssignWeightOfQualification = "Debe asignar el peso de la cualificación"; +$DeleteAttachmentFile = "Eliminar archivo adjunto"; +$EditAnAttachment = "Editar un adjunto"; +$CreateForum = "Crear foro"; +$ModifyForum = "Modificar foro"; +$CreateThread = "Crear tema"; +$ModifyThread = "Modificar tema"; +$EditForum = "Editar foro"; +$BackToForum = "Volver al foro"; +$BackToForumOverview = "Volver a la vista general del foro"; +$BackToThread = "Regresar a tema"; +$ForumcategoryLocked = "Categoría de foro bloqueado"; +$LinkMoved = "El enlace ha sido movido"; +$LinkName = "Nombre del enlace"; +$LinkAdd = "Añadir un enlace"; +$LinkAdded = "El enlace ha sido añadido."; +$LinkMod = "Modificar enlace"; +$LinkModded = "El enlace ha sido modificado."; +$LinkDel = "Borrar enlace"; +$LinkDeleted = "El enlace ha sido borrado"; +$LinkDelconfirm = "¿ Está seguro de querer borrar este enlace ?"; +$AllLinksDel = " Borrar todos los enlaces de esta categoría"; +$CategoryName = "Nombre de la categoría"; +$CategoryAdd = "Añadir una categoría"; +$CategoryModded = "La categoría se ha modificado"; +$CategoryDel = "Borrar categoría"; +$CategoryDelconfirm = "Al eliminar una categoría, también se eliminarán todos los enlaces que contenga. ¿Seguro que quiere eliminar esta categoría y todos sus enlaces?"; +$AllCategoryDel = "Borrar todas las categorías y sus enlaces"; +$GiveURL = "Por favor, ponga la URL"; +$GiveCategoryName = "Por favor, ponga un nombre para la categoría"; +$NoCategory = "General"; +$ShowNone = "Contraer todas las categorías"; +$ListDeleted = "La lista ha sido completamente borrada"; +$AddLink = "Añadir un enlace"; +$DelList = "Borrar lista"; +$ModifyLink = "Modificar un enlace"; +$CsvImport = "Importar CSV"; +$CsvFileNotFound = "El fichero CSV no puede ser importado (¿vacío?, ¿demasiado grande?)"; +$CsvFileNoSeps = "Use , o ; para separar las columnas del archivo CSV a importar"; +$CsvFileNoURL = "Las columnas URL y título son obligatorias en el archivo CSV a importar"; +$CsvFileLine1 = "... - línea 1 ="; +$CsvLinesFailed = "línea(s) erróneas al importar un enlace (falta la URL o el título)."; +$CsvLinesOld = "enlace/s existente/s actualizados (igual URL y categoría)"; +$CsvLinesNew = "nuevo enlace(s) creado."; +$CsvExplain = "El fichero se debe presentar así:

        URL;category;title;description;http://www.aaa.org/...;Enlaces importantes;Nombre 1;Descripción 1;http://www.bbb.net/...;;Nombre 2;\"Description 2\";
        Si la 'URL' y la 'categoría' pertenecen a un enlace ya existente, éste será actualizado. En el resto de los casos un nuevo enlace será creado.

        Negrita = obligatorio. El orden de los campos no tiene importancia, mayúsculas y minúsculas están permitidas. Los campos desconocidos serán añadidos a la 'descripción'. Separadores: comas o puntos y comas. Los valores podrán encontrarse entre comillas, pero no los nombres de columna.Algunas [b]etiquetas HTML[/b] serán importadas en el campo 'descripción'."; +$LinkUpdated = "El enlace ha sido actualizado"; +$OnHomepage = "¿ Mostrar el enlace en la página principal del curso"; +$ShowLinkOnHomepage = "Mostrar este enlace como un icono en la página principal del curso"; +$General = "general"; +$SearchFeatureDoIndexLink = "¿Indexar título y descripción?"; +$SaveLink = "Guardar el enlace"; +$SaveCategory = "Guardar la categoría"; +$BackToLinksOverview = "Regresar a la lista de enlaces"; +$AddTargetOfLinkOnHomepage = "Seleccione el modo (target) en que se mostrará el enlace en la página principal del curso"; +$StatDB = "Base de datos de seguimiento. Úsela sólo si hay varias bases de datos."; +$EnableTracking = "Permitir seguimiento"; +$InstituteShortName = "Acrónimo de la organización"; +$WarningResponsible = "Use este script únicamente tras haber hecho una copia de seguridad. El equipo deChamilo no es resposable si Ud. pierde o deteriora sus datos."; +$AllowSelfRegProf = "Permitir que los propios usuarios puedan registrarse como creadores de cursos"; +$EG = "ej."; +$DBHost = "Servidor de base de datos"; +$DBLogin = "Nombre de usuario de la base de datos"; +$DBPassword = "Contraseña de la base de datos"; +$MainDB = "Base de datos principal de Chamilo (BD)"; +$AllFieldsRequired = "Requerir todos los campos"; +$PrintVers = "Versión para imprimir"; +$LocalPath = "Ruta local correspondiente"; +$AdminEmail = "E-mail del administrador"; +$AdminName = "Nombre del administrador"; +$AdminSurname = "Apellidos del administrador"; +$AdminLogin = "Nombre de usuario del administrador"; +$AdminPass = "Contraseña del administrador (puede que desee cambiarla)"; +$EducationManager = "Responsable educativo"; +$CampusName = "Nombre de su plataforma"; +$DBSettingIntro = "El script de instalación creará las principales bases de datos de Chamilo. Por favor, recuerde que Chamilo necesitará crear varias bases de datos. Si sólo puede tener una base de datos en su proveedor, Chamilo no funcionará."; +$TimeSpentByStudentsInCourses = "Tiempo dedicado por los estudiantes en los cursos"; +$Step3 = "Paso 3 de 6"; +$Step4 = "Paso 4 de 6"; +$Step5 = "Paso 5 de 6"; +$Step6 = "Paso 6 de 6"; +$CfgSetting = "Parámetros de configuración"; +$DBSetting = "Parámetros de las bases de datos MySQL"; +$MainLang = "Idioma principal"; +$Licence = "Licencia"; +$LastCheck = "Última comprobación antes de instalar"; +$AutoEvaluation = "Auto-evaluación"; +$DbPrefixForm = "Prefijo MySQL"; +$DbPrefixCom = "No completar si no se requiere"; +$EncryptUserPass = "Encriptar las contraseñas de los usuarios en la base de datos"; +$SingleDb = "Usar Chamilo con una o varias bases de datos"; +$AllowSelfReg = "Permitir que los propios usuarios puedan registrarse"; +$Recommended = "Recomendado"; +$ScormDB = "Base de datos SCORM"; +$AdminLastName = "Apellidos del administrador"; +$AdminPhone = "Teléfono del administrador"; +$NewNote = "Nueva nota"; +$Note = "Nota"; +$NoteDeleted = "Nota eliminada"; +$NoteUpdated = "Nota actualizada"; +$NoteCreated = "Nota creada"; +$YouMustWriteANote = "Por favor, escriba una nota"; +$SaveNote = "Guardar nota"; +$WriteYourNoteHere = "Escriba su nota aquí"; +$SearchByTitle = "Buscar por título"; +$WriteTheTitleHere = "Escriba el título aquí"; +$UpdateDate = "Última modificación"; +$NoteAddNew = "Añadir una nota"; +$OrderByCreationDate = "Ordenar por fecha de creación"; +$OrderByModificationDate = "Ordenar por fecha de modificación"; +$OrderByTitle = "Ordenar por título"; +$NoteTitle = "Título de la nota"; +$NoteComment = "Contenido de la nota"; +$NoteAdded = "Nota añadida"; +$NoteConfirmDelete = "¿ Realmente desea borrar la nota"; +$AddNote = "Añadir nota"; +$ModifyNote = "Modificar nota"; +$BackToNoteList = "Regresar a la lista de anotaciones"; +$NotebookManagement = "Administración de nota personal"; +$BackToNotesList = "Volver al listado de notas"; +$NotesSortedByTitleAsc = "Notas ordenadas por título (A-Z)"; +$NotesSortedByTitleDESC = "Notas ordenadas por título (Z-A)"; +$NotesSortedByUpdateDateAsc = "Notas ordenadas por fecha de actualización (antiguas - recientes)"; +$NotesSortedByUpdateDateDESC = "Notas ordenadas por fecha de actualización (recientes - antiguas)"; +$NotesSortedByCreationDateAsc = "Notas ordenadas por fecha de creación (antiguas - recientes)"; +$NotesSortedByCreationDateDESC = "Notas ordenadas por fecha de creación (recientes - antiguas)"; +$Titular = "Titular"; +$SendToAllUsers = "Enviar a todos los usuarios"; +$AdministrationTools = "Herramientas de administración"; +$CatList = "Categorías"; +$Subscribe = "Inscribirme"; +$AlreadySubscribed = "Ya está inscrito"; +$CodeMandatory = "Código obligatorio"; +$CourseCategoryMandatory = "Categoría de curso obligatoria"; +$TeacherMandatory = "Nombre de profesor obligatorio"; +$CourseCategoryStored = "La categoría ha sido creada"; +$WithoutTimeLimits = "Sin límite de tiempo"; +$Added = "Añadido"; +$Deleted = "Borrado"; +$Keeped = "Guardado"; +$HideAndSubscribeClosed = "Oculto / Cerrado"; +$HideAndSubscribeOpen = "Oculto / Abierto"; +$ShowAndSubscribeOpen = "Visible / Abierto"; +$ShowAndSubscribeClosed = "Visible / Cerrado"; +$AdminThisUser = "Volver a este usuario"; +$Manage = "Administrar la Plataforma"; +$EnrollToCourseSuccessful = "Su inscripción en el curso se ha completado"; +$SubCat = "sub-categorías"; +$UnsubscribeNotAllowed = "En este curso no está permitido que los propios usuarios puedan anular su inscripción."; +$CourseAdminUnsubscribeNotAllowed = "Actualmente es el administrador de este curso"; +$CourseManagement = "Catálogo de cursos"; +$SortMyCourses = "Ordenar mis cursos"; +$SubscribeToCourse = "Inscribirme en un curso"; +$UnsubscribeFromCourse = "Anular mi inscripción en un curso"; +$CreateCourseCategory = "Crear una categoría personal de cursos"; +$CourseCategoryAbout2bedeleted = "¿ Está seguro de querer borrar esta categoría de curso ? Los cursos de esta categoría aparecerán en la lista sin categorizar"; +$CourseCategories = "Categorías de cursos"; +$CoursesInCategory = "Cursos en esta categoría"; +$SearchCourse = "Buscar cursos"; +$UpOneCategory = "Una categoría arriba"; +$ConfirmUnsubscribeFromCourse = "¿ Está seguro de querer anular su inscripción en este curso ?"; +$NoCourseCategory = "No asignar el curso a una categoría"; +$EditCourseCategorySucces = "El curso ha sido asignado a esta categoría"; +$SubscribingNotAllowed = "Inscripción no permitida"; +$CourseSortingDone = "Ordenación de cursos realizada"; +$ExistingCourseCategories = "Categorías existentes"; +$YouAreNowUnsubscribed = "Ha dejado de pertenecer al curso"; +$ViewOpenCourses = "Ver los cursos abiertos"; +$ErrorContactPlatformAdmin = "Se ha producido un error desconocido. Por favor, póngase en contacto con el administrador de la plataforma."; +$CourseRegistrationCodeIncorrect = "El código del curso es incorrecto"; +$CourseRequiresPassword = "El curso requiere una contraseña"; +$SubmitRegistrationCode = "Enviar el código de registro"; +$CourseCategoryDeleted = "La categoría fue eliminada"; +$CategorySortingDone = "Ordenación de categorías realizada"; +$CourseCategoryEditStored = "Categoría actualizada"; +$buttonCreateCourseCategory = "Crear una categoría de cursos"; +$buttonSaveCategory = "Guardar categoría"; +$buttonChangeCategory = "Cambiar categoría"; +$Expand = "Expandir"; +$Collapse = "Contraer"; +$CourseDetails = "Descripción del curso"; +$DocumentList = "Lista de todos los documentos"; +$OrganisationList = "Tabla de contenidos"; +$EditTOC = "Editar la tabla de contenidos"; +$EditDocument = "Editar"; +$CreateDocument = "Crear un documento"; +$MissingImagesDetected = "Se ha detectado que faltan imágenes"; +$Publish = "Publicar"; +$Scormcontentstudent = "Este es un curso con formato SCORM. Si quiere verlo, haga clic aquí: "; +$Scormcontent = "Este es un contenido SCORM
        "; +$DownloadAndZipEnd = " El archivo zip ha sido enviado y descomprimido en el servidor"; +$ZipNoPhp = "El archivo zip no puede contener archivos con formato .PHP"; +$GroupForumLink = "Foro de grupo"; +$NotScormContent = "¡ No es un archivo ZIP SCORM !"; +$NoText = "Por favor, introduzca el contenido de texto / contenido HTML"; +$NoFileName = "Por favor, introduzca el nombre del archivo"; +$FileError = "El archivo que quiere subir no es válido."; +$ViMod = "Visibilidad modificada"; +$AddComment = "Añadir/modificar un comentario a"; +$Impossible = "Operación imposible"; +$NoSpace = "El envio ha fallado. No hay suficiente espacio en su directorio"; +$DownloadEnd = "Se ha realizado el envío"; +$FileExists = "Operación imposible, existe un archivo con el mismo nombre."; +$DocCopied = "Documento copiado"; +$DocDeleted = "Documento eliminado"; +$ElRen = "Archivo renombrado"; +$DirMv = "Elemento movido"; +$ComMod = "Comentario modificado"; +$Rename = "Renombrar"; +$NameDir = "Nombre del nuevo directorio"; +$DownloadFile = "Descargar archivo"; +$Builder = "Constructor de lecciones"; +$MailMarkSelectedAsUnread = "Marcar como no leído"; +$ViewModeImpress = "Visualización actual: Impress"; +$AllowTeachersToCreateSessionsComment = "Los profesores pueden crear, editar y borrar sus propias sesiones."; +$AllowTeachersToCreateSessionsTitle = "Permitir a los profesores crear sesiones"; +$SelectACategory = "Seleccione una categoría"; +$MailMarkSelectedAsRead = "Marcar como leído"; +$MailSubjectReplyShort = "RE:"; +$AdvancedEdit = "Edición avanzada"; +$ScormBuilder = "Constructor de lecciones en formato SCORM"; +$CreateDoc = "Crear un documento"; +$OrganiseDocuments = "Crear tabla de contenidos"; +$Uncompress = "Descomprimir el archivo (.zip) en el servidor"; +$ExportShort = "Exportación SCORM"; +$AllDay = "Todo el día"; +$PublicationStartDate = "Fecha de inicio publicada"; +$ShowStatus = "Mostrar estado"; +$Mode = "Modalidad"; +$Schedule = "Horario"; +$Place = "Ubicación"; +$RecommendedNumberOfParticipants = "Número recomendado de participantes"; +$WCAGGoMenu = "Ir al menú"; +$WCAGGoContent = "Ir al contenido"; +$AdminBy = "Administrado por:"; +$Statistiques = "Estadísticas"; +$VisioHostLocal = "Host para la videoconferencia"; +$VisioRTMPIsWeb = "El protocolo de la videoconferencia funciona en modo web (la mayoría de las veces no es así)"; +$ShowBackLinkOnTopOfCourseTreeComment = "Mostrar un enlace para volver a la jerarquía del curso. De todos modos, un enlace siempre estará disponible al final de la lista."; +$Used = "usada"; +$Exist = "existe"; +$ShowBackLinkOnTopOfCourseTree = "Mostrar un enlace para volver atrás encima del árbol de las categorías/cursos"; +$ShowNumberOfCourses = "Mostrar el número de cursos"; +$DisplayTeacherInCourselistTitle = "Mostrar al profesor en el título del curso"; +$DisplayTeacherInCourselistComment = "Mostrar el nombre de cada profesor en cada uno de los cursos del listado"; +$DisplayCourseCodeInCourselistComment = "Mostrar el código del curso en cada uno de los cursos del listado"; +$DisplayCourseCodeInCourselistTitle = "Mostrar el código del curso en el título de éste"; +$ThereAreNoVirtualCourses = "No hay cursos virtuales en la plataforma"; +$ConfigureHomePage = "Configuración de la página principal"; +$CourseCreateActiveToolsTitle = "Módulos activos al crear un curso"; +$CourseCreateActiveToolsComment = "¿Qué herramientas serán activadas (visibles) por defecto al crear un curso?"; +$CreateUser = "Crear usuario"; +$ModifyUser = "Modificar usuario"; +$buttonEditUserField = "Editar campos de usuario"; +$ModifyCoach = "Modificar tutor"; +$ModifyThisSession = "Modificar esta sesión"; +$ExportSession = "Exportar sesión"; +$ImportSession = "Importar sesión"; +$CourseBackup = "Copia de seguridad de este curso"; +$CourseTitular = "Profesor principal"; +$CourseFaculty = "Categoría del curso"; +$CourseDepartment = "Facultad (solo usado como metadato)"; +$CourseDepartmentURL = "URL de la facultad (solo usado como metadato)"; +$CourseSubscription = "Inscripción en el curso"; +$PublicAccess = "Acceso público"; +$PrivateAccess = "Acceso privado"; +$DBManagementOnlyForServerAdmin = "La administración de la base de datos sólo está disponible para el administrador del servidor"; +$ShowUsersOfCourse = "Mostrar los usuarios del curso"; +$ShowClassesOfCourse = "Mostrar las clases inscritas en este curso"; +$ShowGroupsOfCourse = "Mostrar los grupos de este curso"; +$PhoneNumber = "Número de teléfono"; +$AddToCourse = "Añadir a un curso"; +$DeleteFromPlatform = "Eliminar de la plataforma"; +$DeleteCourse = "Eliminar cursos seleccionados"; +$DeleteFromCourse = "Anular la inscripción del curso(s)"; +$DeleteSelectedClasses = "Eliminar las clases seleccionadas"; +$DeleteSelectedGroups = "Eliminar los grupos seleccionados"; +$Administrator = "Administrador"; +$ChangePicture = "Cambiar la imagen"; +$XComments = "%s comentarios"; +$AddUsers = "Añadir usuarios"; +$AddGroups = "Crear grupos en la red social"; +$AddClasses = "Crear clases"; +$ExportUsers = "Exportar usuarios"; +$NumberOfParticipants = "Número de miembros"; +$NumberOfUsers = "Número de usuarios"; +$Participants = "miembros"; +$FirstLetterClass = "Primera letra (clase)"; +$FirstLetterUser = "Primera letra (apellidos)"; +$FirstLetterCourse = "Primera letra (código)"; +$ModifyUserInfo = "Modificar la información de un usuario"; +$ModifyClassInfo = "Modificar la información de una clase"; +$ModifyGroupInfo = "Modificar la información de un grupo"; +$ModifyCourseInfo = "Modificar la información del curso"; +$PleaseEnterClassName = "¡ Introduzca la clase !"; +$PleaseEnterLastName = "¡ Introduzca los apellidos del usuario !"; +$PleaseEnterFirstName = "¡ Introduzca el nombre del usuario !"; +$PleaseEnterValidEmail = "¡ Introduzca una dirección de correo válida !"; +$PleaseEnterValidLogin = "¡ Introduzca un Nombre de usuario válido !"; +$PleaseEnterCourseCode = "¡ Introduzca el código del curso !"; +$PleaseEnterTitularName = "¡ Introduzca el nombre y apellidos del profesor !"; +$PleaseEnterCourseTitle = "¡ Introduzca el título del curso !"; +$AcceptedPictureFormats = "Formatos aceptados: .jpg, .png y .gif"; +$LoginAlreadyTaken = "Este Nombre de usuario ya está en uso"; +$ImportUserListXMLCSV = "Importar usuarios desde un fichero XML/CSV"; +$ExportUserListXMLCSV = "Exportar usuarios a un fichero XML/CSV"; +$OnlyUsersFromCourse = "Sólo usuarios del curso"; +$AddClassesToACourse = "Añadir clases a un curso"; +$AddUsersToACourse = "Inscribir usuarios en un curso"; +$AddUsersToAClass = "Importar usuarios a una clase desde un fichero"; +$AddUsersToAGroup = "Añadir usuarios a un grupo"; +$AtLeastOneClassAndOneCourse = "Debe seleccionar al menos una clase y un curso"; +$AtLeastOneUser = "Debe seleccionar al menos un usuario"; +$AtLeastOneUserAndOneCourse = "Debe seleccionar al menos un usuario y un curso"; +$ClassList = "Listado de clases"; +$AddToThatCourse = "Añadir a este (estos) curso(s)"; +$AddToClass = "Añadir a la clase"; +$RemoveFromClass = "Quitar de la clase"; +$AddToGroup = "Añadir al grupo"; +$RemoveFromGroup = "Quitar del grupo"; +$UsersOutsideClass = "Usuarios que no pertenecen a la clase"; +$UsersInsideClass = "Usuarios pertenecientes a la clase"; +$UsersOutsideGroup = "Usuarios que no pertenecen al grupo"; +$UsersInsideGroup = "Usuarios pertenecientes al grupo"; +$MustUseSeparator = "debe utilizar el carácter ';' como separador"; +$CSVMustLookLike = "El fichero CSV debe tener el siguiente formato"; +$XMLMustLookLike = "El fichero XML debe tener el siguiente formato"; +$MandatoryFields = "Los campos en negrita son obligatorios"; +$NotXML = "El fichero especificado no está en formato XML."; +$NotCSV = "El fichero especificado no está en formato CSV."; +$NoNeededData = "El fichero especificado no contiene todos los datos necesarios."; +$MaxImportUsers = "No se pueden importar más de 500 usuarios a la vez."; +$AdminDatabases = "Bases de datos (phpMyAdmin)"; +$AdminUsers = "Usuarios"; +$AdminClasses = "Clases de usuarios"; +$AdminGroups = "Grupos de usuarios"; +$AdminCourses = "Cursos"; +$AdminCategories = "Categorías de cursos"; +$SubscribeUserGroupToCourse = "Inscribir un usuario o un grupo en un curso"; +$NoCategories = "Sin categorías"; +$AllowCoursesInCategory = "Permitir añadir cursos a esta categoría"; +$GoToForum = "Ir al foro"; +$CategoryCode = "Código de la categoría"; +$MetaTwitterCreatorComment = "Cuenta personal de Twitter (ej: @ywarnier) que representa la *persona* que está a cargo de o representa este portal. Este campo es opcional."; +$EditNode = "Editar esta categoría"; +$OpenNode = "Abrir esta categoría"; +$DeleteNode = "Eliminar esta categoría"; +$AddChildNode = "Añadir una subcategoría"; +$ViewChildren = "Ver hijos"; +$TreeRebuildedIn = "Árbol reconstruido en"; +$TreeRecountedIn = "Árbol recontado en"; +$RebuildTree = "Reconstruir el árbol"; +$RefreshNbChildren = "Actualizar el número de hijos"; +$ShowTree = "Ver el árbol"; +$MetaImagePathTitle = "Ruta de imagen Meta"; +$LogDeleteCat = "Categoría eliminada"; +$RecountChildren = "Recontar los hijos"; +$UpInSameLevel = "Subir en este nivel"; +$MailTo = "Correo a:"; +$AddAdminInApache = "Añadir un administrador"; +$AddFaculties = "Añadir categorías"; +$SearchACourse = "Buscar un curso"; +$SearchAUser = "Buscar un usuario"; +$TechnicalTools = "Técnico"; +$Config = "Configuración del sistema"; +$LogIdentLogoutComplete = "Lista de logins (detallada)"; +$LimitUsersListDefaultMax = "Máximo de usuarios mostrados en la lista desplegable"; +$NoTimeLimits = "Sin límite de tiempo"; +$GeneralProperties = "Propiedades generales"; +$CourseCoach = "Tutor del curso"; +$UsersNumber = "Número de usuarios"; +$PublicAdmin = "Administración pública"; +$PageAfterLoginTitle = "Página después de identificarse"; +$PageAfterLoginComment = "Página que será visualizada por los usuarios que se conecten"; +$TabsMyProfile = "Pestaña Mi perfil"; +$GlobalRole = "Perfil global"; +$NomOutilTodo = "Gestionar la lista de sugerencias"; +$NomPageAdmin = "Administración"; +$SysInfo = "Información del Sistema"; +$DiffTranslation = "Comparar traducciones"; +$StatOf = "Estadíticas de"; +$PDFDownloadNotAllowedForStudents = "Los estudiantes no están permitidos descargar PDF"; +$LogIdentLogout = "Lista de logins"; +$ServerStatus = "Estado del servidor MySQL:"; +$DataBase = "Base de datos"; +$Run = "Funciona"; +$Client = " Cliente MySQL"; +$Server = "Servidor MySQL"; +$titulary = "Titularidad"; +$UpgradeBase = "Actualización de la Base de datos"; +$ErrorsFound = "errores encontrados"; +$Maintenance = "Mantenimiento"; +$Upgrade = "Actualizar Chamilo"; +$Website = "Web de Chamilo"; +$Documentation = "Documentación"; +$Contribute = "Contribuir"; +$InfoServer = "Información del servidor"; +$SendMailToUsers = "Enviar un correo a los usuarios"; +$CourseSystemCode = "Código del sistema"; +$CourseVisualCode = "Código visual"; +$SystemCode = "Código del sistema"; +$VisualCode = "Código visual"; +$AddCourse = "Crear un curso"; +$AdminManageVirtualCourses = "Administrar cursos virtuales"; +$AdminCreateVirtualCourse = "Crear un curso virtual"; +$AdminCreateVirtualCourseExplanation = "Un curso virtual comparte su espacio de almacenamiento (directorios y bases de datos) con un curso que físicamente ya existe previamente."; +$RealCourseCode = "Código real del curso"; +$CourseCreationSucceeded = "El curso ha sido creado."; +$OnTheHardDisk = "en el disco duro"; +$IsVirtualCourse = "Curso virtual"; +$AnnouncementUpdated = "El anuncio ha sido actualizado"; +$MetaImagePathComment = "Esta es la ruta hacia una imagen, dentro de la estructura de carpetas de Chamilo (ej: home/image.png) que representará su portal en una Twitter Card o una OpenGraph Card cuando alguien publique un enlace a su portal en un sitio que soporte uno de estos dos formatos. Twitter recomienda que la imagen sea de 120 x 120 píxeles de dimensiones, pero a veces se reduce a 120x90, por lo que debería quedar bien en ambas dimensiones."; +$PermissionsForNewFiles = "Permisos para los nuevos archivos"; +$PermissionsForNewFilesComment = "La posibilidad de definir la configuración de los permisos asignados a los nuevos archivos, aumenta la seguridad contra los ataques de hackers que puedan enviar material peligroso a la plataforma. La configuración por defecto (0550) debe ser suficiente para dar a su servidor un nivel de protección razonable. El formato proporcionado utiliza la terminología de UNIX Propietario-Grupo-Otros, con los permisos de Lectura-Escritura-Ejecución."; +$Guest = "Invitado"; +$LoginAsThisUserColumnName = "Entrar como"; +$LoginAsThisUser = "Entrar"; +$SelectPicture = "Seleccionar imagen..."; +$DontResetPassword = "No reiniciar contraseña"; +$ParticipateInCommunityDevelopment = "Participar en el desarrollo"; +$CourseAdmin = "administrador de curso"; +$PlatformLanguageTitle = "Idioma de la plataforma"; +$ServerStatusComment = "¿ Qué tipo de servidor utiliza ? Esto activa o desactiva algunas opciones específicas. En un servidor de desarrollo hay una funcionalidad que indica las cadenas de caracteres no traducidas."; +$ServerStatusTitle = "Tipo de servidor"; +$PlatformLanguages = "Idiomas de la plataforma Chamilo"; +$PlatformLanguagesExplanation = "Esta herramienta genera el menú de selección de idiomas en la página de autentificación. El administrador de la plataforma puede decidir qué idiomas estarán disponibles para los usuarios."; +$OriginalName = "Nombre original"; +$EnglishName = "Nombre inglés"; +$LMSFolder = "Directorio Chamilo"; +$Properties = "Propiedades"; +$PlatformConfigSettings = "Parámetros de configuración de Chamilo"; +$SettingsStored = "Los parámetros han sido guardados"; +$InstitutionTitle = "Nombre de la Institución"; +$InstitutionComment = "Nombre de la Institución (aparece en el lado derecho de la cabecera)"; +$InstitutionUrlTitle = "URL de la Institución"; +$InstitutionUrlComment = "URL de la Institución (enlace que aparece en el lado derecho de la cabecera)"; +$SiteNameTitle = "Nombre del Sitio Web de su plataforma"; +$SiteNameComment = "El nombre del Sitio Web de su plataforma (aparece en la cabecera)"; +$emailAdministratorTitle = "Administrador de la plataforma: e-mail"; +$emailAdministratorComment = "La dirección de correo electrónico del administrador de la plataforma (aparece en el lado izquierdo del pie)"; +$administratorSurnameTitle = "Administrador de la plataforma: apellidos"; +$administratorSurnameComment = "Los apellidos del administrador de la plataforma (aparecen en el lado izquierdo del pie)"; +$administratorNameTitle = "Administrador de la plataforma: nombre"; +$administratorNameComment = "El nombre del administrador de la plataforma (aparece en el lado izquierdo del pie)"; +$ShowAdministratorDataTitle = "Información del administrador de la plataforma en el pie"; +$ShowAdministratorDataComment = "¿ Mostrar la información del administrador de la plataforma en el pie ?"; +$HomepageViewTitle = "Vista de la página principal"; +$HomepageViewComment = "¿ Cómo quiere que se presente la página principal del curso ?"; +$HomepageViewDefault = "Presentación en dos columnas. Las herramientas desactivadas quedan escondidas"; +$HomepageViewFixed = "Presentación en tres columnas. Las herramientas desactivadas aparecen en gris (los iconos se mantienen en su lugar)."; +$ShowToolShortcutsTitle = "Barra de acceso rápido a las herramientas"; +$ShowToolShortcutsComment = "¿ Mostrar la barra de acceso rápido a las herramientas en la cabecera ?"; +$ShowStudentViewTitle = "Vista de estudiante"; +$ShowStudentViewComment = "¿ Habilitar la 'Vista de estudiante' ?
        Esta funcionalidad permite al profesor previsualizar lo que los estudiantes van a ver."; +$AllowGroupCategories = "Categorías de grupos"; +$AllowGroupCategoriesComment = "Permitir a los administradores de un curso crear categorías en el módulo grupos"; +$PlatformLanguageComment = "Determinar el idioma de la plataforma: Idiomas de la plataforma Chamilo"; +$ProductionServer = "Servidor de producción"; +$TestServer = "Servidor de desarrollo"; +$ShowOnlineTitle = "¿ Quién está en línea ?"; +$AsPlatformLanguage = "como idioma de la plataforma"; +$ShowOnlineComment = "¿ Mostrar el número de personas que están en línea ?"; +$AllowNameChangeTitle = "¿ Permitir cambiar el nombre en el perfil ?"; +$AllowNameChangeComment = "¿ Permitir al usuario cambiar su nombre y apellidos ?"; +$DefaultDocumentQuotumTitle = "Cuota de espacio por defecto para un curso en el servidor"; +$DefaultDocumentQuotumComment = "¿Cuál es la cuota de espacio por defecto de un curso en el servidor? Se puede cambiar este espacio para un curso específico a través de: administración de la plataforma -> Cursos -> modificar"; +$ProfileChangesTitle = "Perfil"; +$ProfileChangesComment = "¿Qué parte de su perfil desea que el usuario pueda modificar?"; +$RegistrationRequiredFormsTitle = "Registro: campos obligatorios"; +$RegistrationRequiredFormsComment = "Campos que obligatoriamente deben ser rellenados (además del nombre, apellidos, nombre de usuario y contraseña). En el caso de idioma será visible o invisible."; +$DefaultGroupQuotumTitle = "Cuota de espacio por defecto en el servidor para los grupos"; +$DefaultGroupQuotumComment = "¿Cuál es la cuota de espacio por defecto en el servidor para los grupos?"; +$AllowLostPasswordTitle = "Olvidé mi contraseña"; +$AllowLostPasswordComment = "¿ Cuando un usuario ha perdido su contraseña, puede pedir que el sistema se la envíe automáticamente ?"; +$AllowRegistrationTitle = "Registro"; +$AllowRegistrationComment = "¿ Está permitido que los nuevos usuarios puedan registrarse por sí mismos ? ¿ Pueden los usuarios crear cuentas nuevas ?"; +$AllowRegistrationAsTeacherTitle = "Registro como profesor"; +$AllowRegistrationAsTeacherComment = "¿ Alguien puede registrarse como profesor (y poder crear cursos) ?"; +$PlatformLanguage = "Idioma de la plataforma"; +$Tuning = "Mejorar el rendimiento"; +$SplitUsersUploadDirectory = "Dividir el directorio de transferencias (upload) de los usuarios"; +$SplitUsersUploadDirectoryComment = "En plataformas que tengan un uso muy elevado, donde están registrados muchos usuarios que envían sus fotos, el directorio al que se transfieren (main/upload/users/) puede contener demasiados archivos para que el sistema los maneje de forma eficiente (se ha documentado el caso de un servidor Debian con más de 36000 archivos). Si cambia esta opción añadirá un nivel de división a los directorios del directorio upload. Nueve directorios se utilizarán en el directorio base para contener los directorios de todos los usuarios. El cambio de esta opción no afectará a la estructura de los directorios en el disco, sino al comportamiento del código de Chamilo, por lo que si la activa tendrá que crear nuevos directorios y mover manualmente los directorios existentes en el servidor. Cuando cree y mueva estos directorios, tendrá que mover los directorios de los usuarios 1 a 9 a subdirectorios con el mismo nombre. Si no está seguro de usar esta opción, es mejor que no la active."; +$CourseQuota = "Espacio del curso en el servidor"; +$EditNotice = "Editar aviso"; +$InsertLink = "Insertar enlace"; +$EditNews = "Editar noticias"; +$EditCategories = "Editar categorías"; +$EditHomePage = "Editar la página principal"; +$AllowUserHeadingsComment = "¿ El administrador de un curso puede definir cabeceras para obtener información adicional de los usuarios ?"; +$MetaTwitterSiteTitle = "Cuenta Twitter Site"; +$Languages = "Idiomas"; +$NoticeTitle = "Título de la noticia"; +$NoticeText = "Texto de la noticia"; +$LinkURL = "URL del enlace"; +$OpenInNewWindow = "Abrir en una nueva ventana"; +$LimitUsersListDefaultMaxComment = "En las pantallas de inscripción de usuarios a cursos o clases, si la primera lista no filtrada contiene más que este número de usuarios dejar por defecto la primera letra (A)"; +$HideDLTTMarkupComment = "Ocultar la marca [=...=] cuando una variable de idioma no esté traducida"; +$UpgradeFromLMS19x = "Actualizar desde una versión 1.9.*"; +$SignUp = "¡Regístrate!"; +$UserDeleted = "Los usuarios seleccionados han sido eliminados"; +$NoClassesForThisCourse = "No hay clases inscritas en este curso"; +$CourseUsage = "Utilización del curso"; +$NoCoursesForThisUser = "Este usuario no está inscrito en ningún curso"; +$NoClassesForThisUser = "Este usuario no está inscrito en ninguna clase"; +$NoCoursesForThisClass = "Esta clase no está inscrita en ningún curso"; +$Tool = "Herramienta"; +$NumberOfItems = "Número de elementos"; +$DocumentsAndFolders = "Documentos y carpetas"; +$Exercises = "Ejercicios"; +$AllowPersonalAgendaTitle = "Agenda personal"; +$AllowPersonalAgendaComment = "¿ El usuario puede añadir elementos de la agenda personal a la sección 'Mi agenda' ?"; +$CurrentValue = "Valor actual"; +$AlreadyRegisteredToSession = "Ya está registrado en la sesión"; +$MyCoursesDefaultView = "Mis cursos, vista simple"; +$UserPassword = "Contraseña"; +$SubscriptionAllowed = "Inscripción"; +$UnsubscriptionAllowed = "Anular inscripción"; +$AddDummyContentToCourse = "Añadir contenidos de prueba al curso"; +$DummyCourseCreator = "Crear contenidos de prueba"; +$DummyCourseDescription = "Se añadirán contenidos al curso para que le sirvan de ejemplo. ¡ Esta utilidad sólo debe usarse para hacer pruebas !"; +$AvailablePlugins = "Estos son los plugins que se han encontrado en su sistema."; +$CreateVirtualCourse = "Crear un curso virtual"; +$DisplayListVirtualCourses = "Mostrar el listado de los cursos virtuales"; +$LinkedToRealCourseCode = "Enlazado al código del curso físico"; +$AttemptedCreationVirtualCourse = "Creando el curso virtual..."; +$WantedCourseCode = "Código del curso"; +$ResetPassword = "Actualizar la contraseña"; +$CheckToSendNewPassword = "Enviar nueva contraseña"; +$AutoGeneratePassword = "Generar automáticamente una contraseña"; +$UseDocumentTitleTitle = "Utilice un título para el nombre del documento"; +$UseDocumentTitleComment = "Esto permitirá utilizar un título para el nombre de cada documento en lugar de nom_document.ext"; +$StudentPublications = "Tareas"; +$PermanentlyRemoveFilesTitle = "Los archivos eliminados no pueden ser recuperados"; +$PermanentlyRemoveFilesComment = "Si en el área de documentos elimina un archivo, esta eliminación será definitiva. El archivo no podrá ser recuperado después"; +$DropboxMaxFilesizeTitle = "Compartir documentos: tamaño máximo de los documentos"; +$DropboxMaxFilesizeComment = "¿Qué tamaño en MB puede tener un documento?"; +$DropboxAllowOverwriteTitle = "Compartir documentos: los documentos se sobreescribirán"; +$DropboxAllowOverwriteComment = "¿ Puede sobreescribirse el documento original cuando un estudiante o profesor sube un documento con el mismo nombre de otro que ya existe ? Si responde sí, perderá la posibilidad de conservar sucesivas versiones"; +$DropboxAllowJustUploadTitle = "¿ Compartir documentos: subir al propio espacio ?"; +$DropboxAllowJustUploadComment = "Permitir a los profesores y a los estudiantes subir documentos en su propia sección de documentos compartidos sin enviarlos a nadie más (=enviarse un documento a uno mismo)"; +$DropboxAllowStudentToStudentTitle = "Compartir documentos: estudiante <-> estudiante"; +$DropboxAllowStudentToStudentComment = "Permitir a los estudiantes enviar documentos a otros estudiantes (peer to peer, intercambio P2P). Tenga en cuenta que los estudiantes pueden usar esta funcionalidad para enviarse documentos poco relevantes (mp3, soluciones,...). Si deshabilita esta opción los estudiantes sólo podrán enviar documentos a sus profesores"; +$DropboxAllowMailingTitle = "Compartir documentos: permitir el envío por correo"; +$DropboxAllowMailingComment = "Con la funcionalidad de envío por correo, Ud. puede enviar un documento personal a cada estudiante"; +$PermissionsForNewDirs = "Permisos para los nuevos directorios"; +$PermissionsForNewDirsComment = "La posibilidad de definir la configuración de los permisos asignados a los nuevos directorios, aumenta la seguridad contra los ataques de hackers que puedan enviar material peligroso a la plataforma. La configuración por defecto (0770) debe ser suficiente para dar a su servidor un nivel de protección razonable. El formato proporcionado utiliza la terminología de UNIX Propietario-Grupo-Otros con los permisos de Lectura-Escritura-Ejecución."; +$UserListHasBeenExported = "La lista de usuarios ha sido exportada."; +$ClickHereToDownloadTheFile = "Haga clic aquí para descargar el archivo."; +$administratorTelephoneTitle = "Administrador de la plataforma: teléfono"; +$administratorTelephoneComment = "Número de teléfono del administrador de la plataforma"; +$SendMailToNewUser = "Enviar un e-mail al nuevo usuario"; +$ExtendedProfileTitle = "Perfil extendido"; +$ExtendedProfileComment = "Si se configura como 'Verdadero', un usuario puede rellenar los siguientes campos (opcionales): 'Mis competencias', 'Mis títulos', '¿Qué puedo enseñar?' y 'Mi área personal pública'"; +$Classes = "Clases"; +$UserUnsubscribed = "La inscripción del usuario ha sido anulada."; +$CannotUnsubscribeUserFromCourse = "El usuario no puede anular su inscripci�n en el curso. Este usuario es un administrador del curso."; +$InvalidStartDate = "Fecha de inicio no válida."; +$InvalidEndDate = "Fecha de finalización no válida."; +$DateFormatLabel = "(d/m/a h:m)"; +$HomePageFilesNotWritable = "Los archivos de la página principal no se pueden escribir."; +$PleaseEnterNoticeText = "Por favor, introduzca el texto de la noticia"; +$PleaseEnterNoticeTitle = "Por favor, introduzca el título de la noticia"; +$PleaseEnterLinkName = "Por favor, introduzca el nombre del enlace"; +$InsertThisLink = "Insertar este enlace"; +$FirstPlace = "Primer lugar"; +$DropboxAllowGroupTitle = "Compartir documentos: permitir al grupo"; +$DropboxAllowGroupComment = "Los usuarios pueden enviar archivos a los grupos"; +$ClassDeleted = "La clase ha sido eliminada"; +$ClassesDeleted = "Las clases han sido eliminadas"; +$NoUsersInClass = "No hay usuarios en esta clase"; +$UsersAreSubscibedToCourse = "Los usuarios seleccionados han sido inscritos en sus correspondientes cursos"; +$InvalidTitle = "Por favor, introduzca un título"; +$CatCodeAlreadyUsed = "Esta categoría ya está en uso"; +$PleaseEnterCategoryInfo = "Por favor, introduzca un código y un nombre para esta categoría"; +$RegisterYourPortal = "Registre su plataforma"; +$ShowNavigationMenuTitle = "Mostrar el menú de navegación del curso"; +$ShowNavigationMenuComment = "Mostrar el menu de navegación facilitará el acceso a las diferentes áreas del curso."; +$LoginAs = "Iniciar sesión como"; +$ImportClassListCSV = "Importar un listado de clases desde un fichero CSV"; +$ShowOnlineWorld = "Mostrar el número de usuarios en línea en la página de autentificación (visible para todo el mundo)"; +$ShowOnlineUsers = "Mostrar el número de usuarios en línea en todas las páginas (visible para quienes se hayan autentificado)"; +$ShowOnlineCourse = "Mostrar el número de usuarios en línea en este curso"; +$ShowIconsInNavigationsMenuTitle = "¿Mostrar los iconos en el menú de navegación?"; +$SeeAllRightsAllRolesForSpecificLocation = "Ver todos los perfiles y permisos para un lugar específico"; +$MetaTwitterCreatorTitle = "Cuenta Twitter Creator"; +$ClassesSubscribed = "Las clases seleccionadas fueron inscritas en los cursos seleccionados"; +$RoleId = "ID del perfil"; +$RoleName = "Nombre del perfil"; +$RoleType = "Tipo"; +$MakeAvailable = "Habilitar"; +$MakeUnavailable = "Deshabilitar"; +$Stylesheets = "Hojas de estilo"; +$ShowIconsInNavigationsMenuComment = "¿Se debe mostrar los iconos de las herramientas en el menú de navegación?"; +$Plugin = "Plugin"; +$MainMenu = "Menú principal"; +$MainMenuLogged = "Menú principal después de autentificarse"; +$Banner = "Banner"; +$ImageResizeTitle = "Redimensionar las imágenes enviadas por los usuarios"; +$ImageResizeComment = "Las imágenes de los usuarios pueden ser redimensionadas cuando se envían si PHP está compilado con GD library. Si GD no está disponible, la configuración será ignorada."; +$MaxImageWidthTitle = "Anchura máxima de la imagen del usuario"; +$MaxImageWidthComment = "Anchura máxima en pixeles de la imagen de un usuario. Este ajuste se aplica solamente si las imágenes de lo usuarios se configuran para ser redimensionadas al enviarse."; +$MaxImageHeightTitle = "Altura máxima de la imagen del usuario"; +$MaxImageHeightComment = "Altura máxima en pixels de la imagen de un usuario. Esta configuración sólo se aplica si las imágenes de los usuarios han sido configuradas para ser redimensionadas al enviarse."; +$YourVersionIs = "Su versión es"; +$ConnectSocketError = "Error de conexión vía socket"; +$SocketFunctionsDisabled = "Las conexiones vía socket están deshabilitadas"; +$ShowEmailAddresses = "Mostrar la dirección de correo electrónico"; +$ShowEmailAddressesComment = "Mostrar a los usuarios las direcciones de correo electrónico"; +$ActiveExtensions = "Activar los servicios"; +$Visioconf = "Videoconferencia"; +$VisioconfDescription = "Chamilo Live Conferencing® es una herramienta estándar de videoconferencia que ofrece: mostrar diapositivas, pizarra para dibujar y escribir, audio/video duplex, chat. Tan solo requiere Flash® player, permitiendo tres modos: uno a uno, uno a muchos, y muchos a muchos."; +$Ppt2lp = "Chamilo RAPID Lecciones"; +$Ppt2lpDescription = "Chamilo RAPID es una herramienta que permite generar secuencias de aprendizaje rápidamente.Puede convertir presentaciones Powerpoint y documentos Word, así como sus equivalentes de Openoffice en cursos tipo SCORM. Tras la conversión, el documento podrá ser gestionado por la herramienta lecciones de Chamilo. Podrá añadir diapositivas, audio, ejercicios entre las diapositivas o actividades como foros de discusión y el envío de tareas. Al ser un curso SCORM permite el informe y el seguimiento de los estudiantes. El sistema combina el poder de Openoffice como herramienta de conversión de documentos MS-Office + el servidor streamming RED5 para la grabación de audio + la herramienta de administración de lecciones de Chamilo."; +$BandWidthStatistics = "Estadísticas del tráfico"; +$BandWidthStatisticsDescription = "MRTG le permite consultar estadísticas detalladas del estado del servidor en las últimas 24 horas."; +$ServerStatistics = "Estadísticas del servidor"; +$ServerStatisticsDescription = "AWStats le permite consultar las estadísticas de su plataforma: visitantes, páginas vistas, referenciadores..."; +$SearchEngine = "Buscador de texto completo"; +$SearchEngineDescription = "El buscador de texto completo le permite buscar una palabra a través de toda la plataforma. La indización diaria de los contenidos le asegura la calidad de los resultados."; +$ListSession = "Lista de sesiones de formación"; +$AddSession = "Crear una sesión de formación"; +$ImportSessionListXMLCSV = "Importar sesiones en formato XML/CSV"; +$ExportSessionListXMLCSV = "Exportar sesiones en formato XML/CSV"; +$NbCourses = "Número de cursos"; +$DateStart = "Fecha inicial"; +$DateEnd = "Fecha final"; +$CoachName = "Nombre del tutor"; +$SessionNameIsRequired = "Debe dar un nombre a la sesión"; +$NextStep = "Siguiente elemento"; +$Confirm = "Confirmar"; +$UnsubscribeUsersFromCourse = "Anular la inscripción de los usuarios en el curso"; +$MissingClassName = "Falta el nombre de la clase"; +$ClassNameExists = "El nombre de la clase ya existe"; +$ImportCSVFileLocation = "Localización del fichero de importación CSV"; +$ClassesCreated = "Clases creadas"; +$ErrorsWhenImportingFile = "Errores al importar el fichero"; +$ServiceActivated = "Servicio activado"; +$ActivateExtension = "Activar servicios"; +$InvalidExtension = "Extensión no válida"; +$VersionCheckExplanation = "Para habilitar la comprobación automática de la versión debe registrar su plataforma en chamilo.org. La información obtenida al hacer clic en este botón sólo es para uso interno y sólo los datos añadidos estarán disponibles públicamente (número total de usuarios de la plataforma, número total de cursos, número total de estudiantes,...) (ver http://www.chamilo.org/stats/). Cuando se registre, también aparecerá en esta lista mundial (http://www.chamilo.org/community.php. Si no quiere aparecer en esta lista, debe marcar la casilla inferior. El registro es tan fácil como hacer clic sobre este botón:
        "; +$AfterApproval = "Después de ser aprobado"; +$StudentViewEnabledTitle = "Activar la Vista de estudiante"; +$StudentViewEnabledComment = "Habilitar la Vista de estudiante, que permite que un profesor o un administrador pueda ver un curso como lo vería un estudiante"; +$TimeLimitWhosonlineTitle = "Límite de tiempo de Usuarios en línea"; +$TimeLimitWhosonlineComment = "Este límite de tiempo define cuantos minutos han de pasar despúes de la última acción de un usuario para seguir considerándolo *en línea*"; +$ExampleMaterialCourseCreationTitle = "Material de ejemplo para la creación de un curso"; +$ExampleMaterialCourseCreationComment = "Crear automáticamente material de ejemplo al crear un nuevo curso"; +$AccountValidDurationTitle = "Validez de la cuenta"; +$AccountValidDurationComment = "Una cuenta de usuario es válida durante este número de días a partir de su creación"; +$UseSessionModeTitle = "Usar sesiones de formación"; +$UseSessionModeComment = "Las sesiones ofrecen una forma diferente de tratar los cursos, donde el curso tiene un creador, un tutor y unos estudiantes. Cada tutor imparte un curso por un perido de tiempo, llamado *sesión*, a un conjunto de estudiantes"; +$HomepageViewActivity = "Ver la actividad"; +$HomepageView2column = "Visualización en dos columnas"; +$HomepageView3column = "Visualización en tres columnas"; +$AllowUserHeadings = "Permitir encabezados de usuarios"; +$IconsOnly = "Sólo iconos"; +$TextOnly = "Sólo texto"; +$IconsText = "Iconos y texto"; +$EnableToolIntroductionTitle = "Activar introducción a las herramientas"; +$EnableToolIntroductionComment = "Habilitar una introducción en cada herramienta de la página principal"; +$BreadCrumbsCourseHomepageTitle = "Barra de navegación de la página principal del curso"; +$BreadCrumbsCourseHomepageComment = "La barra de navegación es un sistema de navegación horizontal mediante enlaces que generalmente se sitúa en la zona superior izquierda de su página. Esta opción le permite seleccionar el contenido de esta barra en la página principal de cada curso"; +$MetaTwitterSiteComment = "La cuenta Twitter Site es una cuenta Twitter (ej: @chamilo_news) que se relaciona con su portal. Usualmente, se trata de una cuenta temporal o institucional, más no de una cuenta de un indivíduo en particular (como la es la del Twitter Creator). Este campo es obligatorio para mostrar el resto de campos de las Twitter Cards."; +$LoginPageMainArea = "Area principal de la página de acceso"; +$LoginPageMenu = "Menú de la página de acceso"; +$CampusHomepageMainArea = "Area principal de la página de acceso a la plataforma"; +$CampusHomepageMenu = "Menú de la página de acceso a la plataforma"; +$MyCoursesMainArea = "Área principal de cursos"; +$MyCoursesMenu = "Menú de cursos"; +$Header = "Cabecera"; +$Footer = "Pie"; +$PublicPagesComplyToWAITitle = "Páginas públicas conformes a WAI"; +$PublicPagesComplyToWAIComment = "WAI (Web Accessibility Initiative) es una iniciativa para hacer la web más accesible. Seleccionando esta opción, las páginas públicas de Chamilo serán más accesibles. Esto también hará que algunos contenidos de las páginas publicadas en la plataforma puedan mostrarse de forma diferente."; +$VersionCheck = "Comprobar versión"; +$SessionOverview = "Resumen de la sesión de formación"; +$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"; +$DeleteSelectedSessions = "Eliminar las sesiones seleccionadas"; +$CourseListInSession = "Lista de cursos en esta sesión"; +$UnsubscribeCoursesFromSession = "Cancelar la inscripción en la sesión de los cursos seleccionados"; +$NbUsers = "Usuarios"; +$SubscribeUsersToSession = "Inscribir usuarios en esta sesión"; +$UserListInPlatform = "Lista de usuarios de la plataforma"; +$UserListInSession = "Lista de usuarios inscritos en esta sesión"; +$CourseListInPlatform = "Lista de cursos de la plataforma"; +$Host = "Servidor"; +$UserOnHost = "Nombre de usuario"; +$FtpPassword = "Contraseña FTP"; +$PathToLzx = "Path de los archivos LZX"; +$WCAGContent = "texto"; +$SubscribeCoursesToSession = "Inscribir cursos en esta sesión"; +$DateStartSession = "Fecha de comienzo de sesión"; +$DateEndSession = "Fecha de fin de sesión"; +$EditSession = "Editar esta sesión"; +$VideoConferenceUrl = "Path de la reunión por videoconferencia"; +$VideoClassroomUrl = "Path del aula de videoconferencia"; +$ReconfigureExtension = "Reconfigurar la extensión"; +$ServiceReconfigured = "Servicio reconfigurado"; +$ChooseNewsLanguage = "Seleccionar idioma"; +$Ajax_course_tracking_refresh = "Suma el tiempo transcurrido en un curso"; +$Ajax_course_tracking_refresh_comment = "Esta opción se usa para calcular en tiempo real el tiempo que un usuario ha pasado en un curso. El valor de este campo es el intervalo de refresco en segundos. Para desactivar esta opción, dejar en el campo el valor por defecto 0."; +$FinishSessionCreation = "Terminar la creación de la sesión"; +$VisioRTMPPort = "Puerto del protocolo RTMP para la videoconferencia"; +$SessionNameAlreadyExists = "El nombre de la sesión ya existe"; +$NoClassesHaveBeenCreated = "No se ha creado ninguna clase"; +$ThisFieldShouldBeNumeric = "Este campo debe ser numérico"; +$UserLocked = "Usuario bloqueado"; +$UserUnlocked = "Usuario desbloqueado"; +$CannotDeleteUser = "No puede eliminar este usuario"; +$SelectedUsersDeleted = "Los usuarios seleccionados han sido borrados"; +$SomeUsersNotDeleted = "Algunos usuarios no han sido borrados"; +$ExternalAuthentication = "Autentificación externa"; +$RegistrationDate = "Fecha de registro"; +$UserUpdated = "Usuario actualizado"; +$HomePageFilesNotReadable = "Los ficheros de la página principal no son legibles"; +$Choose = "Seleccione"; +$ModifySessionCourse = "Modificar la sesión del curso"; +$CourseSessionList = "Lista de los cursos de la sesión"; +$SelectACoach = "Seleccionar un tutor"; +$UserNameUsedTwice = "El nombre de usuario ya está en uso"; +$UserNameNotAvailable = "Este nombre de usuario no está disponible pues ya está siendo utilizado por otro usuario"; +$UserNameTooLong = "Este nombre de usuario es demasiado largo"; +$WrongStatus = "Este estado no existe"; +$ClassNameNotAvailable = "Este nombre de clase no está disponible"; +$FileImported = "Archivo importado"; +$WhichSessionToExport = "Seleccione la sesión a exportar"; +$AllSessions = "Todas las sesiones"; +$CodeDoesNotExists = "Este código no existe"; +$UnknownUser = "Usuario desconocido"; +$UnknownStatus = "Estatus desconocido"; +$SessionDeleted = "La sesión ha sido borrada"; +$CourseDoesNotExist = "Este curso no existe"; +$UserDoesNotExist = "Este usuario no existe"; +$ButProblemsOccured = "pero se han producido problemas"; +$UsernameTooLongWasCut = "Este nombre de usuario fue cortado"; +$NoInputFile = "No se envió ningún archivo"; +$StudentStatusWasGivenTo = "El estatus de estudiante ha sido dado a"; +$WrongDate = "Formato de fecha erróneo (yyyy-mm-dd)"; +$YouWillSoonReceiveMailFromCoach = "En breve, recibirá un correo electrónico de su tutor."; +$SlideSize = "Tamaño de las diapositivas"; +$EphorusPlagiarismPrevention = "Prevención de plagio Ephorus"; +$CourseTeachers = "Profesores del curso"; +$UnknownTeacher = "Profesor desconocido"; +$HideDLTTMarkup = "Ocultar las marcas DLTT"; +$ListOfCoursesOfSession = "Lista de cursos de la sesión"; +$UnsubscribeSelectedUsersFromSession = "Cancelar la inscripción en la sesión de los usuarios seleccionados"; +$ShowDifferentCourseLanguageComment = "Mostrar el idioma de cada curso, después de su título, en la lista los cursos de la página principal"; +$ShowEmptyCourseCategoriesComment = "Mostrar las categorías de cursos en la página principal, aunque estén vacías"; +$ShowEmptyCourseCategories = "Mostrar las categorías de cursos vacías"; +$XMLNotValid = "El documento XML no es válido"; +$ForTheSession = "de la sesión"; +$AllowEmailEditorTitle = "Activar el editor de correo electrónico en línea"; +$AllowEmailEditorComment = "Si se activa esta opción, al hacer clic en un correo electrónico, se abrirá un editor en línea."; +$AddCSVHeader = "¿ Añadir la linea de cabecera del CSV ?"; +$YesAddCSVHeader = "Sí, añadir las cabeceras CSV
        Esta línea define los campos y es necesaria cuando quiera importar el archivo en otra plataforma Chamilo"; +$ListOfUsersSubscribedToCourse = "Lista de usuarios inscritos en el curso"; +$NumberOfCourses = "Número de cursos"; +$ShowDifferentCourseLanguage = "Mostrar los idiomas de los cursos"; +$VisioRTMPTunnelPort = "Puerto de tunelización del protocolo RTMP para la videoconferencia (RTMTP)"; +$Security = "Seguridad"; +$UploadExtensionsListType = "Tipo de filtrado en los envíos de documentos"; +$UploadExtensionsListTypeComment = "Utilizar un filtrado blacklist o whitelist. Para más detalles, vea más abajo la descripción ambos filtros."; +$Blacklist = "Blacklist"; +$Whitelist = "Whitelist"; +$UploadExtensionsBlacklist = "Blacklist - parámetros"; +$UploadExtensionsWhitelist = "Whitelist - parámetros"; +$UploadExtensionsBlacklistComment = "La blacklist o lista negra, se usa para filtrar los ficheros según sus extensiones, eliminando (o renombrando) cualquier fichero cuya extensión se encuentre en la lista inferior. Las extensiones deben figurar sin el punto (.) y separadas por punto y coma (;) por ejemplo: exe; COM; palo; SCR; php. Los archivos sin extensión serán aceptados. Que las letras estén en mayúsculas o en minúsculas no tiene importancia."; +$UploadExtensionsWhitelistComment = "La whitelist o lista blanca, se usa para filtrar los ficheros según sus extensiones, eliminando (o renombrando) cualquier fichero cuya extensión *NO* figure en la lista inferior. Es el tipo de filtrado más seguro, pero también el más restrictivo. Las extensiones deben figurar sin el punto (.) y separadas por punto y coma (;) por ejemplo: htm;html;txt;doc;xls;ppt;jpg;jpeg;gif;sxw . Los archivos sin extensión serán aceptados. Que las letras estén en mayúsculas o en minúsculas no tiene importancia."; +$UploadExtensionsSkip = "Comportamiento del filtrado (eliminar/renombrar)"; +$UploadExtensionsSkipComment = "Si elige eliminar, los archivos filtrados a través de la blacklist o de la whitelist no podrán ser enviados al sistema. Si elige renombrarlos, su extensión será sustituida por la definida en la configuración del reemplazo de extensiones. Tenga en cuenta que renombrarlas realmente no le protege y que puede ocasionar un conflicto de nombres si previamente existen varios ficheros con el mismo nombre y diferentes extensiones."; +$UploadExtensionsReplaceBy = "Reemplazo de extensiones"; +$UploadExtensionsReplaceByComment = "Introduzca la extensión que quiera usar para reemplazar las extensiones peligrosas detectadas por el filtro. Sólo es necesario si ha seleccionado filtrar por reemplazo."; +$ShowNumberOfCoursesComment = "Mostrar el número de cursos de cada categoría, en las categorías de cursos de la página principal"; +$EphorusDescription = "Comenzar a usar en Chamilo el servicio antiplagio de Ephorus.
        Con Ephorus, prevendrá el plagio de Internet sin ningún esfuerzo adicional.
        Puede utilizar nuestro servicio web estándar para construir su propia integración o utilizar uno de los módulos de la integración de Chamilo."; +$EphorusLeadersInAntiPlagiarism = "Líderes en 
        antiplagio
        "; +$EphorusClickHereForInformationsAndPrices = "Haga clic aquí para más información y precios"; +$NameOfTheSession = "Nombre de la sesión"; +$NoSessionsForThisUser = "Este usuario no está inscrito en ninguna sesión de formación"; +$DisplayCategoriesOnHomepageTitle = "Mostrar categorías en la página principal"; +$DisplayCategoriesOnHomepageComment = "Esta opción mostrará u ocultará las categorías de cursos en la página principal de la plataforma"; +$ShowTabsTitle = "Pestañas en la cabecera"; +$ShowTabsComment = "Seleccione que pestañas quiere que aparezcan en la cabecera. Las pestañas no seleccionadas, si fueran necesarias, aparecerán en el menú derecho de la página principal de la plataforma y en la página de mis cursos"; +$DefaultForumViewTitle = "Vista del foro por defecto"; +$DefaultForumViewComment = "Cuál es la opción por defecto cuando se crea un nuevo foro. Sin embargo, cualquier administrador de un curso puede elegir una vista diferente en cada foro"; +$TabsMyCourses = "Pestaña Mis cursos"; +$TabsCampusHomepage = "Pestaña Página principal de la plataforma"; +$TabsReporting = "Pestaña Informes"; +$TabsPlatformAdministration = "Pestaña Administración de la plataforma"; +$NoCoursesForThisSession = "No hay cursos para esta sesión"; +$NoUsersForThisSession = "No hay usuarios para esta sesión"; +$LastNameMandatory = "Los apellidos deben completarse obligatoriamente"; +$FirstNameMandatory = "El nombre no puede ser vacio"; +$EmailMandatory = "La dirección de correo electrónico debe cumplimentarse obligatoriamente"; +$TabsMyAgenda = "Pestaña Mi agenda"; +$NoticeWillBeNotDisplayed = "La noticia no será mostrada en la página principal"; +$LetThoseFieldsEmptyToHideTheNotice = "Deje estos campos vacíos si no quiere mostrar la noticia"; +$Ppt2lpVoiceRecordingNeedsRed5 = "La funcionalidad de grabación de voz en el Editor de Itinerarios de aprendizaje depende un servidor de streaming Red5. Los parámetros de este servidor pueden configurarse en la sección de videoconferencia de esta misma página."; +$PlatformCharsetTitle = "Juego de caracteres"; +$PlatformCharsetComment = "El juego de caracteres es el que controla la manera en que determinados idiomas son mostrados en Chamilo. Si, por ejemplo, utiliza caracteres rusos o japoneses, es posible que quiera cambiar este juego. Para todos los caracteres anglosajones, latinos y de Europa Occidental, el juego por defecto UTF-8 debe ser el correcto."; +$ExtendedProfileRegistrationTitle = "Campos del perfil extendido del registro"; +$ExtendedProfileRegistrationComment = "¿ Qué campos del perfil extendido deben estar disponibles en el proceso de registro de un usuario ? Esto requiere que el perfil extendido esté activado (ver más arriba)."; +$ExtendedProfileRegistrationRequiredTitle = "Campos requeridos en el perfil extendido del registro"; +$ExtendedProfileRegistrationRequiredComment = "¿Qué campos del perfil extendido son obligatorios en el proceso de registro de un usuario? Esto requiere que el perfil extendido esté activado y que el campo también esté disponible en el formulario de registro (véase más arriba)."; +$NoReplyEmailAddress = "No responder a este correo (No-reply e-mail address)"; +$NoReplyEmailAddressComment = "Esta es la dirección de correo electrónico que se utiliza cuando se envía un correo para solicitar que no se realice ninguna respuesta. Generalmente, esta dirección de correo electrónico debe ser configurada en su servidor eliminando/ignorando cualquier correo entrante."; +$SurveyEmailSenderNoReply = "Remitente de la encuesta (no responder)"; +$SurveyEmailSenderNoReplyComment = "¿ Los correos electrónicos utilizados para enviar las encuestas, deben usar el correo electrónico del tutor o una dirección especial de correo electrónico a la que el destinatario no responde (definida en los parámetros de configuración de la plataforma) ?"; +$CourseCoachEmailSender = "Correo electrónico del tutor"; +$NoReplyEmailSender = "No responder a este correo (No-reply e-mail address)"; +$OpenIdAuthenticationComment = "Activar la autentificación basada en URL OpenID (muestra un formulario de adicional de identificación en la página principal de la plataforma)"; +$VersionCheckEnabled = "Comprobación de la versión activada"; +$InstallDirAccessibleSecurityThreat = "El directorio de instalación main/install/ es todavía accesible a los usuarios de la Web. Esto podría representar una amenaza para su seguridad. Le recomendamos que elimine este directorio o que cambie sus permisos, de manera que los usuarios de la Web no puedan usar los scripts que contiene."; +$GradebookActivation = "Activación de la herramienta Evaluaciones"; +$GradebookActivationComment = "La herramienta Evaluaciones le permite evaluar las competencias de su organización mediante la fusión de las evaluaciones de actividades de clase y de actividades en línea en Informes comunes. ¿ Está seguro de querer activar esta herramienta ?"; +$UserTheme = "Tema (hoja de estilo)"; +$UserThemeSelection = "Selección de tema por el usuario"; +$UserThemeSelectionComment = "Permitir a los usuarios elegir su propio tema visual en su perfil. Esto les cambiará el aspecto de Chamilo, pero dejará intacto el estilo por defecto de la plataforma. Si un curso o una sesión han sido asignados a un tema específico, en ellos éste tendrá prioridad sobre el tema definido para el perfil de un usuario."; +$VisioHost = "Nombre o dirección IP del servidor de streaming para la videoconferencia"; +$VisioPort = "Puerto del servidor de streaming para la videoconferencia"; +$VisioPassword = "Contraseña del servidor de streaming para la videoconferencia"; +$Port = "Puerto"; +$EphorusClickHereForADemoAccount = "Haga clic aquí para obtener una cuenta de demostración"; +$ManageUserFields = "Gestionar los campos de usuario"; +$AddUserField = "Añadir un campo de usuario"; +$FieldLabel = "Etiqueta del campo"; +$FieldType = "Tipo de campo"; +$FieldTitle = "Título del campo"; +$FieldDefaultValue = "Valor por defecto del campo"; +$FieldOrder = "Orden del campo"; +$FieldVisibility = "Visibilidad del campo"; +$FieldChangeability = "Modificable"; +$FieldTypeText = "Texto"; +$FieldTypeTextarea = "Area de texto"; +$FieldTypeRadio = "Botones de radio"; +$FieldTypeSelect = "Desplegable"; +$FieldTypeSelectMultiple = "Desplegable con elección múltiple"; +$FieldAdded = "El campo ha sido añadido"; +$GradebookScoreDisplayColoring = "Coloreado de puntuación"; +$GradebookScoreDisplayColoringComment = "Seleccione la casilla para habilitar el coloreado de las puntuaciones (por ejemplo, tendrá que definir qué puntuaciones serán marcadas en rojo)"; +$TabsGradebookEnableColoring = "Habilitar el coloreado de las puntuaciones"; +$GradebookScoreDisplayCustom = "Personalización de la presentación de las puntuaciones"; +$GradebookScoreDisplayCustomComment = "Marque la casilla para activar la personalización de las puntuaciones (seleccione el nivel que se asociará a cada puntuación)"; +$TabsGradebookEnableCustom = "Activar la configuración de puntuaciones"; +$GradebookScoreDisplayColorSplit = "Límite para el coloreado de las puntuaciones"; +$GradebookScoreDisplayColorSplitComment = "Porcentaje límite por debajo del cual las puntuaciones se colorearán en rojo"; +$GradebookScoreDisplayUpperLimit = "Mostrar el límite superior de puntuación"; +$GradebookScoreDisplayUpperLimitComment = "Marque la casilla para mostrar el límite superior de la puntuación"; +$TabsGradebookEnableUpperLimit = "Activar la visualización del límite superior de la puntuación"; +$AddUserFields = "Añadir campos de usuario"; +$FieldPossibleValues = "Valores posibles"; +$FieldPossibleValuesComment = "Sólo en campos repetitivos, debiendo estar separados por punto y coma (;)"; +$FieldTypeDate = "Fecha"; +$FieldTypeDatetime = "Fecha y hora"; +$UserFieldsAddHelp = "Añadir un campo de usuario es muy fácil:
        - elija una palabra como identificador en minúsculas,
        - seleccione un tipo,
        - elija el texto que le debe aparecer al usuario (si utiliza un nombre ya traducido por Chamilo, como BirthDate o UserSex, automáticamente se traduce a todos los idiomas),
        - si ha elegido un campo del tipo selección múltiple (radio, seleccionar, selección múltiple), tiene la oportunidad de elegir (también aquí, puede hacer uso de las variables de idioma definidas en Chamilo), separado por punto y coma,
        - en los campos tipo texto, puede elegir un valor por defecto.

        Una vez que esté listo, agregue el campo y elija si desea hacerlo visible y modificable. Hacerlo modificable pero oculto es inútil."; +$AllowCourseThemeTitle = "Permitir temas para personalizar el aspecto del curso"; +$AllowCourseThemeComment = "Permitir que los cursos puedan tener un tema gráfico distinto, cambiando la hoja de estilo usada por una de las disponibles en Chamilo. Cuando un usuario entra en un curso, la hoja de estilo del curso tiene preferencia sobre la del usuario y sobre la que esté definida por defecto para la plataforma."; +$DisplayMiniMonthCalendarTitle = "Mostrar en la agenda el calendario mensual reducido"; +$DisplayMiniMonthCalendarComment = "Esta configuración activa o desactiva el pequeño calendario mensual que aparece a la izquierda en la herramienta agenda de un curso"; +$DisplayUpcomingEventsTitle = "Mostrar los próximos eventos en la agenda"; +$DisplayUpcomingEventsComment = "Esta configuración activa o desactiva los próximos eventos que aparecen a la izquierda de la herramienta agenda de un curso."; +$NumberOfUpcomingEventsTitle = "Número de próximos eventos que se deben mostrar"; +$NumberOfUpcomingEventsComment = "Número de próximos eventos que serán mostrados en la agenda. Esto requiere que la funcionalidad próximos eventos esté activada (ver más arriba la configuración)"; +$ShowClosedCoursesTitle = "¿ Mostrar los cursos cerrados en la página de registro y en la página principal de la plataforma ?"; +$ShowClosedCoursesComment = "¿ Mostrar los cursos cerrados en la página de registro y en la página principal de la plataforma ? En la página de inicio de la plataforma aparecerá un icono junto al curso, para inscribirse rápidamente en el mismo. Esto solo se mostrará en la página principal de la plataforma tras la autentificación del usuario y siempre que ya no esté inscrito en el curso."; +$LDAPConnectionError = "Error de conexión LDAP"; +$LDAP = "LDAP"; +$LDAPEnableTitle = "Habilitar LDAP"; +$LDAPEnableComment = "Si tiene un servidor LDAP, tendrá que configurar los parámetros inferiores y modificar el fichero de configuración descrito en la guía de instalación, y finalmente activarlo. Esto permitirá a los usuarios autentificarse usando su nombre de usuario LDAP. Si no conoce LDAP es mejor que deje esta opción desactivada"; +$LDAPMainServerAddressTitle = "Dirección del servidor LDAP principal"; +$LDAPMainServerAddressComment = "La dirección IP o la URL de su servidor LDAP principal."; +$LDAPMainServerPortTitle = "Puerto del servidor LDAP principal"; +$LDAPMainServerPortComment = "El puerto en el que el servidor LDAP principal responderá (generalmente 389). Este parámetro es obligatorio."; +$LDAPDomainTitle = "Dominio LDAP"; +$LDAPDomainComment = "Este es el dominio (dc) LDAP que será usado para encontrar los contactos en el servidor LDAP. Por ejemplo: dc=xx, dc=yy, dc=zz"; +$LDAPReplicateServerAddressTitle = "Dirección del servidor de replicación"; +$LDAPReplicateServerAddressComment = "Cuando el servidor principal no está disponible, este servidor le dará acceso. Deje en blanco o use el mismo valor que el del servidor principal si no tiene un servidor de replicación."; +$LDAPReplicateServerPortTitle = "Puerto del servidor LDAP de replicación"; +$LDAPReplicateServerPortComment = "El puerto en el que el servidor LDAP de replicación responderá."; +$LDAPSearchTermTitle = "Término de búsqueda"; +$LDAPSearchTermComment = "Este término será usado para filtrar la búsqueda de contactos en el servidor LDAP. Si no está seguro de lo que escribir aquí, consulte la documentación y configuración de su servidor LDAP."; +$LDAPVersionTitle = "Versión LDAP"; +$LDAPVersionComment = "Por favor, seleccione la versión del servidor LDAP que quiere usar. El uso de la versión correcta depende de la configuración de su servidor LDAP."; +$LDAPVersion2 = "LDAP 2"; +$LDAPVersion3 = "LDAP 3"; +$LDAPFilledTutorFieldTitle = "Campo de identificación de profesor"; +$LDAPFilledTutorFieldComment = "Comprobará el contenido del campo de contacto LDAP donde los nuevos usuarios serán insertados. Si este campo no está vacío, el usuario será considerado como profesor y será insertado en Chamilo como tal. Si Ud. quiere que todos los usuarios sean reconocidos como simples usuarios, deje este campo en blanco. Podrá modificar este comportamiento cambiando el código. Para más información lea la guía de instalación."; +$LDAPAuthenticationLoginTitle = "Identificador de autentificación"; +$LDAPAuthenticationLoginComment = "Si está usando un servidor LDAP que no acepta acceso anónimo, rellene el siguiente campo con el nombre de usuario que debe ser usado. No incluya \"cn=\". En el caso de aceptar acceso anónimo y querer usarlo, déjelo vacío."; +$LDAPAuthenticationPasswordTitle = "Contraseña de autentificación"; +$LDAPAuthenticationPasswordComment = "Si está usando un servidor LDAP que no acepta acceso anónimo, rellene el siguiente campo con la contraseña que tenga que usarse."; +$LDAPImport = "Importación LDAP"; +$EmailNotifySubscription = "Notificar usuarios registrados por e-mail"; +$DontUncheck = "No desactivar"; +$AllSlashNone = "Todos/Ninguno"; +$LDAPImportUsersSteps = "Importación LDAP: Usuarios/Etapas"; +$EnterStepToAddToYourSession = "Introduzca la etapa que quiera añadir a su sesión"; +$ToDoThisYouMustEnterYearDepartmentAndStep = "Para hacer esto, debe introducir el año, el departamento y la etapa"; +$FollowEachOfTheseStepsStepByStep = "Siga cada una de los elementos, paso a paso"; +$RegistrationYearExample = "Año de registro. Ejemplo: %s para el año académico %s-%s"; +$SelectDepartment = "Seleccionar departamento"; +$RegistrationYear = "Año de registro"; +$SelectStepAcademicYear = "Seleccionar etapa (año académico)"; +$ErrorExistingStep = "Error: esta etapa ya existe"; +$ErrorStepNotFoundOnLDAP = "Error: etapa no encontrada en el servidor LDAP"; +$StepDeletedSuccessfully = "La etapa ha sido suprimida"; +$StepUsersDeletedSuccessfully = "Los usuarios han sido quitados de la etapa"; +$NoStepForThisSession = "No hay etapas para esta sesión"; +$DeleteStepUsers = "Quitar usuarios de la etapa"; +$ImportStudentsOfAllSteps = "Importar los estudiantes de todas las etapas"; +$ImportLDAPUsersIntoPlatform = "Añadir usuarios LDAP"; +$NoUserInThisSession = "No hay usuario en esta sesión"; +$SubscribeSomeUsersToThisSession = "Inscribir usuarios en esta sesión"; +$EnterStudentsToSubscribeToCourse = "Introduzca los estudiantes que quiera inscribir en su curso"; +$ToDoThisYouMustEnterYearComponentAndComponentStep = "Para hacer esto, debe introducir el año, la componente y la etapa de la componente"; +$SelectComponent = "Seleccionar componente"; +$Component = "Componente"; +$SelectStudents = "Seleccionar estudiantes"; +$LDAPUsersAdded = "Usuarios LDAP añadidos"; +$NoUserAdded = "Ningún usuario añadido"; +$ImportLDAPUsersIntoCourse = "Importar usuarios LDAP en un curso"; +$ImportLDAPUsersAndStepIntoSession = "Importar usuarios LDAP y una etapa en esta sesión"; +$LDAPSynchroImportUsersAndStepsInSessions = "Sincronización LDAP: Importar usuarios/etapas en las sesiones"; +$TabsMyGradebook = "Pestaña Evaluaciones"; +$LDAPUsersAddedOrUpdated = "Usuarios LDAP añadidos o actualizados"; +$SearchLDAPUsers = "Buscar usuarios LDAP"; +$SelectCourseToImportUsersTo = "Seleccione el curso en el que desee inscribir los usuarios que ha seleccionado"; +$ImportLDAPUsersIntoSession = "Importar usuarios LDAP en una sesión"; +$LDAPSelectFilterOnUsersOU = "Seleccione un filtro para encontrar usuarios cuyo atributo OU (Unidad Organizativa) acabe por el mismo"; +$LDAPOUAttributeFilter = "Filtro del atributo OU"; +$SelectSessionToImportUsersTo = "Seleccione la sesión en la que quiere importar estos usuarios"; +$VisioUseRtmptTitle = "Usar el protocolo rtmpt"; +$VisioUseRtmptComment = "El protocolo rtmpt permite acceder a una videoconferencia desde detrás de un firewall, redirigiendo las comunicaciones a través del puerto 80. Esto ralentizará el streaming por lo que se recomienda no utilizarlo a menos que sea necesario."; +$UploadNewStylesheet = "Nuevo archivo de hoja de estilo"; +$NameStylesheet = "Nombre de la hoja de estilo"; +$StylesheetAdded = "La hoja de estilo ha sido añadida"; +$LDAPFilledTutorFieldValueTitle = "Valor de identificación de un profesor"; +$LDAPFilledTutorFieldValueComment = "Cuando se realice una comprobación en el campo profesor que aparece arriba, para que el usuario sea considerado profesor, el valor que se le dé debe ser uno de los subelementos del campo profesor. Si deja este campo en blanco, la única condición para que sea considerado como profesor es que en este usuario LDAP el campo exista. Por ejemplo, el campo puede ser \"memberof\" y el valor de búsqueda puede ser \"CN=G_TRAINER,OU=Trainer\""; +$IsNotWritable = "no se puede escribir"; +$FieldMovedDown = "El campo ha sido desplazado hacia abajo"; +$CannotMoveField = "No se puede mover el campo"; +$FieldMovedUp = "El campo ha sido desplazado hacia arriba"; +$MetaTitleTitle = "Título meta OpenGraph"; +$MetaDescriptionComment = "Esto incluirá el tag de descripción OpenGraph (og:description) en las cabeceras (invisibles) de su portal."; +$MetaDescriptionTitle = "Descripción Meta"; +$MetaTitleComment = "Esto incluirá el tag OpenGraph Title (og:title) en las cabeceras (invisibles) de su portal."; +$FieldDeleted = "El campo ha sido eliminado"; +$CannotDeleteField = "No se puede eliminar el campo"; +$AddUsersByCoachTitle = "Registro de usuarios por el tutor"; +$AddUsersByCoachComment = "El tutor puede registrar nuevos usuarios en la plataforma e inscribirlos en una sesión."; +$UserFieldsSortOptions = "Ordenar las opciones de los campos del perfil"; +$FieldOptionMovedUp = "Esta opción ha sido movida arriba."; +$CannotMoveFieldOption = "No se puede mover la opción."; +$FieldOptionMovedDown = "La opción ha sido movida abajo."; +$DefineSessionOptions = "Definir el retardo del acceso del tutor"; +$DaysBefore = "días antes"; +$DaysAfter = "días después"; +$SessionAddTypeUnique = "Registro individual"; +$SessionAddTypeMultiple = "Registro múltiple"; +$EnableSearchTitle = "Funcionalidad de búsqueda de texto completo"; +$EnableSearchComment = "Seleccione \"Sí\" para habilitar esta funcionalidad. Esta utilidad depende de la extensión Xapian para PHP, por lo que no funcionará si esta extensión no está instalada en su servidor, como mínimo la versión 1.x"; +$SearchASession = "Buscar una sesión"; +$ActiveSession = "Activación de la sesión"; +$AddUrl = "Agregar URL"; +$ShowSessionCoachTitle = "Mostrar el tutor de la sesión"; +$ShowSessionCoachComment = "Mostrar el nombre del tutor global de la sesión dentro de la caja de título de la página del listado de cursos"; +$ExtendRightsForCoachTitle = "Ampliar los permisos del tutor"; +$ExtendRightsForCoachComment = "La activación de esta opción dará a los tutores los mismos permisos que tenga un profesor sobre las herramientas de autoría"; +$ExtendRightsForCoachOnSurveyComment = "La activación de esta opción dará a los tutores el derecho de crear y editar encuestas"; +$ExtendRightsForCoachOnSurveyTitle = "Ampliar los permisos de los tutores en las encuestas"; +$CannotDeleteUserBecauseOwnsCourse = "Este usuario no se puede eliminar porque sigue como docente de un curso o más. Puede cambiar su título de docente de estos cursos antes de eliminarlo, o bloquear su cuenta."; +$AllowUsersToCreateCoursesTitle = "Permitir la creación de cursos"; +$AllowUsersToCreateCoursesComment = "Los profesores pueden crear cursos en la plataforma"; +$AllowStudentsToBrowseCoursesComment = "Permitir a los estudiantes consular el catálogo de cursos en los que se pueden matricularse"; +$YesWillDeletePermanently = "Sí (los archivos se eliminarán permanentemente y no podrán ser recuperados)"; +$NoWillDeletePermanently = "No (los archivos se borrarán de la aplicación, pero podrán ser recuperados manualmente por su administrador)"; +$SelectAResponsible = "Seleccione a un responsable"; +$ThereIsNotStillAResponsible = "Aún no hay responsables"; +$AllowStudentsToBrowseCoursesTitle = "Los estudiantes pueden consultar el catálogo de cursos"; +$SharedSettingIconComment = "Esta configuración está compartida"; +$GlobalAgenda = "Agenda global"; +$AdvancedFileManagerTitle = "Gestor avanzado de ficheros para el editor WYSIWYG"; +$AdvancedFileManagerComment = "¿ Activar el gestor avanzado de archivos para el editor WYSIWYG ? Esto añadirá un considerable número de opciones al gestor de ficheros que se abre en una ventana cuando se envían archivos al servidor."; +$ScormAndLPProgressTotalAverage = "Promedio total de progreso de SCORM y soló lecciones"; +$MultipleAccessURLs = "Multiple access URL"; +$SearchShowUnlinkedResultsTitle = "Búsqueda full-text: mostrar resultados no accesibles"; +$SearchShowUnlinkedResultsComment = "Al momento de mostrar los resultados de la búsqueda full-text, como debería comportarse el sistema para los enlaces que no estan accesibles para el usuario actual?"; +$SearchHideUnlinkedResults = "No mostrarlos"; +$SearchShowUnlinkedResults = "Mostrarlos pero sin enlace hasta el recurso"; +$Templates = "Plantillas"; +$EnableVersionCheck = "Activar la verificación de versiones"; +$AllowMessageToolTitle = "Habilitar la herramienta mensajes"; +$AllowReservationTitle = "Habilitar la herramienta de Reservas"; +$AllowReservationComment = "Esta opción habilitará el sistema de Reservas"; +$ConfigureResourceType = "Configurar tipo de recurso"; +$ConfigureMultipleAccessURLs = "Configurar acceso a multiple URLs"; +$URLAdded = "URL agregada"; +$URLAlreadyAdded = "La URL ya se encuentra registrada, ingrese otra URL"; +$AreYouSureYouWantToSetThisLanguageAsThePortalDefault = "¿Esta seguro de que desea que este idioma sea el idioma por defecto de la plataforma?"; +$CurrentLanguagesPortal = "Idioma actual de la plataforma"; +$EditUsersToURL = "Editar usuarios y URLs"; +$AddUsersToURL = "Agregar usuarios a una URL"; +$URLList = "Lista de URLs"; +$AddToThatURL = "Agregar usuarios a esta URL"; +$SelectUrl = "Seleccione una URL"; +$UserListInURL = "Usuarios registrados en esta URL"; +$UsersWereEdited = "Los usuarios fueron modificados"; +$AtLeastOneUserAndOneURL = "Seleccione por lo menos un usuario y una URL"; +$UsersBelongURL = "Usuarios fueron editados"; +$LPTestScore = "Puntaje total por lección"; +$ScormAndLPTestTotalAverage = "Media de los ejercicios realizados en las lecciones"; +$ImportUsersToACourse = "Importar usuarios a un curso desde un fichero"; +$ImportCourses = "Importar cursos desde un fichero"; +$ManageUsers = "Administrar usuarios"; +$ManageCourses = "Administrar cursos"; +$UserListIn = "Usuarios de"; +$URLInactive = "La URL ha sido desactivada"; +$URLActive = "La URL ha sido activada"; +$EditUsers = "Editar usuarios"; +$EditCourses = "Editar cursos"; +$CourseListIn = "Cursos de"; +$AddCoursesToURL = "Agregar cursos a una URL"; +$EditCoursesToURL = "Editar cursos de una URL"; +$AddCoursesToThatURL = "Agregar cursos a esta URL"; +$EnablePlugins = "Habilitar los plugins seleccionados"; +$AtLeastOneCourseAndOneURL = "Debe escoger por lo menos un curso y una URL"; +$ClickToRegisterAdmin = "Haga click para registrar al usuario Admin en todas las URLs"; +$AdminShouldBeRegisterInSite = "El usuario administrador deberia estar registrado en:"; +$URLNotConfiguredPleaseChangedTo = "URL no configurada favor de agregar la siguiente URL"; +$AdminUserRegisteredToThisURL = "Usuario registrado a esta URL"; +$CoursesWereEdited = "Los cursos fueron editados"; +$URLEdited = "La URL ha sido modificada"; +$AddSessionToURL = "Agregar una sesión a una URL"; +$FirstLetterSession = "Primera letra del nombre de la sessión"; +$EditSessionToURL = "Editar una sesión"; +$AddSessionsToThatURL = "Agregar sesiones a esta URL"; +$SessionBelongURL = "Las sesiones fueron registradas"; +$ManageSessions = "Administrar sesiones"; +$AllowMessageToolComment = "Esta opción habilitará la herramienta de mensajes"; +$AllowSocialToolTitle = "Habilita la herramienta de red social"; +$AllowSocialToolComment = "Esta opción habilitará la herramienta de red social"; +$SetLanguageAsDefault = "Definir como idioma por defecto"; +$FieldFilter = "Filtro"; +$FilterOn = "Habilitar filtro"; +$FilterOff = "Deshabilitar filtro"; +$FieldFilterSetOn = "Puede utilizar este campo como filtro"; +$FieldFilterSetOff = "Filtro deshabilitado"; +$buttonAddUserField = "Añadir campo de usuario"; +$UsersSubscribedToFollowingCoursesBecauseOfVirtualCourses = "Los usuarios han sido registrados a los siguientes cursos porque varios cursos comparten el mismo código visual"; +$TheFollowingCoursesAlreadyUseThisVisualCode = "Los siguientes cursos ya utilizan este código"; +$UsersSubscribedToBecauseVisualCode = "Los usuarios han sido suscritos a los siguientes cursos, porque muchos cursos comparten el mismo codigo visual"; +$UsersUnsubscribedFromBecauseVisualCode = "los usuarios desuscritos de los siguientes cursos, porque muchos cursos comparten el mismo codigo visual"; +$FilterUsers = "Filtro de usuarios"; +$SeveralCoursesSubscribedToSessionBecauseOfSameVisualCode = "Varios cursos se suscribieron a la sesión a causa de un código duplicado de curso"; +$CoachIsRequired = "Debe seleccionar un tutor"; +$EncryptMethodUserPass = "Método de encriptación"; +$AddTemplate = "Añadir una plantilla"; +$TemplateImageComment100x70 = "Esta imagen representará su plantilla en la lista de plantillas. No debería ser mayor de 100x70 píxeles"; +$TemplateAdded = "Plantilla añadida"; +$TemplateDeleted = "Plantilla borrada"; +$EditTemplate = "Edición de plantilla"; +$FileImportedJustUsersThatAreNotRegistered = "Sólamente se importaron los usuarios que no estaban registrados en la plataforma"; +$YouMustImportAFileAccordingToSelectedOption = "Debe importar un archivo de acuerdo a la opción seleccionada"; +$ShowEmailOfTeacherOrTutorTitle = "Correo electrónico del profesor o del tutor en el pie"; +$ShowEmailOfTeacherOrTutorComent = "¿Mostrar el correo electrónico del profesor o del tutor en el pie de página?"; +$AddSystemAnnouncement = "Añadir un anuncio del sistema"; +$EditSystemAnnouncement = "Editar anuncio del sistema"; +$LPProgressScore = "Progreso total por lección"; +$TotalTimeByCourse = "Tiempo total por lección"; +$LastTimeTheCourseWasUsed = "Último acceso a la lección"; +$AnnouncementAvailable = "El anuncio está disponible"; +$AnnouncementNotAvailable = "El anuncio no está disponible"; +$Searching = "Buscando"; +$AddLDAPUsers = "Añadir usuarios LDAP"; +$Academica = "Académica"; +$AddNews = "Crear anuncio"; +$SearchDatabaseOpeningError = "No se pudo abrir la base de datos del motor de indexación,pruebe añadir un nuevo recurso (ejercicio,enlace,lección,etc) el cual será indexado al buscador"; +$SearchDatabaseVersionError = "La base de datos está en un formato no soportado"; +$SearchDatabaseModifiedError = "La base de datos ha sido modificada(alterada)"; +$SearchDatabaseLockError = "No se pudo bloquear una base de datos"; +$SearchDatabaseCreateError = "No se pudo crear una base de datos"; +$SearchDatabaseCorruptError = "Se detectó graves errores en la base de datos"; +$SearchNetworkTimeoutError = "Tiempo expirado mientras se conectaba a una base de datos remota"; +$SearchOtherXapianError = "Se ha producido un error relacionado al motor de indexación"; +$SearchXapianModuleNotInstalled = "El modulo Xapian de PHP no está configurado en su servidor, póngase en contacto con su administrador"; +$FieldRemoved = "Campo removido"; +$TheNewSubLanguageHasBeenAdded = "El sub-idioma ha sido creado"; +$DeleteSubLanguage = "Eliminar sub-idioma"; +$CreateSubLanguageForLanguage = "Crear sub-idioma para el idioma"; +$DeleteSubLanguageFromLanguage = "Eliminar sub-idioma de idioma"; +$CreateSubLanguage = "Crear sub-idioma"; +$RegisterTermsOfSubLanguageForLanguage = "Registrar términos del sub-idioma para el idioma"; +$AddTermsOfThisSubLanguage = "Añada sus nuevos términos para éste sub-idioma"; +$LoadLanguageFile = "Cargar fichero de idiomas"; +$AllowUseSubLanguageTitle = "Permite definir sub-idiomas"; +$AllowUseSubLanguageComment = "Al activar esta opción, podrá definir variaciones para cada término del lenguaje usado para la interfaz de la plataforma, en la forma de un nuevo lenguaje basado en un lenguaje existente.Podrá encontrar esta opción en el menu de idiomas de su página de administración."; +$AddWordForTheSubLanguage = "Añadir palabras al sub-idioma"; +$TemplateEdited = "Plantilla modificada"; +$SubLanguage = "Sub-idioma"; +$LanguageIsNowVisible = "El idioma ahora es visible"; +$LanguageIsNowHidden = "El idioma ahora no es visible"; +$LanguageDirectoryNotWriteableContactAdmin = "El directorio /main/lang usado en éste portal,no tiene permisos de escritura. Por favor contacte con su administrador"; +$ShowGlossaryInDocumentsTitle = "Mostrar los términos del glosario en los documentos"; +$ShowGlossaryInDocumentsComment = "Desde aquí puede configurar la forma de como se añadirán los términos del glosario a los documentos"; +$ShowGlossaryInDocumentsIsAutomatic = "Automática. Al activar está opción se añadirá un enlace a todos los términos del glosario que se encuentren en el documento."; +$ShowGlossaryInDocumentsIsManual = "Manual. Al activar está opción, se mostrará un icono en el editor en línea que le permitirá marcar las palabras que desee que enlacen con los términos del glosario."; +$ShowGlossaryInDocumentsIsNone = "Ninguno. Si activa esta opción, las palabras de sus documentos no se enlazarán con los términos que aparezcan en el glosario."; +$LanguageVariable = "Variable de idioma"; +$ToExportDocumentsWithGlossaryYouHaveToSelectGlossary = "Si quiere exportar un documento que contenga términos del glosario, tendrá que asegurarse de que estos términos han sido incluidos en la exportación; para eso tendrá que haberlos seleccionado en la lista del glosario."; +$ShowTutorDataTitle = "Información del tutor de sesion en el pie"; +$ShowTutorDataComment = "¿Mostrar la información del tutor de sesión en el pie de página?"; +$ShowTeacherDataTitle = "Información del profesor en el pie"; +$ShowTeacherDataComment = "¿Mostrar la información del profesor en el pie de página?"; +$HTMLText = "HTML"; +$PageLink = "Enlace"; +$DisplayTermsConditions = "Mostrar Términos y condiciones en la página de registro, el visitante debe aceptar los T&C para poder registrarse."; +$AllowTermsAndConditionsTitle = "Habilitar Términos y Condiciones"; +$AllowTermsAndConditionsComment = "Esta opción mostrará los Términos y Condiciones en el formulario de registro para los nuevos usuarios"; +$Load = "Cargar"; +$AllVersions = "Todas las versiones"; +$EditTermsAndConditions = "Modificar términos y condiciones"; +$ExplainChanges = "Explicar cambios"; +$TermAndConditionNotSaved = "Términos y condiciones no guardados."; +$TheSubLanguageHasBeenRemoved = "El sub-idioma ha sido eliminado"; +$AddTermsAndConditions = "Añadir términos y condiciones"; +$TermAndConditionSaved = "Términos y condiciones guardados."; +$ListSessionCategory = "Categorías de sesiones de formación"; +$AddSessionCategory = "Añadir categoría"; +$SessionCategoryName = "Nombre de la categoría"; +$EditSessionCategory = "Editar categoría de sesión"; +$SessionCategoryAdded = "La categoría ha sido añadida"; +$SessionCategoryUpdate = "Categoría actualizada"; +$SessionCategoryDelete = "Se han eliminado las categorías seleccionadas"; +$SessionCategoryNameIsRequired = "Debe dar un nombre de la categoría de sesión"; +$ThereIsNotStillASession = "No hay aún una sesión"; +$SelectASession = "Seleccione una sesión"; +$OriginCoursesFromSession = "Cursos de origen de la sesión"; +$DestinationCoursesFromSession = "Cursos de destino de la sesión"; +$CopyCourseFromSessionToSessionExplanation = "Si desea copiar un curso de una sesión a otro curso de otra sesión, primero debe seleccionar un curso de la lista cursos de origen de la sesión. Puedes copiar contenidos de las herramientas descripción del curso, documentos, glosario, enlaces, ejercicios y lecciones, de forma directa o seleccionando los componentes del curso"; +$TypeOfCopy = "Tipo de copia"; +$CopyFromCourseInSessionToAnotherSession = "Copiar cursos de una sesión a otra"; +$YouMustSelectACourseFromOriginalSession = "Debe seleccionar un curso de la lista original y una sesión de la lista de destino"; +$MaybeYouWantToDeleteThisUserFromSession = "Tal vez desea eliminar al usuario de la sesión en lugar de eliminarlo de todos los cursos."; +$EditSessionCoursesByUser = "Editar cursos por usuario"; +$CoursesUpdated = "Cursos actualizados"; +$CurrentCourses = "Cursos del usuario"; +$CoursesToAvoid = "Cursos a evitar"; +$EditSessionCourses = "Editar cursos"; +$SessionVisibility = "Visibilidad después de la fecha de finalización"; +$BlockCoursesForThisUser = "Bloquear cursos a este usuario"; +$LanguageFile = "Archivo de idioma"; +$ShowCoursesDescriptionsInCatalogTitle = "Mostrar las descripciones de los cursos en el catálogo"; +$ShowCoursesDescriptionsInCatalogComment = "Mostrar las descripciones de los cursos como ventanas emergentes al hacer clic en un icono de información del curso en el catálogo de cursos"; +$StylesheetNotHasBeenAdded = "La hoja de estilos no ha sido añadida,probablemente su archivo zip contenga ficheros no permitidos,el zip debe contener ficheros con las siguientes extensiones('png', 'jpg', 'gif', 'css')"; +$AddSessionsInCategories = "Añadir varias sesiones a una categoría"; +$ItIsRecommendedInstallImagickExtension = "Se recomienda instalar la extension imagick de php para obtener mejor performancia en la resolucion de las imagenes al generar los thumbnail de lo contrario no se mostrara muy bien, pues sino esta instalado por defecto usa la extension gd de php."; +$EditSpecificSearchField = "Editar campo específico"; +$FieldName = "Campo"; +$SpecialExports = "Exportaciones especiales"; +$SpecialCreateFullBackup = "Crear exportación especial completa"; +$SpecialLetMeSelectItems = "Seleccionar los componentes"; +$AllowCoachsToEditInsideTrainingSessions = "Permitir a los tutores editar dentro de los cursos de las sesiones"; +$AllowCoachsToEditInsideTrainingSessionsComment = "Permitir a los tutores editar comentarios dentro de los cursos de las sesiones"; +$ShowSessionDataTitle = "Mostrar datos del período de la sesión"; +$ShowSessionDataComment = "Mostrar comentarios de datos de la sesion"; +$SubscribeSessionsToCategory = "Inscribir sesiones en una categoría"; +$SessionListInPlatform = "Lista de sesiones de la plataforma"; +$SessionListInCategory = "Lista de sesiones en la categoría"; +$ToExportSpecialSelect = "Si quiere exportar cursos que contenga sessiones, tendría que asegurarse de que estos sean incluidos en la exportación; para eso tendría que haberlos seleccionado en la lista."; +$ErrorMsgSpecialExport = "No se encontraron cursos registrados o es posible que no se haya realizado su asociación con las sesiones"; +$ConfigureInscription = "Configuración de la página de registro"; +$MsgErrorSessionCategory = "Debe seleccionar una categoría y las sessiones"; +$NumberOfSession = "Número de sesiones"; +$DeleteSelectedSessionCategory = "Eliminar solo las categorias seleccionadas sin sesiones"; +$DeleteSelectedFullSessionCategory = "Eliminar las categorias seleccionadas con las sesiones"; +$EditTopRegister = "Editar Aviso"; +$InsertTabs = "Insertar pestaña o enlace"; +$EditTabs = "Editar Tabs"; +$AnnEmpty = "Los anuncios han sido borrados"; +$AnnouncementModified = "El anuncio ha sido modificado"; +$AnnouncementAdded = "El anuncio ha sido añadido"; +$AnnouncementDeleted = "El anuncio ha sido borrado"; +$AnnouncementPublishedOn = "Publicado el"; +$AddAnnouncement = "Nuevo anuncio"; +$AnnouncementDeleteAll = "Eliminar todos los anuncios"; +$professorMessage = "Mensaje del profesor"; +$EmailSent = "y enviado a los estudiantes registrados"; +$EmailOption = "Enviar este anuncio por correo electrónico"; +$On = "Hay"; +$RegUser = "usuarios inscritos en el curso"; +$Unvalid = "tienen una dirección de correo inválida o una dirección de correo sin especificar"; +$ModifAnn = "Modificar este anuncio"; +$SelMess = "Advertencia a algunos usuarios"; +$SelectedUsers = "Usuarios seleccionados"; +$PleaseEnterMessage = "Debe introducir el texto del mensaje."; +$PleaseSelectUsers = "Debe seleccionar algún usuario."; +$Teachersubject = "Mensaje enviado a sus estudiantes"; +$MessageToSelectedUsers = "Enviar mensajes a determinados usuarios"; +$IntroText = "Para mandar un mensaje, seleccione los grupos de usuarios (marcados con una G delante)o a usuarios individuales (marcados con una U) de la lista de la izquierda."; +$MsgSent = "El mensaje ha sido enviado a los estudiantes seleccionados"; +$SelUser = "seleccionar usuarios"; +$MessageToSelectedGroups = "Mensaje para los grupos seleccionados"; +$SelectedGroups = "grupos seleccionados"; +$Msg = "Mensajes"; +$MsgText = "Mensaje"; +$AnnouncementDeletedAll = "Todos los anuncios han sido borrados"; +$AnnouncementMoved = "El anuncio ha sido movido"; +$NoAnnouncements = "No hay anuncios"; +$SelectEverybody = "Seleccionar Todos"; +$SelectedUsersGroups = "grupo de usuarios seleccionados"; +$LearnerMessage = "Mensaje de un estudiante"; +$TitleIsRequired = "El título es obligatorio"; +$AnnounceSentByEmail = "Anuncio enviado por correo electrónico"; +$AnnounceSentToUserSelection = "Anuncio enviado a una selección de usuarios"; +$SendAnnouncement = "Enviar anuncio"; +$ModifyAnnouncement = "Modificar anuncio"; +$ButtonPublishAnnouncement = "Enviar anuncio"; +$LineNumber = "Número de líneas"; +$LineOrLines = "línea(s)"; +$AddNewHeading = "Añadir nuevo encabezado"; +$CourseAdministratorOnly = "Sólo profesores"; +$DefineHeadings = "Definir encabezados"; +$BackToUsersList = "Volver a la lista de usuarios"; +$CourseManager = "Profesor"; +$ModRight = "cambiar los permisos de"; +$NoAdmin = "desde ahora no tiene permisos para la administración de este sitio"; +$AllAdmin = "ahora tiene todos los permisos para la administración de esta página"; +$ModRole = "Cambiar el rol de"; +$IsNow = "está ahora arriba"; +$InC = "en este curso"; +$Filled = "No ha rellenado todos los campos."; +$UserNo = "El nombre de usuario que eligió"; +$Taken = "ya existe. Elija uno diferente."; +$Tutor = "Tutor"; +$Unreg = "Anular inscripción"; +$GroupUserManagement = "Gestión de Grupos"; +$AddAUser = "Añadir usuarios"; +$UsersUnsubscribed = "Los usuarios seleccionados han sido dados de baja en el curso"; +$ThisStudentIsSubscribeThroughASession = "Este estudiante está inscrito en este curso mediante una sesión. No puede editar su información"; +$AddToFriends = "¿Esta seguro(a) que desea añadirlo(a) a su red de amigos?"; +$AddPersonalMessage = "Añadir un mensaje personal"; +$Friends = "Amigos"; +$PersonalData = "Datos personales"; +$Contacts = "Contactos"; +$SocialInformationComment = "Aquí puede organizar sus contactos"; +$AttachContactsToGroup = "Agrupe sus contactos"; +$ContactsList = "Lista de mis contactos"; +$AttachToGroup = "Añadir a este grupo de contactos"; +$SelectOneContact = "Seleccione un contacto"; +$SelectOneGroup = "Seleccione un grupo"; +$AttachContactsPersonal = "Está seguro de que desea añadir este contacto al grupo seleccionado"; +$AttachContactsToGroupSuccesfuly = "Su contacto fue agrupado correctamente"; +$AddedContactToList = "Usuario añadido a su lista de contactos"; +$ContactsGroupsComment = "Aquí se muestran sus contactos ordenados por grupos"; +$YouDontHaveContactsInThisGroup = "No tiene contactos en este grupo"; +$SelectTheCheckbox = "Seleccione una o más opciones de la casilla de verificación"; +$YouDontHaveInvites = "Actualmente no tiene invitaciones"; +$SocialInvitesComment = "Aquí puede aceptar o denegar las invitaciones entrantes"; +$InvitationSentBy = "Invitación enviada por"; +$RequestContact = "Petición de contacto"; +$SocialUnknow = "Contactos desconocidos"; +$SocialParent = "Mis parientes"; +$SocialFriend = "Mis amigos"; +$SocialGoodFriend = "Mis mejores amigos"; +$SocialEnemy = "Contactos no deseados"; +$SocialDeleted = "Contacto eliminado"; +$MessageOutboxComment = "Aquí puede ver los mensajes que ha enviado"; +$MyPersonalData = "Aquí puede ver y modificar sus datos personales"; +$AlterPersonalData = "Modifique sus datos personales desde aquí"; +$Invites = "Mis invitados"; +$ContactsGroups = "Mis grupos"; +$MyInbox = "Bandeja de entrada"; +$ViewSharedProfile = "Perfil compartido"; +$ImagesUploaded = "Mis imágenes"; +$ExtraInformation = "Infomación extra"; +$SearchContacts = "Aquí puede añadir contactos a su red social"; +$SocialSeeContacts = "Ver mi red de contactos"; +$SocialUserInformationAttach = "Escriba un mensaje antes de enviar la solicitud de acceso."; +$MessageInvitationNotSent = "Su mensaje de invitación no ha sido enviado"; +$SocialAddToFriends = "Añadir a mi red de amigos"; +$ChangeContactGroup = "Cambiar el grupo de mi contacto"; +$Friend = "Amigo"; +$ViewMySharedProfile = "Mi perfil compartido"; +$UserStatistics = "Informes de este usuario"; +$EditUser = "Editar usuario"; +$ViewUser = "Ver usuario"; +$RSSFeeds = "Agregador RSS"; +$NoFriendsInYourContactList = "Su lista de contactos está vacía"; +$TryAndFindSomeFriends = "Pruebe a encontrar algunos amigos"; +$SendInvitation = "Enviar invitación"; +$SocialInvitationToFriends = "Invitar a unirse a mi red de amigos"; +$MyCertificates = "Mis certificados"; +$NewGroupCreate = "Crear grupos"; +$GroupCreation = "Creación de grupos"; +$NewGroups = "nuevo(s) grupo(s)"; +$Max = "max. 20 caracteres, p. ej. INNOV21"; +$GroupPlacesThis = "plazas (opcional)"; +$GroupsAdded = "grupo(s) ha(n) sido creado(s)"; +$GroupDel = "Grupo borrado"; +$ExistingGroups = "Grupos"; +$Registered = "Inscritos"; +$GroupAllowStudentRegistration = "Los propios usuarios pueden inscribirse en el grupo que quieran"; +$GroupTools = "Herramientas"; +$GroupDocument = "Documentos"; +$GroupPropertiesModified = "La configuración del grupo ha sido modificada"; +$GroupName = "Nombre del grupo"; +$GroupDescription = "Descripción del grupo"; +$GroupMembers = "Miembros del grupo"; +$EditGroup = "Modificar este grupo"; +$GroupSettingsModified = "Configuración del grupo modificada"; +$GroupTooMuchMembers = "El número propuesto excede el máximo que Ud. autoriza (puede modificarlo debajo). \t\t\t\tLa composición del grupo no se ha modificado"; +$GroupTutor = "Tutor del grupo"; +$GroupNoTutor = "(ninguno)"; +$GroupNone = "(ninguno)"; +$GroupNoneMasc = "(ninguno)"; +$AddTutors = "Herramienta de gestión de usuarios"; +$MyGroup = "mi grupo"; +$OneMyGroups = "mi supervisión"; +$GroupSelfRegistration = "Inscripción"; +$GroupSelfRegInf = "inscribirme"; +$RegIntoGroup = "Inscribirme en este grupo"; +$GroupNowMember = "Ahora ya es miembro de este grupo"; +$Private = "Acceso privado (acceso autorizado sólo a los miembros del grupo)"; +$Public = "Acceso público (acceso autorizado a cualquier miembro del curso)"; +$PropModify = "Modificar configuración"; +$State = "Estado"; +$GroupFilledGroups = "Los grupos han sido completados con los integrantes de la lista usuarios del curso"; +$Subscribed = "usuarios inscritos en este curso"; +$StudentsNotInThisGroups = "Usuarios no pertenecientes a este grupo"; +$QtyOfUserCanSubscribe_PartBeforeNumber = "Un usuario puede pertenecer a un máximo de"; +$QtyOfUserCanSubscribe_PartAfterNumber = " grupos"; +$GroupLimit = "Límite"; +$CreateGroup = "Crear grupo(s)"; +$ProceedToCreateGroup = "Proceder para crear grupo(s)"; +$StudentRegAllowed = "Los propios estudiantes pueden inscribirse en los grupos"; +$GroupAllowStudentUnregistration = "Los propios usuarios pueden anular su inscripción a un grupo"; +$AllGroups = "Todos los grupos"; +$StudentUnsubscribe = "Anular mi inscripción en este grupo"; +$StudentDeletesHimself = "Su inscripción ha sido anulada"; +$DefaultSettingsForNewGroups = "Configuración por defecto para los nuevos grupos"; +$SelectedGroupsDeleted = "Todos los grupos seleccionados han sido borrados"; +$SelectedGroupsEmptied = "Todos los grupos seleccionados están ahora vacíos"; +$GroupEmptied = "El grupo está ahora vacío"; +$SelectedGroupsFilled = "Todos los grupos seleccionados han sido completados"; +$GroupSelfUnRegInf = "anular inscripción"; +$SameForAll = "igual para todos"; +$NoLimit = "Sin límite"; +$PleaseEnterValidNumber = "Por favor, introduzca el número de grupos deseado"; +$CreateGroupsFromVirtualCourses = "Crear grupos para todos los usuarios en los cursos virtuales"; +$CreateGroupsFromVirtualCoursesInfo = "Este curso es una combinación de un curso real y uno o más cursos virtuales. Si pulsa el botón siguiente, nuevos grupos serán creados a partir de estos cursos virtuales. Todos los estudiantes serán inscritos en los grupos."; +$NoGroupsAvailable = "No hay grupos disponibles"; +$GroupsFromVirtualCourses = "Cursos virtuales"; +$CreateSubgroups = "Crear subgrupos"; +$CreateSubgroupsInfo = "Esta opción le permite crear nuevos grupos basados en grupos ya existentes. Indique el número de grupos que desea y elija un grupo existente. Se crearán el número de grupos deseado y todos los miembros del grupo inicial serán inscritos en ellos. El grupo"; +$CreateNumberOfGroups = "Crear numero de grupos"; +$WithUsersFrom = "grupos con miembros de"; +$FillGroup = "Rellenar el grupo al azar con alumnos del curso"; +$EmptyGroup = "Anular la inscripción de todos los usuarios"; +$MaxGroupsPerUserInvalid = "El número máximo de grupos por usuario que ha enviado no es válido. Actualmente hay usuarios inscritos en un número mayor de grupos que el que Ud. propone."; +$GroupOverview = "Sumario de los grupos"; +$GroupCategory = "Categoría del grupo"; +$NoTitleGiven = "Por favor, introduzca un título"; +$InvalidMaxNumberOfMembers = "Por favor introduzca un número válido para el número máximo de miembros"; +$CategoryOrderChanged = "El orden de las categorías ha sido cambiado"; +$CategoryCreated = "Categoría creada"; +$GroupTutors = "Tutores"; +$GroupWork = "Tareas"; +$GroupCalendar = "Agenda"; +$GroupAnnouncements = "Anuncios"; +$NoCategoriesDefined = "Sin categorías definidas"; +$GroupsFromClasses = "Grupos de clases"; +$GroupsFromClassesInfo = "Información de grupos de clases"; +$BackToGroupList = "Volver a la lista de grupos"; +$NewForumCreated = "El foro ha sido añadido"; +$NewThreadCreated = "El tema del foro ha sido añadido"; +$AddHotpotatoes = "Agregar hotpotatoes"; +$HideAttemptView = "Ocultar la vista de intento(s)"; +$ExtendAttemptView = "Ver la vista de intento(s)"; +$LearnPathAddedTitle = "Bienvenido a la herramienta de creación de lecciones de Chamilo !"; +$BuildComment = "Añada objetos de aprendizaje y actividades a su lección"; +$BasicOverviewComment = "Añada comentarios de audio y ordene los objetos de aprendizaje en la tabla de contenidos"; +$DisplayComment = "Vea la lección tal y como la vería el estudiante"; +$NewChapterComment = "Capítulo 1, Capítulo 2 o Semana 1, Semana 2..."; +$NewStepComment = "Construya su lección paso a paso con documentos, ejercicios y actividades, ayudándose de plantillas, mascotas y galerías multimedia."; +$LearnpathTitle = "Título"; +$LearnpathPrerequisites = "Prerrequisitos"; +$LearnpathMoveUp = "Subir"; +$LearnpathMoveDown = "Bajar"; +$ThisItem = "este objeto de aprendizaje"; +$LearnpathTitleAndDesc = "Título y descripción"; +$LearnpathChangeOrder = "Cambiar orden"; +$LearnpathAddPrereqi = "Añadir prerrequisitos"; +$LearnpathAddTitleAndDesc = "Editar título y descripción"; +$LearnpathMystatus = "Mi estado"; +$LearnpathCompstatus = "completado"; +$LearnpathIncomplete = "sin completar"; +$LearnpathPassed = "aprobado"; +$LearnpathFailed = "sin aprobar"; +$LearnpathPrevious = "Previo"; +$LearnpathNext = "Siguiente"; +$LearnpathRestart = "Reiniciar"; +$LearnpathThisStatus = "Este elemento está"; +$LearnpathToEnter = "Entrar"; +$LearnpathFirstNeedTo = "primero necesita completar"; +$LearnpathLessonTitle = "Título"; +$LearnpathStatus = "Estado"; +$LearnpathScore = "Puntuación"; +$LearnpathTime = "Tiempo"; +$LearnpathVersion = "versión"; +$LearnpathRestarted = "No se han completado todos los elementos."; +$LearnpathNoNext = "Este es el último elemento."; +$LearnpathNoPrev = "Este es el primer elemento."; +$LearnpathAddLearnpath = "Crear una lección SCORM"; +$LearnpathEditLearnpath = "Editar la lección"; +$LearnpathDeleteLearnpath = "Eliminar la lección"; +$LearnpathDoNotPublish = "No publicar"; +$LearnpathPublish = "Publicar"; +$LearnpathNotPublished = "no publicado"; +$LearnpathPublished = "publicado"; +$LearnpathEditModule = "Editar el origen, posición y el título de la sección."; +$LearnpathDeleteModule = "Eliminar sección"; +$LearnpathNoChapters = "No hay secciones añadidas."; +$LearnpathAddItem = "Añadir objetos de aprendizaje a esta sección"; +$LearnpathItemDeleted = "El objeto de aprendizaje ha sido eliminado de la lección"; +$LearnpathItemEdited = "El objeto de aprendizaje ha sido modificado en la lección"; +$LearnpathPrereqNotCompleted = "Prerrequisitos no completados."; +$NewChapter = "Añadir sección"; +$NewStep = "Añadir objeto de aprendizaje"; +$EditPrerequisites = "Editar los prerrequisitos del actual objeto de aprendizaje"; +$TitleManipulateChapter = "Modificar la sección"; +$TitleManipulateModule = "Modificar la sección"; +$TitleManipulateDocument = "Modificar el documento actual"; +$TitleManipulateLink = "Modificar el enlace actual"; +$TitleManipulateQuiz = "Modificar el ejercicio actual"; +$TitleManipulateStudentPublication = "Modificar la tarea actual"; +$EnterDataNewChapter = "Introduzca los datos de la sección"; +$EnterDataNewModule = "Introduzca los datos de la sección"; +$CreateNewStep = "Crear un documento :"; +$NewDocument = "Cree e incorpore a su lección documentos con componentes multimedia"; +$UseAnExistingResource = "O usar un recurso ya existente :"; +$Position = "Posición"; +$NewChapterCreated = "La sección ha sido creada. Ahora puede incorporarle objetos de aprendizaje o crear otra sección"; +$NewLinksCreated = "El enlace ha sido creado"; +$NewStudentPublicationCreated = "La tarea ha sido creada"; +$NewModuleCreated = "La sección ha sido creada. Ahora puede incorporarle elementos o crear otra sección"; +$NewExerciseCreated = "El ejercicio ha sido creado."; +$ItemRemoved = "El item ha sido eliminado"; +$Converting = "Convirtiendo..."; +$Ppt2lpError = "Error durante la conversión de PowerPoint. Por favor, compruebe si el nombre de su archivo PowerPoint contiene caracteres especiales."; +$Build = "Construir"; +$ViewModeEmbedded = "Vista actual: embebida"; +$ViewModeFullScreen = "Vista actual: pantalla completa"; +$ShowDebug = "Mostrar debug"; +$HideDebug = "Ocultar debug"; +$CantEditDocument = "Este documento no es editable"; +$After = "Después de"; +$LearnpathPrerequisitesLimit = "Prerrequisitos (límite)"; +$HotPotatoesFinished = "Este test HotPotatoes ha terminado."; +$CompletionLimit = "Límite de finalización (puntuación mínima)"; +$PrereqToEnter = "Para entrar"; +$PrereqFirstNeedTo = "primero necesita terminar"; +$PrereqModuleMinimum1 = "Al menos falta 1 elemento"; +$PrereqModuleMinimum2 = "establecido como requisito."; +$PrereqTestLimit1 = "debe alcanzar un mínimo"; +$PrereqTestLimit2 = "puntos en"; +$PrereqTestLimitNow = "Ud. tiene ahora :"; +$LearnpathExitFullScreen = "volver a la pantalla normal"; +$LearnpathFullScreen = "pantalla completa"; +$ItemMissing1 = "Había una"; +$ItemMissing2 = "página (elemento) aquí en la Lección original de Chamilo."; +$NoItemSelected = "Seleccione un objeto de aprendizaje de la tabla contenidos"; +$NewDocumentCreated = "El documento ha sido creado."; +$EditCurrentChapter = "Editar la sección actual"; +$ditCurrentModule = "Editar la sección actual"; +$CreateTheDocument = "Cree e incorpore a su lección documentos con componentes multimedia"; +$MoveTheCurrentDocument = "Mover el documento actual"; +$EditTheCurrentDocument = "Editar el documento actual"; +$Warning = "¡ Atención !"; +$WarningEditingDocument = "Cuando edita un documento existente en la lección, la nueva versión del documento no sobreescribirá la antigua, sino que será guardada como un nuevo documento. si quiere editar un documento definitivamente, puede hacerlo con la herramienta documentos."; +$CreateTheExercise = "Crear el ejercicio"; +$MoveTheCurrentExercise = "Mover el ejercicio actual"; +$EditCurrentExecice = "Editar el ejercicio actual"; +$UploadScorm = "Importación SCORM y AICC"; +$PowerPointConvert = "Conversión PowerPoint"; +$LPCreatedToContinue = "Para continuar, añada a su lección una sección o un objeto de aprendizaje"; +$LPCreatedAddChapterStep = "

        \"practicerAnim.gif\"¡ Bienvenido a la herramienta de autor de Chamilo !

        • Construir : Añada objetos de aprendizaje a su lección
        • Organizar : Añada comentarios de audio y ordene sus objetos de aprendizaje en la tabla de contenidos
        • Mostrar : Vea la lección como la vería un estudiante
        • Añadir una sección : Capítulo 1, Capítulo 2 o Semana 1, Semana 2...
        • Añadir un objeto de aprendizaje : construya su lección paso a paso con documentos, ejercicios y actividades, contando con la ayuda de plantillas, mascotas y galerías multimedia
        "; +$PrerequisitesAdded = "Los prerrequisitos de este objeto de aprendizaje han sido añadidos."; +$AddEditPrerequisites = "Añadir/Editar prerrequisitos"; +$NoDocuments = "No hay documentos"; +$NoExercisesAvailable = "No hay ejercicios disponibles"; +$NoLinksAvailable = "No hay enlaces disponibles"; +$NoItemsInLp = "En este momento no hay objetos de aprendizaje en la lección. Para crearlos, haga clic en \"Construir\""; +$FirstPosition = "Primera posición"; +$NewQuiz = "Añadir ejercicio"; +$CreateTheForum = "Añadir el foro"; +$AddLpIntro = "Bienvenido a Lecciones, la herramienta de autor de Chamilo con la que podrá crear lecciones en formato SCORM
        La estructura de la lección aparecerá el menú izquierdo"; +$AddLpToStart = "Para comenzar, de un título a su lección"; +$CreateTheLink = "Importar un enlace"; +$MoveCurrentLink = "Mover el enlace actual"; +$EditCurrentLink = "Editar el enlace actual"; +$MoveCurrentStudentPublication = "Mover la tarea actual"; +$EditCurrentStudentPublication = "Editar la tarea actual"; +$AllowMultipleAttempts = "Permitir múltiples intentos"; +$PreventMultipleAttempts = "Impedir múltiples intentos"; +$MakeScormRecordingExtra = "Crear elementos SCORM extra"; +$MakeScormRecordingNormal = "Crear elementos SCORM básicos"; +$DocumentHasBeenDeleted = "El documento no puede ser mostrado debido a que ha sido eliminado"; +$EditCurrentForum = "Editar este foro"; +$NoPrerequisites = "Sin prerrequisitos"; +$NewExercise = "Crear un ejercicio"; +$CreateANewLink = "Crear un enlace"; +$CreateANewForum = "Crear un foro"; +$WoogieConversionPowerPoint = "Woogie: Conversión de Word"; +$WelcomeWoogieSubtitle = "Conversor de documentos Word en Lecciones"; +$WelcomeWoogieConverter = "Bienvenido al conversor Woogie
        • Elegir un archivo .doc, .sxw, .odt
        • Enviarlo a Woogie, que lo convertirá en una Lección SCORM
        • Podrá añadir comentarios de audio en cada página e insertar tests y otras actividades entre las páginas
        "; +$WoogieError = "Error durante la conversión del documento word. Por favor, compruebe si hay caracteres especiales en el nombre de su documento."; +$WordConvert = "Conversión Word"; +$InteractionID = "ID de Interacción"; +$TimeFinished = "Tiempo (finalizado en...)"; +$CorrectAnswers = "Respuestas correctas"; +$StudentResponse = "Respuestas del estudiante"; +$LatencyTimeSpent = "Tiempo empleado"; +$SplitStepsPerPage = "Una página, un objeto de aprendizaje"; +$SplitStepsPerChapter = "Una sección, un objeto de aprendizaje"; +$TakeSlideName = "Usar los nombres de las diapositivas para los objetos de aprendizaje de la lección"; +$CannotConnectToOpenOffice = "La conexión con el conversor de documentos ha fallado. Póngase en contacto con el administrador de su plataforma para solucionar el problema."; +$OogieConversionFailed = "Conversión fallida.
        Algunos documentos son demasiado complejos para su tratamiento automático mediante el conversor de documentos.
        En sucesivas versiones se irá ampliando esta capacidad."; +$OogieUnknownError = "La conversión ha fallado por una razón desconocida.
        Contacte a su administrador para más información."; +$OogieBadExtension = "El archivo no tiene una extensión correcta."; +$WoogieBadExtension = "Por favor, envíe sólo documentos de texto. La extensión del archivo debe ser .doc, .docx o bien .odt"; +$ShowAudioRecorder = "Mostrar el grabador de audio"; +$SearchFeatureSearchExplanation = "Para buscar en la base de datos de lecciones use la siguiente sintaxis::
           term tag:tag_name -exclude +include \"exact phrase\"
        Por ejemplo:
           coche tag:camión -ferrari +ford \"alto consumo\".
        Esto mostrará todos los resultados para la palabra 'coche' etiquetados como 'camión', que no incluyan la palabra 'ferrari', pero sí la palabra 'ford' y la frase exacta 'alto consumo'."; +$ViewLearningPath = "Ver lecciones"; +$SearchFeatureDocumentTagsIfIndexing = "Etiquetas para añadir al documento en caso de indexación"; +$ReturnToLearningPaths = "Regresar a las lecciones"; +$UploadMp3audio = "Cargar audio"; +$UpdateAllAudioFragments = "Cargar todos los fragmentos de audio"; +$LeaveEmptyToKeepCurrentFile = "Dejar vacio para mantener el archivo actual"; +$RemoveAudio = "Quitar audio"; +$SaveAudio = "Guardar"; +$ViewScoreChangeHistory = "Ver puntuacion de historial de cambio"; +$ImageWillResizeMsg = "La imagen sera ajustada a un tamaño predeterminado"; +$ImagePreview = "Vista previa de la imagen"; +$UplAlreadyExists = "¡ ya existe !"; +$UplUnableToSaveFile = "¡ El fichero enviado no puede ser guardado (¿problema de permisos?) !"; +$MoveDocument = "Mover el documento"; +$EditLPSettings = "Cambiar parámetros de lección"; +$SaveLPSettings = "Guardar parámetros de lección"; +$ShowAllAttempts = "Mostrar todos los intentos"; +$HideAllAttempts = "Ocultar todos los intentos"; +$ShowAllAttemptsByExercise = "Mostrar todos los intentos por ejercicio"; +$ShowAttempt = "Mostrar intento"; +$ShowAndQualifyAttempt = "Mostrar y calificar intento"; +$ModifyPrerequisites = "Modificar los prerrequisitos"; +$CreateLearningPath = "Crear lección"; +$AddExercise = "Agregar el ejercicio a la lección"; +$LPCreateDocument = "Crear un documento"; +$ObjectiveID = "ID del objetivo"; +$ObjectiveStatus = "Estatus del objetivo"; +$ObjectiveRawScore = "Puntuación básica del objetivo"; +$ObjectiveMaxScore = "Puntuación máxima del objetivo"; +$ObjectiveMinScore = "Puntuación mínima del objetivo"; +$LPName = "Título de la lección"; +$AuthoringOptions = "Autorización de opciones"; +$SaveSection = "Guardar sección"; +$AddLinkToCourse = "Agregar el enlace a la lección"; +$AddAssignmentToCourse = "Agregar la tarea a la lección"; +$AddForumToCourse = "Agregar el foro a la lección"; +$SaveAudioAndOrganization = "Guardar audio y organización"; +$UploadOnlyMp3Files = "Por favor, envíe sólo archivos mp3"; +$OpenBadgesTitle = "Chamilo ahora tiene OpenBadges"; +$NoPosts = "Sin publicaciones"; +$WithoutAchievedSkills = "Sin competencias logradas"; +$TypeMessage = "Por favor, escriba su mensaje"; +$ConfirmReset = "¿Seguro que quiere borrar todos los mensajes?"; $MailCronCourseExpirationReminderBody = "Estimado %s, Ha llegado a nuestra atención que no ha completado el curso %s aunque su fecha de vencimiento haya sido establecida al %s, quedando %s días para terminarlo. @@ -2650,3526 +2650,3526 @@ Puede regresar al curso conectándose a la plataforma en esta dirección: %s Saludos cordiales, -El equipo de %s"; -$MailCronCourseExpirationReminderSubject = "Urgente: Recordatorio de vencimiento de curso %s"; -$ExerciseAndLearningPath = "Ejercicios y lecciones"; -$LearningPathGradebookWarning = "Advertencia: Es posible utilizar en una evaluación un ejercicio agregado a una lección. Sin embargo, si la lección ya está incluida, este ejercicio puede ser parte de la evaluación del curso. La evaluación de una lección se realiza de acuerdo con el porcentaje de progreso, mientras que la evaluación de un ejercicio se realiza de acuerdo con la puntuación obtenida. Por último, el resultado de las encuestas se basa en la respuesta o no de la encuesta, lo que significa que el resultado se obtiene a partir de 0 (no responde) o 1 (responde) según corresponda. Asegúrese de probar las combinaciones a organizar su Evaluación para evitar problemas."; -$ChooseEitherDurationOrTimeLimit = "Elija entre duración o límite de tiempo"; -$ClearList = "Borrar la lista"; -$SessionBanner = "Banner de sesión"; -$ShortDescription = "Descripción corta"; -$TargetAudience = "Público objetivo"; -$OpenBadgesActionCall = "Convierta su campus virtual en un lugar de aprendizaje por competencia."; -$CallSent = "Una petición de chat ha sido enviada. Esperando la aprobación de la persona contactada."; -$ChatDenied = "Su llamada ha sido rechazada por la persona contactada"; -$Send = "Enviar"; -$Connected = "Conectados"; -$Exercice = "Ejercicio"; -$NoEx = "Por el momento, no hay ejercicios"; -$NewEx = "Nuevo ejercicio"; -$Questions = "Preguntas"; -$Answers = "Respuestas"; -$True = "Verdadero"; -$Answer = "Respuesta"; -$YourResults = "Sus resultados"; -$StudentResults = "Puntuaciones de los estudiantes"; -$ExerciseType = "Tipo de ejercicio"; -$ExerciseName = "Nombre del ejercicio"; -$ExerciseDescription = "Descripción del ejercicio"; -$SimpleExercise = "Todas las preguntas en una página"; -$SequentialExercise = "Una pregunta por página (secuencial)"; -$RandomQuestions = "Preguntas aleatorias"; -$GiveExerciseName = "Por favor, proporcione un nombre al ejercicio"; -$Sound = "Archivo de audio o video"; -$DeleteSound = "Borrar el archivo de audio o video"; -$NoAnswer = "Actualmente no hay respuestas"; -$GoBackToQuestionPool = "Volver al banco de preguntas"; -$GoBackToQuestionList = "Volver a la lista de ejercicios"; -$QuestionAnswers = "Responder la pregunta"; -$UsedInSeveralExercises = "Precaución! Esta pregunta y sus respuestas son usadas en varios ejercicios. ¿Quiere modificarlas?"; -$ModifyInAllExercises = "en todos los ejercicios"; -$ModifyInThisExercise = "sólo en este ejercicio"; -$AnswerType = "Tipo de respuesta"; -$MultipleSelect = "Respuesta múltiple"; -$FillBlanks = "Rellenar blancos"; -$Matching = "Relacionar"; -$ReplacePicture = "Reemplazar la imagen"; -$DeletePicture = "Eliminar la imagen"; -$QuestionDescription = "Texto, imagen, audio o video adicionales"; -$GiveQuestion = "Por favor, escriba la pregunta"; -$WeightingForEachBlank = "Por favor, otorgue una puntuación a cada espacio en blanco"; -$UseTagForBlank = "use corchetes [...] para definir uno o más espacios en blanco"; -$QuestionWeighting = "Puntuación"; -$MoreAnswers = "+resp"; -$LessAnswers = "-resp"; -$MoreElements = "+elem"; -$LessElements = "-elem"; -$TypeTextBelow = "Escriba el texto debajo"; -$DefaultTextInBlanks = "

        Ejemplo: Calcular el índice de masa corporal

        Edad [25] años
        Sexo [M] (M o F)
        Peso 66 Kg
        Talla 1.78 m
        Índice de masa corporal [29] IMC =Peso/Talla2 (Cf. Artículo de Wikipedia)
        "; -$DefaultMatchingOptA = "1914 - 1918"; -$DefaultMatchingOptB = "1939 - 1945"; -$DefaultMakeCorrespond1 = "Primera Guerra Mundial"; -$DefaultMakeCorrespond2 = "Segunda Guerra Mundial"; -$DefineOptions = "Por favor, defina las opciones"; -$MakeCorrespond = "Relacionar"; -$FillLists = "Por favor, complete las dos listas siguientes"; -$GiveText = "Por favor, escriba el texto"; -$DefineBlanks = "Por favor, defina un espacio en blanco con corchetes [...]"; -$GiveAnswers = "Por favor, escriba las respuestas de las preguntas"; -$ChooseGoodAnswer = "Por favor, elija la respuesta correcta"; -$ChooseGoodAnswers = "Por favor, elija una o más respuestas correctas"; -$QuestionList = "Listado de preguntas del ejercicio"; -$GetExistingQuestion = "Banco de preguntas"; -$FinishTest = "Terminar"; -$QuestionPool = "Banco de preguntas"; -$OrphanQuestions = "Preguntas huérfanas"; -$NoQuestion = "Actualmente no hay preguntas"; -$AllExercises = "Todos los ejercicios"; -$GoBackToEx = "Volver al ejercicio"; -$Reuse = "Reutilizar"; -$ExerciseManagement = "Gestión de ejercicios"; -$QuestionManagement = "Gestión de preguntas / respuestas"; -$QuestionNotFound = "No se encontró la pregunta"; -$ExerciseNotFound = "El ejercicio no se encontró o no está visible"; -$AlreadyAnswered = "Ya ha respondido la pregunta"; -$ElementList = "Listado de elementos"; -$CorrespondsTo = "Correspondencias con"; -$ExpectedChoice = "Selección correcta"; -$YourTotalScore = "Su puntuación total es"; -$ReachedMaxAttemptsAdmin = "Ha llegado al número máximo de intentos permitidos en este ejercicio. No obstante, como usted es un profesor de este curso, puede seguir contestándolo. Recuerde que sus resultados no aparecerán en la página de resultados."; -$ExerciseAdded = "Ejercicio añadido"; -$EvalSet = "Parámetros de evaluación"; -$Active = "activo"; -$Inactive = "inactivo"; -$QuestCreate = "crear preguntas"; -$ExRecord = "su ejercicio ha sigo guardado"; -$BackModif = "volver a la página de edición de preguntas"; -$DoEx = "realizar el ejercicio"; -$DefScor = "describir los parámetros de evaluación"; -$CreateModif = "Crear / modificar preguntas"; -$Sub = "subtítulo"; -$MyAnswer = "Mi respuesta"; -$MorA = "+ respuesta"; -$LesA = "- respuesta"; -$RecEx = "guardar el ejercicio"; -$RecQu = "Guardar preguntas"; -$RecAns = "Guardar respuestas"; -$Introduction = "Introducción"; -$TitleAssistant = "Asistente para la creación de ejercicios"; -$QuesList = "Lista de preguntas"; -$SaveEx = "guardar ejercicios"; -$QImage = "Pregunta con una imagen"; -$AddQ = "Añadir una pregunta"; -$DoAnEx = "Realizar un ejercicio"; -$Generator = "Lista de ejercicios"; -$Correct = "Correcto"; -$PossAnsw = "Número de respuestas correctas para una pregunta"; -$StudAnsw = "número de errores del estudiante"; -$Determine = "Determine el valor de la evaluación modificando la tabla situada bajo este texto. Después pulse \"OK\""; -$NonNumber = "un valor no numérico"; -$Replaced = "Reemplazado"; -$Superior = "un valor mayor que 20"; -$Rep20 = "fue introducido. Fue sustituido por 20"; -$DefComment = "los valores anteriores serán reemplazados cuando pulse el botón \"valores por defecto\""; -$ScoreGet = "números en negrita = puntuación"; -$ShowScor = "Mostrar la evaluación del estudiante:"; -$Step1 = "Paso 1"; -$Step2 = "Paso 2"; -$ImportHotPotatoesQuiz = "Importar ejercicios de HotPotatoes"; -$HotPotatoesTests = "Importar ejercicios HotPotatoes"; -$DownloadImg = "Enviar una imagen al servidor"; -$NoImg = "Ejercicios sin imágenes"; -$ImgNote_st = "
        Debe enviar otra vez"; -$ImgNote_en = "imagen(es) :"; -$NameNotEqual = "¡ no es un fichero válido !"; -$Indice = "Índice"; -$Indices = "Indices"; -$DateExo = "Fecha"; -$ShowQuestion = "Ver pregunta"; -$UnknownExercise = "Ejercicio desconocido"; -$ReuseQuestion = "Reutilizar la pregunta"; -$CreateExercise = "Crear ejercicio"; -$CreateQuestion = "Crear una pregunta"; -$CreateAnswers = "Crear respuestas"; -$ModifyExercise = "Modificar ejercicio"; -$ModifyAnswers = "modificar las respuestas"; -$ForExercise = "para el ejercicio"; -$UseExistantQuestion = "Usar una pregunta existente"; -$FreeAnswer = "Respuesta abierta"; -$notCorrectedYet = "Esta pregunta aún no ha sido corregida. Hasta que no lo sea, Ud. tendrá en ella la calificación de cero, lo cual se reflejará en su puntuación global."; -$adminHP = "Administración Hot Potatoes"; -$NewQu = "Nueva pregunta"; -$NoImage = "Seleccione una imagen"; -$AnswerHotspot = "En cada zona interactiva la descripción y el valor son obligatorios - el feedback es opcional."; -$MinHotspot = "Tiene que crear al menos una (1) zona interactiva."; -$MaxHotspot = "El máximo de zonas interactivas que puede crear es doce (12)"; -$HotspotError = "Por favor, proporcione una descripción y un valor a cada zona interactiva."; -$MoreHotspots = "Añadir zona interactiva"; -$LessHotspots = "Quitar zona interactiva"; -$HotspotZones = "Zonas interactivas"; -$CorrectAnswer = "Respuesta correcta"; -$HotspotHit = "Su respuesta fué"; -$OnlyJPG = "Para las zonas interactivas sólo puede usar imágenes JPG (o JPEG)"; -$FinishThisTest = "Mostrar las respuestas correctas a cada pregunta y la puntuación del ejercicio"; -$AllQuestions = "Todas las preguntas"; -$ModifyTitleDescription = "Editar título y comentarios"; -$ModifyHotspots = "Editar respuestas/zonas interactivas"; -$HotspotNotDrawn = "Todavía no ha dibujado todas las zonas interactivas"; -$HotspotWeightingError = "Debe dar un valor (>0) positivo a todas las zonas interactivas"; -$HotspotValidateError1 = "Debe contestar completamente a la pregunta ("; -$HotspotValidateError2 = "clics requeridos en la imagen) antes de ver los resultados"; -$HotspotRequired = "En cada zona interactiva la descripción y el valor son obligatorios. El feedback es opcional."; -$HotspotChoose = "
        • Para crear una zona interactiva: seleccione la forma asociada al color y después dibuje la zona interactiva.
        • Para mover una zona interactiva, seleccione el color, haga clic en otro punto de la imagen y finalmente dibuje la zona interactiva.
        • Para añadir una zona interactiva: haga clic en el botón [+zona interactiva].
        • Para cerrar una forma poligonal: botón derecho del ratón y seleccionar \"Cerrar polígono\".
        "; -$Fault = "Incorrecta"; -$HotSpot = "Zonas de imagen"; -$ClickNumber = "Número de clics"; -$HotspotGiveAnswers = "Por favor, responda"; -$Addlimits = "Añadir límites"; -$AreYouSure = "Está seguro"; -$StudentScore = "Puntuación de los alumnos"; -$backtoTesthome = "Volver a la página principal del ejercicio"; -$MarkIsUpdated = "La nota ha sido actualizada"; -$MarkInserted = "Nota insertada"; -$PleaseGiveAMark = "Por favor, proporcione una nota"; -$EditCommentsAndMarks = "Corregir y puntuar"; -$AddComments = "Añadir comentarios"; -$Number = "Nº"; -$Weighting = "Puntuación"; -$ChooseQuestionType = "Para crear una nueva pregunta, seleccione el tipo arriba"; -$MatchesTo = "Corresponde a"; -$CorrectTest = "Corregir este ejercicio"; -$ViewTest = "Ver"; -$NotAttempted = "Sin intentar"; -$AddElem = "Añadir elemento"; -$DelElem = "Quitar elemento"; -$PlusAnswer = "Añadir respuesta"; -$LessAnswer = "Quitar respuesta"; -$YourScore = "Su puntuación"; -$Attempted = "Intentado"; -$AssignMarks = "Puntuar"; -$ExerciseStored = "Proceda haciendo clic sobre el tipo de pregunta e introduciendo los datos correspondientes."; -$ChooseAtLeastOneCheckbox = "Escoger al menos una respuesta correcta"; -$ExerciseEdited = "El ejercicio ha sido modificado"; -$ExerciseDeleted = "El ejercicio ha sido borrado"; -$ClickToCommentAndGiveFeedback = "Haga clic en este enlace para corregir y/o dar feedback a la respuesta"; -$OpenQuestionsAttempted = "Un alumno ha contestado a una pregunta abierta"; -$AttemptDetails = "Detalles de los intentos"; -$TestAttempted = "Ejercicio"; -$StudentName = "Nombre del estudiante"; -$StudentEmail = "E-Mail del estudiante"; -$OpenQuestionsAttemptedAre = "La pregunta abierta intentada está"; -$UploadJpgPicture = "Enviar una imagen (jpg, png o gif)"; -$HotspotDescription = "Descripción de la zona interactiva"; -$ExamSheetVCC = "Ejercicio visto/corregido/comentado por el profesor"; -$AttemptVCC = "Los siguientes intentos han sido vistos/comentados/corregidos por el profesor"; -$ClickLinkToViewComment = "Haga clic en el enlace inferior para acceder a su cuenta y ver corregida su hoja de ejercicios"; -$Regards = "Cordialmente"; -$AttemptVCCLong = "Su intento en el ejercicio %s ha sido visto/comentado/corregido por el profesor. Haga clic en el enlace inferior para acceder a su cuenta y ver su hoja de ejercicios."; -$DearStudentEmailIntroduction = "Estimado estudiante,"; -$ResultsEnabled = "Modo autoevaluación activado. Ahora, al final del ejercicio los estudiantes podrán ver las respuestas correctas."; -$ResultsDisabled = "Modo examen activado. Ahora, al final del ejercicio los estudiantes no podrán ver las respuestas correctas."; -$ExportWithUserFields = "Incluir los campos de usuario en la exportación"; -$ExportWithoutUserFields = "Excluir los campos de usuario de la exportación"; -$DisableResults = "No mostrar los resultados a los alumnos"; -$EnableResults = "Mostrar los resultados a los alumnos"; -$ValidateAnswer = "Validar respuesta(s)"; -$FillInBlankSwitchable = "Una respuesta puede ser correcta para cualquiera de las opciones en blanco."; -$ReachedMaxAttempts = "No puede repetir el ejercicio %s debido a que ya ha realizado el máximo de %s intentos permitidos"; -$RandomQuestionsToDisplay = "Número de preguntas aleatorias a mostrar"; -$RandomQuestionsHelp = "Número de preguntas que serán seleccionadas al azar. Escoja el número de preguntas que desea barajar."; -$ExerciseAttempts = "Número máximo de intentos"; -$DoNotRandomize = "Sin desordenar"; -$Infinite = "Ilimitado"; -$BackToExercisesList = "Regresar a Ejercicios"; -$NoStartDate = "No empieza fecha"; -$ExeStartTime = "Fecha de inicio"; -$ExeEndTime = "Fecha de finalización"; -$DeleteAttempt = "¿ Eliminar este intento ?"; -$WithoutComment = "Sin comentarios"; -$QuantityQuestions = "Número de preguntas"; -$FilterExercices = "Filtrar ejercicios"; -$FilterByNotRevised = "Filtrar por No revisado"; -$FilterByRevised = "Filtrar por Revisado"; -$ReachedTimeLimit = "Ha llegado al tiempo límite"; -$TryAgain = "Intenta otra vez"; -$SeeTheory = "Revisar la teoría"; -$EndActivity = "Fin de la actividad"; -$NoFeedback = "Examen (sin retroalimentación)"; -$DirectFeedback = "Autoevaluación (retroalimentación inmediata)"; -$FeedbackType = "Retro-alimentación"; -$Scenario = "Escenario"; -$VisitUrl = "Visitar esta dirección"; -$ExitTest = "Salir del examen"; -$DurationFormat = "%1 segundos"; -$Difficulty = "Dificultad"; -$NewScore = "Nueva puntuación"; -$NewComment = "Nuevo comentario"; -$ExerciseNoStartedYet = "El ejercicio aun no se ha iniciado"; -$ExerciseNoStartedAdmin = "El profesor no ha iniciado el ejercicio"; -$SelectTargetLP = "Seleccionar lección de destino"; -$SelectTargetQuestion = "Seleccionar pregunta de destino"; -$DirectFeedbackCantModifyTypeQuestion = "El tipo de evaluación no puede ser modificado ya que fue seleccionado para Autoevaluación"; -$CantShowResults = "No disponible"; -$CantViewResults = "No se puede ver los resultados"; -$ShowCorrectedOnly = "Mostrar ejercicios corregidos"; -$ShowUnCorrectedOnly = "Mostrar ejercicios sin corregir"; -$HideResultsToStudents = "Ocultar los resultados a los estudiantes"; -$ShowResultsToStudents = "Mostrar los resultados a los estudiantes"; -$ProcedToQuestions = "Preparar preguntas"; -$AddQuestionToExercise = "Añadir pregunta"; -$PresentationQuestions = "Presentación de las preguntas"; -$UniqueAnswer = "Respuesta única"; -$MultipleAnswer = "Respuesta multiple"; -$ReachedOneAttempt = "No puede realizar el ejercicio otra vez porque ha superado el número de intentos permitidos para su ejecución."; -$QuestionsPerPage = "Preguntas por pagina"; -$QuestionsPerPageOne = "Una"; -$QuestionsPerPageAll = "Todas"; -$EditIndividualComment = "Editar feedback"; -$ThankYouForPassingTheTest = "Gracias por pasar el examen"; -$ExerciseAtTheEndOfTheTest = "Al final del ejercicio (retroalimentación)"; -$EnrichQuestion = "Enriquecer pregunta"; -$DefaultUniqueQuestion = "¿Cuál de los siguientes alimentos es un producto lácteo?"; -$DefaultUniqueAnswer1 = "Leche"; -$DefaultUniqueComment1 = "La leche es la base de numerosos productos lácteos como la mantequilla, el queso y el yogur"; -$DefaultUniqueAnswer2 = "Avena"; -$DefaultUniqueComment2 = "La avena es uno de los cereales más completos. Por sus cualidades energéticas y nutritivas ha sido un alimento básico de muchos pueblos"; -$DefaultMultipleQuestion = "¿Qué país no pertenece al continente europeo?"; -$DefaultMultipleAnswer1 = "España"; -$DefaultMultipleComment1 = "Es un país soberano miembro de la Unión Europea, constituido en Estado social y democrático de Derecho, y cuya forma de gobierno es la monarquía parlamentaria"; -$DefaultMultipleAnswer2 = "Perú"; -$DefaultMultipleComment2 = "Es un país situado en el lado occidental de Sudamérica. Está limitado por el norte con Ecuador y Colombia, por el este con Brasil, por el sureste con Bolivia, por el sur con Chile, y por el oeste con el Océano Pacífico"; -$DefaultFillBlankQuestion = "Calcular el índice de masa corporal"; -$DefaultMathingQuestion = "Determinar el orden correcto"; -$DefaultOpenQuestion = "¿Cuándo se celebra el día del Trabajo?"; -$MoreHotspotsImage = "Agregar / editar hotspots en la imagen"; -$ReachedTimeLimitAdmin = "Ha alcanzado el límite de tiempo para realizar este ejercicio"; -$LastScoreTest = "Última puntuación obtenida"; -$BackToResultList = "Volver a lista de resultados"; -$EditingScoreCauseProblemsToExercisesInLP = "Si edita la puntuación de esta pregunta modificará el resultado del ejercicio, recuerde que este ejercicio también está agregado a una Lección"; -$SelectExercise = "Seleccionar ejercicio"; -$YouHaveToSelectATest = "Debes seleccionar un ejercicio"; -$HotspotDelineation = "Delineación"; -$CreateQuestions = "Crear preguntas"; -$MoreOAR = "Agregar OAR"; -$LessOAR = "Eliminar OAR"; -$LearnerIsInformed = "Este mensaje aparecerá si el estudiante falla un paso"; -$MinOverlap = "Mínima superposición"; -$MaxExcess = "Máximo exceso"; -$MaxMissing = "Zona faltante máxima"; -$IfNoError = "Si no existe error"; -$LearnerHasNoMistake = "El estudiante no cometió errores"; -$YourDelineation = "Su delineación :"; -$ResultIs = "Su resultado es :"; -$Overlap = "Zona de superposición"; -$Missing = "Zona faltante"; -$Excess = "Zona excesiva"; -$Min = "Minimum"; -$Requirements = "Requerido"; -$OARHit = "Uno (o mas) OAR han sido seleccionados"; -$TooManyIterationsPleaseTryUsingMoreStraightforwardPolygons = "Demasiadas iteraciones al intentar calcular la respuesta. Por favor intente dibujar su delineación otra vez"; -$Thresholds = "Thresholds"; -$Delineation = "Delineación"; -$QuestionTypeDoesNotBelongToFeedbackTypeInExercise = "Tipo de pregunta no pertenece al tipo de retroalimentación en ejercicios"; -$Title = "Título"; -$By = "Publicado por"; -$UsersOnline = "Usuarios en línea"; -$Remove = "Eliminar"; -$Enter = "Volver a mi lista de cursos"; -$Description = "Descripción"; -$Links = "Enlaces"; -$Works = "Tareas"; -$Forums = "Foros"; -$GradebookListOfStudentsReports = "Reporte de lista de alumnos"; -$CreateDir = "Crear una carpeta"; -$Name = "Nombre"; -$Comment = "Comentarios"; -$Visible = "Visible"; -$NewDir = "Nombre de la nueva carpeta"; -$DirCr = "La carpeta ha sido creada"; -$Download = "Descargar"; -$Group = "Grupos"; -$Edit = "Editar"; -$GroupForum = "Foro del grupo"; -$Language = "Idioma"; -$LoginName = "Usuario"; -$AutostartMp3 = "Presione Aceptar si desea que el archivo de audio se reproduzca automáticamente"; -$Assignments = "Tareas"; -$Forum = "Foro"; -$DelImage = "Eliminar foto"; -$Code = "Código del curso"; -$Up = "Arriba"; -$Down = "Bajar"; -$TimeReportForCourseX = "Reporte de tiempo curso %s"; -$Theme = "Estilo"; -$TheListIsEmpty = "La lista está vacía"; -$UniqueSelect = "Respuesta única"; -$CreateCategory = "Crear categoría"; -$SendFile = "Enviar archivo"; -$SaveChanges = "Guardar cambios"; -$SearchTerm = "Palabra a buscar"; -$TooShort = "Muy corto"; -$CourseCreate = "Crear un curso"; -$Todo = "Sugerencias"; -$UserName = "Nombre de usuario"; -$TimeReportIncludingAllCoursesAndSessionsByTeacher = "Reporte de tiempo incluyendo todos los cursos y sesiones, por profesor"; -$CategoryMod = "Modificar categoría"; -$Hide = "Ocultar"; -$Dear = "Estimado/a"; -$Archive = "archivo"; -$CourseCode = "Código del curso"; -$NoDescription = "Sin descripción"; -$OfficialCode = "Código oficial"; -$FirstName = "Nombre"; -$LastName = "Apellidos"; -$Status = "Estado"; -$Email = "Correo electrónico"; -$SlideshowConversion = "Conversión de la presentación"; -$UploadFile = "Enviar archivo"; -$AvailableFrom = "Disponible desde"; -$AvailableTill = "Disponible hasta"; -$Preview = "Vista preliminar"; -$Type = "Tipo"; -$EmailAddress = "Dirección de correo electrónico"; -$Organisation = "Organización"; -$Reporting = "Informes"; -$Update = "Actualizar"; -$SelectQuestionType = "Seleccionar tipo"; -$CurrentCourse = "Curso actual"; -$Back = "Volver"; -$Info = "Información"; -$Search = "Buscar"; -$AdvancedSearch = "Búsqueda avanzada"; -$Open = "Abierto"; -$Import = "Importar"; -$AddAnother = "Añadir otra"; -$Author = "Autor"; -$TrueFalse = "Verdadero / Falso"; -$QuestionType = "Tipo de pregunta"; -$NoSearchResults = "No se han encontrado resultados"; -$SelectQuestion = "Seleccionar una pregunta"; -$AddNewQuestionType = "Añadir un nuevo tipo de pregunta"; -$Numbered = "Numerada"; -$iso639_2_code = "es"; -$iso639_1_code = "spa"; -$charset = "iso-8859-1"; -$text_dir = "ltr"; -$left_font_family = "verdana, helvetica, arial, geneva, sans-serif"; -$right_font_family = "helvetica, arial, geneva, sans-serif"; -$number_thousands_separator = ","; -$number_decimal_separator = "."; -$dateFormatShort = "%d %b %Y"; -$dateFormatLong = "%A %d %B de %Y"; -$dateTimeFormatLong = "%d de %B %Y a las %I:%M %p"; -$timeNoSecFormat = "%H:%M h."; -$Yes = "Sí"; -$No = "No"; -$Next = "Siguiente"; -$Allowed = "Permitido"; -$BackHome = "Volver a la página principal de"; -$Propositions = "Propuestas de mejora de"; -$Maj = "Actualizar"; -$Modify = "Modificar"; -$Invisible = "Invisible"; -$Save = "Guardar"; -$Move = "Mover"; -$Help = "Ayuda"; -$Ok = "Aceptar"; -$Add = "Añadir"; -$AddIntro = "Añadir un texto de introducción"; -$BackList = "Volver a la lista"; -$Text = "Texto"; -$Empty = "No ha rellenado todos los campos.
        Utilice el botón de retorno de su navegador y vuelva a empezar.
        Si no conoce el código de su curso, consulte el programa del curso"; -$ConfirmYourChoice = "Por favor, confirme su elección"; -$And = "y"; -$Choice = "Su selección"; -$Finish = "Terminar"; -$Cancel = "Cancelar"; -$NotAllowed = "No está autorizado a ver esta página o su conexión ha caducado."; -$NotLogged = "No ha entrado como usuario de un curso"; -$Manager = "Responsable"; -$Optional = "Opcional"; -$NextPage = "Página siguiente"; -$PreviousPage = "Página anterior"; -$Use = "Usar"; -$Total = "Total"; -$Take = "tomar"; -$One = "Uno"; -$Several = "Varios"; -$Notice = "Aviso"; -$Date = "Fecha"; -$Among = "entre"; -$Show = "Mostrar"; -$MyCourses = "Mis cursos"; -$ModifyProfile = "Mi perfil"; -$MyStats = "Ver mis estadísticas"; -$Logout = "Salir"; -$MyAgenda = "Mi agenda"; -$CourseHomepage = "Página principal del curso"; -$SwitchToTeacherView = "Cambiar a vista profesor"; -$SwitchToStudentView = "Cambiar a \"Vista de estudiante\""; -$AddResource = "Añadir recurso"; -$AddedResources = "Recursos añadidos"; -$TimeReportForTeacherX = "Reporte de tiempo profesor %s"; -$TotalTime = "Tiempo total"; -$NameOfLang['arabic'] = "árabe"; -$NameOfLang['brazilian'] = "brasileño"; -$NameOfLang['bulgarian'] = "búlgaro"; -$NameOfLang['catalan'] = "catalán"; -$NameOfLang['croatian'] = "croata"; -$NameOfLang['danish'] = "danés"; -$NameOfLang['dutch'] = "holandés"; -$NameOfLang['english'] = "inglés"; -$NameOfLang['finnish'] = "finlandés"; -$NameOfLang['french'] = "francés"; -$NameOfLang['french_corporate'] = "francés corporativo"; -$NameOfLang['french_KM'] = "francés KM"; -$NameOfLang['galician'] = "gallego"; -$NameOfLang['german'] = "alemán"; -$NameOfLang['greek'] = "griego"; -$NameOfLang['italian'] = "italiano"; -$NameOfLang['japanese'] = "japonés"; -$NameOfLang['polish'] = "polaco"; -$NameOfLang['portuguese'] = "portugués"; -$NameOfLang['russian'] = "ruso"; -$NameOfLang['simpl_chinese'] = "chino simplificado"; -$NameOfLang['spanish'] = "español"; -$Close = "Cerrar"; -$Platform = "Plataforma"; -$localLangName = "idioma"; -$email = "e-mail"; -$CourseCodeAlreadyExists = "Lo siento, pero este código ya existe. Pruebe a escoger otro."; -$Statistics = "Estadísticas"; -$GroupList = "Lista de grupos"; -$Previous = "Anterior"; -$DestDirectoryDoesntExist = "La carpeta de destino no existe"; -$Courses = "Cursos"; -$In = "en"; -$ShowAll = "Mostrar todos"; -$Page = "Página"; -$englishLangName = "Inglés"; -$Home = "Principal"; -$AreYouSureToDelete = "¿ Está seguro de querer eliminar"; -$SelectAll = "Seleccionar todo"; -$UnSelectAll = "Anular seleccionar todos"; -$WithSelected = "Con lo seleccionado"; -$OnLine = "Conectado"; -$Users = "Usuarios"; -$PlatformAdmin = "Administración"; -$NameOfLang['hungarian'] = "húngaro"; -$NameOfLang['indonesian'] = "indonesio"; -$NameOfLang['malay'] = "malayo"; -$NameOfLang['slovenian'] = "esloveno"; -$NameOfLang['spanish_latin'] = "español latino"; -$NameOfLang['swedish'] = "sueco"; -$NameOfLang['thai'] = "tailandés"; -$NameOfLang['turkce'] = "turco"; -$NameOfLang['vietnamese'] = "vietnamita"; -$UserInfo = "información del usuario"; -$ModifyQuestion = "Modificar pregunta"; -$Example = "Ejemplo"; -$CheckAll = "comprobar"; -$NbAnnoucement = "Avisos"; -$DisplayCertificate = "Visualizar certificado"; -$Doc = "documento"; -$PlataformAdmin = "Administración de la plataforma"; -$Groups = "Grupos"; -$GroupManagement = "Gestión de grupos"; -$All = "Todo"; -$None = "Ninguna"; -$Sorry = "Seleccione primero un curso"; -$Denied = "Esta función sólo está disponible para los administradores del curso"; -$Today = "Hoy"; -$CourseHomepageLink = "Página de inicio del curso"; -$Attachment = "Adjuntar"; -$User = "Usuario"; -$MondayInit = "L"; -$TuesdayInit = "M"; -$WednesdayInit = "M"; -$ThursdayInit = "J"; -$FridayInit = "V"; -$SaturdayInit = "S"; -$SundayInit = "D"; -$MondayShort = "Lun"; -$TuesdayShort = "Mar"; -$WednesdayShort = "Mié"; -$ThursdayShort = "Jue"; -$FridayShort = "Vie"; -$SaturdayShort = "Sáb"; -$SundayShort = "Dom"; -$MondayLong = "Lunes"; -$TuesdayLong = "Martes"; -$WednesdayLong = "Miércoles"; -$ThursdayLong = "Jueves"; -$FridayLong = "Viernes"; -$SaturdayLong = "Sábado"; -$SundayLong = "Domingo"; -$JanuaryInit = "E"; -$FebruaryInit = "F"; -$MarchInit = "M"; -$AprilInit = "A"; -$MayInit = "M"; -$JuneInit = "J"; -$JulyInit = "J"; -$AugustInit = "A"; -$SeptemberInit = "S"; -$OctoberInit = "O"; -$NovemberInit = "N"; -$DecemberInit = "D"; -$JanuaryShort = "Ene"; -$FebruaryShort = "Feb"; -$MarchShort = "Mar"; -$AprilShort = "Abr"; -$MayShort = "May"; -$JuneShort = "Jun"; -$JulyShort = "Jul"; -$AugustShort = "Ago"; -$SeptemberShort = "Sep"; -$OctoberShort = "Oct"; -$NovemberShort = "Nov"; -$DecemberShort = "Dic"; -$JanuaryLong = "Enero"; -$FebruaryLong = "Febrero"; -$MarchLong = "Marzo"; -$AprilLong = "Abril"; -$MayLong = "Mayo"; -$JuneLong = "Junio"; -$JulyLong = "Julio"; -$AugustLong = "Agosto"; -$SeptemberLong = "Septiembre"; -$OctoberLong = "Octubre"; -$NovemberLong = "Noviembre"; -$DecemberLong = "Diciembre"; -$MyCompetences = "Mis competencias"; -$MyDiplomas = "Mis títulos"; -$MyPersonalOpenArea = "Mi área personal pública"; -$MyTeach = "Qué puedo enseñar"; -$Agenda = "Agenda"; -$HourShort = "h"; -$PleaseTryAgain = "¡ Por favor, inténtelo otra vez !"; -$UplNoFileUploaded = "Ningún archivo ha sido enviado"; -$UplSelectFileFirst = "Por favor, seleccione el archivo antes de presionar el botón enviar."; -$UplNotAZip = "El archivo seleccionado no es un archivo zip."; -$UplUploadSucceeded = "¡ El archivo ha sido enviado !"; -$ExportAsCSV = "Exportar a un fichero CSV"; -$ExportAsXLS = "Exportar a un fichero XLS"; -$Openarea = "Area personal pública"; -$Done = "Hecho"; -$Documents = "Documentos"; -$DocumentAdded = "Documento añadido"; -$DocumentUpdated = "Documento actualizado"; -$DocumentInFolderUpdated = "Documento actualizado en la carpeta"; -$Course_description = "Descripción del curso"; -$Average = "Promedio"; -$Document = "Documento"; -$Learnpath = "Lecciones"; -$Link = "Enlace"; -$Announcement = "Anuncios"; -$Dropbox = "Compartir documentos"; -$Quiz = "Ejercicios"; -$Chat = "Chat"; -$Conference = "Conferencia Online"; -$Student_publication = "Tareas"; -$Tracking = "Informes"; -$homepage_link = "Añadir un enlace a la página principal del curso"; -$Course_setting = "Configuración del curso"; -$Backup = "Copia de seguridad del curso"; -$copy_course_content = "Copiar el contenido de este curso"; -$recycle_course = "Reciclar este curso"; -$StartDate = "Fecha de inicio"; -$EndDate = "Fecha de finalización"; -$StartTime = "Hora de comienzo"; -$EndTime = "Hora de finalización"; -$YouWereCalled = "Está siendo llamado para chatear con"; -$DoYouAccept = "¿Acepta?"; -$Everybody = "todos los usuarios del curso"; -$SentTo = "Dirigido a"; -$Export = "Exportar"; -$Tools = "Módulos"; -$Everyone = "Todos"; -$SelectGroupsUsers = "Seleccionar grupos/usuarios"; -$Student = "Estudiante"; -$Teacher = "Profesor"; -$Send2All = "No seleccionó ningún usuario / grupo. Este item será visible por todos los usuarios."; -$Wiki = "Wiki"; -$Complete = "Completado"; -$Incomplete = "Sin completar"; -$reservation = "reservar"; -$StartTimeWindow = "Inicio"; -$EndTimeWindow = "Final"; -$AccessNotAllowed = "No está permitido el acceso a esta página"; -$InThisCourse = "en este curso"; -$ThisFieldIsRequired = "Contenido obligatorio"; -$AllowedHTMLTags = "Etiquetas HTML permitidas"; -$FormHasErrorsPleaseComplete = "Este formulario contiene datos incorrectos o incompletos. Por favor, revise lo que ha escrito."; -$StartDateShouldBeBeforeEndDate = "La fecha de inicio debe ser anterior a la fecha final"; -$InvalidDate = "Fecha no válida"; -$OnlyLettersAndNumbersAllowed = "Sólo se permiten letras y números"; -$BasicOverview = "Organizar"; -$CourseAdminRole = "Administrador del curso"; -$UserRole = "Rol"; -$OnlyImagesAllowed = "Splo están permitidas imágenes PNG, JPG y GIF"; -$ViewRight = "Ver"; -$EditRight = "Editar"; -$DeleteRight = "Eliminar"; -$OverviewCourseRights = "Descripción de roles y permisos"; -$SeeAllRightsAllLocationsForSpecificRole = "Rol"; -$SeeAllRolesAllLocationsForSpecificRight = "Ver todos los perfiles y lugares para un permiso específico"; -$Advanced = "Avanzado"; -$RightValueModified = "Este valor ha sido modificado."; -$course_rights = "Configuración de roles y permisos"; -$Visio_conference = "Reunión por videoconferencia"; -$CourseAdminRoleDescription = "Administrador del curso"; -$MoveTo = "Mover a"; -$Delete = "Eliminar"; -$MoveFileTo = "Mover archivo a"; -$TimeReportForSessionX = "Reporte de tiempo sesión %s"; -$Error = "Error"; -$Anonymous = "Anónimo"; -$h = "h"; -$CreateNewGlobalRole = "Crear nuevo rol global"; -$CreateNewLocalRole = "Crear nuevo rol local"; -$Actions = "Acciones"; -$Inbox = "Bandeja de entrada"; -$ComposeMessage = "Redactar"; -$Other = "Otro"; -$AddRight = "Añadir"; -$CampusHomepage = "Página principal"; -$YouHaveNewMessage = "Tiene un nuevo mensaje"; -$myActiveSessions = "Mis sesiones activas"; -$myInactiveSessions = "Mis sesiones no activas"; -$FileUpload = "Envío de archivo"; -$MyActiveSessions = "Mis sesiones activas"; -$MyInActiveSessions = "Mis sesiones no activas"; -$MySpace = "Informes"; -$ExtensionActivedButNotYetOperational = "Esta extensión ha sido activada pero, por ahora, no puede estar operativa."; -$MyStudents = "Mis estudiantes"; -$Progress = "Progreso"; -$Or = "o"; -$Uploading = "Enviando..."; -$AccountExpired = "Cuenta caducada"; -$AccountInactive = "Cuenta sin activar"; -$ActionNotAllowed = "Acción no permitida"; -$SubTitle = "Subtítulo"; -$NoResourcesToRecycle = "No hay recursos para reciclar"; -$noOpen = "No puede abrirse"; -$TempsFrequentation = "Tiempo de frecuenciación"; -$Progression = "Progreso"; -$NoCourse = "El curso no puede ser encontrado"; -$Teachers = "Profesores"; -$Session = "Sesión"; -$Sessions = "Sesiones de formación"; -$NoSession = "La sesión no puede ser encontrada"; -$NoStudent = "El estudiante no puede ser encontrado"; -$Students = "Estudiantes"; -$NoResults = "No se encuentran resultados"; -$Tutors = "Tutores"; -$Tel = "Teléf."; -$NoTel = "Sin teléf."; -$SendMail = "Enviar correo"; -$RdvAgenda = "Cita de la agenda"; -$VideoConf = "Videoconferencia"; -$MyProgress = "Mi progreso"; -$NoOnlineStudents = "No hay estudiantes en línea"; -$InCourse = "en curso"; -$UserOnlineListSession = "Lista de usuarios en línea - Sesión"; -$From = "De"; -$To = "Para"; -$Content = "Contenido"; -$Year = "año"; -$Years = "años"; -$Day = "Día"; -$Days = "días"; -$PleaseStandBy = "Por favor, espere..."; -$AvailableUntil = "Disponible hasta"; -$HourMinuteDivider = "h"; -$Visio_classroom = "Aula de videoconferencia"; -$Survey = "Encuesta"; -$More = "Más"; -$ClickHere = "Clic aquí"; -$Here = "aqui"; -$SaveQuestion = "Guardar pregunta"; -$ReturnTo = "Ahora puede volver a"; -$Horizontal = "Horizontal"; -$Vertical = "Vertical"; -$DisplaySearchResults = "Mostrar los resultados de la búsqueda"; -$DisplayAll = "Mostrar todos"; -$File_upload = "Enviar archivo"; -$NoUsersInCourse = "Este curso no tiene usuarios"; -$Percentage = "Porcentaje"; -$Information = "Información"; -$EmailDestination = "Destinatario"; -$SendEmail = "Enviar email"; -$EmailTitle = "Título del anuncio"; -$EmailText = "Contenido del Email"; -$Comments = "Comentarios"; -$ModifyRecipientList = "Modificar la lista de destinatarios"; -$Line = "Línea"; -$NoLinkVisited = "No se ha visitado ningún enlace"; -$NoDocumentDownloaded = "No se ha descargado ningún documento"; -$Clicks = "clics"; -$SearchResults = "Buscar resultados"; -$SessionPast = "Pasada"; -$SessionActive = "Activa"; -$SessionFuture = "Todavía no ha comenzado"; -$DateFormatLongWithoutDay = "%d %B %Y"; -$InvalidDirectoryPleaseCreateAnImagesFolder = "Carpeta no válida: por favor cree una carpeta que se llame images en la herramienta documentos, para poder enviar a ella las imagenes que suba."; -$UsersConnectedToMySessions = "Usuarios conectados a mis sesiones"; -$Category = "Categoría"; -$DearUser = "Estimado usuario"; -$YourRegistrationData = "Estos son sus datos de acceso"; -$ResetLink = "Pulse en el siguiente enlace para regenerar su contraseña"; -$VisibilityChanged = "La visibilidad ha sido cambiada."; -$MainNavigation = "Navegación principal"; -$SeeDetail = "Ver detalles"; -$GroupSingle = "Grupo"; -$PleaseLoginAgainFromHomepage = "Por favor, pruebe a identificarse de nuevo desde la página principal de la plataforma"; -$PleaseLoginAgainFromFormBelow = "Por favor, pruebe a identificarse de nuevo usando el formulario inferior"; -$AccessToFaq = "Acceder a las preguntas más frecuentes (FAQ)"; -$Faq = "Preguntas más frecuentes (FAQ)"; -$RemindInactivesLearnersSince = "Recordatorio para los usuarios que han permanecido inactivos durante más de"; -$RemindInactiveLearnersMailSubject = "Falta de actividad en %s"; -$RemindInactiveLearnersMailContent = "Estimado estudiante,

        no ha tenido actividad en %s desde hace más de %s días."; -$OpenIdAuthentication = "Autentificación OpenID"; -$UploadMaxSize = "Tamaño máximo de los envíos"; -$Unknown = "Desconocido"; -$MoveUp = "Mover arriba"; -$MoveDown = "Mover abajo"; -$UplUnableToSaveFileFilteredExtension = "Envío de archivo no completado: este tipo de archivo o su extensión no están permitidos"; -$OpenIDURL = "URL OpenID"; -$UplFileTooBig = "¡ El archivo enviado es demasiado grande !"; -$UplGenericError = "El envío del archivo no se ha podido realizar. Por favor, inténtelo de nuevo más tarde o póngase en contacto con el administrador de la plataforma."; -$MyGradebook = "Evaluaciones"; -$Gradebook = "Evaluaciones"; -$OpenIDWhatIs = "¿ Qué es OpenID ?"; -$OpenIDDescription = "OpenID elimina la necesidad de tener varios nombres de usuario en distintos sitios web, simplificando la experiencia del usuario en la Red. Vd. puede escoger el proveedor de OpenID que mejor satisfaga sus necesidades y, lo que es más importante, aquel en el que tenga más confianza. También, aunque cambie de proveedor, podrá conservar su OpenID. Y lo mejor de todo, OpenID es una tecnología no propietaria y completamente gratuita. Para las empresas, esto significa un menor costo de administración de cuentas y contraseñas. OpenID reduce la frustración del usuario permitiendo que los usuarios tengan el control de su acceso.

        Para saber más..."; -$NoManager = "Sin responsable"; -$ExportiCal = "Exportar en formato iCal"; -$ExportiCalPublic = "Exportar en formato iCal como evento público"; -$ExportiCalPrivate = "Exportar en formato iCal como evento privado"; -$ExportiCalConfidential = "Exportar en formato iCal como evento confidencial"; -$MoreStats = "Más estadísticas"; -$Drh = "Responsable de Recursos Humanos"; -$MinDecade = "década"; -$MinYear = "año"; -$MinMonth = "mes"; -$MinWeek = "semana"; -$MinDay = "día"; -$MinHour = "hora"; -$MinMinute = "minuto"; -$MinDecades = "décadas"; -$MinYears = "años"; -$MinMonths = "meses"; -$MinWeeks = "semanas"; -$MinDays = "días"; -$MinHours = "Horas"; -$MinMinutes = "Minutos"; -$HomeDirectory = "Principal"; -$DocumentCreated = "Documento creado"; -$ForumAdded = "El nuevo foro ha sido añadido"; -$ForumThreadAdded = "Tema de discusión añadido al foro"; -$ForumAttachmentAdded = "Archivo adjunto añadido al foro"; -$directory = "directorio"; -$Directories = "directorios"; -$UserAge = "Edad"; -$UserBirthday = "Fecha de nacimiento"; -$Course = "Curso"; -$FilesUpload = "documentos"; -$ExerciseFinished = "Ejercicio finalizado"; -$UserSex = "Sexo"; -$UserNativeLanguage = "Lengua materna"; -$UserResidenceCountry = "País de residencia"; -$AddAnAttachment = "Adjuntar un archivo"; -$FileComment = "Comentario del archivo"; -$FileName = "Nombre de fichero"; -$SessionsAdmin = "Administrador de sesiones"; -$MakeChangeable = "Convertir en modificable"; -$MakeUnchangeable = "Convertir en no modificable"; -$UserFields = "Campos de usuario"; -$FieldShown = "El campo ahora es visible para el usuario"; -$CannotShowField = "No se puede hacer visible el campo"; -$FieldHidden = "El campo ahora no es visible por el usuario"; -$CannotHideField = "No se puede ocultar el campo"; -$FieldMadeChangeable = "El campo ahora es modificable por el usuario: el usuario puede rellenar o modificar el campo"; -$CannotMakeFieldChangeable = "El campo no se puede convertir en modificable"; -$FieldMadeUnchangeable = "El campo ahora es fijo: el usuario no puede rellenar o modificar el campo"; -$CannotMakeFieldUnchangeable = "No se puede convertir el campo en fijo"; -$Folder = "Carpeta"; -$CloseOtherSession = "El chat no está disponible debido a que otra página del curso está abierta, por favor vuelva a ingresar al chat"; -$FileUploadSucces = "El archivo ha sido enviado"; -$Yesterday = "Ayer"; -$Submit = "Enviar"; -$Department = "Departamento"; -$BackToNewSearch = "Volver a realizar una búsqueda"; -$Step = "Paso"; -$SomethingFemininAddedSuccessfully = "ha sido añadida"; -$SomethingMasculinAddedSuccessfully = "ha sido añadido"; -$DeleteError = "Error de borrado"; -$StepsList = "Lista de etapas"; -$AddStep = "Añadir etapa"; -$StepCode = "Código de la etapa"; -$Label = "Etiqueta"; -$UnableToConnectTo = "Imposible conectar con"; -$NoUser = "Sin usuarios"; -$SearchResultsFor = "Resultados de la búsqueda para:"; -$SelectFile = "Seleccione un archivo"; -$WarningFaqFileNonWriteable = "Atención - El archivo FAQ localizado en el directorio /home/ de su plataforma, no es un archivo en el que se pueda escribir. Su texto no será guardado hasta que no cambie los permisos del archivo."; -$AddCategory = "Añadir categoría"; -$NoExercises = "No hay ejercicios disponibles"; -$NotAllowedClickBack = "Lo sentimos, no le está permitido acceder a esta página o su conexión ha caducado. Para volver a la página anterior pulse el enlace inferior o haga clic en el botón \"Atrás\" de su navegador."; -$Exercise = "Ejercicio"; -$Result = "Resultado"; -$AttemptingToLoginAs = "Intentar identificarse como %s %s (id %s)"; -$LoginSuccessfulGoToX = "Identificación realizada. Vaya a %s"; -$FckMp3Autostart = "Iniciar audio automáticamente"; -$Learner = "Estudiante"; -$IntroductionTextUpdated = "El texto de introducción ha sido actualizado"; -$Align = "Alineación"; -$Width = "Ancho"; -$VSpace = "Espacio V"; -$HSpace = "Espacio H"; -$Border = "Borde"; -$Alt = "Alt"; -$Height = "Altura"; -$ImageManager = "Administrador de imágenes"; -$ImageFile = "Imagen"; -$ConstrainProportions = "Mantener proporciones"; -$InsertImage = "Importar imagen"; -$AccountActive = "Cuenta activa"; -$GroupSpace = "Área del grupo"; -$GroupWiki = "Wiki"; -$ExportToPDF = "Exportar a PDF"; -$CommentAdded = "Comentario añadido"; -$BackToPreviousPage = "Volver a la página anterior"; -$ListView = "Mostrar como lista"; -$NoOfficialCode = "Sin código oficial"; -$Owner = "Propietario"; -$DisplayOrder = "Orden"; -$SearchFeatureDoIndexDocument = "¿ Indexar el contenido del documento ?"; -$SearchFeatureDocumentLanguage = "Idioma del documento para la indexación"; -$With = "con"; -$GeneralCoach = "Tutor general"; -$SaveDocument = "Guardar documento"; -$CategoryDeleted = "La categoría ha sido eliminada."; -$CategoryAdded = "Calificación añadida"; -$IP = "IP"; -$Qualify = "Calificar"; -$Words = "Palabras"; -$GoBack = "Regresar"; -$Details = "Detalles"; -$EditLink = "Editar enlace"; -$LinkEdited = "El enlace ha sido modificado"; -$ForumThreads = "Temas del foro"; -$GradebookVisible = "Visible"; -$GradebookInvisible = "Invisible"; -$Phone = "Teléfono"; -$InfoMessage = "Mensaje de información"; -$ConfirmationMessage = "Mensaje de confirmación"; -$WarningMessage = "Mensaje de aviso"; -$ErrorMessage = "Mensaje de error"; -$Glossary = "Glosario"; -$Coach = "Tutor"; -$Condition = "Condición"; -$CourseSettings = "Configuración del curso"; -$EmailNotifications = "Notificaciones por e-mail"; -$UserRights = "Derechos de usuario"; -$Theming = "Estilos"; -$Qualification = "Calificación"; -$OnlyNumbers = "Solamente numeros"; -$ReorderOptions = "Reordenar opciones"; -$EditUserFields = "Editar campos de usuario"; -$OptionText = "Opción de texto"; -$FieldTypeDoubleSelect = "Campo de tipo selección doble"; -$FieldTypeDivider = "Campo de tipo separador"; -$ScormUnknownPackageFormat = "Formato desconocido de paquete"; -$ResourceDeleted = "El recurso fue eliminado"; -$AdvancedParameters = "Parámetros avanzados"; -$GoTo = "Ir a"; -$SessionNameAndCourseTitle = "Título del curso y nombre de la sesión"; -$CreationDate = "Fecha de creación"; -$LastUpdateDate = "Última actualización"; -$ViewHistoryChange = "Ver historial de cambios"; -$NameOfLang['asturian'] = "asturiano"; -$SearchGoToLearningPath = "Ir a la lección"; -$SearchLectureLibrary = "Biblioteca de lecciones"; -$SearchImagePreview = "Vista previa"; -$SearchAdvancedOptions = "Opciones de búsqueda avanzadas"; -$SearchResetKeywords = "Limpiar palabras clave"; -$SearchKeywords = "Palabras clave"; -$IntroductionTextDeleted = "El texto de introducción ha sido eliminado"; -$SearchKeywordsHelpTitle = "Ayuda búsqueda por palabras clave"; -$SearchKeywordsHelpComment = "Selecciona las palabras clave en uno o más de los campos y haz clic por el botón de búsqueda.

        Para seleccionar más de una palabra clave en un campo, usa Ctrl+Clic"; -$Validate = "Validar"; -$SearchCombineSearchWith = "Combinar palabras clave con"; -$SearchFeatureNotEnabledComment = "La funcionalidad de búsqueda de texto completo no está habilitada en Chamilo. Por favor, contacte con el administrador de Chamilo."; -$Top = "Inicio"; -$YourTextHere = "Su texto aquí"; -$OrderBy = "Ordenar por"; -$Notebook = "Notas personales"; -$FieldRequired = "Contenido obligatorio"; -$BookingSystem = "Sistema de reservas"; -$Any = "Cualquiera"; -$SpecificSearchFields = "Campos específicos de búsqueda"; -$SpecificSearchFieldsIntro = "Aquí puede definir los campos que desee usar para indexar el contenido. Cuando esté indexando un elemento podrá agregar uno o más términos en cada campo separados por comas."; -$AddSpecificSearchField = "Agregar un campo espefífico de búsqueda"; -$SaveSettings = "Guardar configuración"; -$NoParticipation = "No hay participantes"; -$Subscribers = "Suscriptores"; -$Accept = "Aceptar"; -$Reserved = "Reservado"; -$SharedDocumentsDirectory = "Carpeta de documentos compartidos"; -$Gallery = "Galería"; -$Audio = "Audio"; -$GoToQuestion = "Ir a la pregunta"; -$Level = "Nivel"; -$Duration = "Duración"; -$SearchPrefilterPrefix = "Campo específico para prefiltrado"; -$SearchPrefilterPrefixComment = "Esta opción le permite elegir el campo específico que va a ser usado en el tipo de búsqueda prefiltrado."; -$MaxTimeAllowed = "Tiempo máximo permitido (min)"; -$Class = "Clase"; -$Select = "Seleccionar"; -$Booking = "Reservas"; -$ManageReservations = "Gestionar reservas"; -$DestinationUsers = "Usuarios destinatarios"; -$AttachmentFileDeleteSuccess = "El archivo adjunto ha sido eliminado"; -$AccountURLInactive = "Cuenta no activada en esta URL"; -$MaxFileSize = "Tamaño máximo de archivo"; -$SendFileError = "Error al enviar el archivo"; -$Expired = "Vencido"; -$InvitationHasBeenSent = "La invitación ha sido enviada"; -$InvitationHasBeenNotSent = "La invitación no ha sido enviada"; -$Outbox = "Bandeja de salida"; -$Overview = "Vista global"; -$ApiKeys = "Claves API"; -$GenerateApiKey = "Generar clave API"; -$MyApiKey = "Mi clave API"; -$DateSend = "Fecha de envio"; -$Deny = "Denegar"; -$ThereIsNotQualifiedLearners = "No hay estudiantes calificados"; -$ThereIsNotUnqualifiedLearners = "No hay estudiantes sin calificar"; -$SocialNetwork = "Red social"; -$BackToOutbox = "Volver a la bandeja de salida"; -$Invitation = "Invitación"; -$SeeMoreOptions = "Ver más opciones"; -$TemplatePreview = "Previsualización de la plantilla"; -$NoTemplatePreview = "Previsualización no disponible"; -$ModifyCategory = "Modificar categoría"; -$Photo = "Foto"; -$MoveFile = "Mover el archivo"; -$Filter = "Filtrar"; -$Subject = "Asunto"; -$Message = "mensaje"; -$MoreInformation = "Mas información"; -$MakeInvisible = "Ocultar"; -$MakeVisible = "Hacer visible"; -$Image = "Imagen"; -$SaveIntroText = "Guardar texto de introducción"; -$CourseName = "Nombre del curso"; -$SendAMessage = "Enviar mensaje"; -$Menu = "Menú"; -$BackToUserList = "Regresar a lista de usuarios"; -$GraphicNotAvailable = "Gráfico no disponible"; -$BackTo = "Regresar a"; -$HistoryTrainingSessions = "Historial de cursos"; -$ConversionFailled = "Conversión fallida"; -$AlreadyExists = "Ya existe"; -$TheNewWordHasBeenAdded = "La nueva palabra ha sido añadida al subconjunto del idioma principal"; -$CommentErrorExportDocument = "Algunos documentos contienen etiquetas internas no válidas o son demasiado complejos para su tratamiento automático mediante el conversor de documentos"; -$YourGradebookFirstNeedsACertificateInOrderToBeLinkedToASkill = "La evaluación necesita tener un certificado para poder relacionarlo a una competencia"; -$DataType = "Tipo de dato"; -$Value = "Valor"; -$System = "Sistema"; -$ImportantActivities = "Actividades importantes"; -$SearchActivities = "Buscar actividades"; -$Parent = "Pariente"; -$SurveyAdded = "Encuesta añadida"; -$WikiAdded = "Wiki añadido"; -$ReadOnly = "Sólo lectura"; -$Unacceptable = "No aceptable"; -$DisplayTrainingList = "Mostrar la lista de cursos"; -$HistoryTrainingSession = "Historial de cursos"; -$Until = "Hasta"; -$FirstPage = "Primera página"; -$LastPage = "Última página"; -$Coachs = "Tutores"; -$ModifyEvaluation = "Guardar"; -$CreateLink = "Crear"; -$AddResultNoStudents = "No hay estudiantes para añadir resultados"; -$ScoreEdit = "Editar las reglas de puntuación"; -$ScoreColor = "Color de la puntuación"; -$ScoringSystem = "Sistema de puntuación"; -$EnableScoreColor = "Activar el coloreado de las puntuaciones"; -$Below = "Por debajo de"; -$WillColorRed = "se coloreará en rojo"; -$EnableScoringSystem = "Activar el sistema de puntuación"; -$IncludeUpperLimit = "Incluir el límite superior"; -$ScoreInfo = "Información sobre la puntuación"; -$Between = "Entre"; -$CurrentCategory = "Evaluación de"; -$RootCat = "lista de cursos"; -$NewCategory = "Nueva calificación"; -$NewEvaluation = "Crear un componente de evaluación presencial"; -$Weight = "Ponderación"; -$PickACourse = "Seleccionar un curso"; -$CourseIndependent = "Independiente del curso"; -$CourseIndependentEvaluation = "Evaluación independiente de un curso"; -$EvaluationName = "Componente de evaluación"; -$DateEval = "Fecha de evaluación"; -$AddUserToEval = "Añadir estudiantes a la evaluación"; -$NewSubCategory = "Nueva subcalificación"; -$MakeLink = "Crear un componente de evaluación en línea"; -$DeleteSelected = "Eliminar selección"; -$SetVisible = "Hacer visible"; -$SetInvisible = "Ocultar"; -$ChooseLink = "Seleccione el tipo de componente"; -$LMSDropbox = "Compartir documentos"; -$ChooseExercise = "Elegir un ejercicio"; -$AddResult = "Añadir resultados"; -$BackToOverview = "Volver a la Vista general"; -$ExportPDF = "Exportar a PDF"; -$ChooseOrientation = "Elegir orientación"; -$Portrait = "Vertical"; -$Landscape = "Horizontal"; -$FilterCategory = "Filtrar por evaluación"; -$ScoringUpdated = "Puntuación actualizada"; -$CertificateWCertifiesStudentXFinishedCourseYWithGradeZ = "%s certifica que\n\n %s \n\nha realizado el curso \n\n '%s' \n\ncon la calificación de \n\n '%s'"; -$CertificateMinScore = "Puntuación mínima de certificación"; -$InViMod = "Este elemento ha sido ocultado"; -$ViewResult = "Ver resultados"; -$NoResultsInEvaluation = "Por ahora no hay resultados en la evaluación"; -$AddStudent = "Añadir usuarios"; -$ImportResult = "Importar resultados"; -$ImportFileLocation = "Ubicación del fichero a importar"; -$FileType = "Tipo de fichero"; -$ExampleCSVFile = "Fichero CSV de ejemplo"; -$ExampleXMLFile = "Fichero XML de ejemplo"; -$OverwriteScores = "Sobrescribir puntuaciones"; -$IgnoreErrors = "Ignorar errores"; -$ItemsVisible = "Los elementos han sido hechos visibles"; -$ItemsInVisible = "Los elementos han sido hechos invisibles"; -$NoItemsSelected = "No hay seleccionado ningún elemento"; -$DeletedCategories = "Calificaciones eliminadas"; -$DeletedEvaluations = "Evaluaciones eliminadas"; -$DeletedLinks = "Enlaces eliminados"; -$TotalItems = "Total de elementos"; -$EditEvaluation = "Modificar componente de evaluación"; -$DeleteResult = "Eliminar resultados"; -$Display = "Nivel"; -$ViewStatistics = "Ver estadísticas"; -$ResultAdded = "Resultado añadido"; -$EvaluationStatistics = "Estadísticas de evaluación"; -$ExportResult = "Exportar resultados"; -$EditResult = "Editar resultados"; -$GradebookWelcomeMessage = "Bienvenido a la herramienta Evaluaciones. Esta herramienta le permite evaluar las competencias de su organización. Generar informes de competencias mediante la fusión de la puntuación de las distintas actividades, como las realizadas en el aula y las actividades en línea. Este es el entorno típico de los sistemas de aprendizaje mixto."; -$CreateAllCat = "Generar calificaciones para todos mis cursos"; -$AddAllCat = "Se han añadido todas las calificaciones"; -$StatsStudent = "Estadísticas de"; -$Results = "Resultados"; -$Certificates = "Certificados"; -$Certificate = "Certificado"; -$ChooseUser = "Seleccionar usuarios para esta evaluación"; -$ResultEdited = "Resultado actualizado"; -$ChooseFormat = "Escoger formato"; -$OutputFileType = "Tipo de fichero de salida"; -$OverMax = "El valor que ha intentado guardar es superior al límite máximo establecido para esta evaluación."; -$MoreInfo = "Más información"; -$ResultsPerUser = "Resultados por usuario"; -$TotalUser = "Total por usuario"; -$AverageTotal = "Promedio total"; -$Evaluation = "Componente de evaluación"; -$EvaluationAverage = "Promedio de la evaluación"; -$EditAllWeights = "Editar ponderaciones"; -$GradebookQualificationTotal = "Total"; -$GradebookEvaluationDeleted = "El componente de evaluación ha sido eliminado"; -$GradebookQualifyLog = "Historial de evaluación"; -$GradebookNameLog = "Componente de evaluación"; -$GradebookDescriptionLog = "Descripción de la evaluación"; -$GradebookVisibilityLog = "Visibilidad"; -$ResourceType = "Tipo"; -$GradebookWhoChangedItLog = "Modificado por"; -$EvaluationEdited = "El componente de evaluación ha sido modificado"; -$CategoryEdited = "La evaluación del curso ha sido actualizada"; -$IncorrectData = "Dato incorrecto"; -$Resource = "Componente de evaluación"; -$PleaseEnableScoringSystem = "Porfavor activar sistema de puntuación"; -$AllResultDeleted = "Todos los resultados han sido eliminados"; -$ImportNoFile = "No ha importado ningun archivo"; -$ProblemUploadingFile = "Ha ocurrido un error mandando su archivo. No se ha recibido nada"; -$AllResultsEdited = "Todos los resultados han sido modificados"; -$UserInfoDoesNotMatch = "No coincide con la información del usuario"; -$ScoreDoesNotMatch = "La puntuación no coincide"; -$FileUploadComplete = "Se cargó el archivo con éxito"; -$NoResultsAvailable = "No hay resultados disponibles"; -$CannotChangeTheMaxNote = "No se puede cambiar la nota máxima"; -$GradebookWeightUpdated = "Peso(s) modificado(s) correctamente"; -$ChooseItem = "Seleccione un item"; -$AverageResultsVsResource = "Promedio de resultados por componente de evaluación"; -$ToViewGraphScoreRuleMustBeEnabled = "Para ver el gráfico las reglas de puntuación deben haberse definido"; -$GradebookPreviousWeight = "Ponderación previa"; -$AddAssessment = "Crear"; -$FolderView = "Regresar a evaluaciones"; -$GradebookSkillsRanking = "Evaluación"; -$SaveScoringRules = "Guardar reglas de puntuación"; -$AttachCertificate = "Adjuntar certificado"; -$GradebookSeeListOfStudentsCertificates = "Ver la lista de certificados de estudiantes"; -$CreateCertificate = "Crear certificado"; -$UploadCertificate = "Enviar un certificado"; -$CertificateName = "Nombre del certificado"; -$CertificateOverview = "Vista de certificado"; -$CreateCertificateWithTags = "Crear certificado con estas etiquetas"; -$ViewPresenceSheets = "Vista de hojas de asistencia"; -$ViewEvaluations = "Vista de evaluaciones"; -$NewPresenceSheet = "Nueva hoja de asistencia"; -$NewPresenceStep1 = "Nueva hoja de asistencia: Paso 1/2 : llenar los datos de la hoja de asistencia"; -$TitlePresenceSheet = "Título de la actividad"; -$PresenceSheetCreatedBy = "Hoja de asistencia creada por"; -$SavePresence = "Guardar hoja de asistencia y continuar con el paso 2"; -$NewPresenceStep2 = "Nueva hoja de asistencia: Paso 2/2 : verificar los estudiantes que estén presentes"; -$NoCertificateAvailable = "No hay certificado disponible"; -$SaveCertificate = "Guardar certificado"; -$CertificateNotRemoved = "Certificado no puede ser removido"; -$CertificateRemoved = "Certificado removido"; -$NoDefaultCertificate = "No hay certificado predeterminado"; -$DefaultCertificate = "Certificado predeterminado"; -$PreviewCertificate = "Vista previa de certificado"; -$IsDefaultCertificate = "Certificado ésta como predeterminado"; -$ImportPresences = "Importar asistencia"; -$AddPresences = "Agregar asistencias"; -$DeletePresences = "Eliminar asistencia"; -$GradebookListOfStudentsCertificates = "Lista de certificados de estudiantes en evaluaciones"; -$NewPresence = "Nueva asistencia"; -$EditPresence = "Editar asistencia"; -$SavedEditPresence = "Guardar asistencia modificada"; -$PresenceSheetFormatExplanation = "Debería utilizar la hoja de asistencia que se puede descargar más arriba. Esta hoja de asistencia contiene una lista de todos los participantes en este curso. La primera columna del archivo XLS es el código oficial del candidato, seguida por el apellido y el nombre. Sólo debe cambiar la columna 4 y la nota 0 = ausente, 1 = presente"; -$ValidatePresenceSheet = "Validar hoja de asistencia"; -$PresenceSheet = "Hoja de asistencia"; -$PresenceSheets = "Hojas de asistencia"; -$Evaluations = "Evaluaciones"; -$SaveEditPresence = "Guardar cambios en hoja de asistencia"; -$Training = "Curso"; -$Present = "Asistencia"; -$Numero = "N"; -$PresentAbsent = "0 = ausente, 1 = asistencia"; -$ExampleXLSFile = "Ejemplo de archivo Excel (XLS)"; -$NoResultsInPresenceSheet = "No hay asistencia registrada"; -$EditPresences = "Asistencias modificadas"; -$TotalWeightMustNotBeMoreThan = "Peso total no debe ser mayor que"; -$ThereIsNotACertificateAvailableByDefault = "No hay un certificado disponible por defecto"; -$CertificateMinimunScoreIsRequiredAndMustNotBeMoreThan = "La puntuación mínima para certificados es requerida y no debe ser mayor de"; -$CourseProgram = "Descripción del curso"; -$ThisCourseDescriptionIsEmpty = "Descripción no disponible"; -$Vacancies = "Vacantes"; -$QuestionPlan = "Cuestiones clave"; -$Cost = "Costo"; -$NewBloc = "Apartado personalizado"; -$TeachingHours = "Horas lectivas"; -$Area = "Área"; -$InProcess = "En proceso"; -$CourseDescriptionUpdated = "La descripción del curso ha sido actualizada"; -$CourseDescriptionDeleted = "La descripción del curso ha sido borrada"; -$PreventSessionAdminsToManageAllUsersComment = "Por activar esta opción, los administradores de sesiones podrán ver, en las páginas de administración, exclúsivamente los usuarios que ellos mismos han creado."; -$InvalidId = "Acceso denegado - nombre de usuario o contraseña incorrectos."; -$Pass = "Contraseña"; -$Advises = "Sugerencias"; -$CourseDoesntExist = "Atención : Este curso no existe"; -$GetCourseFromOldPortal = "haga clic aquí para obtener este curso de su antiguo portal"; -$SupportForum = "Foro de Soporte"; -$BackToHomePage = "Volver"; -$LostPassword = "¿Ha olvidado su contraseña?"; -$Valvas = "Últimas noticias"; -$Helptwo = "Ayuda"; -$EussMenu = "menú"; -$Opinio = "Opinión"; -$Intranet = "Intranet"; -$Englin = "Inglés"; -$InvalidForSelfRegistration = "Acceso denegado. Si no está registrado, complete el formulario de registro"; -$MenuGeneral = "General"; -$MenuUser = "Usuario"; -$MenuAdmin = "Administrador de la plataforma"; -$UsersOnLineList = "Lista de usuarios en línea"; -$TotalOnLine = "Total en línea"; -$Refresh = "Actualizar"; -$SystemAnnouncements = "Anuncios de la plataforma"; -$HelpMaj = "Ayuda"; -$NotRegistered = "No registrado"; -$Login = "Identificación"; -$RegisterForCourse = "Inscribirse en un curso"; -$UnregisterForCourse = "Anular mi inscripción en un curso"; -$Refresh = "Actualizar"; -$TotalOnLine = "Total de usuarios en línea"; -$CourseClosed = "(este curso actualmente está cerrado)"; -$Teach = "Qué puedo enseñar"; -$Productions = "Tareas"; -$SendChatRequest = "Enviar una petición de chat a esta persona"; -$RequestDenied = "Esta llamada ha sido rechazada"; -$UsageDatacreated = "Datos de uso creados"; -$SessionView = "Mostrar los cursos ordenados por sesiones"; -$CourseView = "Mostrar toda la lista de cursos"; -$DropboxFileAdded = "Se ha enviado un fichero a los documentos compartidos"; -$NewMessageInForum = "Ha sido publicado un nuevo mensaje en el foro"; -$FolderCreated = "Ha sido creado un nuevo directorio"; -$AgendaAdded = "Ha sido añadido un evento de la agenda"; -$ShouldBeCSVFormat = "El archivo debe estar formato CSV. No añada espacios. La estructura debe ser exactamente :"; -$Enter2passToChange = "Para cambiar la contraseña, introduzca la nueva contraseña en estos dos campos. Si desea mantener la actual, deje vacíos los dos campos."; -$AuthInfo = "Autentificación"; -$ImageWrong = "El archivo debe tener un tamaño menor de"; -$NewPass = "Nueva contraseña"; -$CurrentPasswordEmptyOrIncorrect = "La contraseña actual está vacía o es incorrecta"; -$password_request = "A través del campus virtual ha solicitado el reenvío de su contraseña. Si no lo ha solicitado o ya ha recuperado su contraseña puede ignorar este correo."; -$YourPasswordHasBeenEmailed = "Su contraseña le ha sido enviada por correo electrónico."; -$EnterEmailAndWeWillSendYouYourPassword = "Introduzca la dirección de correo electrónico con la que está registrado y le remitiremos su nombre de usuario y contraseña."; -$Action = "Acción"; -$Preserved = "Proteger"; -$ConfirmUnsubscribe = "Confirmar anular inscripción del usuario"; -$See = "Ir a"; -$LastVisits = "Mis últimas visitas"; -$IfYouWantToAddManyUsers = "Si quiere añadir una lista de usuarios a su curso, contacte con el administrador."; -$PassTooEasy = "esta contraseña es demasiado simple. Use una como esta"; -$AddedToCourse = "Ha sido inscrito en el curso"; -$UserAlreadyRegistered = "Un usuario con el mismo nombre ya ha sido registrado en este curso."; -$BackUser = "Regresar a la lista de usuarios"; -$UserOneByOneExplanation = "El (ella) recibirá un correo electrónico de confirmación con el nombre de usuario y la contraseña"; -$GiveTutor = "Hacer tutor"; -$RemoveRight = "Quitar este permiso"; -$GiveAdmin = "Ser administrador"; -$UserNumber = "número"; -$DownloadUserList = "Subir lista"; -$UserAddExplanation = "Cada linea del archivo que envíe necesariamente tiene que incluirtodos y cada uno de estos 5 campos (y ninguno más): Nombre   Apellidos   \t\tNombre de usuario   Contraseña \t\t  Correo Electrónico separadas por tabuladores y en óste orden.\t\tLos usuarios recibirán un correo de confirmación son su nombre de usuario y contraseña."; -$UserMany = "Importar lista de usuarios a través de un fichero .txt"; -$OneByOne = "Añadir un usuario de forma manual"; -$AddHereSomeCourses = "Modificar lista de cursos

        Seleccione los cursos en los que quiere inscribirse.
        Quite la selección de los cursos en los que no desea seguir inscrito.
        Luego haga clic en el botón Ok de la lista"; -$ImportUserList = "Importar una lista de usuarios"; -$AddAU = "Añadir un usuario"; -$AddedU = "ha sido añadido. Si ya escribió su direccción electrónica, se le enviará un mensaje para comunicarle su nombre de usuario"; -$TheU = "El usuario"; -$RegYou = "lo ha inscrito en este curso"; -$OneResp = "Uno de los administradores del curso"; -$UserPicture = "Foto"; -$ProfileReg = "Su nuevo perfil de usuario ha sido guardado"; -$EmailWrong = "La dirección de correo electrónico que ha escrito está incompleta o contiene caracteres no válidos"; -$UserTaken = "El nombre de usuario que ha elegido ya existe"; -$Fields = "No ha rellenado todos los campos"; -$Again = "¡ Comience de nuevo !"; -$PassTwo = "No ha escrito la misma contraseña en las dos ocasiones"; -$ViewProfile = "Ver mi perfil (no se puede modificar)"; -$ModifProfile = "Modificar mi perfil"; -$IsReg = "Sus cambios han sido guardados"; -$NowGoCreateYourCourse = "Ahora puede crear un curso"; -$NowGoChooseYourCourses = "Ahora puede ir a la lista de cursos y seleccionar los que desee"; -$MailHasBeenSent = "Recibirá un correo electrónico recordándole su nombre de usuario y contraseña."; -$PersonalSettings = "Sus datos han sido registrados."; -$Problem = "Para cualquier aclaración no dude en contactar con nosotros."; -$Is = "es"; -$Address = "El enlace para acceder a la plataforma"; -$FieldTypeFile = "Subida de archivo"; -$YourReg = "Su registro en"; -$UserFree = "El nombre de usuario que eligió ya existe. Use el botón de 'Atrás' de su navegador y elija uno diferente."; -$EmptyFields = "No ha llenado todos los campos. Use el botón de 'Atrás' de su navegador y vuelva a intentarlo."; -$PassTwice = "No ha escrito la misma contraseña en las dos ocasiones. Use el botón de 'Atrás' de su navegador y vuelva a intentarlo."; -$RegAdmin = "Profesor (puede crear cursos)"; -$RegStudent = "Estudiante (puede inscribirse en los cursos)"; -$Confirmation = "Confirme la contraseña"; -$Surname = "Nombre"; -$Registration = "Registro"; -$YourAccountParam = "Este es su nombre de usuario y contraseña"; -$LoginRequest = "Petición del nombre de usuario"; -$AdminOfCourse = "Administrador del curso"; -$SimpleUserOfCourse = "Usuario del curso"; -$IsTutor = "Tutor"; -$ParamInTheCourse = "Estatus en el curso"; -$HaveNoCourse = "Sin cursos disponibles"; -$UserProfileReg = "El e-portafolio del usuario ha sido registrado"; -$Courses4User = "Cursos de este usuario"; -$CoursesByUser = "Cursos por usuario"; -$SubscribeUserToCourse = "Inscribir estudiantes"; -$Preced100 = "100 anteriores"; -$Addmore = "Añadir usuarios registrados"; -$Addback = "Ir a la lita de usuarios"; -$reg = "Inscribir"; -$Quit = "Salir"; -$YourPasswordHasBeenReset = "Su contraseña ha sido generada nuevamente"; -$Sex = "Sexo"; -$OptionalTextFields = "Campos opcionales"; -$FullUserName = "Nombre completo"; -$SearchForUser = "Buscar por usuario"; -$SearchButton = "Buscar"; -$SearchNoResultsFound = "No se han encontrado resultados en la búsqueda"; -$UsernameWrong = "Su nombre de usuario debe contener letras, números y _.-"; -$PasswordRequestFrom = "Esta es una petición de la contraseña para la dirección de correo electrónico"; -$CorrespondsToAccount = "Esta dirección de correo electrónico corresponde a la siguiente cuenta de usuario."; -$CorrespondsToAccounts = "Esta dirección de correo electrónico corresponde a las siguientes cuentas de usuario."; -$AccountExternalAuthSource = "Chamilo no puede gestionar la petición automáticamente porque la cuenta tiene una fuente de autorización externa. Por favor, tome las medidas apropiadas y notifiquelas al usuario."; -$AccountsExternalAuthSource = "Chamilo no puede gestionar automáticamente la petición porque al menos una de las cuentas tiene una fuente de autorización externa. Por favor, tome las medidas apropiadas en todas las cuentas (incluyendo las que tienen autorización de la plataforma) y notifiquelas al usuario."; -$RequestSentToPlatformAdmin = "Chamilo no puede gestionar automáticamente la petición para este tipo de cuenta. Su petición se ha enviado al administrador de la plataforma, que tomará las medidas apropiadas y le notificará el resultado."; -$ProgressIntroduction = "Seleccione una sesión del curso.
        Podrá ver su progreso en cada uno de los cursos en los que esté inscrito."; -$NeverExpires = "Nunca caduca"; -$ActiveAccount = "Activar cuenta"; -$YourAccountHasToBeApproved = "Su registro deberá ser aprobado posteriormente"; -$ApprovalForNewAccount = "Validación de una nueva cuenta"; -$ManageUser = "Gestión de usuario"; -$SubscribeUserToCourseAsTeacher = "Inscribir profesores"; -$PasswordEncryptedForSecurity = "Su contraseña está encriptada para su seguridad. Por ello, cuando haya pulsado en el enlace para regenerar su clave se le remitirá un nuevo correo que contendrá su contraseña."; -$SystemUnableToSendEmailContact = "El sistema no ha podido enviarle el correo electrónico"; -$OpenIDCouldNotBeFoundPleaseRegister = "Este OpenID no se encuentra en nuestra base de datos. Por favor, regístrese para obtener una cuenta. Si ya tiene una cuenta con nosotros, edite su perfil en la misma para añadir este OpenID"; -$UsernameMaxXCharacters = "El nombre de usuario puede tener como máximo una longitud de %s caracteres"; -$PictureUploaded = "Su imagen ha sido enviada"; -$ProductionUploaded = "Su tarea ha sido enviada"; -$UsersRegistered = "Los siguientes usuarios han sido registrados"; -$UserAlreadyRegisterByOtherCreator = "El usuario ya ha sido registrado por otro coach"; -$UserCreatedPlatform = "Usuario creado en la plataforma"; -$UserInSession = "Usuario agregado a la sesion"; -$UserNotAdded = "Usuario no agregado"; -$NoSessionId = "La sesión no ha sido identificada"; -$NoUsersRead = "Por favor verifique su fichero XML/CVS"; -$UserImportFileMessage = "Si en el archivo XML/CVS los nombres de usuarios (username) son omitidos, éstos se obtendrán de una mezcla del Nombre (Firstname) y el Apellido (Lastname) del usuario. Por ejemplo, para el nombre Julio Montoya el username será jmontoya"; -$UserAlreadyRegisteredByOtherCreator = "El usuario ya ha sido registrado por otro coach"; -$NewUserInTheCourse = "Nuevo Usuario registrado en el curso"; -$MessageNewUserInTheCourse = "Este es un mensaje para informarle que se ha suscrito un nuevo usuario en el curso"; -$EditExtendProfile = "Edición ampliada del perfil"; -$EditInformation = "Editar información"; -$RegisterUser = "Confirmar mi registro"; -$IHaveReadAndAgree = "He leido y estoy de acuerdo con los"; -$ByClickingRegisterYouAgreeTermsAndConditions = "Al hacer clic en el botón 'Registrar' que aparece a continuación, acepta los Términos y Condiciones"; -$LostPass = "¿Ha olvidado su contraseña?"; -$EnterEmailUserAndWellSendYouPassword = "Escriba el nombre de usuario o la dirección de correo electrónico con la que está registrado y le remitiremos su contraseña."; -$NoUserAccountWithThisEmailAddress = "No existe una cuenta con este usuario y/o dirección de correo electrónico"; -$InLnk = "Enlaces desactivados"; -$DelLk = "¿ Está seguro de querer desactivar esta herramienta ?"; -$NameOfTheLink = "Nombre del enlace"; -$CourseAdminOnly = "Sólo profesores"; -$PlatformAdminOnly = "Sólo administradores de la plataforma"; -$CombinedCourse = "Curso combinado"; -$ToolIsNowVisible = "Ahora la herramienta es visible"; -$ToolIsNowHidden = "Ahora la herramienta no es visible"; -$GreyIcons = "Caja de herramientas"; -$Interaction = "Interacción"; -$Authoring = "Creación de contenidos"; -$SessionIdentifier = "Identificador de la sesión"; -$SessionCategory = "Categoría de la sesión"; -$ConvertToUniqueAnswer = "Convertir a respuesta única"; -$ReportsRequiresNoSetting = "Este tipo de reporte no requiere parámetros"; -$ShowWizard = "Mostrar la guía"; -$ReportFormat = "Formato de reporte"; -$ReportType = "Tipo de reporte"; -$PleaseChooseReportType = "Elija un tipo de reporte"; -$PleaseFillFormToBuildReport = "Llene el formulario para generar el reporte"; -$UnknownFormat = "Formato desconocido"; -$ErrorWhileBuildingReport = "Se ha producido un error al momento de generar el reporte"; -$WikiSearchResults = "Resultados de la búsqueda en el Wiki"; -$StartPage = "Página de inicio del Wiki"; -$EditThisPage = "Editar esta página"; -$ShowPageHistory = "Historial de la página"; -$RecentChanges = "Cambios recientes"; -$AllPages = "Todas las páginas"; -$AddNew = "Añadir una página"; -$ChangesStored = "Cambios almacenados"; -$NewWikiSaved = "La nueva página wiki ha sido guardada."; -$DefaultContent = "

        \"Trabajando

        Para comenzar edite esta página y borre este texto

        "; -$CourseWikiPages = "Páginas Wiki del curso"; -$GroupWikiPages = "Páginas Wiki del grupo"; -$NoWikiPageTitle = "Los cambios no se han guardado. Debe dar un título a esta página"; -$WikiPageTitleExist = "Este título de página ya ha sido creado anteriormente, edite el contenido de la página existente haciendo clic en:"; -$WikiDiffAddedLine = "Línea añadida"; -$WikiDiffDeletedLine = "Línea borrada"; -$WikiDiffMovedLine = "Línea movida"; -$WikiDiffUnchangedLine = "Línea sin cambios"; -$DifferencesNew = "cambios en la versión"; -$DifferencesOld = "respecto a la versión de"; -$Differences = "Diferencias"; -$MostRecentVersion = "Vista de la versión más reciente de las seleccionadas"; -$ShowDifferences = "Comparar versiones"; -$SearchPages = "Buscar páginas"; -$Discuss = "Discutir"; -$History = "Historial"; -$ShowThisPage = "Ver esta página"; -$DeleteThisPage = "Eliminar esta página"; -$DiscussThisPage = "Discutir esta página"; -$HomeWiki = "Portada"; -$DeleteWiki = "Eliminar el Wiki"; -$WikiDeleted = "Wiki eliminado"; -$WikiPageDeleted = "La página ha sido eliminada junto con todo su historial"; -$NumLine = "Núm. de línea"; -$DeletePageHistory = "Eliminar esta página y todas sus versiones"; -$OnlyAdminDeleteWiki = "Sólo los profesores del curso pueden borrar el Wiki"; -$OnlyAdminDeletePageWiki = "Sólo los profesores del curso pueden borrar una página"; -$OnlyAddPagesGroupMembers = "Sólo los profesores del curso y los miembros de este grupo pueden añadir páginas al Wiki del grupo"; -$OnlyEditPagesGroupMembers = "Sólo los profesores del curso y los miembros de este grupo pueden editar las páginas del Wiki del grupo"; -$ConfirmDeleteWiki = "¿Está seguro de querer eliminar este Wiki?"; -$ConfirmDeletePage = "¿Está seguro de querer eliminar esta página y todas sus versiones?"; -$AlsoSearchContent = "Buscar también en el contenido"; -$PageLocked = "Página protegida"; -$PageUnlocked = "Página no protegida"; -$PageLockedExtra = "Esta página está protegida. Sólo los profesores del curso pueden modificarla"; -$PageUnlockedExtra = "Esta página no está protegida por lo que todos los miembros del curso, o en su caso del grupo, pueden modificarla"; -$ShowAddOption = "Activar añadir"; -$HideAddOption = "Desactivar añadir"; -$AddOptionProtected = "La posibilidad de añadir páginas ha sido desactivada. Ahora sólo los profesores del curso pueden añadir paginas en este Wiki. No obstante, el resto de los usuarios podrá seguir editando las páginas ya existentes"; -$AddOptionUnprotected = "La posibilidad de añadir páginas está habilitada para todos los miembros del Wiki"; -$NotifyChanges = "Notificarme cambios"; -$NotNotifyChanges = "No notificarme cambios"; -$CancelNotifyByEmail = "La notificación por correo electrónico de las modificaciones de la página está deshabilitada"; -$MostRecentVersionBy = "La última versión de esta página fue realizada por"; -$RatingMedia = "La puntuación media de la página es"; -$NumComments = "El número de comentarios a esta página es"; -$NumCommentsScore = "El número de comentarios que la han evaluado es"; -$AddPagesLocked = "La opción añadir páginas ha sido desactivada temporalmente por el profesor"; -$LinksPages = "Lo que enlaza aquí"; -$ShowLinksPages = "Muestra las páginas que tienen enlaces a esta página"; -$MoreWikiOptions = "Más opciones del Wiki"; -$DefaultTitle = "Portada"; -$DiscussNotAvailable = "Discusión no disponible"; -$EditPage = "Editar"; -$AddedBy = "añadida por"; -$EditedBy = "editada por"; -$DeletedBy = "eliminada por"; -$WikiStandardMode = "Modo wiki"; -$GroupTutorAndMember = "Tutor y miembro del grupo"; -$GroupStandardMember = "Miembro del grupo"; -$AssignmentMode = "Modo tarea individual"; -$ConfigDefault = "Configuración por defecto"; -$UnlockPage = "Desproteger"; -$LockPage = "Proteger"; -$NotifyDiscussChanges = "Notificarme comentarios"; -$NotNotifyDiscussChanges = "No notificarme comentarios"; -$AssignmentWork = "Página del estudiante"; -$AssignmentDesc = "Página del profesor"; -$WikiDiffAddedTex = "Texto añadido"; -$WikiDiffDeletedTex = "Texto eliminado"; -$WordsDiff = "palabra a palabra"; -$LinesDiff = "línea a línea"; -$MustSelectPage = "Primero debe seleccionar una página"; -$Export2ZIP = "Exportar a un fichero ZIP"; -$HidePage = "Ocultar página"; -$ShowPage = "Mostrar página"; -$GoAndEditMainPage = "Para iniciar el Wiki vaya a la página principal y edítela"; -$UnlockDiscuss = "Desbloquear discusión"; -$LockDiscuss = "Bloquear discusión"; -$HideDiscuss = "Ocultar discusión"; -$ShowDiscuss = "Mostrar discusión"; -$UnlockRatingDiscuss = "Activar puntuar"; -$LockRatingDiscuss = "Desactivar puntuar"; -$EditAssignmentWarning = "Puede editar esta página pero las páginas de sus estudiantes no se modificarán"; -$ExportToDocArea = "Exportar la última versión de la página al área de documentos del curso"; -$LockByTeacher = "Desactivado por el profesor"; -$LinksPagesFrom = "Páginas que enlazan la página"; -$DefineAssignmentPage = "Definir esta página como una tarea individual"; -$AssignmentDescription = "Descripción de la tarea"; -$UnlockRatingDiscussExtra = "Ahora todos los miembros pueden puntuar la página"; -$LockRatingDiscussExtra = "Ahora sólo los profesores del curso pueden puntuar la página"; -$HidePageExtra = "La página ahora sólo es visible por los profesores del curso"; -$ShowPageExtra = "La página ahora es visible por todos los usuarios"; -$OnlyEditPagesCourseManager = "La página principal del Wiki del curso sólo puede ser modificada por un profesor"; -$AssignmentLinktoTeacherPage = "Acceso a la página del profesor"; -$HideDiscussExtra = "La discusión ahora sólo es visible por los profesores del curso"; -$ShowDiscussExtra = "La discusión ahora es visible por todos los usuarios"; -$LockDiscussExtra = "En este momento, solamente los profesores pueden discutir la página"; -$UnlockDiscussExtra = "Ahora todos los miembros pueden añadir comentarios a esta discusión"; -$AssignmentDescExtra = "Esta página es una tarea propuesta por un profesor"; -$AssignmentWorkExtra = "Esta página es el trabajo de un estudiante"; -$NoAreSeeingTheLastVersion = "Atención no esta viendo la última versión de la página"; -$AssignmentFirstComToStudent = "Modifica esta página para realizar tu tarea sobre la tarea propuesta"; -$AssignmentLinkstoStudentsPage = "Acceso a las páginas de los estudiantes"; -$AllowLaterSends = "Permitir envíos retrasados"; -$WikiStandBy = "El Wiki está a la espera de que un profesor lo inicialice"; -$NotifyDiscussByEmail = "La notificacion por correo electrónico de nuevos comentarios sobre la página está habilitada"; -$CancelNotifyDiscussByEmail = "La notificación por correo electrónico de nuevos comentarios sobre la página está deshabilitada"; -$EmailWikiChanges = "Notificación de cambios en el Wiki"; -$EmailWikipageModified = "Se ha modificado la página"; -$EmailWikiPageAdded = "Ha sido añadida la página"; -$EmailWikipageDedeleted = "Una página ha sido borrada del Wiki"; -$EmailWikiPageDiscAdded = "Una nueva intervención se ha producido en la discusión de la página"; -$FullNotifyByEmail = "Actualmente se le está enviando una notificación por correo electrónico cada vez que se produce un cambio en el Wiki"; -$FullCancelNotifyByEmail = "Actualmente no se le están enviando notificaciones por correo electrónico cada vez que se produce un cambio en el Wiki"; -$EmailWikiChangesExt_1 = "Esta notificación se ha realizado de acuerdo con su deseo de vigilar los cambios del Wiki. Esta opción Ud. la activó mediante el botón"; -$EmailWikiChangesExt_2 = "Si desea dejar de recibir notificaciones sobre los cambios que se produzcan en el Wiki, seleccione las pestañas Cambios recientes, Página actual, Discusión según el caso y después pulse el botón"; -$OrphanedPages = "Páginas huérfanas"; -$WantedPages = "Páginas solicitadas"; -$MostVisitedPages = "Páginas más visitadas"; -$MostChangedPages = "Páginas con más cambios"; -$Changes = "Cambios"; -$MostActiveUsers = "Usuarios más activos"; -$Contributions = "contribuciones"; -$UserContributions = "Contribuciones del usuario"; -$WarningDeleteMainPage = "No se recomienda la eliminación de la Página principal del Wiki, ya que es el principal acceso a su estructura jerárquica.
        Si de todas formas necesita borrarla, no olvide volver a crear esta Página principal pues hasta que no lo haga otros usuarios no podrán añadir nuevas páginas al Wiki."; -$ConvertToLastVersion = "Para convertir esta versión en la última haga clic en"; -$CurrentVersion = "Versión actual"; -$LastVersion = "Última versión"; -$PageRestored = "La página ha sido restaurada. Puede verla haciendo clic en"; -$RestoredFromVersion = "Página restaurada desde la versión"; -$HWiki = "Ayuda: Wiki"; -$FirstSelectOnepage = "Primero seleccione una página"; -$DefineTask = "Si escribe algún contenido en la descripción, la página se considerará como una página especial para realizar una tarea"; -$ThisPageisBeginEditedBy = "En este momento esta página está siendo editada por"; -$ThisPageisBeginEditedTryLater = "Por favor, inténtelo más tarde. Si el usuario que actualmente está editando la página no la guarda, esta página quedará disponible en un máximo de"; -$EditedByAnotherUser = "Sus cambios no serán guardados debido a que otro usuario modificó la página mientras Ud. la editaba"; -$WarningMaxEditingTime = "Tiene 20 minutos para editar esta página. Transcurrido este tiempo, si Ud. no ha guardado la página, otro usuario podrá modificarla y Ud. podrá perder sus cambios"; -$TheTaskDoesNotBeginUntil = "Todavía no es la fecha de inicio"; -$TheDeadlineHasBeenCompleted = "Ha sobrepasado la fecha límite"; -$HasReachedMaxNumWords = "Ha sobrepasado el número de palabras permitidas"; -$HasReachedMaxiNumVersions = "Ha sobrepasado el número de versiones permitidas"; -$DescriptionOfTheTask = "Descripción de la tarea"; -$OtherSettings = "Otros requerimientos"; -$NMaxWords = "Número máximo de palabras"; -$NMaxVersion = "Número máximo de versiones"; -$AddFeedback = "Añadir mensajes de orientación asociados al progreso en la página"; -$Feedback1 = "Primer mensaje"; -$Feedback2 = "Segundo mensaje"; -$Feedback3 = "Tercer mensaje"; -$FProgress = "Progreso"; -$PutATimeLimit = "Establecer una limitación temporal"; -$StandardTask = "Tarea estándard"; -$ToolName = "Importar cursos de Blackboard"; -$TrackingDisabled = "El seguimiento ha sido deshabilitado por el administrador del sistema."; -$InactivesStudents = "Estudiantes que no se han conectado al menos durante una semana"; -$AverageTimeSpentOnThePlatform = "Tiempo medio de conexión a la plataforma"; -$AverageCoursePerStudent = "Media de cursos por usuario"; -$AverageProgressInLearnpath = "Progreso medio en las lecciones"; -$AverageResultsToTheExercices = "Puntuación en los ejercicios"; -$SeeStudentList = "Ver la lista de usuarios"; -$NbActiveSessions = "Sesiones activas"; -$NbPastSessions = "Sesiones pasadas"; -$NbFutureSessions = "Sesiones futuras"; -$NbStudentPerSession = "Número de estudiantes por sesión"; -$NbCoursesPerSession = "Número de cursos por sesión"; -$SeeSessionList = "Ver la lista de sesiones"; -$CourseStats = "Estadísticas del curso"; -$ToolsAccess = "Accesos a las herramientas"; -$LinksAccess = "Enlaces"; -$DocumentsAccess = "Documentos"; -$ScormAccess = "Lecciones - Cursos con formato SCORM"; -$LinksDetails = "Enlaces visitados"; -$WorksDetails = "Tareas enviadas"; -$LoginsDetails = "Pulse en el mes para ver más detalles"; -$DocumentsDetails = "Documentos descargados"; -$ExercicesDetails = "Puntuaciones obtenidas en los ejercicios"; -$BackToList = "Volver a la lista de usuarios"; -$StatsOfCourse = "Estadísticas del curso"; -$StatsOfUser = "Estadísticas del usuario"; -$StatsOfCampus = "Estadísticas de la plataforma"; -$CountUsers = "Número de usuarios"; -$CountToolAccess = "Número de conexiones a este curso"; -$LoginsTitleMonthColumn = "Mes"; -$LoginsTitleCountColumn = "Número de logins"; -$ToolTitleToolnameColumn = "Nombre de la herramienta"; -$ToolTitleUsersColumn = "Clics de los usuarios"; -$ToolTitleCountColumn = "Clics totales"; -$LinksTitleLinkColumn = "Enlaces"; -$LinksTitleUsersColumn = "Clics de los usuarios"; -$LinksTitleCountColumn = "Clics totales"; -$ExercicesTitleExerciceColumn = "Ejercicios"; -$ExercicesTitleScoreColumn = "Puntuación"; -$DocumentsTitleDocumentColumn = "Documentos"; -$DocumentsTitleUsersColumn = "Descargas de los usuarios"; -$DocumentsTitleCountColumn = "Descargas totales"; -$ScormContentColumn = "Título"; -$ScormStudentColumn = "Usuarios"; -$ScormTitleColumn = "Elemento"; -$ScormStatusColumn = "Estado"; -$ScormScoreColumn = "Puntuación"; -$ScormTimeColumn = "Tiempo"; -$ScormNeverOpened = "Este usuario no ha accedido nunca a este curso."; -$WorkTitle = "Título"; -$WorkAuthors = "Autor"; -$WorkDescription = "Descripción"; -$informationsAbout = "Seguimiento de"; -$NoEmail = "No hay especificada una dirección de correo electrónico"; -$NoResult = "Aún no hay resultados"; -$Hits = "Accesos"; -$LittleHour = "h."; -$Last31days = "En los últimos 31 días"; -$Last7days = "En los últimos 7 días"; -$ThisDay = "Este día"; -$Logins = "Logins"; -$LoginsExplaination = "Este es el listado de sus accesos junto con las herramientas que ha visitado en esas sesiones."; -$ExercicesResults = "Resultados de los ejercicios realizados"; -$At = "en"; -$LoginTitleDateColumn = "Fecha"; -$LoginTitleCountColumn = "Visitas"; -$LoginsAndAccessTools = "Logins y accesos a las herramientas"; -$WorkUploads = "Tareas enviadas"; -$ErrorUserNotInGroup = "Usuario no válido: este usuario no existe en su grupo"; -$ListStudents = "Lista de usuarios en este grupo"; -$PeriodHour = "Hora"; -$PeriodDay = "Día"; -$PeriodWeek = "Semana"; -$PeriodMonth = "Mes"; -$PeriodYear = "Año"; -$NextDay = "Día siguiente"; -$PreviousDay = "Día anterior"; -$NextWeek = "Semana siguiente"; -$PreviousWeek = "Semana anterior"; -$NextMonth = "Mes siguiente"; -$PreviousMonth = "Mes anterior"; -$NextYear = "Año siguiente"; -$PreviousYear = "Año anterior"; -$ViewToolList = "Ver la lista de todas las herramientas"; -$ToolList = "Lista de todas las herramientas"; -$PeriodToDisplay = "Periodo"; -$DetailView = "Visto por"; -$BredCrumpGroups = "Grupos"; -$BredCrumpGroupSpace = "Área de Grupo"; -$BredCrumpUsers = "Usuarios"; -$AdminToolName = "Estadísticas del administrador"; -$PlatformStats = "Estadísticas de la plataforma"; -$StatsDatabase = "Estadísticas de la base de datos"; -$PlatformAccess = "Acceso a la plataforma"; -$PlatformCoursesAccess = "Accesos a los cursos"; -$PlatformToolAccess = "Acceso a las herramientas"; -$HardAndSoftUsed = "Países Proveedores Navegadores S.O. Referenciadores"; -$StrangeCases = "Casos extraños"; -$StatsDatabaseLink = "Pulse aquí"; -$CountCours = "Número de cursos"; -$CountCourseByFaculte = "Número de cursos por categoría"; -$CountCourseByLanguage = "Número de cursos por idioma"; -$CountCourseByVisibility = "Número de cursos por visibilidad"; -$CountUsersByCourse = "Número de usuarios por curso"; -$CountUsersByFaculte = "Número de usuarios por categoría"; -$CountUsersByStatus = "Número de usuarios por estatus"; -$Access = "Accesos"; -$Countries = "Países"; -$Providers = "Proveedores"; -$OS = "S.O."; -$Browsers = "Navegadores"; -$Referers = "Referenciadores"; -$AccessExplain = "(Cuando un usuario abre el index de la plataforma)"; -$TotalPlatformAccess = "Total"; -$TotalPlatformLogin = "Total"; -$MultipleLogins = "Cuentas con el mismo Nombre de usuario"; -$MultipleUsernameAndPassword = "Cuentas con el mismo Nombre de usuario y la misma contraseña"; -$MultipleEmails = "Cuentas con el mismo E-mail"; -$CourseWithoutProf = "Cursos sin profesor"; -$CourseWithoutAccess = "Cursos no usados"; -$LoginWithoutAccess = "Nombres de usuario no usados"; -$AllRight = "Aquí no hay ningún caso extraño"; -$Defcon = "¡¡ Vaya, se han detectado casos extraños !!"; -$NULLValue = "Vacío (o NULO)"; -$TrafficDetails = "Detalles del tráfico"; -$SeeIndividualTracking = "Para hacer un seguimiento individualizado ver la herramienta usuarios."; -$PathNeverOpenedByAnybody = "Esta lección no ha sido abierta nunca por nadie."; -$SynthesisView = "Resumen"; -$Visited = "Visitado"; -$FirstAccess = "Primer acceso"; -$LastAccess = "Último acceso"; -$Probationers = "Estudiantes"; -$MoyenneTest = "Media de los ejercicios"; -$MoyCourse = "Media de curso"; -$MoyenneExamen = "Media de examen"; -$MoySession = "Media de sesión"; -$TakenSessions = "Sesiones seguidas"; -$FollowUp = "Seguimiento"; -$Trainers = "Profesores"; -$Administrators = "Administradores"; -$Tracks = "Seguimiento"; -$Success = "Calificación"; -$ExcelFormat = "Formato Excel"; -$MyLearnpath = "Mi lección"; -$LastConnexion = "Última conexión"; -$ConnectionTime = "Tiempo de conexión"; -$ConnectionsToThisCourse = "Conexiones a este curso"; -$StudentTutors = "Tutores del estudiante"; -$StudentSessions = "Sesiones del estudiante"; -$StudentCourses = "Cursos del estudiante"; -$NoLearnpath = "Sin lecciones"; -$Correction = "Corrección"; -$NoExercise = "Sin ejercicios"; -$LimitDate = "Fecha límite"; -$SentDate = "Fecha de envío"; -$Annotate = "Anotar"; -$DayOfDelay = "Dias de retraso"; -$NoProduction = "Sin productos"; -$NoComment = "Sin comentarios"; -$LatestLogin = "Última conexión"; -$TimeSpentOnThePlatform = "Tiempo de permanencia en la plataforma"; -$AveragePostsInForum = "Número de mensajes en el foro"; -$AverageAssignments = "Número de tareas"; -$StudentDetails = "Detalles del estudiante"; -$StudentDetailsInCourse = "Detalles del estudiante en el curso"; -$OtherTools = "Otras herramientas"; -$DetailsStudentInCourse = "Detalles del estudiante en el curso"; -$CourseTitle = "Título del curso"; -$NbStudents = "Número de estudiantes"; -$TimeSpentInTheCourse = "Tiempo de permanencia en el curso"; -$AvgStudentsProgress = "Progreso"; -$AvgCourseScore = "Puntuación promedio en las lecciones"; -$AvgMessages = "Mensajes por estudiante"; -$AvgAssignments = "Tareas por estudiante"; -$ToolsMostUsed = "Herramientas más usadas"; -$StudentsTracking = "Seguimiento de los estudiantes"; -$CourseTracking = "Seguimiento del curso"; -$LinksMostClicked = "Enlaces más visitados"; -$DocumentsMostDownloaded = "Documentos más descargados"; -$LearningPathDetails = "Detalles de la lección"; -$NoConnexion = "Ninguna conexión"; -$TeacherInterface = "Interfaz de profesor"; -$CoachInterface = "Interfaz de tutor"; -$AdminInterface = "Interfaz de administrador"; -$NumberOfSessions = "Número de sesiones"; -$YourCourseList = "Su lista de cursos"; -$YourStatistics = "Sus estadísticas"; -$CoachList = "Lista de tutores"; -$CoachStudents = "Estudiantes del tutor"; -$NoLearningPath = "No hay disponible ninguna Lección"; -$SessionCourses = "Sesiones de cursos"; -$NoUsersInCourseTracking = "Seguimiento de los estudiantes inscritos en este curso"; -$AvgTimeSpentInTheCourse = "Tiempo"; -$RemindInactiveUser = "Recordatorio para los usuarios sin actividad"; -$FirstLogin = "Primer acceso"; -$AccessDetails = "Detalles de acceso"; -$DateAndTimeOfAccess = "Fecha y hora de acceso"; -$WrongDatasForTimeSpentOnThePlatform = "Datos sobre del usuario que estaba registrado cuando el cálculo de su tiempo de permanencia en la plataforma no era posible."; -$DisplayCoaches = "Sumario de tutores"; -$DisplayUserOverview = "Sumario de usuarios"; -$ExportUserOverviewOptions = "Opciones en la exportación del sumario de usuarios"; -$FollowingFieldsWillAlsoBeExported = "Los siguientes campos también serán exportados"; -$TotalExercisesScoreObtained = "Puntuación total del ejercicio"; -$TotalExercisesScorePossible = "Máxima puntuación total posible"; -$TotalExercisesAnswered = "Número de ejercicios contestados"; -$TotalExercisesScorePercentage = "Porcentaje total de la puntuación de los ejercicios"; -$ForumForumsNumber = "Número de foros"; -$ForumThreadsNumber = "Número de temas"; -$ForumPostsNumber = "Número de mensajes"; -$ChatConnectionsDuringLastXDays = "Conexiones al chat en los últimos %s días"; -$ChatLastConnection = "Última conexión al chat"; -$CourseInformation = "Información del curso"; -$NoAdditionalFieldsWillBeExported = "Los campos adicionales no serán exportados"; -$SendNotification = "Enviar las notificaciones"; -$TimeOfActiveByTraining = "Tiempo de formación (media del tiempo de permanencia de todos los estudiantes)"; -$AvgAllUsersInAllCourses = "Promedio de todos los estudiantes"; -$AvgExercisesScore = "Puntuación en los ejercicios"; -$TrainingTime = "Tiempo en el curso"; -$CourseProgress = "Progreso en la lección"; -$ViewMinus = "Ver reducido"; -$ResourcesTracking = "Informe sobre recursos"; -$MdCallingTool = "Documentos"; -$NotInDB = "no existe esta categoría para el enlace"; -$ManifestSyntax = "(error de sintaxis en el fichero manifest...)"; -$EmptyManifest = "(el fichero manifest está vacío...)"; -$NoManifest = "(no existe el fichero manifest...)"; -$NotFolder = "no es posible, esto no es una carpeta..."; -$UploadHtt = "Enviar un archivo HTT"; -$HttFileNotFound = "El nuevo archivo HTT no puede ser abierto (ej., vacío, demasiado grande)"; -$HttOk = "El nuevo fichero HTT ha sido enviado"; -$HttNotOk = "El envío del fichero HTT no ha sido posible"; -$RemoveHtt = "Borrar el fichero HTT"; -$HttRmvOk = "El fichero HTT ha sido borrado"; -$HttRmvNotOk = "No ha sido posible borrar el fichero HTT"; -$AllRemovedFor = "Todas las entradas han sido retiradas de la categoría"; -$Index = "Indice de palabras"; -$MainMD = "Abrir la página principal de entradas de metadatos (MDE)"; -$Lines = "líneas"; -$Play = "Ejecutar index.php"; -$NonePossible = "No es posible realizar operaciones sobre los metadatos (MD)"; -$OrElse = "Seleccionar una categoría de enlaces"; -$WorkWith = "Trabaje con un directorio SCORM"; -$SDI = "... Directorio SCORM con SD-id (dividir el manifest o dejarlo vacío)"; -$Root = "raíz"; -$SplitData = "Dividir el manifest, y #MDe, si cualquiera:"; -$MffNotOk = "El reemplazo del archivo manifest no ha sido posible"; -$MffOk = "El fichero manifest ha sido reemplazado"; -$MffFileNotFound = "El nuevo fichero manifest no puede ser abierto (ej., vacío, demasiado grande)"; -$UploadMff = "Reemplazar el fichero manifest"; -$GroupSpaceLink = "Área de grupo"; -$CreationSucces = "Se ha creado la tabla de contenidos."; -$CanViewOrganisation = "Ya puede ver la organización de sus contenidos"; -$ViewDocument = "Ver"; -$HtmlTitle = "Tabla de contenidos"; -$AddToTOC = "Añadir a los contenidos"; -$AddChapter = "Añadir capítulo"; -$Ready = "Generar tabla de contenidos"; -$StoreDocuments = "Almacenar documentos"; -$TocDown = "Abajo"; -$TocUp = "Arriba"; -$CutPasteLink = "Abrir en una nueva ventana"; -$CreatePath = "Crear un itinerario"; -$SendDocument = "Enviar documento"; -$ThisFolderCannotBeDeleted = "Esta carpeta no puede ser eliminada"; -$ChangeVisibility = "Cambiar la visibilidad"; -$VisibilityCannotBeChanged = "No se puede cambiar la visibilidad"; -$DocumentCannotBeMoved = "No se puede mover el documento"; -$OogieConversionPowerPoint = "Oogie: conversión PowerPoint"; -$WelcomeOogieSubtitle = "Conversor de presentaciones PowerPoint en Lecciones"; -$GoMetadata = "Ir"; -$QuotaForThisCourseIs = "El espacio disponible por este curso en el servidor es de"; -$Del = "Eliminar"; -$ShowCourseQuotaUse = "Espacio disponible"; -$CourseCurrentlyUses = "Este curso actualmente utiliza"; -$MaximumAllowedQuota = "Su límite de espacio de almacenamiento es de"; -$PercentageQuotaInUse = "Porcentaje de espacio ocupado"; -$PercentageQuotaFree = "Porcentaje de espacio libre"; -$CurrentDirectory = "Carpeta actual"; -$UplUploadDocument = "Enviar un documento"; -$UplPartialUpload = "Sólo se ha enviado parcialmente el archivo."; -$UplExceedMaxPostSize = "El tamaño del fichero excede el máximo permitido en la configuración:"; -$UplExceedMaxServerUpload = "El archivo enviado excede el máximo de tamaño permitido por el servidor:"; -$UplUploadFailed = "¡ No se ha podido enviar el archivo !"; -$UplNotEnoughSpace = "¡ No hay suficiente espacio para enviar este fichero !"; -$UplNoSCORMContent = "¡ No se ha encontrado ningún contenido SCORM !"; -$UplZipExtractSuccess = "¡ Archivo zip extraido !"; -$UplZipCorrupt = "¡ No se puede extraer el archivo zip (¿ fichero corrupto ?) !"; -$UplFileSavedAs = "Archivo guardado como"; -$UplFileOverwritten = "fue sobreescrito."; -$CannotCreateDir = "¡ No es posible crear la carpeta !"; -$UplUpload = "Enviar"; -$UplWhatIfFileExists = "Si ya existe el archivo:"; -$UplDoNothing = "No enviar"; -$UplDoNothingLong = "No enviar si el archivo existe"; -$UplOverwrite = "Sobreescribir"; -$UplOverwriteLong = "Sobreescribir el archivo existente"; -$UplRename = "Cambiar el nombre"; -$UplRenameLong = "Cambiar el nombre del archivo enviado"; -$DocumentQuota = "Espacio disponible para los documentos de este curso"; -$NoDocsInFolder = "Aún no hay documentos en esta carpeta"; -$UploadTo = "Enviar a"; -$fileModified = "El archivo ha sido modificado"; -$DocumentsOverview = "lista de documentos"; -$Options = "Opciones"; -$WelcomeOogieConverter = "Bienvenido al conversor de PowerPoint Oogie
        1. Examine su disco duro y busque cualquier archivo con las extensiones *.ppt o *.odp
        2. Envíelo a Oogie, que lo transformará en un vizualizador de Lecciones Scorm.
        3. Podrá añadir comentarios de audio a cada diapositiva e insertar test de evaluación entre diapositivas."; -$ConvertToLP = "Convertir en Lecciones"; -$AdvancedSettings = "Configuraciones avanzadas"; -$File = "Archivo"; -$DocDeleteError = "Error durante la supresión del documento"; -$ViModProb = "Se ha producido un problema mientras actualizaba la visibilidad"; -$DirDeleted = "Carpeta eliminada"; -$TemplateName = "Nombre de la plantilla"; -$TemplateDescription = "Descripción de la plantilla"; -$DocumentSetAsTemplate = "Documento convertido en una nueva plantilla"; -$DocumentUnsetAsTemplate = "El documento ha dejado de ser una plantilla"; -$AddAsTemplate = "Agregar como plantilla"; -$RemoveAsTemplate = "Quitar plantilla"; -$ReadOnlyFile = "El archivo es de solo lectura"; -$FileNotFound = "El archivo no fue encontrado"; -$TemplateTitleFirstPage = "Página inicial"; -$TemplateTitleFirstPageDescription = "Es la página principal de su curso"; -$TemplateTitleDedicatory = "Dedicatoria"; -$TemplateTitleDedicatoryDescription = "Haz tu propia dedicatoria"; -$TemplateTitlePreface = "Prólogo"; -$TemplateTitlePrefaceDescription = "Haz tu propio prólogo"; -$TemplateTitleIntroduction = "Introducción"; -$TemplateTitleIntroductionDescription = "Escriba la introducción"; -$TemplateTitlePlan = "Plan"; -$TemplateTitlePlanDescription = "Tabla de contenidos"; -$TemplateTitleTeacher = "Profesor explicando"; -$TemplateTitleTeacherDescription = "Un dialogo explicativo con un profesor"; -$TemplateTitleProduction = "Producción"; -$TemplateTitleProductionDescription = "Descripción de una producción"; -$TemplateTitleAnalyze = "Análisis"; -$TemplateTitleAnalyzeDescription = "Descripción de un análisis"; -$TemplateTitleSynthetize = "Síntesis"; -$TemplateTitleSynthetizeDescription = "Descripción de una síntesis"; -$TemplateTitleText = "Página con texto"; -$TemplateTitleTextDescription = "Página con texto plano"; -$TemplateTitleLeftImage = "Imagen a la izquierda"; -$TemplateTitleLeftImageDescription = "Imagen a la izquierda"; -$TemplateTitleTextCentered = "Texto e imagen centrados"; -$TemplateTitleTextCenteredDescription = "Texto e imagen centrada con una leyenda"; -$TemplateTitleComparison = "Comparación"; -$TemplateTitleComparisonDescription = "Página con 2 columnas"; -$TemplateTitleDiagram = "Diagrama explicativo"; -$TemplateTitleDiagramDescription = "Imagen a la izquierda y un comentario a la izquierda"; -$TemplateTitleImage = "Imagen"; -$TemplateTitleImageDescription = "Página con solo una imagen"; -$TemplateTitleFlash = "Animación Flash"; -$TemplateTitleFlashDescription = "Animación + texto introductivo"; -$TemplateTitleAudio = "Audio con comentario"; -$TemplateTitleAudioDescription = "Audio + imagen + texto"; -$TemplateTitleSchema = "Esquema con audio"; -$TemplateTitleSchemaDescription = "Esquema explicado por un profesor"; -$TemplateTitleVideo = "Página con video"; -$TemplateTitleVideoDescription = "Video + texto explicativo"; -$TemplateTitleVideoFullscreen = "Página con solo video"; -$TemplateTitleVideoFullscreenDescription = "Video + texto explicativo"; -$TemplateTitleTable = "Tablas"; -$TemplateTitleTableDescription = "Página con tabla tipo hoja de cálculo"; -$TemplateTitleAssigment = "Descripción de tareas"; -$TemplateTitleAssigmentDescription = "Explica objetivos, roles, agenda"; -$TemplateTitleResources = "Recursos"; -$TemplateTitleResourcesDescription = "Libros, enlaces, herramientas"; -$TemplateTitleBibliography = "Bibliografía"; -$TemplateTitleBibliographyDescription = "Libros, enlaces y herramientas"; -$TemplateTitleFAQ = "Preguntas frecuentes"; -$TemplateTitleFAQDescription = "Lista de preguntas y respuestas"; -$TemplateTitleGlossary = "Glosario"; -$TemplateTitleGlossaryDescription = "Lista de términos"; -$TemplateTitleEvaluation = "Evaluación"; -$TemplateTitleEvaluationDescription = "Evaluación"; -$TemplateTitleCertificate = "Certificado de finalización"; -$TemplateTitleCertificateDescription = "Aparece al final de Lecciones"; -$TemplateTitleCheckList = "Lista de revisión"; -$TemplateTitleCourseTitle = "Título del curso"; -$TemplateTitleLeftList = "Lista a la izquierda"; -$TemplateTitleLeftListDescription = "Lista la izquierda con un instructor"; -$TemplateTitleCheckListDescription = "Lista de elementos"; -$TemplateTitleCourseTitleDescription = "Título del curso con un logo"; -$TemplateTitleRightList = "Lista a la derecha"; -$TemplateTitleRightListDescription = "Lista a la derecha con un instructor"; -$TemplateTitleLeftRightList = "Listas a la izquierda y a la derecha"; -$TemplateTitleLeftRightListDescription = "Lista a la izquierda y derecha con un instructor"; -$TemplateTitleDesc = "Descripción"; -$TemplateTitleDescDescription = "Describir un elemento"; -$TemplateTitleObjectives = "Objetivos del curso"; -$TemplateTitleObjectivesDescription = "Describe los objetivos del curso"; -$TemplateTitleCycle = "Gráfico cíclico"; -$TemplateTitleCycleDescription = " 2 listas con feclas circulares"; -$TemplateTitleLearnerWonder = "Expectativas del estudiante"; -$TemplateTitleLearnerWonderDescription = "Descripción de las expectativas del estudiante"; -$TemplateTitleTimeline = "Procesos y etapas"; -$TemplateTitleTimelineDescription = "3 listas relacionadas con flechas"; -$TemplateTitleStopAndThink = "Detente y reflexiona"; -$TemplateTitleListLeftListDescription = "Lista a la izquierda con un instructor"; -$TemplateTitleStopAndThinkDescription = "Invitación a pararse y a reflexionar"; -$CreateTemplate = "Crear plantilla"; -$SharedFolder = "Carpeta compartida"; -$CreateFolder = "Crear la carpeta"; -$HelpDefaultDirDocuments = "INFORMACIÓN SOLO VISIBLE POR EL PROFESORADO:\nEsta carpeta contiene los archivos suministrados por defecto. Puede eliminar o añadir otros archivos. Al hacerlo tenga en cuenta que si un archivo está oculto cuando es insertado en un documento web, los estudiantes tampoco podrán verlo en el documento. Cuando inserte un archivo en un documento web hágalo visible previamente. Las carpetas pueden seguir ocultas."; -$HelpSharedFolder = "Esta carpeta contiene los archivos que los estudiantes (y Ud.) envían a un curso a través del editor, salvo los que se envían desde la herramienta grupos. Por defecto serán visibles por cualquier profesor, pero estarán ocultos para otros estudiantes salvo que accedan a ellos mediante un acceso directo. Si hace visible la carpeta de un estudiante otros estudiantes podrán ver todo lo que contenga."; -$TemplateImage = "Imagen de la plantilla"; -$MailingFileRecipDup = "múltiples usuarios tienen"; -$MailingFileRecipNotFound = "ningún estudiante con"; -$MailingFileNoRecip = "el nombre no contiene ningún identificador del destinatario"; -$MailingFileNoPostfix = "el nombre no termina con"; -$MailingFileNoPrefix = "el nombre no comienza por"; -$MailingFileFunny = "sin nombre o con una extensión que no tiene entre 1 y 4 caracteres"; -$MailingZipDups = "El archivo ZIP de correo no debe contener archivos duplicados - de ser así no será enviado"; -$MailingZipPhp = "El archivo ZIP de correo no puede contener archivos php - de ser así no será enviado"; -$MailingZipEmptyOrCorrupt = "El archivo ZIP de correo está vacío o está en mal estado"; -$MailingWrongZipfile = "El fichero de correo debe ser un fichero ZIP cuyo nombre contenga las palabras STUDENTID o LOGINNAME"; -$MailingConfirmSend = "¿Enviar el contenido de los ficheros a direcciones específicas?"; -$MailingSend = "Enviar el contenido de los ficheros"; -$MailingNotYetSent = "Los ficheros contenidos en el correo no han sido enviados..."; -$MailingInSelect = "---Envío por correo---"; -$MailingAsUsername = "Envío por correo"; -$Sender = "remitente"; -$FileSize = "tamaño del fichero"; -$PlatformUnsubscribeTitle = "Permitir darse de baja de la plataforma"; -$OverwriteFile = "¿ Sobreescribir el archivo que anteriormente ha enviado con el mismo nombre ?"; -$SentOn = "el"; -$DragAndDropAnElementHere = "Arrastrar y soltar un elemento aquí"; -$SendTo = "Enviar a"; -$ErrorCreatingDir = "No se puede crear el directorio. Por favor, contacte con el administrador del sistema."; -$NoFileSpecified = "No ha seleccionado ningún archivo para su envío."; -$NoUserSelected = "Por favor, seleccione el usuario al que desea enviar el archivo."; -$BadFormData = "El envío ha fallado: datos del formulario erróneos. Por favor, contacte a su administrador del sistema."; -$GeneralError = "Se ha producido un error. Por favor, consulte con el administrador del sistema"; -$ToPlayTheMediaYouWillNeedToUpdateYourBrowserToARecentVersionYouCanAlsoDownloadTheFile = "Para reproducir el contenido multimedia tendrá que o bien actualizar su navegador a una versión reciente o actualizar su plugin de Flash. Compruebe si el archivo tiene una extensión correcta."; -$UpdateRequire = "Actualización necesaria"; -$ThereAreNoRegisteredDatetimeYet = "Aún no hay registrada ninguna fecha/hora"; -$CalendarList = "Fechas de la lista de asistencia"; -$AttendanceCalendarDescription = "El calendario de asistencia le permite especificar las fechas que aparecerán en la lista de asistencia."; -$CleanCalendar = "Limpiar calendario"; -$AddDateAndTime = "Agregar fecha y hora"; -$AttendanceSheet = "Lista de asistencia"; -$GoToAttendanceCalendar = "Ir al calendario de asistencia"; -$AttendanceCalendar = "Calendario de asistencia"; -$QualifyAttendanceGradebook = "Calificar la lista de asistencia"; -$CreateANewAttendance = "Crear una lista de asistencia"; -$Attendance = "Asistencia"; -$XResultsCleaned = "%d resultados eliminados"; -$AreYouSureToDeleteResults = "Está seguro de querer eliminar los resultados"; -$CouldNotResetPassword = "No se puede reiniciar la contraseña"; -$ExerciseCopied = "Ejercicio copiado"; -$AreYouSureToCopy = "Está seguro de querer copiar"; -$ReceivedFiles = "Archivos recibidos"; -$SentFiles = "Archivos enviados"; -$ReceivedTitle = "Título"; -$SentTitle = "Archivos enviados"; -$Size = "Tamaño"; -$LastResent = "Último reenvío el"; -$kB = "kB"; -$UnsubscribeFromPlatformSuccess = "Su cuenta %s ha sido eliminada por completo de este portal. Gracias por el tiempo que ha permanecido con nosotros. En el futuro esperamos volver a verlo de nuevo con nosotros."; -$UploadNewFile = "Enviar un archivo"; -$Feedback = "Comentarios"; -$CloseFeedback = "Cerrar comentarios"; -$AddNewFeedback = "Añadir un nuevo comentario"; -$DropboxFeedbackStored = "El comentario ha sido guardado"; -$AllUsersHaveDeletedTheFileAndWillNotSeeFeedback = "Todos los usuarios han eliminado el archivo por lo que nadie podrá ver el comentario que está añadiendo."; -$FeedbackError = "Error en el comentario"; -$PleaseTypeText = "Por favor, escriba algún texto."; -$YouAreNotAllowedToDownloadThisFile = "No tiene permiso para descargar este archivo."; -$CheckAtLeastOneFile = "Compurebe al menos un archivo."; -$ReceivedFileDeleted = "El archivo recibido ha sido eliminado."; -$SentFileDeleted = "El archivo enviado ha sido eliminado."; -$FilesMoved = "Los archivos seleccionados han sido movidos."; -$ReceivedFileMoved = "Los archivos recibidos han sido movidos."; -$SentFileMoved = "El archivo enviado ha sido movido"; -$NotMovedError = "Este archivo(s) no puede moverse."; -$AddNewCategory = "Añadir una categoría"; -$EditCategory = "Editar esta categoría"; -$ErrorPleaseGiveCategoryName = "Por favor, escoja un nombre para la categoría"; -$CategoryAlreadyExistsEditIt = "Esta categoría ya existe, por favor use un nombre diferente"; -$CurrentlySeeing = "Actualmente está viendo la categoría"; -$CategoryStored = "La categoría ha sido añadida."; -$CategoryModified = "La categoría ha sido modificada."; -$AuthorFieldCannotBeEmpty = "El campo autor no puede estar vacío"; -$YouMustSelectAtLeastOneDestinee = "Debe seleccionar al menos un destino"; -$DropboxFileTooBig = "El archivo es demasiado grande."; -$TheFileIsNotUploaded = "El archivo no ha sido enviado"; -$MailingNonMailingError = "El envío por correo no puede ser sobreescrito por envíos que no sean de correo y viceversa"; -$MailingSelectNoOther = "El envío por correo no puede ser combinado con otros destinatarios"; -$MailingJustUploadSelectNoOther = "El envío a mi mismo no se puede combinar con otros recipientes"; -$PlatformUnsubscribeComment = "Al activar esta opción, se permitirá a cualquier usuario eliminar definitivamente su propia cuenta y todos los datos relacionados a la misma desde la plataforma. Esto es una acción radical, pero es necesario que los portales abiertos al público donde los usuarios pueden registrarse automáticamente. Una entrada adicional se publicará en el perfil del usuario de darse de baja después de la confirmación."; -$NewDropboxFileUploaded = "Un nuevo archivo ha sido enviado en Compartir Documentos"; -$NewDropboxFileUploadedContent = "En su curso, un nuevo archivo ha sido enviado en Compartir Documentos"; -$AddEdit = "Añadir / Editar"; -$ErrorNoFilesInFolder = "Este directorio está vacío"; -$EditingExerciseCauseProblemsInLP = "Editar un ejercicio causará problemas en Lecciones"; -$SentCatgoryDeleted = "La carpeta ha sido eliminada"; -$ReceivedCatgoryDeleted = "La carpeta ha sido eliminada"; -$MdTitle = "Título del objeto de aprendizaje"; -$MdDescription = "Para guardar esta información, presione Guardar"; -$MdCoverage = "por ej., Licenciado en..."; -$MdCopyright = "por ej., el proveedor de la fuente es conocido"; -$NoScript = "Su navegador no permite scripts, por favor ignore la parte inferior de la pantalla. No funcionará..."; -$LanguageTip = "idioma en el que el objeto de aprendizaje fue hecho"; -$Identifier = "Identificador"; -$IdentifierTip = "identificador único para este objeto de aprendizaje, compuesto de letras, números, _-.()'!*"; -$TitleTip = "título o nombre, e idioma del título o del nombre"; -$DescriptionTip = "descripción o comentario, e idioma usado para describir este objeto de aprendizaje"; -$Keyword = "Palabra clave"; -$KeywordTip = "separar mediante comas (letras, dígitos, -.)"; -$Coverage = "Destino"; -$CoverageTip = "por ejemplo licenciado en xxx: yyy"; -$KwNote = "Si desea cambiar el idioma de la descripción, no lo haga a la vez que añade palabras clave"; -$Location = "URL/URI"; -$LocationTip = "haga clic para abrir el objeto"; -$Store = "Guardar"; -$DeleteAll = "Borrar todos los metadatos"; -$ConfirmDelete = "¿ Está *seguro* de querer borrar todos los metadatos ?"; -$WorkOn = "en"; -$Continue = "Continuar"; -$Create = "Crear"; -$RemainingFor = "entradas obsoletas quitadas por categoría"; -$WarningDups = "¡ - los nombres de categoría duplicados serán retirados de la lista !"; -$SLC = "Trabajar con la categoría de enlace nombrada"; -$TermAddNew = "Añadir un término"; -$TermName = "Término"; -$TermDefinition = "Definición"; -$TermDeleted = "Término eliminado"; -$TermUpdated = "Término actualizado"; -$TermConfirmDelete = "¿ Realmente desea eliminar el término"; -$TermAddButton = "Guardar este término"; -$TermUpdateButton = "Actualizar término"; -$TermEdit = "Editar término"; -$TermDeleteAction = "Eliminar término"; -$PreSelectedOrder = "Ordenar por selección"; -$TermAdded = "Término añadido"; -$YouMustEnterATermName = "Debe introducir un término"; -$YouMustEnterATermDefinition = "Debe introducir la definición del término"; -$TableView = "Ver como tabla"; -$GlossaryTermAlreadyExistsYouShouldEditIt = "Este termino del glosario ya existe, por favor cambielo por otro nombre"; -$GlossaryManagement = "Administración de glosario"; -$TermMoved = "El término se ha movido"; -$HFor = "Ayuda: Foros"; -$ForContent = "

        Un foro es una herramienta de debate asíncrona. Mientras que un correo electrónico permite un diálogo privado entre dos personas, en los foros este diálogo será público o semipúblico y podrán intervenir más personas.

        Desde el punto de vista técnico, los usuarios sólo necesitan un navegador de Internet para usar los foros de la Plataforma.

        Para organizar los foros de debate, pulse en 'Administración de los foros'. Los debates se organizan en categorías y subcategorías tal como sigue:

        Categoría > Foro > Tema > Respuestas

        Para estructurar los debates de sus usuarios, es necesario organizar de antemano las categorías y los foros, dejando que ellos sean los que creen los temas y las posibles respuestas. Por defecto, los foros de cada curso contienen dos categorías: una reservada a los grupos del curso 'Foros de grupos' y otra común al curso, denominada por defecto'Principal' (aunque este nombre puede cambiarse); dentro de esta última hay creado un 'Foro de pruebas' con un tema de ejemplo.

        Lo primero que debe hacer es borrar el tema de ejemplo y cambiar el nombre del foro de pruebas. Después puede crear, en la categoría público, otros foros, bien sea por grupos o temas, para ajustarse a los requisitos de su propuesta de aprendizaje.

        No confunda las categorías con los foros, ni estos con los temas, y no olvide que una categoría vacía (sin foros) no aparecerá en la vista del usuario.

        Por último, cada foro puede tener una descripción que puede consistir en la lista de sus miembros, sus objetivos, temática...

        Los foros de los grupos no deben crearse a través de la herramienta 'Foros', sino mediante la herramienta 'Grupos'; en esta última podrá decidir si los foros del grupo serán privados o públicos.

        Uso pedagógico avanzado

        Algunos profesores utilizan el foro para realizar correcciones. Un estudiante publica un documento. El profesor lo corrige usando el botón marcador del editor HTML (marca con un color la corrección o los errores), de manera que otros estudiantes y profesores podrán beneficiarse de ellas.

        "; -$HDropbox = "Ayuda: Compartir documentos"; -$DropboxContent = "

        Compartir documentos es una herramienta de gestión de contenidos dirigida al intercambio de datos entre iguales (p2p). Cualquier tipo de fichero es aceptado: Word, Excel, PDF, etc. Generará diferentes versiones en los envíos, con lo que evitará la destrucción de un documento cuando se envíe otro con el mismo nombre..

        Los documentos compartidos muestran los archivos que le han enviado (carpeta de archivos recibidos) y los archivos que Ud. ha enviado a otros miembros de este curso (carpeta de archivos enviados)

        Si la lista de archivos recibidos o enviados se hace demasiado larga, puede suprimir todos o algunos archivos de la misma. El archivo sí mismo no se elimina mientras el otro usuario lo mantenga en la suya.

        Para enviar un documento a más de una persona, debe utilizar CTRL+clic para seleccionarlos en la caja de selección múltiple. La caja de selección múltiple es el formulario que muestra la lista de miembros.

        "; -$HHome = "Ayuda: Página principal del curso"; -$HomeContent = "

        La página principal del curso muestra varias herramientas: un texto de introducción, una descripción del curso, un gestor de documentos, etc. Esta página tiene un funcionamiento modular: con un sólo clic puede hacer visible / invisible cualquier herramienta. Las herramientas ocultas pueden ser reactivadas en cualquier momento.

        Navegación

        Para moverse por el curso dispone de dos barras de navegación. Una en la parte superior izquierda, que muestra el lugar del curso en el que Vd. se encuentra. Otra (en el caso de que esté activada), en la parte superior derecha que permite acceder a cualquier herramienta haciendo clic en su icono. Si en la barra de navegación izquierda selecciona el nombre del curso, o si pulsa sobre el icono en forma de casa de la barra de navegación derecha, irá a la página principal del curso.

        Buenas prácticas

        Para motivar a sus estudiantes es importante que el sitio de su curso sea un sitio dinámico. Esto indicará que hay 'alguien detrás de la pantalla'. Una forma rápida de dar esa sensación es corregir el contenido del texto de introducción del curso semanalmente para dar las últimas noticias. Aunque puede ser que desee reservar este espacio para un contenido más estable, por ejemplo, el logotipo del curso.

        Para construir un curso siga estos pasos:

        1. Impida el acceso al curso durante el proceso de elaboración. Para ello, compruebe mediante la herramienta 'Configuración del curso' que el acceso al mismo sea privado y que esté deshabilitada la inscripción por parte de los usuarios.
        2. Muestre todas las herramientas haciendo clic en el ojo cerrado que las acompaña.
        3. Utilice las herramientas que necesite para 'llenar' su sitio con contenidos, eventos, directrices, ejercicios, etc
        4. Oculte todas las herramientas : su página principal estará vacía en la 'Vista de estudiante'
        5. Use la herramienta 'Lecciones' para estructurar la secuencia que los alumnos seguirán para visitar las diferentes herramientas y aprender con ellas. De esta forma, usted utiliza el resto de las herramientas, pero no las muestra simultáneamente.
        6. Haga clic sobre el icono en forma de ojo para que la lección que ha creado se muestre en la página principal del curso.
        7. La preparación del sitio para su curso está completa. Su página principal muestra solamente un texto de introducción seguido de un enlace, el cual conduce a los estudiantes a través del curso. Haga clic en 'Vista de alumno' (arriba a la derecha) para previsualizar lo que los estudiantes verán.
        "; -$HOnline = "Ayuda: Conferencia online"; -$OnlineContent = "
        Introducción

        El sistema de Conferencia Online de chamilo le permite de forma sencilla, enseñar, informar o reunir a más de 500 personas.
          • audio : la voz del ponente se envía por broadcast en tiempo real a los participantes en calidad radio FM fracias al streaming mp3
          • diapositivas: los participantes siguen las presentaciones de PowerPoint, Flash, PDF...
          • interacción : los participantes pueden realizar sus preguntas al ponente a través del Chat.

        Estudiante / asistente


        Para asistir a la conferencia Vd. necesita:

        1. Altavoces (o auriculares) conectados a su PC

        2. Winamp Media player

        \"Winamp\"

        Mac : use Quicktime
        Linux : use XMMS

          3. Acrobat PDF reader, Word, PowerPoint, Flash, ..., dependiendo del formato de las diapositivas del profesor

        \"acrobat


        Profesor / ponente


        Para dar una conferencia Vd. necesita:

        1. Unos auriculares con micrófono

        \"Auriculares\"


        2. Winamp

        \"Winamp\"

        3. SHOUTcast DSP Plug-In para Winamp 2.x

        \"Shoutcast\"

        Siga las instrucciones de www.shoutcast.com para instalar y configurar Shoutcast Winamp DSP Plug-In.


        ¿ Cómo dar una conferencia ?

        Crear un curso en chamilo > Entrar en el curso > Hacer visible la herramienta Conferencia Online > Editar los parámetros (icono en forma de lápiz, arriba a la izquierda) > Enviar sus diapositivas (PDF, PowerPoint....) > Escribir un texto de introducción > escribir la URL desde donde se va a proveer el streaming.

        \"conference
        No olvide dar previamente a los futuros participantes en la reunión una fecha, hora y directrices lo suficientemente claras..

        Consejo : 10 minutos antes de la conferencia, escriba un pequeño mensaje informando a los participantes de que está online y puede ayudarles a solucionar algún problema de audio.


        Servidor de streaming
        Para dar una conferencia en tiempo real, necesita un servidor de streaming y probablemente personal técnico que le ayude a realizarla. El técnico le suministrará el URL que necesita escribir en el campo de streaming cuando edita los parámetros de la herramienta Conferencia Online.

        \"chamilo
        Chamilo streaming


        Hágalo usted mismo : instale, configure y administre Shoutcast o Apple Darwin.

        O contacte con Beeznest. Podemos ayudarles a organizar su conferencia, asistir a su ponente y alquilarle a bajo costo la posibilidad de streaming en nuestros servidores: http://www.chamilo.com/hosting.php


        "; -$HClar = "Ayuda: Chamilo"; -$HDoc = "Ayuda: Documentos"; -$DocContent = "

        El módulo de gestión de documentos funciona de manera semejante al gestor de ficheros de su ordenador.

        Los profesores pueden crear páginas web simples ('Crear un documento HTML') o transferir a esta sección, archivos de cualquier tipo (HTML, Word, PowerPoint, Excel, PDF, Flash, QuickTime, etc.). Tenga en cuenta que no todos los archivos que envíe podrán ser vistos por los demás usuarios, quienes deberán disponer de las\t herramientas apropiadas para abrirlos, en caso contrario, al hacer clic sobre el nombre del archivo tan\t sólo podrán descargarlo. Esta descarga siempre será posible si pulsan sobre\t el icono . No olvide revisar previamente con un antivirus los ficheros\t que se envíe al servidor.

        Los documentos se presentan en la pantalla por orden alfabético. Si desea que los documentos se ordenen de manera diferente, puede renombrarlos haciendo que vayan precedidos de un número (01, 02, 03, ...). También puede usar la herramienta lecciones para presentar una sofisticada tabla de contenidos. Tenga en cuenta que cuando transfiere documentos al servidor, puede decidir no mostrar la sección 'Documentos' y sólo mostrar una página de inicio (añadir un enlace a la página web principal de la actividad) y/o unas Lecciones que contenga sólo alguno de los\t archivos de la sección Documentos.


        \t

        Transferencia de documentos

        1. Sitúese en la carpeta del módulo ' Documentos' a donde quiere enviar los archivos (por defecto al directorio raíz del curso).
        2. Pulse sobre la opción 'Enviar un documento'; esto le llevará a una pantalla en la que seleccionará el documento de su ordenador con la ayuda del botón .
        3. Transfiera el documento a la web del curso pulsando el botón .
        4. Si el nombre del documento contiene acentos u otros caracteres especiales puede ser que deba renombrarlo para que se abra correctamente.

        •  También es posible enviar varios documentos en un archivo comprimido en formato zip y ordenar, si así lo desea, que se descomprima automáticamente en el servidor.

        •  Además de archivos zip convencionales se pueden enviar archivos SCORM comprimidos, que también tendrán la extensión zip. Los contenidos SCORM son tutoriales especiales que han sido diseñados de acuerdo con una norma internacional: SCORM. Es un formato especial para que los contenidos educativos puedan ejecutarse e intercambiarse libremente entre distintos Sistemas de Gestión del Conocimiento (LMS= Learning Management Systems). En otras palabras, los materiales SCORM son independientes de la plataforma, siendo su importación y exportación muy simple. La gestión de estos archivos se realiza a través de la herramienta Lecciones.

        •  Tenga en cuenta que el administrador de la plataforma ha definido un tamaño máximo para cualquier archivo que transfiera. Si desea enviar archivos mayores (por ej., vídeos...) póngase en contacto con él.

        •  Observaciones especiales para el envío de páginas web.

        El envío de páginas web simples no plantea ningún problema, aunque si su complejidad es mayor puede ser que no tengan el funcionamiento esperado. En estos casos se recomienda empaquetar sus páginas web como archivos SCORM comprimidos y usar la herramienta Lecciones (ver más arriba).


        Gestión de directorios y archivos

        •  Crear una carpeta.

        Esto le permitirá organizar el contenido de la sección 'Documentos' guardando los documentos en diferentes carpetas o directorios. Puede crear tantas subcarpetas como desee.

        1. Hacer clic sobre 'Crear un directorio', situado en la parte superior
        2. Introduzca el nombre del nuevo directorio.
        3. Valide haciendo clic en .

        •  Borrar un directorio o un archivo.

        1. Haga clic en el botón de la columna 'Modificar'.

        •  Cambiar el nombre de un directorio o de un archivo.

        1. Haga clic en el botón de la columna 'Modificar'.
        2. Introduzca el nuevo nombre.
        3. Valide haciendo clic en .

        •  Mover un directorio o un archivo a otro directorio.

        1. Haga clic sobre el botón de la columna 'Modificar'
        2. Escoja la carpeta a la que quiere mover el documento, haciendo clic sobre el menú desplegable (la palabra \"raíz\" en dicho menú representa el directorio principal de la sección 'Documentos').
        3. Valide haciendo clic en .

        •  Añadir un comentario a un documento o a una carpeta

        1. Haga clic en el botón de la columna 'Modificar'
        2. Introduzca, modifique o borre el comentario en la zona prevista.
        3. Valide haciendo clic en .

        •  Ocultar una carpeta o un documento a los miembros de la actividad.

        1. Haga clic en el botón de la columna 'Modificar'
        2. •  El documento o el directorio continúa existiendo, pero ya no será visible para los miembros de la actividad.

          •  Si desea que este elemento vuelva a ser visible, haga clic en el botón .

        •  Ver una carpeta o un archivo.

        Para ver el contenido de una carpeta bastará pulsar sobre su nombre. En el caso de un archivo, el procedimiento es similar, aunque tendremos que tener instalados los programas necesarios para su visualización, en caso contrario intentará descargarlos. Se debe tener especial cuidado con los archivos de extensiones ejecutables, los cuales recomendamos sean escaneados con un antivirus cuando se descarguen.

        Ver varias imágenes como una presentación

        Cuando el sistema detecta la existencia de imágenes en una carpeta, se activa la opción ‘Mostrar presentación', junto a la Ayuda. Esta permite ver estas imágenes de forma secuencial. Como en cualquier presentación, conviene recordar que las imágenes no sólo pueden consistir en fotos, sino también esquemas, mapas conceptuales, etc.


        Creación y edición de documentos en formato HTML

        Puede crear y editar directamente en el servidor un documento en formato HTML sin salir de su navegador.

        •  Para crear un documento web, haga clic sobre ' Crear un documento', déle un nombre (evite que el nombre contenga acentos u otros caracteres especiales), y utilice el editor para componer el documento.

        •  Para modificar el contenido de un documento web, haga clic en el botón de la columna 'Modificar', y se presentará un editor web además de las posibilidades de renombrar y añadir un comentario al documento.

        Sobre el editor HTML de la Plataforma.

        El editor de documentos HTML es del tipo WYSIWYG (What You See Is What You Get=Lo que ve es lo que obtendrá), lo que permite componerlos sin tener que rellenar líneas de código HTML, aunque podrá ver el código pulsando sobre el botón '< >'. Un menú con diversos botones le facilitará la elección del tipo y tamaño de letra, sangrar, hacer listas, colorear, crear enlaces, tablas, insertar imágenes, etc. También es posible cortar y pegar. Se trata de un editor elemental, pero que no precisa de ningún otro programa adicional a su navegador.

        \t

        Crear una Leccion

        Esta utilidad le permite construir lecciones con el contenido de las actividades. El resultado formará una tabla de materias, pero con más posibilidades. Para más información, ir al módulo Lecciones y ver su ayuda contextual.

        "; -$HUser = "Ayuda: Usuarios"; -$HExercise = "Ayuda: Ejercicios"; -$HPath = "Ayuda: Lecciones"; -$HDescription = "Ayuda: Descripción del curso"; -$HLinks = "Ayuda: Enlaces"; -$HMycourses = "Ayuda: Área de usuario"; -$HAgenda = "Ayuda: Agenda"; -$HAnnouncements = "Ayuda: Tablón de anuncios"; -$HChat = "Ayuda: Chat"; -$HWork = "Ayuda: Publicaciones de los estudiantes"; -$HTracking = "Ayuda: Estadísticas"; -$IsInductionSession = "Sesión de tipo inducción"; -$PublishSurvey = "Publicar encuesta"; -$CompareQuestions = "Comparar preguntas"; -$InformationUpdated = "Información actualizada"; -$SurveyTitle = "Título de la encuesta"; -$SurveyIntroduction = "Introducción de la encuesta"; -$CreateNewSurvey = "Crear encuesta"; -$SurveyTemplate = "Plantilla de encuesta"; -$PleaseEnterSurveyTitle = "Por favor, escriba el título de la encuesta"; -$PleaseEnterValidDate = "Por favor, introduzca una fecha correcta"; -$NotPublished = "No publicada"; -$AdvancedReportDetails = "El informe avanzado permite elegir el usuario y las preguntas para ver informaciones más detalladas"; -$AdvancedReport = "Informe avanzado"; -$CompleteReportDetails = "El informe completo permite ver todos los resultados obtenidos por la gente encuestada, y exportalos en csv (para Excel)"; -$CompleteReport = "Informe completo"; -$OnlyThoseAddresses = "Enviar la encuesta sólo a estas direcciones"; -$BackToQuestions = "Volver a las preguntas"; -$SelectWhichLanguage = "Seleccione el idioma en que desea crear la encuesta"; -$CreateInAnotherLanguage = "Crear esta encuesta en otro idioma"; -$ExportInExcel = "Exportar en formato Excel"; -$ComparativeResults = "Resultados comparativos"; -$SelectDataYouWantToCompare = "Seleccionar los datos que desea comparar"; -$OrCopyPasteUrl = "O copiar y pegar el enlace en la barra de direcciones de su navegador:"; -$ClickHereToOpenSurvey = "Hacer clic aquí para realizar una encuesta"; -$SurveyNotShared = "Ninguna encuesta ha sido compartida todavía"; -$ViewSurvey = "Ver encuesta"; -$SelectDisplayType = "Seleccionar el tipo de visualización:"; -$Thanks = "Mensaje de feedback"; -$SurveyReporting = "Informe de la encuesta"; -$NoSurveyAvailable = "No hay encuestas disponibles"; -$YourSurveyHasBeenPublished = "ha sido publicada"; -$CreateFromExistingSurvey = "Crear a partir de una encuesta ya existente"; -$SearchASurvey = "Buscar una encuesta"; -$SurveysOfAllCourses = "Encuesta(s) de todos los cursos"; -$PleaseSelectAChoice = "Por favor, seleccione una opción"; -$ThereAreNoQuestionsInTheDatabase = "No hay preguntas en la base de datos"; -$UpdateQuestionType = "Actualizar el tipo de pregunta:"; -$AddAnotherQuestion = "Añadir una nueva pregunta"; -$IsShareSurvey = "Compartir la encuesta con otros"; -$Proceed = "Proceder"; -$PleaseFillNumber = "Por favor, rellene los valores numéricos para las puntuaciones."; -$PleaseFillAllPoints = "Por favor, rellene las puntuaciones de 1-5"; -$PleasFillAllAnswer = "Por favor, rellene todos los campos de las respuestas."; -$PleaseSelectFourTrue = "Por favor, seleccione al menos cuatro respuestas verdaderas."; -$PleaseSelectFourDefault = "Por favor, seleccione al menos cuatro respuestas por defecto."; -$PleaseFillDefaultText = "Por favor, rellene el texto por defecto"; -$ModifySurveyInformation = "Modificar la información de la encuesta"; -$ViewQuestions = "Ver preguntas"; -$CreateSurvey = "Crear encuesta"; -$FinishSurvey = "Terminar la encuesta"; -$QuestionsAdded = "Las preguntas son añadidas"; -$DeleteSurvey = "Eliminar encuesta"; -$SurveyCode = "Código de la encuesta"; -$SurveyList = "Encuestas"; -$SurveyAttached = "Encuesta adjuntada"; -$QuestionByType = "Preguntas por tipo"; -$SelectQuestionByType = "Seleccionar una pregunta por tipo"; -$PleaseEnterAQuestion = "Por favor, introduzca una pregunta"; -$NoOfQuestions = "Número de preguntas"; -$ThisCodeAlradyExists = "Este código ya existe"; -$SaveAndExit = "Guardar y salir"; -$ViewAnswers = "Ver respuestas"; -$CreateExistingSurvey = "Crear desde una encuesta ya existente"; -$SurveyName = "Nombre de la encuesta"; -$SurveySubTitle = "Subtítulo de la encuesta"; -$ShareSurvey = "Compartir la encuesta"; -$SurveyThanks = "Agradecimientos"; -$EditSurvey = "Editar la encuesta"; -$OrReturnToSurveyOverview = "O volver a la vista general de la encuesta"; -$SurveyParametersMissingUseCopyPaste = "Hay un parámetro que falta en el enlace. Por favor, use copiar y pegar."; -$WrongInvitationCode = "Código de invitado erróneo"; -$SurveyFinished = "Ha terminado la encuesta."; -$SurveyPreview = "Previsualización de la encuesta"; -$InvallidSurvey = "Encuesta no válida"; -$AddQuestion = "Añadir una pregunta"; -$EditQuestion = "Editar pregunta"; -$TypeDoesNotExist = "Este tipo no existe"; -$SurveyCreatedSuccesfully = "La encuesta ha sido creada"; -$YouCanNowAddQuestionToYourSurvey = "Ahora puede añadir las preguntas"; -$SurveyUpdatedSuccesfully = "La encuesta hasido actualizada"; -$QuestionAdded = "La pregunta ha sido añadida."; -$QuestionUpdated = "La pregunta ha sido actualizada."; -$RemoveAnswer = "Quitar opción"; -$AddAnswer = "Añadir opción"; -$DisplayAnswersHorVert = "Mostrar"; -$AnswerOptions = "Opciones de respuesta"; -$MultipleResponse = "Respuesta multiple"; -$Dropdown = "Lista desplegable"; -$Pagebreak = "Fin de página"; -$QuestionNumber = "Pregunta número"; -$NumberOfOptions = "Número de opciones"; -$SurveyInvitations = "Invitaciones a la encuesta"; -$InvitationCode = "Código de invitación"; -$InvitationDate = "Fecha de invitación"; -$Answered = "Respondido"; -$AdditonalUsersComment = "Puede invitar a otros usuarios para que completen esta encuesta. Para ello debe escribir sus correos electrónicos separados por , o ;"; -$MailTitle = "Asunto del correo"; -$InvitationsSend = "invitaciones enviadas."; -$SurveyDeleted = "La encuesta ha sido eliminada."; -$NoSurveysSelected = "No ha seleccionado ninguna encuesta."; -$NumberOfQuestions = "Número de preguntas"; -$Invited = "Invitado"; -$SubmitQuestionFilter = "Filtrar"; -$ResetQuestionFilter = "Cancelar filtro"; -$ExportCurrentReport = "Exportar el informe actual"; -$OnlyQuestionsWithPredefinedAnswers = "Sólo pueden usarse preguntas con respuestas predefinidas"; -$SelectXAxis = "Seleccione la pregunta del eje X"; -$SelectYAxis = "Seleccione la pregunta del eje Y"; -$ComparativeReport = "Informe comparativo"; -$AllQuestionsOnOnePage = "Todas las preguntas serán mostradas en una página"; -$SelectUserWhoFilledSurvey = "Seleccionar el usuario que completó la encuesta"; -$userreport = "Informe del usuario"; -$VisualRepresentation = "Gráfico"; -$AbsoluteTotal = "Total global"; -$NextQuestion = "Pregunta siguiente"; -$PreviousQuestion = "Pregunta anterior"; -$PeopleWhoAnswered = "Personas que han elegido esta respuesta"; -$SurveyPublication = "Publicación de la encuesta"; -$AdditonalUsers = "Usuarios adicionales"; -$MailText = "Texto del correo"; -$UseLinkSyntax = "Los usuarios que haya seleccionado recibirán un correo electrónico con el texto que ha escrito más arriba, así como un enlace que los usuarios tendrán que pulsar para cumplimentar la encuesta. Si desea introducir este enlace en algún lugar de su texto, debe insertar lo siguiente: ** enlace ** (asterisco asterisco enlace asterisco asterisco). Esta etiqueta será sustituida automáticamente por el enlace. Si no agrega el ** enlace ** a su texto, el enlace se añadirá al final del correo"; -$DetailedReportByUser = "Informe detallado por usuario"; -$DetailedReportByQuestion = "Informe detallado por pregunta"; -$ComparativeReportDetail = "En este informe puede comparar dos preguntas."; -$CompleteReportDetail = "En este informe se obtiene un sumario de las respuestas de todos los usuarios a todas las preguntas. También dispone de una opción para sólamente ver una selección de preguntas. Puede exportar los resultados a un archivo en formato de CSV para su utilización en aplicaciones estadísticas."; -$DetailedReportByUserDetail = "En este informe puede ver todas las respuestas de un usuario."; -$DetailedReportByQuestionDetail = "En este informe se ven los resultados pregunta a pregunta. Proporciona un análisis estadístico básico y gráficos."; -$ReminderResendToAllUsers = "Enviar a todos los usuarios seleccionados. Si no marca esta casilla, sólamente recibirán el correo electrónico los usuarios adicionales que haya añadido."; -$Multiplechoice = "Elección multiple"; -$Score = "Puntuación"; -$Invite = "Invitados"; -$MaximumScore = "Puntuación máximo"; -$ViewInvited = "Ver invitados"; -$ViewAnswered = "Ver las personas que han respondido"; -$ViewUnanswered = "Ver las personas que no han respondido"; -$DeleteSurveyQuestion = "¿ Está seguro de que quiere eliminar esta pregunta ?"; -$YouAlreadyFilledThisSurvey = "Ya ha rellenado esta encuesta"; -$ClickHereToAnswerTheSurvey = "Haga clic aquí para contestar la encuesta"; -$UnknowUser = "Usuario desconocido"; -$HaveAnswered = "han contestado"; -$WereInvited = "fueron invitados"; -$PagebreakNotFirst = "El separador de página no puede estar al comienzo"; -$PagebreakNotLast = "El separador de página no puede estar al final"; -$SurveyNotAvailableAnymore = "Lo sentimos pero esta encuesta ya no está disponible. Le agradecemos su interés."; -$DuplicateSurvey = "Duplicar la encuesta"; -$EmptySurvey = "Limpiar la encuesta"; -$SurveyEmptied = "Las respuestas a la encuesta han sido eliminadas"; -$SurveyNotAvailableYet = "Esta encuesta aún no está disponible. Inténtelo más tarde. Gracias."; -$PeopleAnswered = "Personas que han respondido"; -$AnonymousSurveyCannotKnowWhoAnswered = "Esta encuesta es anónima. Ud. no puede ver quien ha respondido."; -$IllegalSurveyId = "Identificador de encuesta desconocido"; -$SurveyQuestionMoved = "La pregunta ha sido movida"; -$IdenticalSurveycodeWarning = "Este código de la encuesta ya existe. Probablemente esto sea debido a que la encuesta también existe en otros idiomas. Los usuarios podrán elegir entre diferentes idiomas."; -$ThisSurveyCodeSoonExistsInThisLanguage = "Este código de encuesta ya existe en este idioma"; -$SurveyUserAnswersHaveBeenRemovedSuccessfully = "Las respuestas del usuario han sido eliminadas satisfactoriamente"; -$DeleteSurveyByUser = "Eliminar las respuesta de este usuario de esta encuesta"; -$SelectType = "Seleccionar el tipo"; -$Conditional = "Condicional"; -$ParentSurvey = "Encuesta madre"; -$OneQuestionPerPage = "Una pregunta por pagina"; -$ActivateShuffle = "Activar para barajar"; -$ShowFormProfile = "Mostrar el formato del perfil"; -$PersonalityQuestion = "Editar pregunta"; -$YouNeedToCreateGroups = "Tu necesitas crear grupos"; -$ManageGroups = "Administrar grupos"; -$GroupCreatedSuccessfully = "Grupo creado con éxito"; -$GroupNeedName = "Grupo necesita nombre"; -$Personality = "Personalizar"; -$Primary = "Primero"; -$Secondary = "Segundo"; -$PleaseChooseACondition = "Por favor elija una condición"; -$ChooseDifferentCategories = "Elija diferente categoria"; -$Normal = "Normal"; -$NoLogOfDuration = "Ningún registro de duración"; -$AutoInviteLink = "Los usuarios que no hayan sido invitados pueden utilizar este enlace para realizar la encuesta:"; -$CompleteTheSurveysQuestions = "Complete las preguntas de la encuesta"; -$SurveysDeleted = "Encuestas borradas"; -$RemindUnanswered = "Recordatorio sólo para los usuarios que no hayan respondido"; -$ModifySurvey = "Modificar encuesta"; -$CreateQuestionSurvey = "Crear pregunta"; -$ModifyQuestionSurvey = "Modificar pregunta"; -$BackToSurvey = "Volver a la encuesta"; -$UpdateInformation = "Actualización de información"; -$PleaseFillSurvey = "Por favor, llene la encuesta"; -$ReportingOverview = "Sumario de informes"; -$GeneralDescription = "Descripción general"; -$GeneralDescriptionQuestions = "¿Cuál es el objetivo de este curso? ¿Hay requisitos previos? ¿Qué relación tiene con otros cursos?"; -$GeneralDescriptionInformation = "Descripción del curso (número de horas, código, lugar donde se desarrollará, etc.). Profesorado (nombre, despacho, teléfono, correo electrónico, etc.)."; -$Objectives = "Objetivos"; -$ObjectivesInformation = "¿Cuáles son los objetivos del curso (competencias, habilidades, resultados,etc.)?"; -$ObjectivesQuestions = "¿Qué deben saber los estudiantes al finalizar el curso? ¿Qué actividades se desarrollarán?"; -$Topics = "Contenidos"; -$TopicsInformation = "Contenidos del curso. Importancia de cada contenido. Nivel de dificultad. Estructura e interdependencia con otros contenidos."; -$TopicsQuestions = "¿Cuál será el desarrollo del curso? ¿Dónde deben prestar más atención los estudiantes? ¿Qué problemas pueden surgir para la comprensión de ciertos temas? ¿Qué tiempo debe dedicarse a cada parte del curso?"; -$Methodology = "Metodología"; -$MethodologyQuestions = "¿Qué métodos y actividades se desarrollarán para alcanzar los objetivos del curso? ¿Qué técnicas y estrategias se desarrollarán para conseguir el aprendizaje de la unidad didáctica? ¿Cuál es el calendario para su realización?"; -$MethodologyInformation = "Presentación de las actividades (conferencias, disertaciones, investigaciones en grupo, laboratorios, etc.)."; -$CourseMaterial = "Materiales"; -$CourseMaterialQuestions = "¿Existe un manual, una colección de documentos, una bibliografía, o una lista de enlaces de Internet?"; -$CourseMaterialInformation = "Breve descripción de los materiales a emplear en el curso."; -$HumanAndTechnicalResources = "Recursos humanos y técnicos"; -$HumanAndTechnicalResourcesQuestions = "¿Quiénes son los profesores, tutores, coordinadores, etc.? ¿Cuáles son los recursos materiales: sala de ordenadores, pizarra digital, conexión a Internet, etc.?"; -$HumanAndTechnicalResourcesInformation = "Identifique y describa los recursos humanos y técnicos."; -$Assessment = "Evaluación"; -$AssessmentQuestions = "¿Cómo serán evaluados los estudiantes? ¿Cuáles son los criterios de evaluación? ¿Qué instrumentos de evaluación se utilizarán?"; -$AssessmentInformation = "Criterios de evaluación de las competencias adquiridas."; -$Height = "Alto"; -$ResizingComment = "Redimensionar temporalmente la presentación al siguiente tamaño (en pixeles)"; -$Width = "Ancho"; -$Resizing = "Presentación redimensionada"; -$NoResizingComment = "Mostrar todas las imágenes de la presentación en su tamaño original. Las barras de desplazamiento aparecerán automáticamente si la imagen es mayor que el tamaño de su monitor."; -$ShowThumbnails = "Mostrar miniaturas"; -$SetSlideshowOptions = "Opciones de la presentación"; -$SlideshowOptions = "Opciones de la presentación"; -$NoResizing = "Presentación en su tamaño original"; -$Brochure = "Brochure"; -$SlideShow = "Presentación"; -$PublicationEndDate = "Fecha de fin publicada"; -$ViewSlideshow = "Ver presentación"; -$MyTasks = "Mis tareas"; -$FavoriteBlogs = "Mis blogs favoritos"; -$Navigation = "Navegación"; -$TopTen = "Los 10 mejores blogs"; -$ThisBlog = "Este blog"; -$NewPost = "Nuevo artículo"; -$TaskManager = "Administración de tareas"; -$MemberManager = "Administración de usuarios"; -$PostFullText = "Texto"; -$ReadPost = "Leer este artículo"; -$FirstPostText = "¡ Este es el primer artículo en el blog ! En adelante, todos los usuarios suscritos a este blog pueden participar"; -$AddNewComment = "Añadir un comentario"; -$ReplyToThisComment = "Contestar a este comentario"; -$ManageTasks = "Administrar tareas"; -$ManageMembers = "Administrar usuarios"; -$Register = "Inscribir en este blog"; -$UnRegister = "Anular la inscripción en este blog"; -$SubscribeMembers = "Inscribir usuarios"; -$UnsubscribeMembers = "Dar de baja a usuarios"; -$RightsManager = "Administrar los permisos de los usuarios"; -$ManageRights = "Administrar los perfiles y permisos de los usuarios de este blog"; -$Task = "Tarea"; -$Tasks = "Tareas"; -$Member = "Usuario"; -$Members = "Usuarios"; -$Role = "Perfil"; -$Rate = "Puntuación"; -$AddTask = "Nueva tarea"; -$AddTasks = "Añadir nuevas tareas"; -$AssignTask = "Asignar una tarea"; -$AssignTasks = "Asignar tareas"; -$EditTask = "Editar esta tarea"; -$DeleteTask = "Borrar esta tarea"; -$DeleteSystemTask = "Esta es una tarea predefinida. Ud., no puede borrar una tarea predefinida."; -$SelectUser = "Usuario"; -$SelectTask = "Tarea"; -$SelectTargetDate = "Fecha"; -$TargetDate = "Fecha"; -$Color = "Color"; -$TaskList = "Lista de tareas"; -$AssignedTasks = "Tareas asignadas"; -$ArticleManager = "Administración de artículos"; -$CommentManager = "Administración de comentarios"; -$BlogManager = "Administración del blog"; -$ReadMore = "Leer más..."; -$DeleteThisArticle = "Borrar este artículo"; -$EditThisPost = "Editar este artículo"; -$DeleteThisComment = "Borrar este comentario"; -$NoArticles = "No hay ningún artículo en el blog. Si Ud. es un autor en este blog, haga clic sobre el enlace 'nuevo artículo' para escribir uno."; -$NoTasks = "Sin tareas"; -$Rating = "Puntuación"; -$RateThis = "Puntuar este artículo"; -$SelectTaskArticle = "Seleccionar un artículo para esta tarea"; -$ExecuteThisTask = "Ejecutar la tarea"; -$WrittenBy = "Escrito por"; -$InBlog = "en el blog"; -$ViewPostsOfThisDay = "Ver los artículos de este día"; -$PostsOf = "Artículos de"; -$NoArticleMatches = "No se encuentran artículos que se ajusten a sus criterios de búsqueda. Probablemente haya escrito incorrectamente algo o su búsqueda es poco concreta. Realice las modificaciones que estime oportunas y ejecute una nueva búsqueda."; -$SaveProject = "Guardar blog"; -$Task1 = "Tarea 1"; -$Task2 = "Tarea 2"; -$Task3 = "Tarea 3"; -$Task1Desc = "Descripción de la tarea 1"; -$Task2Desc = "Descripción de la tarea 2"; -$Task3Desc = "Descripción de la tarea 3"; -$blog_management = "Gestión de blogs"; -$Welcome = "Bienvenido"; -$Module = "Módulo"; -$UserHasPermissionNot = "El usuario no tiene permisos"; -$UserHasPermission = "El usuario tiene permisos"; -$UserHasPermissionByRoleGroup = "El usuario tiene los permisos de su grupo"; -$PromotionUpdated = "Promoción actualizada satisfactoriamente"; -$AddBlog = "Crear un blog"; -$EditBlog = "Editar título y subtítulo"; -$DeleteBlog = "Borrar este blog"; -$Shared = "Compartido"; -$PermissionGrantedByGroupOrRole = "Permiso concedido por grupo o rol"; -$Reader = "Lector"; -$BlogDeleted = "El proyecto ha sido eliminado."; -$BlogEdited = "El proyecto ha sido modificado"; -$BlogStored = "El blog ha sido añadido"; -$CommentCreated = "El comentario ha sido guardado"; -$BlogAdded = "El artículo ha sido añadido"; -$TaskCreated = "La tarea ha sido creada"; -$TaskEdited = "La tarea ha sido modificada"; -$TaskAssigned = "La tarea ha sido asignada"; -$AssignedTaskEdited = "La asignación de la tarea ha sido modificada"; -$UserRegistered = "El usuario ha sido registrado"; -$TaskDeleted = "La tarea ha sido eliminada"; -$TaskAssignmentDeleted = "La asignación de la tarea ha sido eliminada"; -$CommentDeleted = "El comentario ha sido eliminado"; -$RatingAdded = "La calificación ha sido añadida."; -$ResourceAdded = "Recurso agregado"; -$LearningPath = "Lecciones"; -$LevelUp = "nivel superior"; -$AddIt = "Añadir"; -$MainCategory = "categoría principal"; -$AddToLinks = "Añadir a los enlaces del curso"; -$DontAdd = "no añadir"; -$ResourcesAdded = "Recursos añadidos"; -$ExternalResources = "Recursos externos"; -$CourseResources = "Recursos del curso"; -$ExternalLink = "Enlace externo"; -$DropboxAdd = "Añadir la herramienta Compartir Documentos a este capítulo"; -$AddAssignmentPage = "Incorpore a su lección el envío de tareas"; -$ShowDelete = "Mostrar / Borrar"; -$IntroductionText = "Texto de introducción"; -$CourseDescription = "Descripción del curso"; -$IntroductionTextAdd = "Añadir una página que contenga el texto de introducción a este capítulo"; -$CourseDescriptionAdd = "Añadir una página que contenga la Descripción del curso a este capítulo"; -$GroupsAdd = "Añadir una página con los Grupos a este capítulo"; -$UsersAdd = "Añadir una página de los Usuarios a este capítulo"; -$ExportableCourseResources = "Recursos del curso exportables al formato SCORM"; -$LMSRelatedCourseMaterial = "Recursos relacionados. No exportables al formato SCORM"; -$LinkTarget = "Destino del enlace"; -$SameWindow = "En la misma ventana"; -$NewWindow = "En una nueva ventana"; -$StepDeleted1 = "Este"; -$StepDeleted2 = "el elemento fue suprimido en esta herramienta."; -$Chapter = "Capítulo"; -$AgendaAdd = "Añadir un nuevo evento"; -$UserGroupFilter = "Filtrar por grupos/usuarios"; -$AgendaSortChronologicallyUp = "Ordenar eventos (antiguos / recientes)"; -$ShowCurrent = "Eventos del mes"; -$ModifyCalendarItem = "Modificar un evento de la agenda"; -$Detail = "Detalles"; -$EditSuccess = "El evento ha sido modificado"; -$AddCalendarItem = "Añadir un nuevo evento a la agenda"; -$AddAnn = "Añadir un anuncio"; -$ForumAddNewTopic = "Foro: añadir un tema"; -$ForumEditTopic = "Foro: editar un tema"; -$ExerciseAnswers = "Ejercicio: Respuestas"; -$ForumReply = "Foro: responder"; -$AgendaSortChronologicallyDown = "Ordenar eventos (recientes / antiguos)"; -$SendWork = "Enviar el documento"; -$TooBig = "No ha seleccionado el archivo a enviar o es demasiado grande"; -$DocModif = "El documento ha sido modificado"; -$DocAdd = "El documento ha sido enviado"; -$DocDel = "El archivo ha sido eliminado"; -$TitleWork = "Título del documento"; -$Authors = "Autor"; -$WorkDelete = "Eliminar"; -$WorkModify = "Modificar"; -$WorkConfirmDelete = "¿ Seguro que quiere eliminar este archivo ?"; -$AllFiles = "Todos los archivos"; -$DefaultUpload = "Configuración de visibilidad por defecto para los documentos que se envíen"; -$NewVisible = "Los documentos serán visibles por todos los usuarios"; -$NewUnvisible = "Los documentos sólo serán visibles por los profesores"; -$MustBeRegisteredUser = "Sólo los usuarios inscritos en este curso pueden enviar sus tareas"; -$ListDel = "Eliminar lista"; -$CreateDirectory = "Crear tarea"; -$CurrentDir = "tarea actual"; -$UploadADocument = "Enviar un documento"; -$EditToolOptions = "Modificar las opciones"; -$DocumentDeleted = "Documento eliminado"; -$SendMailBody = "Un usuario ha enviado un documento mediante la herramienta tareas."; -$DirDelete = "Eliminar tarea"; -$ValidateChanges = "Confirmar los cambios"; -$FolderUpdated = "Folder actualizado"; -$EndsAt = "Acaba en (cerrado completamente)"; -$QualificationOfAssignment = "Calificación de la tarea"; -$MakeQualifiable = "Permitir calificar en la herramienta de evaluaciones"; -$QualificationNumberOver = "Calificación sobre"; -$WeightInTheGradebook = "Ponderación en el promedio de la evaluación"; -$DatesAvailables = "Fechas disponibles"; -$ExpiresAt = "Expira en"; -$DirectoryCreated = "La tarea ha sido creada"; -$Assignment = "Tarea"; -$ExpiryDateToSendWorkIs = "Fecha de vencimiento para enviar tareas"; -$EnableExpiryDate = "Activar fecha de vencimiento"; -$EnableEndDate = "Activar fecha de finalización"; -$IsNotPosibleSaveTheDocument = "La tarea no ha podido ser enviada"; -$EndDateCannotBeBeforeTheExpireDate = "La fecha de finalización no puede ser anterior a la fecha de vencimiento"; -$SelectAFilter = "Seleccionar filtro"; -$FilterByNotExpired = "Filtrar por No vencidas"; -$FilterAssignments = "Filtrar tareas"; -$WeightNecessary = "Peso necesario"; -$QualificationOver = "Calificación sobre"; -$ExpiryDateAlreadyPassed = "Fecha de vencimiento ya ha pasado"; -$EndDateAlreadyPassed = "Fecha final ya ha pasado"; -$MoveXTo = "Mover %s a"; -$QualificationMustNotBeMoreThanQualificationOver = "La calificación no puede ser superior a la calificacion máxima"; -$ModifyDirectory = "Modificar tarea"; -$DeleteAllFiles = "Eliminar todo"; -$BackToWorksList = "Regresar a la lista de Tareas"; -$EditMedia = "Editar y marcar la tarea"; -$AllFilesInvisible = "Ahora la lista de documentos ha dejado de mostrarse"; -$FileInvisible = "Ahora el archivo ya no se muestra"; -$AllFilesVisible = "Ahora todos los documentos son visibles"; -$FileVisible = "El archivo ahora es visible"; -$ButtonCreateAssignment = "Crear tarea"; -$AssignmentName = "Nombre de la tarea"; -$CreateAssignment = "Crear una tarea"; -$FolderEdited = "Tarea modificada"; -$UpdateWork = "Modificar"; -$MakeAllPapersInvisible = "Ocultar todos los documentos"; -$MakeAllPapersVisible = "Hacer todos los documentos visibles"; -$AdminFirstName = "Nombre del administrador"; -$InstituteURL = "URL de la organización"; -$UserDB = "Base de datos de usuarios"; -$PleaseWait = "Por favor, espere"; -$PleaseCheckTheseValues = "Por favor, compruebe estos valores"; -$PleasGoBackToStep1 = "Por favor, vuelva al paso 1"; -$UserContent = "

        Añadir usuarios

        La opción 'Inscribir usuarios en el curso' le permite añadir a su curso usuarios ya registrados en la plataforma. Para ello compruebe primero si ya está registrado en la plataforma; en tal caso, marque la casilla que aparece al lado de su nombre y valide, esto lo inscribirá en el curso. Si todavía no está registrado en la plataforma, este registro deberá realizarlo el administrador de la plataforma o el propio usuario en el caso del que esta opción esté habilitada.

        Una segunda posibilidad es que los estudiantes se inscriban por sí mismos, para ello el administrador del curso deberá haber habilitado esta opción en la herramienta 'Configuración del curso'.

        Tanto en las operaciones de registro como en las de inscripción los usuarios recibirán un correo electrónico recordándoles su nombre de usuario y contraseña..

        Descripción

        La descripción no otorga ningunos privilegios en el sistema informático. Sólo indica a los usuarios, quien es quien. Vd. puede moficar esta descripción, haciendo clic en el icono en forma de lápiz y escribiendo la función que desee describir de cada usuario: profesor, ayudante,estudiante, visitante, experto, documentalista, moderador, tutor...

        Derechos de administración

        Por el contrario, los permisos o derechos de administración otorgan privilegios en el sistema informático, pudiendo modificar el contenido y la organización del sitio del curso. Estos privilegios presentan dos perfiles. El perfil de 'Administrador del curso', en el que la persona en cuestión tendrá los mismos permisos que quien se los está dando. El perfil de 'Tutor' que lo identificará para hacerse cargo de los grupos que puedan establecerse en el curso. Para otorgar o no estos permisos a un usuario del curso, bastará con marcar o no la casilla correspondiente, tras haber pulsado en la opción modificar.

        Cotitulares

        Para hacer que figure el nombre de un cotitular del curso en la cabecera del mismo, vaya a la página principal del curso y use la herramienta'Configuración del curso'. En esta herramienta modifique el campo 'Profesor'; este campo es completamente independiente de la lista de usuarios del curso, de manera que puede no estar inscrito en el mismo.

        Seguimiento y áreas personales de los usuarios.

        Además de ofrecer un listado de usuarios y modificar sus permisos, la herramineta 'Usuarios' también ofrece un seguimiento individual y permite al profesor definir cabeceras adicionales a la ficha de cada estudiante, para que éstos las rellenen. Estos datos adicionales sólo estarán vinculados al curso en cuestión.

        "; -$GroupContent = "

        Introducción

        Esta herramienta permite crear y gestionar grupos dentro de su curso.Cuando se crea el curso (Crear Grupos), los grupos están vacios. Hay muchas formas de rellenarlos:

        • automáticamente ('Rellenar grupos'),
        • manualmente ('Editar'),
        • Adscripción a un grupo por parte de los propios estudiantes (Modificar características: 'Se permite a los estudiantes..').
        Se pueden combinar estas tres formas. Puede, por ejemplo, pedir a los estudiantes que se inscriban en un grupo.Más tarde puede descubrir que alguno no lo hizo y decida finalmente rellenar de forma automáticalos grupos para completarlos. También puede editar cada grupo para decidir quién forma parte de qué grupo.

        Rellenar grupos, tanto de forma manual o automática sólo es efectivo si hay estudiantes inscritosen el curso (no confunda la inscripción en el curso con la inscripción en los grupos).La lista de estudiantes es visible en el módulo Usuarios.


        Crear Grupos

        Para crear grupos nuevos, pulsa en 'Crear nuevos grupos'y determinar el número de grupos que quiere crear.El número máximo de miembros es ilimitado, pero le sugerimos que indique uno. Si deja el campo número máximo sin rellenar,el tamaño será infinito.


        Características de los Grupos

        Vd. puede determinar las características de los grupos de forma global (para todos los grupos). Se permite a los estudiantes inscribirse en el grupo que quieran:

        Vd. puede crear grupos vacios, para que los estudiantes se inscriban.Si Vd. ha definido un número máximo, los grupos completos no aceptarán nuevos miembros.Este método es bueno para profesores que aún no conocen la lista de estudiantes cuando crean los grupos.

        Herramientas:

        Cada grupo puede disponer de un 'Foro' (privado o público) y/o de un área de 'Documentos' (privada o pública)


        Edición Manual

        Una vez que se crean los grupos (Crear grupos), verá en la parte inferior de la páginauna lista de los grupos con una serie de información y funciones

        • Editar modificar manualmente el nombre del grupo, descripción, tutor,lista de miembros.
        • Borrar elimina un grupo.

        "; -$ExerciseContent = "

        La herramienta 'Ejercicios' le permite crear ejercicios que contendrán tantas preguntas como Vd. quiera.

        Las preguntas que cree, pueden tener varios modelos de respuestas disponibles :

        • Elección múltiple (Respuesta única)
        • Elección múltiple (Respuestas múltiples )
        • Relacionar
        • Rellenar huecos
        • Respuesta libre
        Un ejercicio está compuesto por varias preguntas que guardan relación entre ellas.


        Creación de Ejercicios

        Para crear un ejercicio, pulse sobre el enlace \"Nuevo ejercicio \".

        Escriba el nombre del ejercicio y, si quiere, una descripción del mismo.

        También puede escoger entre dos tipos de ejercicios :

        • Preguntas en una sóla página
        • Una pregunta por página (secuencial)
        y diga si quiere que las preguntas sean ordenadas de forma aleatoria en el momento que se haga el ejercicio.

        Después, guarde su ejercicio. Vd. verá la gestión de preguntas de este ejercicio.


        Añadir Preguntas

        Puede añadir una pregunta a un ejercicio que haya creado previamente. La descripción es opcional,así como la posibilidad de incluir una imagen en su pregunta.


        Elección Múltiple

        Esta también se conoce como 'pregunta de respuesta o elección múltiple' MAQ / MCQ.

        Para crear una:

        • Defina respuestas a su pregunta. Puede añadir o borrar una respuesta pulsando en el botén derecho
        • Marque en la casilla de la izquierda la(s) respuesta(s) correcta(s)
        • Añada un comentario opcional. Este comentario no lo verá el alumno hasta que haya respondido a la pregunta
        • Otorgue un 'peso' (valor de la respuesta respecto a la totalidad del ejercicio) a cada respuesta. El peso puede ser un número positivo, negativo, o cero.
        • Guarde sus respuestas


        Rellenar huecos

        Esto permite crear un texto con huecos. El objetivo es dejar que el estudiante rellene en estos huecos palabras que Vd. ha eliminado del texto .

        Para quitar una palabra del texto, y por tanto crear un hueco, ponga la palabra entre corchetes [como esto].

        Una vez que el texto se ha escrito y definido los huecos, puede añadir un comentario que verá el estudiantecuando responda a cada pregunta.

        Guarde su texto, y verá el paso siguiente que le permitirá asignar un peso a cada hueco. Por ejemplo,sila pregunta entera vale 10 puntos y tiene 5 huecos, Vd. puede darle un peso de 2 puntos a cada hueco.


        Relacionar

        Este modelo de respuesta puede elegirse para crear una pregunta donde el estudiante tenga que relacionar elementosdesde una unidad U1 a otra unidad U2.

        También se puede usar para pedir a los estudiantes que seleccionen los elementos en un cierto orden.

        Primero defina las opciones entre las que los estudiantes podrán seleccionar la respuesta correcta. Despuésdefina las preguntas que tendrán que ir relacionadas con una de las opciones definidas previamente. Por último,relacione, mediante el menú desplegable elementos de la primera unidad que se relacionen con la segunda.

        Atención : Varios elementos de la primera unidad pueden referirse al mismo elemento en la segunda unidad.

        Otorgue un peso a cada relación correcta, y guarde su respuesta.


        Modificación de Ejercicios

        Para modificar un ejercicio, siga los mismos pasos que hizo para crearlo. Sólo pulse en la imagen al lado del ejercicio que quieremodificar y siga las instrucciones de anteriores.


        Borrar Ejercicios

        Para borrar un ejercicio, pulse en la imagen al lado del ejercicio que quiera borrar.


        Activar Ejercicios

        Para que los alumnos puedan hacer un ejercicio, Vd. tiene que activarlo pulsando en la imagen al lado del ejercicio que quiere activar.


        Probar un Ejercicio

        Vd. puede probar su ejercicio pulsando sobre el nombre del ejercicio en la lista de ejercicios.


        Ejercicios Aleatorios

        En el momento en que se crea / modifica un ejercicio, puede especificar si quiere que las preguntas aparezcanen orden aleatorio de entre todas las introducidas en ese ejercicio.

        Eso significa que, si Vd. activa esta opción, las preguntas aparecerán en un orden diferente cada vez quelos estudiantes pulsen sobre el ejercicio.

        Si Vd. tiene un número elevado de preguntas, también puede hacer que aparezcan sólo X preguntasde entre todas las preguntas disponibles para ese ejercicio.


        Banco de preguntas

        Cuando borra un ejercicio, las preguntas no se eliminan de la base de datos, y pueden ser utilizadas en un nuevo ejercicio, mediante el 'Banco de preguntas'.

        El Banco de preguntas permite reutilizar las mismas preguntas en varios ejercicios.

        Por defecto, se muestran todas las preguntas de su curso. Vd. puede mostrar las preguntas relacionadas con un ejercicio eligiendo éste del menú desplegable \"Filtro\".

        Las preguntas huérfanas son preguntas que no pertenecen a ningún ejercicio.


        Ejercicios HotPotatoes

        La herramienta 'Ejercicios', también le permite importar ejercicios Hotpotatoes a su portal Chamilo. Los resultados de estos ejercicios se almacenarán de la misma manera que lo hacen los ejercicios de Chamilo. Puede explorar los resultados mediante el Seguimiento de usuarios. En caso de un solo ejercicio, se recomienda utilizar el formato HTML o HTM, pero si el ejercicio contiene imágenes el envío de un archivo ZIP será lo más conveniente.

        Nota: También, puede agregar los ejercicios de HotPotatoes como un paso en una Lección.

        Método de importación

        • Seleccione el archivo de su ordenador usando el botón situado a la derecha de su pantalla.
        • Trasnfiéralo a la plataforma mediante el botón .
        • Si quiere abrir el ejercicio bastará con que haga clic sobre su nombre.

        Direcciones útiles
        "; -$PathContent = "La herramienta 'Lecciones' tiene dos funciones:
        • Crear una lección con recursos del propio curso
        • Importar un contenido externo con formato SCORM o IMS

        ¿Qué es una lección?

        Una lección es una secuencia de etapas de aprendizaje que se estructuran en módulos.La secuencia se puede organizar en función de conceptos, resultando un 'Indice o tabla de materias', o bien estar basada en actividades, en cuyo caso resultará una 'Agenda de actividades'. De ambas formas se pueden adquirir conceptos y habilidades. Los sucesivos módulos de la lección se podrán llamar 'capítulos', 'semanas', 'módulos', 'secuencias', 'elementos', o de cualquier otra forma que responda a la naturaleza de su escenario pedagógico.

        Además de la estructura modular, una lección puede estar secuenciado. Esto significa que determinados conceptos o actividades constituyen prerrequisitos para otros ('No se puede pasar a la segunda etapa antes de haber acabado la primera'), esta es secuencia no es una sugerencia sino que obliga a la persona que realiza la actividad a seguir las etapas en un orden determinado

        ¿Cómo crear su propia lección?

        En la sección 'Lecciones' puede crear tantas como considere necesarias. Para crear uno debe seguir los siguientes pasos:

        1. Haga clic sobre 'Crear una Lección'.Déle un título y opcionalmente una descripción.
        2. Pulse sobre nombre de la lección que ha creado y añádale el módulo que contendrá las distintas etapas. Déle un título y opcionalmente una descripción.
        3. Pulse sobre el signo más situado dentro del cuadrado en la columna 'Añadir elemento', para incorporar los recursos que constituirán los elementos dentro de este módulo. Estos recursos, podrán ser internos: material con que cuenta el sitio web de la actividad (documentos, actividades, foros trabajos, etc.), o externos (una dirección de Internet).
        4. Cuando acabe, haga clic en 'Ok' para volver al constructor de lecciones, allí podrá completar si lo desea otros módulos y ver el resultado haciendo clic en 'Vista de usuario'.

        Después parametrice más sus lecciones:

        • Si es necesario, renombre cada uno de los recursos añadidos e incorpórele una descripción, con el fin de constituir un auténtico 'Indice de contenidos'. El título del documento original no cambiará realmente, aunque será presentado con el nuevo. Por ej., se puede renombrar el documento 'examen1.doc' con el nombre 'Examen de la Primera Evaluación.'
        • Cambie el orden de presentación de los módulos y de los recursos en función del escenario pedagógico de la actividad, mediante los iconos en forma de triángulo normal e invertido.
        • Establezca prerrequisitos: con la ayuda del icono de la columna 'Añadir prerrequisitos', defina los módulos o recursos que deben consultarse previamente (cada módulo o recurso mostrará los que le antecedan en la secuencia para seleccionarlos o no, como elementos obligatorios previos). Por ej., las personas que realizan la actividad no pueden realizar el test 2 hasta que no hayan leído el Documento 1. Todas los pasos, sean módulos o recursos (elementos), tienen un estatus: completo o incompleto, de forma que la progresión de los usuarios es fácilmente apreciable.
        • Cuando termine, no olvide comprobar todos los pasos en la 'Vista de estudiante', donde aparece la tabla de contenidos a la izquierda y los pasos de la lección a la derecha.
        • Si hace visible una lección, aparecerá como una nueva herramienta en la página inicial del curso.

        Es importante comprender que una lección es algo más que el desarrollo de una materia: es una secuencia a través del conocimiento que potencialmente incluye pruebas, tiempos de discusión, evaluación, experimentación, publicación, ... Es por ello, por lo que la herramienta de Lecciones constituye una especie de metaherramienta que permite utilizar el resto de las herramientas para secuenciarlas:

        • Eventos de la agenda
        • Documentos de toda naturaleza (html, imágenes, Word, PowerPoint,...).
        • Anuncios
        • Foros
        • Un tema concreto de un foro
        • Mensajes individuales de los foros
        • Enlaces
        • Ejercicios tipo test (no olvide hacerlos visibles con la utilidad de ejercicios)
        • Trabajos
        • Baúl de tareas (para compartir ficheros, ...)
        • Enlaces externos a Chamilo

        ¿ Qué es una lección SCORM o IMS y cómo se importa ?

        La herramienta Lecciones también permite importar contenidosde cursos en formato SCORM e IMS.

        SCORM (Sharable Content Object Reference Model) es un estándar públicoque siguen los principales creadores de contenidos de e-Learning: NETg, Macromedia, Microsoft, Skillsoft, etc. Este estándar actúa en tres niveles:

        • Económico : SCORM permite que cursos completos o pequeñas unidades decontenido se puedan reutilizar en diferentes LMS (Learning Management Systems), gracias a la separación del contenido y el contexto,
        • Pedagógico : SCORM integra la noción de prerrequisitoso secuenciación (p.ej. 'No puedes ir al capítulo2 antes de pasar el test 1'),
        • Tecnológico : SCORM genera una tabla de materias independiente tanto del contenido como del LMS. Esto permite comunicar contenidos y LMS para salvaguardar entre otros: la progresión del aprendizaje ('¿ A qué capítulo del curso ha llegado María ?'), la puntuación ('¿ Cuál es el resultado de Juan en el Test 1 ?') y el tiempo ('¿Cuánto tiempo ha pasado Juan en el Capítulo 4 ?').

        ¿ Cómo puedo crear una lección compatible con SCORM ?

        La forma más natural es utilizar el constructor de lecciones de Chamilo.Ahora bien, si quiere crear webs totalmente compatibles con SCORM en su propioordenador y luego enviarlas a la plataforma Chamilo, le recomendamos el uso de unprograma externo, como por ejemplo: Lectora® o Reload®

        Enlaces de interés

        • Adlnet : Autoridad responsable de la normalización del estándard SCORM, http://www.adlnet.org
        • Reload : Un editor y visualizador SCORM gratuito y de código libre, http://www.reload.ac.uk
        • Lectora : Un software para publicar y crear contenido SCORM, http://www.trivantis.com

        Nota :

        La sección Lecciones muestra, por un lado todas las lecciones creadas en Chamiloy por otro, todas las lecciones en formato SCORM que hayan sido importados.Es más que recomendable que coloque cada lección en una carpeta distinta.

        "; -$DescriptionContent = "

        Esta herramienta le ayudará a describir su curso de una forma sintética. Esta descripción dará los estudiantes una idea de lo que pueden esperar del curso.Así mismo, a Vd. le puede ayudar a repensar el escenario educativo propuesto.

        Para facilitar la creación de la descripción, ésta se realiza mediante formularios. Como sugerencia se proporciona una lista de encabezados para los distintos apartados de la descripción; pero si quiere crear su propia descripción con apartados con distinto nombre, escoja la opción 'Apartado personalizado' y ponga Vd. el título. Repitiendo la operación, podrá añadir tantos apartados adicionales como desee.

        Para realizar la descripción del curso, haga clic sobre el botón 'Crear o editar el programa del curso'; luego despliegue el menú, seleccione el apartado que desee y pulse el botón 'añadir'. Seguidamente el título del apartado aparecerá sobre un formulario, que tras rellenarlo, podrá guardar pulsando en el botón Ok. En todo momento será posible borrar o modificar un apartado haciendo clic respectivamente sobre los iconos en forma de lápiz o cruz roja.

        "; -$LinksContent = "

        Esta herramienta permite a los profesores ofrecer una biblioteca de recursos a sus estudiantes

        Si la lista de enlaces es muy larga, puede ser útil organizarlos en categorías para facilitar la búsqueda de información. También puede modificar cada enlace y reasignarloa una nueva categoría que haya creado. Tenga en cuenta que si borra una categoría también borrará todos los enlaces que contenga.

        El campo descripción puede utilizarse para dar información adicionalsobre el contenido del enlace, pero también para describir lo que el profesor esperaque hagan u obtengan los estudiantes a través de dicho enlace.Si por ejemplo, si apunta hacia una página sobre Aristóteles, en el campo descripciónpuede pedir al estudiante que estudie la diferencia entre síntesis y análisis.

        Finalmente, es una buena práctica revisar de cuando en cuando los enlaces para ver si siguen activos.

        "; -$MycoursesContent = "

        Una vez identificado en la plataforma, se encuentra en su área de usuario

        • Menú de cabecera
          • Apellidos y Nombre
          • Mis cursos: recarga su área de usuario y muestra todas las actividades en la que Vd. está inscrito. Si en el área de usuario no aparece listada ninguna actividad es debido a que no está inscrito en ninguna. Tenga en cuenta que su nombre de usuario y clave le dan acceso a la plataforma, pero necesariamente lo inscriben en un curso. Para inscribirse en un curso debe solicitarlo al administrador del mismo. En algunos cursos puede estar permitido que sean los propios usuarios quienes se inscriban.
          • Mi perfil: según esté configurado podrá cambiar algunos datos, incluir una foto, etc. Acoge un portafolios electrónico. También podrá acceder a sus estadísticas en la plataforma.
          • Mi agenda: contiene los acontecimientos de todos los cursos en los que está inscrito.
          • Administración de la plataforma (sólo para el administrador)
          • Salir : pulse aquí para salir de su área de usuario y volver a la página principal de la plataforma.
        • Cuerpo central
          • Mis cursos. Aparecen desplegados los enlaces de los cursos en los que está inscrito.
            • Para entrar en los cursos haga clic sobre su título. El aspecto del sitio web del curso al que llegue puede variar en función de las prestaciones que el administrador del curso haya habilitado y en función de que seamos usuarios o responsables del mismo.
            • Debajo de cada enlace, según la configuración, puede aparecer el código de la actividad y el nombre de la persona responsable del curso.
            • En algunos casos, los enlaces de los cursos aparecerán acompañados de varios iconos que nos avisarán de los cambios que se hayan producido en alguna de sus herramientas desde la última vez que lo visitamos (novedades en la agenda, documentos, enlaces, tablón de anuncios, un tema nuevo en un foro, nuevos ejercicios)
        • Menú vertical de la derecha
          • Lista desplegable de selección de idioma: permite seleccionar el idioma que deseamos para el área de usuario.
          • Menú de usuario
            • Crear el sitio web de un curso (sólo para profesorado si la opción está habilitada)
            • Administrar mis cursos: permite ordenar los cursos en los que se está inscrito adscribiéndolos a categorías. También posibilita, en su caso, inscribirse y anular una inscripción.
          • Menú General
            • Foro de soporte: acceso a los foros del sitio web de Chamilo.
            • Documentación: acceso a la documentación complementaria del sitio web de Chamilo.
          • Administrador de la plataforma (sólo para el administrador)
        • \t\t\t
        "; -$AgendaContent = "

        La agenda es una herramienta que en cada curso ofrece una visión resumida de las actividades propuestas. Esta herramienta también es accesible en la barra superior mediante la opción 'Mi agenda', aunque aquí ofrece una síntesis de todos los eventos relativos a todos los cursos en los que el usuario está inscrito. Esta segunda funcionalidad siempre estará disponible.

        Cuando en un curso accedemos a la herramienta 'Agenda' se mostrará una lista de acontecimientos. Puede vincular no sólo un texto a una fecha, sino también múltiples recursos: eventos de la agenda, documentos, anuncios, mensajes de un foro, ejercicios, enlaces,... De esta forma, la agenda se convierte en el programa cronológico de las actividades de aprendizaje de sus estudiantes.

        Además, el sistema informará a los usuarios de todas las novedades que se hayan producido desde su última visita a la plataforma. En el listado 'Mis cursos' de la página de entrada de cada usuario se incorporará al título de cada curso el icono de la herramienta en que se produce la novedad. Tras visitar la herramienta, el icono desaparecerá.

        Si quiere ir más lejos en la lógica de la estructura de las actividades de aprendizaje, le sugerimos que utilice la herramienta 'Lecciones' que ofrece los mismos principios pero con características más avanzadas. Una lección se puede considerar como una síntesis entre una tabla de contenidos, una agenda, una secuenciación (orden impuesto) y unseguimiento.

        "; -$AnnouncementsContent = "

        La herramienta Tablón de anuncios permite a los profesores colocar mensajes en el tablón de anuncios del curso. Puede avisar a sus miembros de la colocación de un nuevo documento, de la proximidad de la fecha para enviar los trabajos, o de que alguien ha realizado un trabajo de especial calidad. Cada miembro verá esta novedad cuando entre en su área de usuario.

        La lista de distribución. Los anuncios además de ser publicados en el tablón pueden ser enviados automáticamente por correo electrónico si se marca la casilla correspondiente. Si sólo desea utilizar la lista, bastará con que tras enviarlo, borre el anuncio del tablón.

        Además de enviar un correo a todos los miembros, Vd. puede enviarlo a una o varias personas, o a uno o varios grupos que haya formado en el curso. Una vez pulsada la opción, use CTRL+clic para seleccionar varios elementos en el menú de izquierda y después haga clic sobre el botón que apunta a la derecha para enviarlos a la otra lista. Finalmente, escriba su mensaje en el campo inferior de la página y pulse el botón Enviar. Esta utilidad, si es usada con moderación, permite recuperar a miembros que hayan abandonado antes de finalizar.

        "; -$ChatContent = "

        La herramienta 'Chat' le permite charlar en vivo con varios miembros del curso.

        Este chat no es igual que el usado por programas como MSN® o Yahoo Messenger®, pues al estar basado en la Web, tarda unos segundos en restaurarse. Sin embargo, tiene la ventaja de estar integrado en el curso, de poder archivar sus charlas en la sección documentos y de no requerir que los usuarios tengan instalado ningún software especial.

        Si los usuarios incluyen sus fotografías en su portafolios electrónico (opción 'Mi perfil' de la barra de menú superior del sitio web), esta aparecerá junto a sus mensajes para ayudar a identificarlos.

        El chat es una herramienta de comunicación sincrónica que permite a varios usuarios intervenir en tiempo real. Cuando los usuarios son dos o tres no hay problema en la interacción, pero cuando éstos son muchos los mensajes pueden sucederse vertiginosamente y se puede llegar a perderse el hilo de la discusión. Al igual que en un aula física, en estos casos es necesario un moderador.Este chat basado en la web no ofrece al profesor unas herramientas especiales de moderación, salvo la de suprimir todos los mensajes en pantalla mediante la opción \"Borrar la lista de mensajes\". Esto se realiza cuando el profesor quiere borrar todos los mensajes de la pantalla y comenzar de nuevo una conversación.

        También, los usuarios disponen de una casilla para marcar preguntas importantes, aunque no se debe abusar de ella.

        Importancia pedagógica

        No siempre es necesario proporcionar un espacio de charla en un curso. Sin embargo, si la idea es fomentar la participación, ésta herramienta puede ayudar. Por ejemplo, habitualmente puede ocultar la herramienta de Chat, haciéndola visible en ciertas épocas en que usted tenga una reunión concertada con el resto de los miembros para contestar a sus preguntas en vivo. De esta manera, los estudiantes tendrán la garantía de poder tener varios interlocutores en ese momento.

        El chat se puede usar combinado con otras herramientas o documentos de nuestro sitio web, que hayamos abierto en otra ventana (clic derecho del ratón sobre el enlace del documento o herramienta y seleccionar abrir en una nueva ventana); de esta forma podemos por ej., ir explicando en el chat determinados documentos que hayamos subido a la plataforma.

        Todas las sesiones del chat son guardadas automáticamente y podrán ser visualizadas por los usuarios del curso si así lo desea el administrador del mismo. Aunque muchas veces las sesiones en el chat pueden ser triviales, en otras pueden ser realmente interesantes y dignas de ser incorporadas como un documento más de trabajo.

        "; -$WorkContent = "

        La herramienta 'Publicaciones de los estudiantes' permite a los usuarios publicar documentos en el sitio web del curso. Puede servir para recoger informes individuales o colectivos, recibir respuestas a cuestiones abiertas o para recepcionar cualquier otra forma de documento (si se envían documentos HTML, estos no pueden contener imágenes, pues la plataforma no encontrará los enlaces y las imágenes no se verán). Si este fuera el caso, pueden enviarse en un archivo comprimido para que el profesor los descargue y los visualice en su escritorio, para luego si lo estima oportuno colocarlos en la sección documentos. En cualquier caso, recuerde que cuando realice un enlace entre varios archivos, éste debe ser relativo, no absoluto.

        Muchos formadores ocultan la herramienta 'Publicaciones de los estudiantes' hasta la fecha en que deban ser enviados los documentos. Otra posibilidad es apuntar a esta herramienta mediante un enlace colocado después del texto de introducción de la actividad o la agenda. La herramienta 'Publicaciones de los estudiantes' dispone también de un texto de introducción que le podrá servir para formular una pregunta abierta, para precisar las instrucciones para la remisión de documentos o para cualquier otra información. La edición se realizará mediante el editor web de la plataforma cuyo uso puede ver en la Ayuda de la sección 'Documentos'. Para insertar imágenes en la introducción bastará que Vd. sepa la URL donde se ubica la imagen, ello lo puede conseguir subiendo una imagen a la zona de trabajos y tras pulsar sobre ella, copiando su URL del navegador. Esta URL será la que peguemos cuando ya dentro del editor nos sea solicitada al intentar insertar una imagen.

        Dependiendo de su escenario pedagógico, Vd. puede decidir si todos los usuarios podrán ver todos los documentos o si sólo serán visibles para el usuario que los envió y para Vd. que lo ha recibido como profesor. En el primer caso serán también visibles para cualquier usuario (anónimo o no) desde la página principal de la plataforma y sin necesidad de registrarse (siempre que el curso sea público).

        La opción de visualizar u ocultar los documentos puede establecerse por defecto para los documentos que se reciban en el futuro, aunque para los documentos ya recibidos tendrá que cambiar su estado manualmente, haciendo clic sobre el ojo abierto (para todos los ya publicados, o sólo para algunos que seleccionemos entre ellos).

        Los trabajos serán siempre públicos tanto para el que los recibe como para el que los envía. Si los trabajos se hacen públicos, dispondrá de un área en la que podrá invitar a los participantes a comentar mutuamente sus producciones según el escenario y los criterios eventualmente formulados en el texto de introducción. Si los trabajos se catalogan como privados, nos encontraremos ante un recipiente con la correspondencia entre el formador y el estudiante.

        "; -$TrackingContent = "

        La herramienta 'Estadísticas' le ayuda a realizar un seguimiento de la evolución de los usuario del curso. Este se puede realizar a dos niveles:

        • Global: Número y porcentaje temporal de conexiones al curso, herramientas más usadas, documentos descargados, enlaces visitados, participantes en las lecciones SCORM ?
        • Nominal: Permite un seguimiento individualizado. Se realiza desde la herramienta 'Usuarios'. ¿ Cuándo han entrado en la actividad ?, ¿ qué herramientas han visitado ?, ¿ qué puntuaciones han obtenido en los ejercicios ?, ¿ qué publicaciones han realizado en el sito web del curso, y en qué fecha ?, ¿qué documentos han descargado ?, ¿ qué enlaces han visitado ?, ¿ cuánto tiempo han dedicado a cada capítulo de una lección SCORM ?
        "; -$HSettings = "Ayuda: Configuración del curso"; -$SettingsContent = "

        Esta herramienta le permite gestionar los parámetros de su curso: Título, código, idioma, nombre de los profesores, etc.

        Las opciones situadas en el centro de la página se ocupan de parametrizar la confidencialidad: ¿ es un curso público o privado ? ¿ Pueden los propios estudiantes realizar su inscripción ? Vd. puede usar estos parámetros dinámicamente: habilitar durante una semana la opción de que los propios estudiantes se puedan inscribir > pedir a sus estudiantes que realicen esta inscripción > deshabilitar la opción de que los estudiantes puedan inscribirse por sí mismos > eliminar los posibles intrusos en la lista de usuarios. De esta forma Vd. mantiene el control de quien finalmente será miembro del curso, pero no tendrá que inscribirlos uno a uno.

        En el pie de la página tiene la opción de suprimir el sitio web del curso. Le recomendamos que previamente realice una copia de seguridad del mismo a través de la herramienta del mismo nombre que se encuentra en la página principal del curso.

        "; -$HExternal = "Ayuda: Añadir un enlace externo"; -$ExternalContent = "

        Chamilo tiene una estructura modular. Nos permite mostrar u ocultar las herramientas, en función del diseño inicial de nuestro proyecto pedagógico o a lo largo de sus diferentes fases cronológicas. En esta línea, la plataforma también permite añadir directamente enlaces en la página principal del sitio web de su curso. Estos enlaces pueden ser de dos tipos:

        • Enlaces externos : cuando apuntan a otros lugares de Internet. Escriba la URL correspondiente. En este caso, lo ideal es elegir que se abran en una nueva ventana.
        • Enlaces internos : apuntan a cualquier página o herramienta situada en el interior de su actividad. Para ello, vaya a esa página o herramienta y copie su URL (CTRL+C), vuelva a la herramienta Añadir un enlace a la página principal, pegue la URL (CTRL+V), y póngale nombre. En este caso, el destino preferible para su apertura es la misma ventana.
        "; -$ClarContent3 = "

        Teoría Educativa

        Para los profesores, preparar un curso en Internet es principalmente una cuestión deTeoría Educativa."; -$ClarContent4 = "están a su disposición para ayudarle durantelos pasos de la evolución de su proyecto de formación: desde eldiseño de las herramientas a su integración en una estrategia coherentey clara con una evaluación de su impacto en el aprendizaje de los estudiantes.

        "; -$ClarContent1 = "Borrar el contenido"; -$ClarContent2 = "Borrar el contenido"; -$HGroups = "Ayuda: Grupos"; -$GroupsContent = "

        Esta herramienta le permite crear áreas para grupos de estudiantes y asignarles dos herramientas de colaboración: un foro de debate y una sección de documentación común donde pueden compartir, subir y organizar sus propios archivos (independiente del módulo Documentos, exclusivo para profesores y tutores). El área de documentos es privada, y el foro puede ser
        público o privado.

        Esta puede ser una opción muy útil para tener secciones privadas de documentación y discusión para subgrupos de participantes en su curso. (Incluso podría hacer que cada estudiante tuviese su “area de documentos” privada mediante esta herramienta, creando tantos grupos como estudiantes y asignándoles un área de documentos privada a cada grupo.)

        "; -$Guide = "Manual"; -$YouShouldWriteAMessage = "Escribir un mensaje"; -$MessageOfNewCourseToAdmin = "Este mensaje es para informarle de que ha sido creado un nuevo curso en la plataforma"; -$NewCourseCreatedIn = "Nuevo curso creado en"; -$ExplicationTrainers = "Por ahora, Ud está definido como profesor. Podrá cambiar el profesor en la página de configuración del curso"; -$InstallationLanguage = "Idioma de instalación"; -$ReadThoroughly = "Lea con atención"; -$WarningExistingLMSInstallationDetected = "¡ Atención !
        El instalador ha detectado una instalación anterior de Chamilo en su sistema."; -$NewInstallation = "Nueva instalación"; -$CheckDatabaseConnection = "Comprobar la conexión con la base de datos"; -$PrintOverview = "Sumario de la instalación"; -$Installing = "Instalar"; -$of = "de"; -$MoreDetails = "Para más detalles"; -$ServerRequirements = "Requisitos del servidor"; -$ServerRequirementsInfo = "Bibliotecas y funcionalidades que el servidor debe proporcionar para poder utilizar Chamilo con todas sus posibilidades."; -$PHPVersion = "Versión PHP"; -$support = "disponible"; -$PHPVersionOK = "Su versión PHP es suficiente:"; -$RecommendedSettings = "Parámetros recomendados"; -$RecommendedSettingsInfo = "Parámetros recomendados para la configuración de su servidor. Estos parámetros deben establecerse en el fichero de configuración php.ini de su servidor."; -$Actual = "Actual"; -$DirectoryAndFilePermissions = "Permisos de directorios y ficheros"; -$DirectoryAndFilePermissionsInfo = "Algunos directorios y los ficheros que contienen deben tener habilitados los permisos de escritura en el servidor web para que Chamilo pueda funcionar (envío de ficheros por parte de los estudiantes, ficheros html de la página principal,...). Esto puede suponer un cambio manual en su servidor (debe realizarse fuera de este interfaz)."; -$NotWritable = "Escritura no permitida"; -$Writable = "Escritura permitida"; -$ExtensionLDAPNotAvailable = "Extensión LDAP no disponible"; -$ExtensionGDNotAvailable = "Extensión GD no disponible"; -$LMSLicenseInfo = "Chamilo es software libre distribuido bajo GNU General Public licence (GPL)"; -$IAccept = "Acepto"; -$ConfigSettingsInfo = "Los siguientes valores se grabarán en su archivo de configuración main/inc/conf/configuration.php:"; -$GoToYourNewlyCreatedPortal = "Ir a la plataforma que acaba de crear."; -$FirstUseTip = "Cuando entra en su plataforma por primera vez, la mejor manera de entenderla es registrarse con la opción 'Profesor (crear un curso)' y seguir las instrucciones."; -$Version_ = "Versión"; -$UpdateFromLMSVersion = "Actualización de Chamilo"; -$PleaseSelectInstallationProcessLanguage = "Por favor, seleccione el idioma que desea utilizar durante la instalación"; -$AsciiSvgComment = "Activar el plugin AsciiSVG en el editor WYSIWYG para dibujar diágramas a partir de funciones matemáticas."; -$HereAreTheValuesYouEntered = "Éstos son los valores que ha introducido"; -$PrintThisPageToRememberPassAndOthers = "Imprima esta página para recordar su contraseña y otras configuraciones"; -$TheInstallScriptWillEraseAllTables = "El programa de instalación borrará todas las tablas de las bases de datos seleccionadas. Le recomendamos encarecidamente que realice una copia de seguridad completa de todas ellas antes de confirmar este último paso de la instalación."; -$Published = "Publicado"; -$ReadWarningBelow = "lea la advertencia inferior"; -$SecurityAdvice = "Aviso de seguridad"; -$YouHaveMoreThanXCourses = "¡ Tiene más de %d cursos en su plataforma Chamilo ! Sólamente se han actualizado los cursos de %d. Para actualizar los otros cursos, %s haga clic aquí %s"; -$ToProtectYourSiteMakeXAndYReadOnly = "Para proteger su sitio, configure %s y %s como archivos de sólo lectura (CHMOD 444)."; -$HasNotBeenFound = "no ha sido encontrado"; -$PleaseGoBackToStep1 = "Por favor, vuelva al Paso 1"; -$HasNotBeenFoundInThatDir = "no ha sido encontrado en este directorio"; -$OldVersionRootPath = "path raíz de la versión antigua"; -$NoWritePermissionPleaseReadInstallGuide = "Algunos archivos o directorios no tienen permiso de escritura. Para poder instalar Chamilo primero debe cambiar sus permisos (use CHMOD). Por favor, lea la Guía %s de Instalación %s"; -$DBServerDoesntWorkOrLoginPassIsWrong = "El servidor de base de datos no funciona o la identificación / clave es incorrecta"; -$PleaseGoBackToStep = "Por favor, vuelva al Paso"; -$DBSettingUpgradeIntro = "El programa de actualización recuperará y actualizará las bases de datos de Chamilo. Para realizar esto, el programa utilizará las bases de datos y la configuración definidas debajo. ¡ Debido a que nuestro software funciona en una amplia gama de sistemas y no ha sido posible probarlo en todos, le recomendamos encarecidamente que realice una copia completa de sus bases de datos antes de proceder a la actualización !"; -$ExtensionMBStringNotAvailable = "Extensión MBString no disponible"; -$ExtensionMySQLNotAvailable = "Extensión MySQL no disponible"; -$LMSMediaLicense = "Las imágenes y las galerías de medios de Chamilo utilizan imágenes e iconos de Nuvola, Crystal Clear y Tango. Otras imágenes y medios, como diagramas y animaciones flash, se han tomado prestadas de Wikimedia y de los cursos de Ali Pakdel y de Denis Hoa con su consentimiento y publicadas bajo licencia BY-SA Creative Commons. Puede encontrar los detalles de la licencia en la web de CC, donde un enlace al pie de la página le dará acceso al texto completo de la licencia."; -$OptionalParameters = "Parámetros opcionales"; -$FailedConectionDatabase = "La conexión con la base de datos ha fallado. Puede que el nombre de usuario, la contraseña o el prefijo de la base de datos sean incorrectos. Por favor, revise estos datos y vuelva a intentarlo."; -$UpgradeFromLMS16x = "Actualizar desde Chamilo 1.6.x"; -$UpgradeFromLMS18x = "Actualizar desde Chamilo 1.8.x"; -$GroupPendingInvitations = "Invitaciones pendientes de grupo"; -$Compose = "Redactar"; -$BabyOrange = "Niños naranja"; -$BlueLagoon = "Laguna azul"; -$CoolBlue = "Azul fresco"; -$Corporate = "Corporativo"; -$CosmicCampus = "Campus cósmico"; -$DeliciousBordeaux = "Delicioso burdeos"; -$EmpireGreen = "Verde imperial"; -$FruityOrange = "Naranja afrutado"; -$Medical = "Médica"; -$RoyalPurple = "Púrpura real"; -$SilverLine = "Línea plateada"; -$SoberBrown = "Marrón sobrio"; -$SteelGrey = "Gris acero"; -$TastyOlive = "Sabor oliva"; -$QuestionsOverallReportDetail = "En este informe se ven los resultados de todas las preguntas."; -$QuestionsOverallReport = "Informe general de preguntas"; -$NameOfLang['bosnian'] = "bosnio"; -$NameOfLang['czech'] = "checo"; -$NameOfLang['dari'] = "dari"; -$NameOfLang['dutch_corporate'] = "holandés corporativo"; -$NameOfLang['english_org'] = "inglés para organizaciones"; -$NameOfLang['friulian'] = "friulano"; -$NameOfLang['georgian'] = "georgiano"; -$NameOfLang['hebrew'] = "hebreo"; -$NameOfLang['korean'] = "coreano"; -$NameOfLang['latvian'] = "letón"; -$NameOfLang['lithuanian'] = "lituano"; -$NameOfLang['macedonian'] = "macedonio"; -$NameOfLang['norwegian'] = "noruego"; -$NameOfLang['pashto'] = "pastún"; -$NameOfLang['persian'] = "persa"; -$NameOfLang['quechua_cusco'] = "quechua de Cusco"; -$NameOfLang['romanian'] = "rumano"; -$NameOfLang['serbian'] = "serbio"; -$NameOfLang['slovak'] = "eslovaco"; -$NameOfLang['swahili'] = "swahili"; -$NameOfLang['trad_chinese'] = "chino tradicional"; -$ChamiloInstallation = "Instalación de Chamilo"; -$PendingInvitations = "Invitaciones pendientes"; -$SessionData = "Datos de la sesión"; -$SelectFieldToAdd = "Seleccionar un campo del perfil de usuario"; -$MoveElement = "Mover elemento"; -$ShowGlossaryInExtraToolsTitle = "Muestra los términos del glosario en las herramientas lecciones(scorm) y ejercicios"; -$ShowGlossaryInExtraToolsComment = "Desde aquí usted puede configurar como añadir los términos del glosario en herramientas como lecciones(scorm) y ejercicios"; -$HSurvey = "Ayuda: Encuestas"; -$SurveyContent = "

        La herramienta Encuestas le permitirá obtener la opinión de los usuarios sobre determinados temas; por ejemplo, siempre será importante saber la opinión de los estudiantes sobre el curso.

        Creación de una Nueva Encuesta

        Haga clic en \"Crear una encuesta\" y rellene los campos \"Código de la encuesta\" y \"Título de la encuesta\". Con la ayuda del calendario puede controlar la duración de su encuesta. No es necesario mantenerla durante todo el año, puede ser suficiente que se vea tan sólo durante algunos días del curso. Completar los campos \"Introducción de la encuesta\" y \"Agradecimientos\" esto es una buena practica, pues hará que su Encuesta sea más clara y afectiva.

        Añadiendo preguntas a una encuesta

        Una vez creada la encuesta, deberá crear las preguntas. La herramienta \"Encuestas\" tiene predefinidos diferentes tipos de preguntas: Si/No, Elección múltiple, Respuesta múltiple, Respuesta abierta, Porcentaje.... Entre estos tipos podrá seleccionar los que más se ajusten a sus necesidades.

        Previsualizando la encuesta

        Una vez creadas las preguntas, Vd. tiene la opción de previsualizar la encuesta y verla tal como los estudiantes la verán. Para ello, haga clic en \"Vista preliminar\" (icono de un documento con una lupa).

        Publicando la encuesta

        Si está satisfecho con su encuesta y no necesita realizar ningún otro cambio; haga clic en \"Publicar encuesta\" (ícono de un sobre con una flecha verde) para poder enviar su encuesta a un grupo de usuarios. Se mostrarán dos listas una (la de la izquierda) con los usuarios del curso y la otra con la lista de usuarios a los que se les enviará la encuesta. Seleccione los usuarios que desee que aparezcan en la nueva lista con el botón \">>\". Luego, complete los campos \"Asunto del correo\" y \"Texto del correo\".

        Los usuarios seleccionados recibirán un correo electrónico con el asunto y texto que ha introducido, así como un enlace que tendrán que pulsar para completar la encuesta. Si desea introducir este enlace en algún lugar del texto del correo, debe introducir lo siguiente: ** enlace ** (asterisco asterisco enlace asterisco asterisco). Esta etiqueta será sustituida automáticamente por el enlace. Si no añade este ** enlace **, éste será incorporado automáticamente al final del correo.

        Por último, la herramienta de Encuestas permite enviar un email a todos los usuarios seleccionados si habilita la opción \"Enviar correo\" si no lo habilita los usuarios podrán ver la encuesta al entrar al sistema en la herramienta \"Encuestas\" siempre y cuando se encuentre accesible.

        Informes de la encuesta

        Analizar las encuestas es un proceso tedioso. Los \"Informes\" de las encuestas le ayudarán a ver la información por pregunta y por usuario, así como comparar dos preguntas o un completo informe de toda la encuesta. En la \"Lista de Encuestas\" haga clic en \"Informes\" (ícono de un gráfico circular).

        Administrando las encuestas

        Existen las opciones de \"Editar\" y \"Eliminar\" en la columna \"Modificar\" de la \"Lista de encuestas\"

        "; -$HBlogs = "Ayuda Blogs"; -$BlogsContent = "

        Blogs (abreviatura de Web Logs = Bitácoras Web) se usan aquí como una herramienta que permite a los estudiantes contribuir a la historia del curso, haciendo informes de lo que va ocurriendo y de cómo esto les afecta a ellos o al curso.

        Recomendamos usar los blogs en un entorno semicontrolado donde se asigna a determinados usuarios que presenten un informe diario o semanal de la actividad.

        También se ha añadido a la herramienta blogs una utilidad de tareas, esto permite asignar una tarea a determinados usuarios del blog (por ejemplo: Realizar un informe sobre la visita del lunes al Museo de Cencias Naturales).

        Cada nuevo contenido en esta herramienta se denomina artículo. Para crear un artículo sólo hay que pulsar el enlace que invita a hacerlo en el menú. Para editarlo (si Vd. es el autor) o añadir un comentario a un artículo, sólo habrá que hacer clic sobre el título del mismo.

        "; -$FirstSlide = "Primera diapositiva"; -$LastSlide = "Última diapositiva"; -$TheDocumentHasBeenDeleted = "El documento ha sido borrado."; -$YouAreNotAllowedToDeleteThisDocument = "Usted no está autorizado para eliminar este documento"; -$AdditionalProfileField = "Añadir un campo del perfil de usuario"; -$ExportCourses = "Exportar cursos"; -$IsAdministrator = "Administrador"; -$IsNotAdministrator = "No es administrador"; -$AddTimeLimit = "Añadir límite de tiempo"; -$EditTimeLimit = "Editar límite de tiempo"; -$TheTimeLimitsAreReferential = "El plazo de una categoría es referencial, no afectará a los límites de una sesión de formación"; -$FieldTypeTag = "User tag"; -$SendEmailToAdminTitle = "Aviso por correo electrónico, de la creación de un nuevo curso"; -$SendEmailToAdminComment = "Enviar un correo electrónico al administrador de la plataforma, cada vez que un profesor cree un nuevo curso"; -$UserTag = "Etiqueta de usuario"; -$SelectSession = "Seleccionar sesión"; -$SpecialCourse = "Curso especial"; -$DurationInWords = "Duración en texto"; -$UploadCorrection = "Subir corrección"; -$MathASCIImathMLTitle = "Editor matemático ASCIIMathML"; -$MathASCIImathMLComment = "Habilitar el editor matemático ASCIIMathML"; -$YoutubeForStudentsTitle = "Permitir a los estudiantes insertar videos de YouTube"; -$YoutubeForStudentsComment = "Habilitar la posibilidad de que los estudiantes puedan insertar videos de Youtube"; -$BlockCopyPasteForStudentsTitle = "Bloquear a los estudiantes copiar y pegar"; -$BlockCopyPasteForStudentsComment = "Bloquear a los estudiantes la posibilidad de copiar y pegar en el editor WYSIWYG"; -$MoreButtonsForMaximizedModeTitle = "Barras de botones extendidas"; -$MoreButtonsForMaximizedModeComment = "Habilitar las barras de botones extendidas cuando el editor WYSIWYG está maximizado"; -$Editor = "Editor HTML"; -$GoToCourseAfterLoginTitle = "Ir directamente al curso tras identificarse"; -$GoToCourseAfterLoginComment = "Cuando un usuario está inscrito sólamente en un curso, ir directamente al curso despúes de identificarse"; -$AllowStudentsDownloadFoldersTitle = "Permitir a los estudiantes descargar directorios"; -$AllowStudentsDownloadFoldersComment = "Permitir a los estudiantes empaquetar y descargar un directorio completo en la herramienta documentos"; -$AllowStudentsToCreateGroupsInSocialTitle = "Permitir a los usuarios crear grupos en la red social"; -$AllowStudentsToCreateGroupsInSocialComment = "Permitir a los usuarios crear sus propios grupos en la red social"; -$AllowSendMessageToAllPlatformUsersTitle = "Permitir enviar mensajes a todos los usuarios de la plataforma"; -$AllowSendMessageToAllPlatformUsersComment = "Permite poder enviar mensajes a todos los usuarios de la plataforma"; -$TabsSocial = "Pestaña Red social"; -$MessageMaxUploadFilesizeTitle = "Tamaño máximo del archivo en mensajes"; -$MessageMaxUploadFilesizeComment = "Tamaño máximo del archivo permitido para adjuntar a un mensaje (en Bytes)"; -$ChamiloHomepage = "Página principal de Chamilo"; -$ChamiloForum = "Foro de Chamilo"; -$ChamiloExtensions = "Servicios de Chamilo"; -$ChamiloGreen = "Chamilo Verde"; -$ChamiloRed = "Chamilo rojo"; -$MessagesSent = "Número de mensajes enviados"; -$MessagesReceived = "Número de mensajes recibidos"; -$CountFriends = "Número de contactos"; -$ToChangeYourEmailMustTypeYourPassword = "Para cambiar su correo electrónico debe escribir su contraseña"; -$Invitations = "Invitaciones"; -$MyGroups = "Mis grupos"; -$ExerciseWithFeedbackWithoutCorrectionComment = "Nota: Este ejercicio ha sido configurado para ocultar las respuestas esperadas."; -$Social = "Social"; -$MyFriends = "Mis amigos"; -$CreateAgroup = "Crear un grupo"; -$UsersGroups = "Usuarios, Grupos"; -$SorryNoResults = "No hay resultados"; -$GroupPermissions = "Permisos del grupo"; -$Closed = "Cerrado"; -$AddGroup = "Agregar grupo"; -$Privacy = "Privacidad"; -$ThisIsAnOpenGroup = "Grupo abierto"; -$YouShouldCreateATopic = "Debería crear un tema"; -$IAmAnAdmin = "Administrador"; -$MessageList = "Lista de mensajes"; -$MemberList = "Lista de miembros"; -$WaitingList = "Lista de espera"; -$InviteFriends = "Invitar amigos"; -$AttachmentFiles = "Adjuntar archivos"; -$AddOneMoreFile = "Agregar otro fichero"; -$MaximunFileSizeX = "Tamaño máximo de archivo %s"; -$ModifyInformation = "Modificar información"; -$GroupEdit = "Editar grupo"; -$ThereAreNotUsersInTheWaitingList = "No hay usuarios en la lista de espera"; -$SendInvitationTo = "Enviar invitación a"; -$InviteUsersToGroup = "Invitar usuarios a grupo"; -$PostIn = "Publicado"; -$Newest = "Lo último"; -$Popular = "Populares"; -$DeleteModerator = "Dar de baja como moderador"; -$UserChangeToModerator = "Usuario convertido en moderador"; -$IAmAModerator = "Moderador"; -$ThisIsACloseGroup = "Grupo privado"; -$IAmAReader = "Usuario base"; -$UserChangeToReader = "Usuario convertido en miembro base"; -$AddModerator = "Agregar como moderador"; -$JoinGroup = "Unirse al grupo"; -$YouShouldJoinTheGroup = "Debería unirse al grupo"; -$WaitingForAdminResponse = "Esperando a que el admin responda"; -$Re = "Re"; -$FilesAttachment = "Adjuntar archivo"; -$GroupWaitingList = "Grupo de lista de espera"; -$UsersAlreadyInvited = "Usuarios ya invitados"; -$SubscribeUsersToGroup = "Inscribir usuarios al grupo"; -$YouHaveBeenInvitedJoinNow = "Ud. ha sido invitado a unirser ahora"; -$DenyInvitation = "Rechazar invitación"; -$AcceptInvitation = "Aceptar invitación"; -$GroupsWaitingApproval = "Grupos esperando su aceptación"; -$GroupInvitationWasDeny = "Invitación de grupo fue rechazada"; -$UserIsSubscribedToThisGroup = "Ahora ya forma parte del grupo"; -$DeleteFromGroup = "Dar de baja en el grupo"; -$YouAreInvitedToGroupContent = "Queda invitado/a a acceder al contenido del grupo"; -$YouAreInvitedToGroup = "Invitación para unirse al grupo"; -$ToSubscribeClickInTheLinkBelow = "Para unirse haga clic en el siguiente enlace"; -$ReturnToInbox = "Regresar a bandeja de entrada"; -$ReturnToOutbox = "Regresar a bandeja de salida"; -$EditNormalProfile = "Edición básica del perfil"; -$LeaveGroup = "Abandonar el grupo"; -$UserIsNotSubscribedToThisGroup = "Ha dejado de formar parte de este grupo"; -$InvitationReceived = "Invitaciones recibidas"; -$InvitationSent = "Invitaciones enviadas"; -$YouAlreadySentAnInvitation = "Ya le he enviado una invitación"; -$Step7 = "Paso 7"; -$FilesSizeExceedsX = "Tamaña del archivo excedido"; -$YouShouldWriteASubject = "Debe escribir el asunto"; -$StatusInThisGroup = "Mi estatus en el grupo"; -$FriendsOnline = "Amigos en línea"; -$MyProductions = "Mis producciones"; -$YouHaveReceivedANewMessageInTheGroupX = "Ha recibido un nuevo mensaje en el grupo %s"; -$ClickHereToSeeMessageGroup = "Clic aquí para ver el mensaje de grupo"; -$OrCopyPasteTheFollowingUrl = "o copie y pegue la siguiente url:"; -$ThereIsANewMessageInTheGroupX = "Hay un nuevo mensaje en el grupo %s"; -$UserIsAlreadySubscribedToThisGroup = "El usuario ya pertenece a este grupo"; -$AddNormalUser = "Agregar como usuario base"; -$DenyEntry = "Denegar la entrada"; -$YouNeedToHaveFriendsInYourSocialNetwork = "Necesita tener amigos en su red social"; -$SeeAllMyGroups = "Ver todos mis grupos"; -$EditGroupCategory = "Modificar categoria de grupo"; -$ModifyHotPotatoes = "Modificar Hot Potatoes"; -$SaveHotpotatoes = "Guardar Hot Potatoes"; -$SessionIsReadOnly = "La sesión es de sólo lectura"; -$EnableTimerControl = "Habilitar control de tiempo"; -$ExerciseTotalDurationInMinutes = "Duración del ejercicio (en minutos)"; -$ToContinueUseMenu = "Para continuar esta lección, por favor use el menú lateral."; -$RandomAnswers = "Barajar respuestas"; -$NotMarkActivity = "No es posible calificar este elemento"; -$YouHaveToCreateAtLeastOneAnswer = "Tienes que crear al menos una respuesta"; -$ExerciseAttempted = "Un estudiante ha contestado una pregunta"; -$MultipleSelectCombination = "Combinación exacta"; -$MultipleAnswerCombination = "Combinación exacta"; -$ExerciseExpiredTimeMessage = "El tiempo de la evaluación ha terminado. Sin embargo las preguntas que ya respondió, serán consideradas en la evaluación del ejercicio."; -$NameOfLang['ukrainian'] = "ucraniano"; -$NameOfLang['yoruba'] = "yoruba"; -$New = "Nuevo"; -$YouMustToInstallTheExtensionLDAP = "Tu debes instalar la extension LDAP"; -$AddAdditionalProfileField = "Añadir un campo del perfil de usuario"; -$InvitationDenied = "Invitación denegada"; -$UserAdded = "El usuario ha sido añadido"; -$UpdatedIn = "Actualizado"; -$Metadata = "Metadatos"; -$AddMetadata = "Ver/Editar metadatos"; -$SendMessage = "Enviar mensaje"; -$SeeForum = "Ver foro"; -$SeeMore = "Ver más"; -$NoDataAvailable = "No hay datos disponibles"; -$Created = "Creado"; -$LastUpdate = "Última actualización"; -$UserNonRegisteredAtTheCourse = "Usuario no registrado en el curso"; -$EditMyProfile = "Editar mi perfil"; -$Announcements = "Anuncios"; -$Password = "Contraseña"; -$DescriptionGroup = "Descripción del grupo"; -$Installation = "Instalación"; -$ReadTheInstallationGuide = "Leer la guía de instalación"; -$SeeBlog = "Ver blog"; -$Blog = "Blog"; -$BlogPosts = "Artículos del blog"; -$BlogComments = "Comentarios de los artículos"; -$ThereAreNotExtrafieldsAvailable = "No hay campos extras disponibles"; -$StartToType = "Comience a escribir, a continuación, haga clic en esta barra para validar la etiqueta"; -$InstallChamilo = "Instalar Chamilo"; -$ChamiloURL = "URL de Chamilo"; -$YouDoNotHaveAnySessionInItsHistory = "En su historial no hay ninguna sesión de formación"; -$PortalHomepageDefaultIntroduction = "

        ¡Enhorabuena, ha instalado satisfactoriamente su portal de e-learning!

        Ahora puede completar la instalación siguiendo tres sencillos pasos:

        1. Configure el portal: vaya a la sección de Administración de la plataforma, y seleccione Plataforma -> Parámetros de configuración de Chamilo.
        2. De vida a su portal con la creación de usuarios y cursos. Puede hacerlo invitando a otros usuarios a crear su cuenta, o creándolas usted mismo a través de las secciones de usuarios y cursos de la página de adminstración.
        3. Edite esta página a través de la entrada Configuración de la página principal en la sección de administración.

        Siempre podrá encontrar más información sobre de este software en nuestro sitio web: http://www.chamilo.org.

        Diviértase, no dude en unirse a la comunidad y denos su opinión a través de nuestro foro.

        "; -$WithTheFollowingSettings = "con los siguientes parámetros:"; -$ThePageHasBeenExportedToDocArea = "La página ha sido exportada al área de documentos"; -$TitleColumnGradebook = "Título de la columna en el Informe de Evaluación"; -$QualifyWeight = "Ponderación en la evaluación"; -$ConfigureExtensions = "Configurar los servicios"; -$ThereAreNotQuestionsForthisSurvey = "No hay preguntas para esta encuesta"; -$StudentAllowedToDeleteOwnPublication = "Permitir que los estudiantes puedan eliminar sus tareas"; -$ConfirmYourChoiceDeleteAllfiles = "Confirme su elección, se eliminarán todos los archivos y no se podrán recuperar"; -$WorkName = "Nombre de la tarea"; -$ReminderToSubmitPendingTask = "Se le recuerda que tiene una tarea pendiente"; -$MessageConfirmSendingOfTask = "Este es un mensaje para confirmar el envío de su tarea"; -$DataSent = "Fecha de envío"; -$DownloadLink = "Enlace de descarga"; -$ViewUsersWithTask = "Ver estudiantes que han enviado la tarea"; -$ReminderMessage = "Enviar un recordatorio"; -$DateSent = "Fecha de envío"; -$ViewUsersWithoutTask = "Ver estudiantes que no han enviado la tarea"; -$AsciiSvgTitle = "Activar AsciiSVG"; -$SuggestionOnlyToEnableSubLanguageFeature = "Solamente necesario si desea habilitar la funcionalidad de sub-idiomas"; -$ThematicAdvance = "Temporalización de la unidad didáctica"; -$EditProfile = "Editar perfil"; -$TabsDashboard = "Panel de control"; -$DashboardBlocks = "Bloques del panel de control"; -$DashboardList = "Lista del panel de control"; -$YouHaveNotEnabledBlocks = "No ha habilitado ningún bloque"; -$BlocksHaveBeenUpdatedSuccessfully = "Los bloques han sido actualizados"; -$Dashboard = "Panel de control"; -$DashboardPlugins = "Plugins del panel de control"; -$ThisPluginHasbeenDeletedFromDashboardPluginDirectory = "Este plugin ha sido eliminado de la lista de plugins del panel de control"; -$EnableDashboardPlugins = "Habilitar los plugins del panel del control"; -$SelectBlockForDisplayingInsideBlocksDashboardView = "Seleccione los bloques que se mostrarán en el panel de control"; -$ColumnPosition = "Posición (columna)"; -$EnableDashboardBlock = "Habilitar bloque del panel de control"; -$ThereAreNoEnabledDashboardPlugins = "No hay habilitado ningún plugin en el panel de control"; -$Enabled = "Activado"; -$ThematicAdvanceQuestions = "¿ Cuál es el progreso actual que ha alcanzado con sus estudiantes en el curso? ¿Cuánto resta para completar el programa del curso?"; -$ThematicAdvanceHistory = "Historial del progreso en la programación"; -$Homepage = "Página principal"; -$Attendances = "Asistencia"; -$CountDoneAttendance = "Asistencias"; -$AssignUsers = "Asignar usuarios"; -$AssignCourses = "Asignar cursos"; -$AssignSessions = "Asignar sesiones de formación"; -$CoursesListInPlatform = "Lista de cursos de la plataforma"; -$AssignedCoursesListToHumanResourceManager = "Cursos asignados al Director de Recursos Humanos"; -$AssignedCoursesTo = "Cursos asignados a"; -$AssignCoursesToHumanResourcesManager = "Asignar cursos al Director de Recursos Humanos"; -$TimezoneValueTitle = "Zona horaria"; -$TimezoneValueComment = "Esta es la zona horaria de este portal. Si la deja vacía, se usará la zona horaria del servidor. Si la configura, todas las horas del sistema se mostrarán en función de ella. Esta configuración tiene una prioridad más baja que la zona horaria del usuario si éste habilita y selecciona otra."; -$UseUsersTimezoneTitle = "Utilizar las zonas horarias de los usuarios"; -$UseUsersTimezoneComment = "Activar la selección por los usuarios de su zona horaria. El campo de zona horaria debe seleccionarse como visible y modificable antes de que los usuarios elijan su cuenta. \r\nUna vez configurada los usuarios podrán verla."; -$FieldTypeTimezone = "Zona horaria"; -$Timezone = "Zona horaria"; -$AssignedSessionsHaveBeenUpdatedSuccessfully = "Las sesiones asignadas han sido actualizadas"; -$AssignedCoursesHaveBeenUpdatedSuccessfully = "Los cursos asignados han sido actualizados"; -$AssignedUsersHaveBeenUpdatedSuccessfully = "Los usuarios asignados han sido actualizados"; -$AssignUsersToX = "Asignar usuarios a %s"; -$AssignUsersToHumanResourcesManager = "Asignar usuarios al director de recursos humanos"; -$AssignedUsersListToHumanResourcesManager = "Lista de usuarios asignados al director de recursos humanos"; -$AssignCoursesToX = "Asignar cursos a %s"; -$SessionsListInPlatform = "Lista de sesiones en la plataforma"; -$AssignSessionsToHumanResourcesManager = "Asignar sesiones al director de recursos humanos"; -$AssignedSessionsListToHumanResourcesManager = "Lista de sesiones asignadas al director de recursos humanos"; -$SessionsInformation = "Informe de sesiones"; -$YourSessionsList = "Sus sesiones"; -$TeachersInformationsList = "Informe de profesores"; -$YourTeachers = "Sus profesores"; -$StudentsInformationsList = "Informe de estudiantes"; -$YourStudents = "Sus estudiantes"; -$GoToThematicAdvance = "Ir al avance temático"; -$TeachersInformationsGraph = "Informe gráfico de profesores"; -$StudentsInformationsGraph = "Informe gráfico de estudiantes"; -$Timezones = "Zonas horarias"; -$TimeSpentOnThePlatformLastWeekByDay = "Tiempo en la plataforma la semana pasada, por día"; -$AttendancesFaults = "Faltas de asistencia"; -$AttendanceSheetReport = "Informe de hojas de asistencia"; -$YouDoNotHaveDoneAttendances = "No tiene asistencias"; -$DashboardPluginsHaveBeenUpdatedSuccessfully = "Los plugins del dashboard han sido actualizados con éxito"; -$ThereIsNoInformationAboutYourCourses = "No hay información disponible sobre sus cursos"; -$ThereIsNoInformationAboutYourSessions = "No hay información disponible sobre sus sesiones"; -$ThereIsNoInformationAboutYourTeachers = "No hay información disponible sobre sus profesores"; -$ThereIsNoInformationAboutYourStudents = "No hay información disponible sobre sus estudiantes"; -$TimeSpentLastWeek = "Tiempo pasado la última semana"; -$SystemStatus = "Información del sistema"; -$IsWritable = "La escritura es posible en"; -$DirectoryExists = "El directorio existe"; -$DirectoryMustBeWritable = "El Servidor Web tiene que poder escribir en este directorio"; -$DirectoryShouldBeRemoved = "Es conveniente que elimine este directorio (ya no es necesario)"; -$Section = "Sección"; -$Expected = "Esperado"; -$Setting = "Parámetro"; -$Current = "Actual"; -$SessionGCMaxLifetimeInfo = "El tiempo máximo de vida del recolector de basura es el tiempo máximo que se da entre dos ejecuciones del recolector de basura."; -$PHPVersionInfo = "Versión PHP"; -$FileUploadsInfo = "La carga de archivos indica si la subida de archivos está autorizada"; -$UploadMaxFilesizeInfo = "Tamaño máximo de un archivo cuando se sube. Este ajuste debe en la mayoría de los casos ir acompañado de la variable post_max_size"; -$MagicQuotesRuntimeInfo = "Esta es una característica en absoluto recomendable que convierte los valores devueltos por todas las funciones que devuelven valores externos en valores con barras de escape. Esta funcionalidad *no* debería activarse."; -$PostMaxSizeInfo = "Este es el tamaño máximo de los envíos realizados a través de formularios utilizando el método POST (es decir, la forma típica de carga de archivos mediante formularios)"; -$SafeModeInfo = "Modo seguro es una característica obsoleta de PHP que limita (mal) el acceso de los scripts PHP a otros recursos. Es recomendable dejarlo desactivado."; -$DisplayErrorsInfo = "Muestra los errores en la pantalla. Activarlo en servidores de desarrollo y desactivarlo en servidores de producción."; -$MaxInputTimeInfo = "El tiempo máximo permitido para que un formulario sea procesado por el servidor. Si se sobrepasa, el proceso es abandonado y se devuelve una página en blanco."; -$DefaultCharsetInfo = "Juego de caracteres predeterminado que será enviado cuando se devuelvan las páginas"; -$RegisterGlobalsInfo = "Permite seleccionar, o no, el uso de variables globales. El uso de esta funcionalidad representa un riesgo de seguridad."; -$ShortOpenTagInfo = "Permite utilizar etiquetas abreviadas o no. Esta funcionalidad no debería ser usada."; -$MemoryLimitInfo = "Límite máximo de memoria para la ejecución de un script. Si la memoria necesaria es mayor, el proceso se detendrá para evitar consumir toda la memoria disponible del servidor y, por consiguiente que esto afecte a otros usuarios."; -$MagicQuotesGpcInfo = "Permite escapar automaticamente valores de GET, POST y COOKIES. Una característica similar es provista para los datos requeridos en este software, así que su uso provoca una doble barra de escape en los valores."; -$VariablesOrderInfo = "El orden de preferencia de las variables del Entorno, GET, POST, COOKIES y SESSION"; -$MaxExecutionTimeInfo = "Tiempo máximo que un script puede tomar para su ejecución. Si se utiliza más, el script es abandonado para evitar la ralentización de otros usuarios."; -$ExtensionMustBeLoaded = "Esta extensión debe estar cargada."; -$MysqlProtoInfo = "Protocolo MySQL"; -$MysqlHostInfo = "Servidor MySQL"; -$MysqlServerInfo = "Información del servidor MySQL"; -$MysqlClientInfo = "Cliente MySQL"; -$ServerProtocolInfo = "Protocolo usado por este servidor"; -$ServerRemoteInfo = "Acceso remoto (su dirección como es recibida por el servidor)"; -$ServerAddessInfo = "Dirección del servidor"; -$ServerNameInfo = "Nombre del servidor (como se utiliza en su petición)"; -$ServerPortInfo = "Puerto del servidor"; -$ServerUserAgentInfo = "Su agente de usuario como es recibido por el servidor"; -$ServerSoftwareInfo = "Software ejecutándose como un servidor web"; -$UnameInfo = "Información del sistema sobre el que está funcionando el servidor"; -$EmptyHeaderLine = "Existen líneas en blanco al inicio del fichero seleccionado"; -$AdminsCanChangeUsersPassComment = "Esta funcionalidad es útil para los casos de uso de la funcionalidad multi-URL, para los cuales existe una diferencia entre el administrador global y los administradores normales. En este caso, seleccionar \"No\" impedirá a los administradores normales de cambiar las contraseñas de otros usuarios, y les permitirá solamente requerir la generación de una nueva contraseña (automáticamente enviada al usuario por correo), sin divulgación de esta. El administrador global todavía puede cambiar la contraseña de cualquier usuario."; -$AdminsCanChangeUsersPassTitle = "Los administradores pueden cambiar las contraseñas de los usuarios."; -$AdminLoginAsAllowedComment = "Si activada, permite a los usuarios con los privilegios correspondientes de usar la funcionalidad \"Conectarse como...\" para conectarse como otro usuario. Esta funcionalidad es particularmente útil en caso de uso de la funcionalidad de multi-urls, cuando no es deseable que los administradores de portales individuales puedan usar esta funcionalidad. Es importante saber que existe un parámetro maestro en el archivo de configuración que permite bloquear esta opción por completo."; -$AdminLoginAsAllowedTitle = "Funcionalidad \"Conectarse como...\""; -$FilterByUser = "Filtrar por usuario"; -$FilterByGroup = "Filtrar por grupo"; -$FilterAll = "Filtro: Todos"; -$AllQuestionsMustHaveACategory = "Todas las preguntas deben de tener por lo menos una categoría asociada."; -$PaginationXofY = "%s de %s"; -$SelectedMessagesUnRead = "Los mensajes seleccionados han sido marcados como no leídos"; -$SelectedMessagesRead = "Los mensajes seleccionados han sido marcados como leídos"; -$YouHaveToAddXAsAFriendFirst = "%s tiene que ser su amigo, primero"; -$Company = "Empresa"; -$GradebookExcellent = "Excelente"; -$GradebookOutstanding = "Muy bien"; -$GradebookGood = "Bien"; -$GradebookFair = "Suficiente"; -$GradebookPoor = "Insuficiente"; -$GradebookFailed = "Suspendido"; -$NoMedia = "Sin vínculo a medio"; -$AttachToMedia = "Vincular a medio"; -$ExamModeWithFinalScoreShowOnlyFinalScoreWithCategoriesIfAvailable = "Mostrar solo el resultado final, con categorías si disponibles"; -$Media = "Medio"; -$ForceEditingExerciseInLPWarning = "Está autorizado a editar este ejercicio, aunque esté ya usado en una lección. Si lo edita, prueba evitar de modificar el score y concentrarse sobre editar el contenido más no los valores o la clasificación, para evitar afectar los resultados de estudiantes que hubieran tomado esta prueba previamente."; -$UploadedDate = "Fecha de subida"; -$Filename = "Nombre de fichero"; -$Recover = "Recuperar"; -$Recovered = "Recuperados"; -$RecoverDropboxFiles = "Recuperar ficheros dropbox"; -$ForumCategory = "Categoría de foro"; -$YouCanAccessTheExercise = "Ir a la prueba"; -$YouHaveBeenRegisteredToCourseX = "Ha sido inscrito en el curso %s"; -$DashboardPluginsUpdatedSuccessfully = "Los plugins del panel de control han sido actualizados correctamente"; -$LoginEnter = "Entrar"; -$AssignSessionsToX = "Asignar sesiones a %s"; -$CopyExercise = "Copie este ejercicio como uno nuevo"; -$CleanStudentResults = "Borrar todos los resultados de los estudiantes en este ejercicio"; -$AttendanceSheetDescription = "Las listas de asistencia permiten registrar las faltas de asistencia de los estudiantes. En caso de ausencia de un estudiante, el profesor deberá registrarlo manualmente en la casilla correspondiente.\nEs posible crear más de una lista de asistencia por cada curso; así por ejemplo, podrá registrar separadamente la asistencia a las clases teóricas y prácticas."; -$ThereAreNoRegisteredLearnersInsidetheCourse = "No hay estudiantes inscritos en este curso"; -$GoToAttendanceCalendarList = "Ir al calendario de asistencia"; -$AssignCoursesToSessionsAdministrator = "Asignar cursos al administrador de sesiones"; -$AssignCoursesToPlatformAdministrator = "Asignar cursos al administrador de la plataforma"; -$AssignedCoursesListToPlatformAdministrator = "Lista de cursos asignados al administrador de la plataforma"; -$AssignedCoursesListToSessionsAdministrator = "Lista de cursos asignados al administrador de sesiones"; -$AssignSessionsToPlatformAdministrator = "Asignar sesiones al administrador de la plataforma"; -$AssignSessionsToSessionsAdministrator = "Asignar sesiones al administrador de sesiones"; -$AssignedSessionsListToPlatformAdministrator = "Lista de sesiones asignadas al administrador de la plataforma"; -$AssignedSessionsListToSessionsAdministrator = "Lista de sesiones asignadas al administrador de sesiones"; -$EvaluationsGraph = "Gráficos de las evaluaciones"; -$Url = "Url"; -$ToolCourseDescription = "Descripción del curso"; -$ToolDocument = "Documentos"; -$ToolLearnpath = "Lecciones"; -$ToolLink = "Enlaces"; -$ToolQuiz = "Ejercicios"; -$ToolAnnouncement = "Anuncios"; -$ToolGradebook = "Evaluaciones"; -$ToolGlossary = "Glosario"; -$ToolAttendance = "Asistencia"; -$ToolCalendarEvent = "Agenda"; -$ToolForum = "Foros"; -$ToolDropbox = "Compartir documentos"; -$ToolUser = "Usuarios"; -$ToolGroup = "Grupos"; -$ToolChat = "Chat"; -$ToolStudentPublication = "Tareas"; -$ToolSurvey = "Encuestas"; -$ToolWiki = "Wiki"; -$ToolNotebook = "Notas personales"; -$ToolBlogManagement = "Gestión de blogs"; -$ToolTracking = "Informes"; -$ToolCourseSetting = "Configuración del curso"; -$ToolCourseMaintenance = "Mantenimiento del curso"; -$AreYouSureToDeleteAllDates = "¿Confirma que desea borrar todas las fechas?"; -$ImportQtiQuiz = "Importar ejercicios de Qti2"; -$ISOCode = "Código ISO"; -$TheSubLanguageForThisLanguageHasBeenAdded = "El sub-lenguaje de este idioma ha sido añadido"; -$ReturnToLanguagesList = "Volver a la lista de idiomas"; -$AddADateTime = "Añadir fecha"; -$ActivityCoach = "El tutor de la sesion, tendrá todos los derechos y permisos en todos los cursos que pertenecen a la sesion."; -$AllowUserViewUserList = "Permitir al usuario ver la lista de usuarios"; -$AllowUserViewUserListActivate = "Activar para permitir al usuario ver la lista de usuarios"; -$AllowUserViewUserListDeactivate = "Desactivar permitir al usuario ver la lista de usuarios"; -$ThematicControl = "Programación didáctica"; -$ThematicDetails = "Lista detallada de unidades didácticas"; -$ThematicList = "Lista simplificada de unidades didácticas"; -$Thematic = "Unidad didáctica"; -$ThematicPlan = "Programación de la unidad didáctica"; -$EditThematicPlan = "Editar la programación de la unidad didáctica"; -$EditThematicAdvance = "Editar la temporalización de la unidad didáctica"; -$ThereIsNoStillAthematicSection = "Todavía no se ha programado ninguna unidad didáctica"; -$NewThematicSection = "Nueva unidad didáctica"; -$DeleteAllThematics = "Borrar todas las unidades didácticas"; -$ThematicDetailsDescription = "Aquí se detallan las unidades didácticas, su programación y temporalización. Para indicar que una unidad didáctica (o una parte de ella), ha finalizado, seleccione la fecha correspondiente siguiendo un orden cronológico y el sistema también presentará todas las fechas anteriores como finalizadas."; -$SkillToAcquireQuestions = "¿Qué competencias se habrán desarrollado al término de esta unidad didáctica?"; -$SkillToAcquire = "Competencias a adquirir o desarrollar"; -$InfrastructureQuestions = "¿Qué infraestructura es necesaria para llevar a cabo esta unidad didáctica?"; -$Infrastructure = "Infraestructura"; -$AditionalNotesQuestions = "¿Qué otras cosas se requieren?"; -$DurationInHours = "Horas"; -$ThereAreNoAttendancesInsideCourse = "No hay asistencias dentro del curso"; -$YouMustSelectAtleastAStartDate = "Seleccione al menos una fecha de inicio"; -$ReturnToLPList = "Volver a la lista de lecciones"; -$EditTematicAdvance = "Editar la temporalización de la programación"; -$AditionalNotes = "Notas adicionales"; -$StartDateFromAnAttendance = "Fecha de inicio a partir de una asistencia"; -$StartDateCustom = "Fecha de inicio personalizada"; -$StartDateOptions = "Opciones de fecha de inicio"; -$ThematicAdvanceConfiguration = "Configuración de la herramienta de programaciones didácticas"; -$InfoAboutAdvanceInsideHomeCourse = "Muestra en la página principal del curso información sobre el avance en la programación"; -$DisplayAboutLastDoneAdvance = "Mostrar información sobre el último tema finalizado"; -$DisplayAboutNextAdvanceNotDone = "Mostrar información sobre el siguiente tema a desarrollar"; -$InfoAboutLastDoneAdvance = "Información sobre el último tema finalizado"; -$InfoAboutNextAdvanceNotDone = "Información sobre el siguiente tema a desarrollar"; -$ThereIsNoAThematicSection = "Todavía no se ha programado ninguna unidad didáctica"; -$ThereIsNoAThematicAdvance = "Unidad didáctica sin temporalizar"; -$StillDoNotHaveAThematicPlan = "Unidad didáctica sin programación"; -$NewThematicAdvance = "Nueva etapa de la unidad didáctica"; -$DurationInHoursMustBeNumeric = "Las horas de duración deben ser un número"; -$DoNotDisplayAnyAdvance = "No mostrar ningún avance"; -$CreateAThematicSection = "Crear una sección temática"; -$EditThematicSection = "Editar sección temática"; -$ToolCourseProgress = "Programación didáctica"; -$SelectAnAttendance = "Seleccionar la lista de asistencia"; -$ReUseACopyInCurrentTest = "Reutilizar una copia de esta pregunta en el ejercicio actual"; -$YouAlreadyInviteAllYourContacts = "Ya invitó a todos sus contactos"; -$CategoriesNumber = "Categorías"; -$ResultsHiddenByExerciseSetting = "Resultados ocultos por la configuración del ejercicio"; -$NotAttended = "Faltado"; -$Attended = "Asistido"; -$IPAddress = "Dirección IP"; -$FileImportedJustSkillsThatAreNotRegistered = "Solo las competencias que no estaban registradas fueron importadas"; -$SkillImportNoName = "El nombre de la competencia no está definido"; -$SkillImportNoParent = "El padre de la competencia no está definido"; -$SkillImportNoID = "El ID de la competencia no está definido"; -$CourseAdvance = "Avance en el curso"; -$CertificateGenerated = "Generó certificado"; -$CountOfUsers = "Número de usuarios"; -$CountOfSubscriptions = "Número de inscritos a cursos"; -$EnrollToCourseXSuccessful = "Su inscripción en el curso %s se ha completado."; -$TheExerciseAutoLaunchSettingIsONStudentsWillBeRedirectToAnSpecificExercise = "La configuración para el despliegue automático de Ejercicios está activada. Los estudiantes serán redirigidos al ejercicio seleccionado para que se muestre automáticamente."; -$RedirectToTheExerciseList = "Redirigir a la lista de ejercicios"; -$RedirectToExercise = "Redirigir a un ejercicio seleccionado"; -$ConfigExercise = "Configurar la herramienta Ejercicios"; -$QuestionGlobalCategory = "Categoría global"; -$CheckThatYouHaveEnoughQuestionsInYourCategories = "Revisar si existen suficientes preguntas en sus categorías."; -$PortalCoursesLimitReached = "Lo sentimos, esta instalación de Chamilo tiene un límite de cantidad de cursos, el cual fue alcanzado. Para aumentar la cantidad de cursos autorizados, por favor contactar con su proveedor o, si posible, pasar a un plan de alojamiento superior."; -$PortalTeachersLimitReached = "Lo sentimos, esta instalación de Chamilo tiene un límite de cantidad de profesores, el cual fue alcanzado. Para aumentar la cantidad de profesores autorizados, por favor contactar con su proveedor o, si posible, pasar a un plan de alojamiento superior."; -$PortalUsersLimitReached = "Lo sentimos, esta instalación de Chamilo tiene un límite de cantidad de usuarios, el cual fue alcanzado. Para aumentar la cantidad de usuarios autorizados, por favor contactar con su proveedor o, si posible, pasar a un plan de alojamiento superior."; -$GenerateSurveyAccessLinkExplanation = "Copiando el enlace a bajo en un correo o en un sitio web, permitirá a personas anónimas participar a la encuesta. Puede probar esta funcionalidad dándole clic al botón arriba y respondiendo la encuesta. Es particularmente útil si quiere invitar a personas de las cuales no conoce el correo electrónico."; -$LinkOpenSelf = "Misma ventana"; -$LinkOpenBlank = "Otra ventana"; -$LinkOpenParent = "Ventana padre"; -$LinkOpenTop = "Parte superior"; -$ThematicSectionHasBeenCreatedSuccessfull = "La unidad didáctica ha sido creada"; -$NowYouShouldAddThematicPlanXAndThematicAdvanceX = "Ahora debe añadir la programación de la unidad didáctica %s y su temporalización %s"; -$LpPrerequisiteDescription = "Si selecciona otra lección como prerrequisito, la actual se ocultará hasta que la previa haya sido completada por los estudiantes"; -$QualificationNumeric = "Calificación numérica sobre"; -$ScoreAverageFromAllAttempts = "Promedio de todos los intentos en ejercicios"; -$ExportAllCoursesList = "Exportar toda la lista de cursos"; -$ExportSelectedCoursesFromCoursesList = "Exportar solo algunos cursos de la lista"; -$CoursesListHasBeenExported = "La lista de cursos ha sido exportada"; -$WhichCoursesToExport = "Seleccione los cursos que desea exportar"; -$AssignUsersToPlatformAdministrator = "Asignar usuarios al administrador de la plataforma"; -$AssignedUsersListToPlatformAdministrator = "Lista de usuarios asignados al administrador de la plataforma"; -$AssignedCoursesListToHumanResourcesManager = "Lista de cursos asignados al administrador de recursos humanos"; -$ThereAreNotCreatedCourses = "No hay cursos creados"; -$HomepageViewVerticalActivity = "Ver la actividad en forma vertical"; -$GenerateSurveyAccessLink = "Generar enlace de acceso a encuesta"; -$CoursesInformation = "Información de cursos"; -$LearnpathVisible = "Lección hecha visible"; -$LinkInvisible = "Enlace hecho invisible"; -$SpecialExportsIntroduction = "La funcionalidad de exportaciones especiales existe para ayudar el revisor instruccional/académico en exportar los documentos de todos los cursos en un solo paso. Otra opción le permite escoger los cursos que desea exportar, y exportará los documentos presentes en las sesiones de estos cursos también. Esto es una operación muy pesada. Por lo tanto, le recomendamos no iniciarla durante las horas de uso normal de su portal. Hagalo en un periodo más tranquilo. Si no necesita todos los contenidos de una vez, prueba exportar documentos de cursos directamente desde la herramienta de mantenimiento del curso, dentro del curso mismo."; -$Literal0 = "cero"; -$Literal1 = "uno"; -$Literal2 = "dos"; -$Literal3 = "tres"; -$Literal4 = "cuatro"; -$Literal5 = "cinco"; -$Literal6 = "seis"; -$Literal7 = "siete"; -$Literal8 = "ocho"; -$Literal9 = "nueve"; -$Literal10 = "diez"; -$Literal11 = "once"; -$Literal12 = "doce"; -$Literal13 = "trece"; -$Literal14 = "catorce"; -$Literal15 = "quince"; -$Literal16 = "dieciseis"; -$Literal17 = "diecisiete"; -$Literal18 = "dieciocho"; -$Literal19 = "diecinueve"; -$Literal20 = "veinte"; -$AllowUserCourseSubscriptionByCourseAdminTitle = "Permitir a los profesores registrar usuarios en un curso"; -$AllowUserCourseSubscriptionByCourseAdminComment = "Al activar esta opción permitirá que los profesores puedan inscribir usuarios en su curso"; -$DateTime = "Fecha y hora"; -$Item = "Ítem"; -$ConfigureDashboardPlugin = "Configurar el plugin del Panel de control"; -$EditBlocks = "Editar bloques"; -$Never = "Nunca"; +El equipo de %s"; +$MailCronCourseExpirationReminderSubject = "Urgente: Recordatorio de vencimiento de curso %s"; +$ExerciseAndLearningPath = "Ejercicios y lecciones"; +$LearningPathGradebookWarning = "Advertencia: Es posible utilizar en una evaluación un ejercicio agregado a una lección. Sin embargo, si la lección ya está incluida, este ejercicio puede ser parte de la evaluación del curso. La evaluación de una lección se realiza de acuerdo con el porcentaje de progreso, mientras que la evaluación de un ejercicio se realiza de acuerdo con la puntuación obtenida. Por último, el resultado de las encuestas se basa en la respuesta o no de la encuesta, lo que significa que el resultado se obtiene a partir de 0 (no responde) o 1 (responde) según corresponda. Asegúrese de probar las combinaciones a organizar su Evaluación para evitar problemas."; +$ChooseEitherDurationOrTimeLimit = "Elija entre duración o límite de tiempo"; +$ClearList = "Borrar la lista"; +$SessionBanner = "Banner de sesión"; +$ShortDescription = "Descripción corta"; +$TargetAudience = "Público objetivo"; +$OpenBadgesActionCall = "Convierta su campus virtual en un lugar de aprendizaje por competencia."; +$CallSent = "Una petición de chat ha sido enviada. Esperando la aprobación de la persona contactada."; +$ChatDenied = "Su llamada ha sido rechazada por la persona contactada"; +$Send = "Enviar"; +$Connected = "Conectados"; +$Exercice = "Ejercicio"; +$NoEx = "Por el momento, no hay ejercicios"; +$NewEx = "Nuevo ejercicio"; +$Questions = "Preguntas"; +$Answers = "Respuestas"; +$True = "Verdadero"; +$Answer = "Respuesta"; +$YourResults = "Sus resultados"; +$StudentResults = "Puntuaciones de los estudiantes"; +$ExerciseType = "Tipo de ejercicio"; +$ExerciseName = "Nombre del ejercicio"; +$ExerciseDescription = "Descripción del ejercicio"; +$SimpleExercise = "Todas las preguntas en una página"; +$SequentialExercise = "Una pregunta por página (secuencial)"; +$RandomQuestions = "Preguntas aleatorias"; +$GiveExerciseName = "Por favor, proporcione un nombre al ejercicio"; +$Sound = "Archivo de audio o video"; +$DeleteSound = "Borrar el archivo de audio o video"; +$NoAnswer = "Actualmente no hay respuestas"; +$GoBackToQuestionPool = "Volver al banco de preguntas"; +$GoBackToQuestionList = "Volver a la lista de ejercicios"; +$QuestionAnswers = "Responder la pregunta"; +$UsedInSeveralExercises = "Precaución! Esta pregunta y sus respuestas son usadas en varios ejercicios. ¿Quiere modificarlas?"; +$ModifyInAllExercises = "en todos los ejercicios"; +$ModifyInThisExercise = "sólo en este ejercicio"; +$AnswerType = "Tipo de respuesta"; +$MultipleSelect = "Respuesta múltiple"; +$FillBlanks = "Rellenar blancos"; +$Matching = "Relacionar"; +$ReplacePicture = "Reemplazar la imagen"; +$DeletePicture = "Eliminar la imagen"; +$QuestionDescription = "Texto, imagen, audio o video adicionales"; +$GiveQuestion = "Por favor, escriba la pregunta"; +$WeightingForEachBlank = "Por favor, otorgue una puntuación a cada espacio en blanco"; +$UseTagForBlank = "use corchetes [...] para definir uno o más espacios en blanco"; +$QuestionWeighting = "Puntuación"; +$MoreAnswers = "+resp"; +$LessAnswers = "-resp"; +$MoreElements = "+elem"; +$LessElements = "-elem"; +$TypeTextBelow = "Escriba el texto debajo"; +$DefaultTextInBlanks = "

        Ejemplo: Calcular el índice de masa corporal

        Edad [25] años
        Sexo [M] (M o F)
        Peso 66 Kg
        Talla 1.78 m
        Índice de masa corporal [29] IMC =Peso/Talla2 (Cf. Artículo de Wikipedia)
        "; +$DefaultMatchingOptA = "1914 - 1918"; +$DefaultMatchingOptB = "1939 - 1945"; +$DefaultMakeCorrespond1 = "Primera Guerra Mundial"; +$DefaultMakeCorrespond2 = "Segunda Guerra Mundial"; +$DefineOptions = "Por favor, defina las opciones"; +$MakeCorrespond = "Relacionar"; +$FillLists = "Por favor, complete las dos listas siguientes"; +$GiveText = "Por favor, escriba el texto"; +$DefineBlanks = "Por favor, defina un espacio en blanco con corchetes [...]"; +$GiveAnswers = "Por favor, escriba las respuestas de las preguntas"; +$ChooseGoodAnswer = "Por favor, elija la respuesta correcta"; +$ChooseGoodAnswers = "Por favor, elija una o más respuestas correctas"; +$QuestionList = "Listado de preguntas del ejercicio"; +$GetExistingQuestion = "Banco de preguntas"; +$FinishTest = "Terminar"; +$QuestionPool = "Banco de preguntas"; +$OrphanQuestions = "Preguntas huérfanas"; +$NoQuestion = "Actualmente no hay preguntas"; +$AllExercises = "Todos los ejercicios"; +$GoBackToEx = "Volver al ejercicio"; +$Reuse = "Reutilizar"; +$ExerciseManagement = "Gestión de ejercicios"; +$QuestionManagement = "Gestión de preguntas / respuestas"; +$QuestionNotFound = "No se encontró la pregunta"; +$ExerciseNotFound = "El ejercicio no se encontró o no está visible"; +$AlreadyAnswered = "Ya ha respondido la pregunta"; +$ElementList = "Listado de elementos"; +$CorrespondsTo = "Correspondencias con"; +$ExpectedChoice = "Selección correcta"; +$YourTotalScore = "Su puntuación total es"; +$ReachedMaxAttemptsAdmin = "Ha llegado al número máximo de intentos permitidos en este ejercicio. No obstante, como usted es un profesor de este curso, puede seguir contestándolo. Recuerde que sus resultados no aparecerán en la página de resultados."; +$ExerciseAdded = "Ejercicio añadido"; +$EvalSet = "Parámetros de evaluación"; +$Active = "activo"; +$Inactive = "inactivo"; +$QuestCreate = "crear preguntas"; +$ExRecord = "su ejercicio ha sigo guardado"; +$BackModif = "volver a la página de edición de preguntas"; +$DoEx = "realizar el ejercicio"; +$DefScor = "describir los parámetros de evaluación"; +$CreateModif = "Crear / modificar preguntas"; +$Sub = "subtítulo"; +$MyAnswer = "Mi respuesta"; +$MorA = "+ respuesta"; +$LesA = "- respuesta"; +$RecEx = "guardar el ejercicio"; +$RecQu = "Guardar preguntas"; +$RecAns = "Guardar respuestas"; +$Introduction = "Introducción"; +$TitleAssistant = "Asistente para la creación de ejercicios"; +$QuesList = "Lista de preguntas"; +$SaveEx = "guardar ejercicios"; +$QImage = "Pregunta con una imagen"; +$AddQ = "Añadir una pregunta"; +$DoAnEx = "Realizar un ejercicio"; +$Generator = "Lista de ejercicios"; +$Correct = "Correcto"; +$PossAnsw = "Número de respuestas correctas para una pregunta"; +$StudAnsw = "número de errores del estudiante"; +$Determine = "Determine el valor de la evaluación modificando la tabla situada bajo este texto. Después pulse \"OK\""; +$NonNumber = "un valor no numérico"; +$Replaced = "Reemplazado"; +$Superior = "un valor mayor que 20"; +$Rep20 = "fue introducido. Fue sustituido por 20"; +$DefComment = "los valores anteriores serán reemplazados cuando pulse el botón \"valores por defecto\""; +$ScoreGet = "números en negrita = puntuación"; +$ShowScor = "Mostrar la evaluación del estudiante:"; +$Step1 = "Paso 1"; +$Step2 = "Paso 2"; +$ImportHotPotatoesQuiz = "Importar ejercicios de HotPotatoes"; +$HotPotatoesTests = "Importar ejercicios HotPotatoes"; +$DownloadImg = "Enviar una imagen al servidor"; +$NoImg = "Ejercicios sin imágenes"; +$ImgNote_st = "
        Debe enviar otra vez"; +$ImgNote_en = "imagen(es) :"; +$NameNotEqual = "¡ no es un fichero válido !"; +$Indice = "Índice"; +$Indices = "Indices"; +$DateExo = "Fecha"; +$ShowQuestion = "Ver pregunta"; +$UnknownExercise = "Ejercicio desconocido"; +$ReuseQuestion = "Reutilizar la pregunta"; +$CreateExercise = "Crear ejercicio"; +$CreateQuestion = "Crear una pregunta"; +$CreateAnswers = "Crear respuestas"; +$ModifyExercise = "Modificar ejercicio"; +$ModifyAnswers = "modificar las respuestas"; +$ForExercise = "para el ejercicio"; +$UseExistantQuestion = "Usar una pregunta existente"; +$FreeAnswer = "Respuesta abierta"; +$notCorrectedYet = "Esta pregunta aún no ha sido corregida. Hasta que no lo sea, Ud. tendrá en ella la calificación de cero, lo cual se reflejará en su puntuación global."; +$adminHP = "Administración Hot Potatoes"; +$NewQu = "Nueva pregunta"; +$NoImage = "Seleccione una imagen"; +$AnswerHotspot = "En cada zona interactiva la descripción y el valor son obligatorios - el feedback es opcional."; +$MinHotspot = "Tiene que crear al menos una (1) zona interactiva."; +$MaxHotspot = "El máximo de zonas interactivas que puede crear es doce (12)"; +$HotspotError = "Por favor, proporcione una descripción y un valor a cada zona interactiva."; +$MoreHotspots = "Añadir zona interactiva"; +$LessHotspots = "Quitar zona interactiva"; +$HotspotZones = "Zonas interactivas"; +$CorrectAnswer = "Respuesta correcta"; +$HotspotHit = "Su respuesta fué"; +$OnlyJPG = "Para las zonas interactivas sólo puede usar imágenes JPG (o JPEG)"; +$FinishThisTest = "Mostrar las respuestas correctas a cada pregunta y la puntuación del ejercicio"; +$AllQuestions = "Todas las preguntas"; +$ModifyTitleDescription = "Editar título y comentarios"; +$ModifyHotspots = "Editar respuestas/zonas interactivas"; +$HotspotNotDrawn = "Todavía no ha dibujado todas las zonas interactivas"; +$HotspotWeightingError = "Debe dar un valor (>0) positivo a todas las zonas interactivas"; +$HotspotValidateError1 = "Debe contestar completamente a la pregunta ("; +$HotspotValidateError2 = "clics requeridos en la imagen) antes de ver los resultados"; +$HotspotRequired = "En cada zona interactiva la descripción y el valor son obligatorios. El feedback es opcional."; +$HotspotChoose = "
        • Para crear una zona interactiva: seleccione la forma asociada al color y después dibuje la zona interactiva.
        • Para mover una zona interactiva, seleccione el color, haga clic en otro punto de la imagen y finalmente dibuje la zona interactiva.
        • Para añadir una zona interactiva: haga clic en el botón [+zona interactiva].
        • Para cerrar una forma poligonal: botón derecho del ratón y seleccionar \"Cerrar polígono\".
        "; +$Fault = "Incorrecta"; +$HotSpot = "Zonas de imagen"; +$ClickNumber = "Número de clics"; +$HotspotGiveAnswers = "Por favor, responda"; +$Addlimits = "Añadir límites"; +$AreYouSure = "Está seguro"; +$StudentScore = "Puntuación de los alumnos"; +$backtoTesthome = "Volver a la página principal del ejercicio"; +$MarkIsUpdated = "La nota ha sido actualizada"; +$MarkInserted = "Nota insertada"; +$PleaseGiveAMark = "Por favor, proporcione una nota"; +$EditCommentsAndMarks = "Corregir y puntuar"; +$AddComments = "Añadir comentarios"; +$Number = "Nº"; +$Weighting = "Puntuación"; +$ChooseQuestionType = "Para crear una nueva pregunta, seleccione el tipo arriba"; +$MatchesTo = "Corresponde a"; +$CorrectTest = "Corregir este ejercicio"; +$ViewTest = "Ver"; +$NotAttempted = "Sin intentar"; +$AddElem = "Añadir elemento"; +$DelElem = "Quitar elemento"; +$PlusAnswer = "Añadir respuesta"; +$LessAnswer = "Quitar respuesta"; +$YourScore = "Su puntuación"; +$Attempted = "Intentado"; +$AssignMarks = "Puntuar"; +$ExerciseStored = "Proceda haciendo clic sobre el tipo de pregunta e introduciendo los datos correspondientes."; +$ChooseAtLeastOneCheckbox = "Escoger al menos una respuesta correcta"; +$ExerciseEdited = "El ejercicio ha sido modificado"; +$ExerciseDeleted = "El ejercicio ha sido borrado"; +$ClickToCommentAndGiveFeedback = "Haga clic en este enlace para corregir y/o dar feedback a la respuesta"; +$OpenQuestionsAttempted = "Un alumno ha contestado a una pregunta abierta"; +$AttemptDetails = "Detalles de los intentos"; +$TestAttempted = "Ejercicio"; +$StudentName = "Nombre del estudiante"; +$StudentEmail = "E-Mail del estudiante"; +$OpenQuestionsAttemptedAre = "La pregunta abierta intentada está"; +$UploadJpgPicture = "Enviar una imagen (jpg, png o gif)"; +$HotspotDescription = "Descripción de la zona interactiva"; +$ExamSheetVCC = "Ejercicio visto/corregido/comentado por el profesor"; +$AttemptVCC = "Los siguientes intentos han sido vistos/comentados/corregidos por el profesor"; +$ClickLinkToViewComment = "Haga clic en el enlace inferior para acceder a su cuenta y ver corregida su hoja de ejercicios"; +$Regards = "Cordialmente"; +$AttemptVCCLong = "Su intento en el ejercicio %s ha sido visto/comentado/corregido por el profesor. Haga clic en el enlace inferior para acceder a su cuenta y ver su hoja de ejercicios."; +$DearStudentEmailIntroduction = "Estimado estudiante,"; +$ResultsEnabled = "Modo autoevaluación activado. Ahora, al final del ejercicio los estudiantes podrán ver las respuestas correctas."; +$ResultsDisabled = "Modo examen activado. Ahora, al final del ejercicio los estudiantes no podrán ver las respuestas correctas."; +$ExportWithUserFields = "Incluir los campos de usuario en la exportación"; +$ExportWithoutUserFields = "Excluir los campos de usuario de la exportación"; +$DisableResults = "No mostrar los resultados a los alumnos"; +$EnableResults = "Mostrar los resultados a los alumnos"; +$ValidateAnswer = "Validar respuesta(s)"; +$FillInBlankSwitchable = "Una respuesta puede ser correcta para cualquiera de las opciones en blanco."; +$ReachedMaxAttempts = "No puede repetir el ejercicio %s debido a que ya ha realizado el máximo de %s intentos permitidos"; +$RandomQuestionsToDisplay = "Número de preguntas aleatorias a mostrar"; +$RandomQuestionsHelp = "Número de preguntas que serán seleccionadas al azar. Escoja el número de preguntas que desea barajar."; +$ExerciseAttempts = "Número máximo de intentos"; +$DoNotRandomize = "Sin desordenar"; +$Infinite = "Ilimitado"; +$BackToExercisesList = "Regresar a Ejercicios"; +$NoStartDate = "No empieza fecha"; +$ExeStartTime = "Fecha de inicio"; +$ExeEndTime = "Fecha de finalización"; +$DeleteAttempt = "¿ Eliminar este intento ?"; +$WithoutComment = "Sin comentarios"; +$QuantityQuestions = "Número de preguntas"; +$FilterExercices = "Filtrar ejercicios"; +$FilterByNotRevised = "Filtrar por No revisado"; +$FilterByRevised = "Filtrar por Revisado"; +$ReachedTimeLimit = "Ha llegado al tiempo límite"; +$TryAgain = "Intenta otra vez"; +$SeeTheory = "Revisar la teoría"; +$EndActivity = "Fin de la actividad"; +$NoFeedback = "Examen (sin retroalimentación)"; +$DirectFeedback = "Autoevaluación (retroalimentación inmediata)"; +$FeedbackType = "Retro-alimentación"; +$Scenario = "Escenario"; +$VisitUrl = "Visitar esta dirección"; +$ExitTest = "Salir del examen"; +$DurationFormat = "%1 segundos"; +$Difficulty = "Dificultad"; +$NewScore = "Nueva puntuación"; +$NewComment = "Nuevo comentario"; +$ExerciseNoStartedYet = "El ejercicio aun no se ha iniciado"; +$ExerciseNoStartedAdmin = "El profesor no ha iniciado el ejercicio"; +$SelectTargetLP = "Seleccionar lección de destino"; +$SelectTargetQuestion = "Seleccionar pregunta de destino"; +$DirectFeedbackCantModifyTypeQuestion = "El tipo de evaluación no puede ser modificado ya que fue seleccionado para Autoevaluación"; +$CantShowResults = "No disponible"; +$CantViewResults = "No se puede ver los resultados"; +$ShowCorrectedOnly = "Mostrar ejercicios corregidos"; +$ShowUnCorrectedOnly = "Mostrar ejercicios sin corregir"; +$HideResultsToStudents = "Ocultar los resultados a los estudiantes"; +$ShowResultsToStudents = "Mostrar los resultados a los estudiantes"; +$ProcedToQuestions = "Preparar preguntas"; +$AddQuestionToExercise = "Añadir pregunta"; +$PresentationQuestions = "Presentación de las preguntas"; +$UniqueAnswer = "Respuesta única"; +$MultipleAnswer = "Respuesta multiple"; +$ReachedOneAttempt = "No puede realizar el ejercicio otra vez porque ha superado el número de intentos permitidos para su ejecución."; +$QuestionsPerPage = "Preguntas por pagina"; +$QuestionsPerPageOne = "Una"; +$QuestionsPerPageAll = "Todas"; +$EditIndividualComment = "Editar feedback"; +$ThankYouForPassingTheTest = "Gracias por pasar el examen"; +$ExerciseAtTheEndOfTheTest = "Al final del ejercicio (retroalimentación)"; +$EnrichQuestion = "Enriquecer pregunta"; +$DefaultUniqueQuestion = "¿Cuál de los siguientes alimentos es un producto lácteo?"; +$DefaultUniqueAnswer1 = "Leche"; +$DefaultUniqueComment1 = "La leche es la base de numerosos productos lácteos como la mantequilla, el queso y el yogur"; +$DefaultUniqueAnswer2 = "Avena"; +$DefaultUniqueComment2 = "La avena es uno de los cereales más completos. Por sus cualidades energéticas y nutritivas ha sido un alimento básico de muchos pueblos"; +$DefaultMultipleQuestion = "¿Qué país no pertenece al continente europeo?"; +$DefaultMultipleAnswer1 = "España"; +$DefaultMultipleComment1 = "Es un país soberano miembro de la Unión Europea, constituido en Estado social y democrático de Derecho, y cuya forma de gobierno es la monarquía parlamentaria"; +$DefaultMultipleAnswer2 = "Perú"; +$DefaultMultipleComment2 = "Es un país situado en el lado occidental de Sudamérica. Está limitado por el norte con Ecuador y Colombia, por el este con Brasil, por el sureste con Bolivia, por el sur con Chile, y por el oeste con el Océano Pacífico"; +$DefaultFillBlankQuestion = "Calcular el índice de masa corporal"; +$DefaultMathingQuestion = "Determinar el orden correcto"; +$DefaultOpenQuestion = "¿Cuándo se celebra el día del Trabajo?"; +$MoreHotspotsImage = "Agregar / editar hotspots en la imagen"; +$ReachedTimeLimitAdmin = "Ha alcanzado el límite de tiempo para realizar este ejercicio"; +$LastScoreTest = "Última puntuación obtenida"; +$BackToResultList = "Volver a lista de resultados"; +$EditingScoreCauseProblemsToExercisesInLP = "Si edita la puntuación de esta pregunta modificará el resultado del ejercicio, recuerde que este ejercicio también está agregado a una Lección"; +$SelectExercise = "Seleccionar ejercicio"; +$YouHaveToSelectATest = "Debes seleccionar un ejercicio"; +$HotspotDelineation = "Delineación"; +$CreateQuestions = "Crear preguntas"; +$MoreOAR = "Agregar OAR"; +$LessOAR = "Eliminar OAR"; +$LearnerIsInformed = "Este mensaje aparecerá si el estudiante falla un paso"; +$MinOverlap = "Mínima superposición"; +$MaxExcess = "Máximo exceso"; +$MaxMissing = "Zona faltante máxima"; +$IfNoError = "Si no existe error"; +$LearnerHasNoMistake = "El estudiante no cometió errores"; +$YourDelineation = "Su delineación :"; +$ResultIs = "Su resultado es :"; +$Overlap = "Zona de superposición"; +$Missing = "Zona faltante"; +$Excess = "Zona excesiva"; +$Min = "Minimum"; +$Requirements = "Requerido"; +$OARHit = "Uno (o mas) OAR han sido seleccionados"; +$TooManyIterationsPleaseTryUsingMoreStraightforwardPolygons = "Demasiadas iteraciones al intentar calcular la respuesta. Por favor intente dibujar su delineación otra vez"; +$Thresholds = "Thresholds"; +$Delineation = "Delineación"; +$QuestionTypeDoesNotBelongToFeedbackTypeInExercise = "Tipo de pregunta no pertenece al tipo de retroalimentación en ejercicios"; +$Title = "Título"; +$By = "Publicado por"; +$UsersOnline = "Usuarios en línea"; +$Remove = "Eliminar"; +$Enter = "Volver a mi lista de cursos"; +$Description = "Descripción"; +$Links = "Enlaces"; +$Works = "Tareas"; +$Forums = "Foros"; +$GradebookListOfStudentsReports = "Reporte de lista de alumnos"; +$CreateDir = "Crear una carpeta"; +$Name = "Nombre"; +$Comment = "Comentarios"; +$Visible = "Visible"; +$NewDir = "Nombre de la nueva carpeta"; +$DirCr = "La carpeta ha sido creada"; +$Download = "Descargar"; +$Group = "Grupos"; +$Edit = "Editar"; +$GroupForum = "Foro del grupo"; +$Language = "Idioma"; +$LoginName = "Usuario"; +$AutostartMp3 = "Presione Aceptar si desea que el archivo de audio se reproduzca automáticamente"; +$Assignments = "Tareas"; +$Forum = "Foro"; +$DelImage = "Eliminar foto"; +$Code = "Código del curso"; +$Up = "Arriba"; +$Down = "Bajar"; +$TimeReportForCourseX = "Reporte de tiempo curso %s"; +$Theme = "Estilo"; +$TheListIsEmpty = "La lista está vacía"; +$UniqueSelect = "Respuesta única"; +$CreateCategory = "Crear categoría"; +$SendFile = "Enviar archivo"; +$SaveChanges = "Guardar cambios"; +$SearchTerm = "Palabra a buscar"; +$TooShort = "Muy corto"; +$CourseCreate = "Crear un curso"; +$Todo = "Sugerencias"; +$UserName = "Nombre de usuario"; +$TimeReportIncludingAllCoursesAndSessionsByTeacher = "Reporte de tiempo incluyendo todos los cursos y sesiones, por profesor"; +$CategoryMod = "Modificar categoría"; +$Hide = "Ocultar"; +$Dear = "Estimado/a"; +$Archive = "archivo"; +$CourseCode = "Código del curso"; +$NoDescription = "Sin descripción"; +$OfficialCode = "Código oficial"; +$FirstName = "Nombre"; +$LastName = "Apellidos"; +$Status = "Estado"; +$Email = "Correo electrónico"; +$SlideshowConversion = "Conversión de la presentación"; +$UploadFile = "Enviar archivo"; +$AvailableFrom = "Disponible desde"; +$AvailableTill = "Disponible hasta"; +$Preview = "Vista preliminar"; +$Type = "Tipo"; +$EmailAddress = "Dirección de correo electrónico"; +$Organisation = "Organización"; +$Reporting = "Informes"; +$Update = "Actualizar"; +$SelectQuestionType = "Seleccionar tipo"; +$CurrentCourse = "Curso actual"; +$Back = "Volver"; +$Info = "Información"; +$Search = "Buscar"; +$AdvancedSearch = "Búsqueda avanzada"; +$Open = "Abierto"; +$Import = "Importar"; +$AddAnother = "Añadir otra"; +$Author = "Autor"; +$TrueFalse = "Verdadero / Falso"; +$QuestionType = "Tipo de pregunta"; +$NoSearchResults = "No se han encontrado resultados"; +$SelectQuestion = "Seleccionar una pregunta"; +$AddNewQuestionType = "Añadir un nuevo tipo de pregunta"; +$Numbered = "Numerada"; +$iso639_2_code = "es"; +$iso639_1_code = "spa"; +$charset = "iso-8859-1"; +$text_dir = "ltr"; +$left_font_family = "verdana, helvetica, arial, geneva, sans-serif"; +$right_font_family = "helvetica, arial, geneva, sans-serif"; +$number_thousands_separator = ","; +$number_decimal_separator = "."; +$dateFormatShort = "%d %b %Y"; +$dateFormatLong = "%A %d %B de %Y"; +$dateTimeFormatLong = "%d de %B %Y a las %I:%M %p"; +$timeNoSecFormat = "%H:%M h."; +$Yes = "Sí"; +$No = "No"; +$Next = "Siguiente"; +$Allowed = "Permitido"; +$BackHome = "Volver a la página principal de"; +$Propositions = "Propuestas de mejora de"; +$Maj = "Actualizar"; +$Modify = "Modificar"; +$Invisible = "Invisible"; +$Save = "Guardar"; +$Move = "Mover"; +$Help = "Ayuda"; +$Ok = "Aceptar"; +$Add = "Añadir"; +$AddIntro = "Añadir un texto de introducción"; +$BackList = "Volver a la lista"; +$Text = "Texto"; +$Empty = "No ha rellenado todos los campos.
        Utilice el botón de retorno de su navegador y vuelva a empezar.
        Si no conoce el código de su curso, consulte el programa del curso"; +$ConfirmYourChoice = "Por favor, confirme su elección"; +$And = "y"; +$Choice = "Su selección"; +$Finish = "Terminar"; +$Cancel = "Cancelar"; +$NotAllowed = "No está autorizado a ver esta página o su conexión ha caducado."; +$NotLogged = "No ha entrado como usuario de un curso"; +$Manager = "Responsable"; +$Optional = "Opcional"; +$NextPage = "Página siguiente"; +$PreviousPage = "Página anterior"; +$Use = "Usar"; +$Total = "Total"; +$Take = "tomar"; +$One = "Uno"; +$Several = "Varios"; +$Notice = "Aviso"; +$Date = "Fecha"; +$Among = "entre"; +$Show = "Mostrar"; +$MyCourses = "Mis cursos"; +$ModifyProfile = "Mi perfil"; +$MyStats = "Ver mis estadísticas"; +$Logout = "Salir"; +$MyAgenda = "Mi agenda"; +$CourseHomepage = "Página principal del curso"; +$SwitchToTeacherView = "Cambiar a vista profesor"; +$SwitchToStudentView = "Cambiar a \"Vista de estudiante\""; +$AddResource = "Añadir recurso"; +$AddedResources = "Recursos añadidos"; +$TimeReportForTeacherX = "Reporte de tiempo profesor %s"; +$TotalTime = "Tiempo total"; +$NameOfLang['arabic'] = "árabe"; +$NameOfLang['brazilian'] = "brasileño"; +$NameOfLang['bulgarian'] = "búlgaro"; +$NameOfLang['catalan'] = "catalán"; +$NameOfLang['croatian'] = "croata"; +$NameOfLang['danish'] = "danés"; +$NameOfLang['dutch'] = "holandés"; +$NameOfLang['english'] = "inglés"; +$NameOfLang['finnish'] = "finlandés"; +$NameOfLang['french'] = "francés"; +$NameOfLang['french_corporate'] = "francés corporativo"; +$NameOfLang['french_KM'] = "francés KM"; +$NameOfLang['galician'] = "gallego"; +$NameOfLang['german'] = "alemán"; +$NameOfLang['greek'] = "griego"; +$NameOfLang['italian'] = "italiano"; +$NameOfLang['japanese'] = "japonés"; +$NameOfLang['polish'] = "polaco"; +$NameOfLang['portuguese'] = "portugués"; +$NameOfLang['russian'] = "ruso"; +$NameOfLang['simpl_chinese'] = "chino simplificado"; +$NameOfLang['spanish'] = "español"; +$Close = "Cerrar"; +$Platform = "Plataforma"; +$localLangName = "idioma"; +$email = "e-mail"; +$CourseCodeAlreadyExists = "Lo siento, pero este código ya existe. Pruebe a escoger otro."; +$Statistics = "Estadísticas"; +$GroupList = "Lista de grupos"; +$Previous = "Anterior"; +$DestDirectoryDoesntExist = "La carpeta de destino no existe"; +$Courses = "Cursos"; +$In = "en"; +$ShowAll = "Mostrar todos"; +$Page = "Página"; +$englishLangName = "Inglés"; +$Home = "Principal"; +$AreYouSureToDelete = "¿ Está seguro de querer eliminar"; +$SelectAll = "Seleccionar todo"; +$UnSelectAll = "Anular seleccionar todos"; +$WithSelected = "Con lo seleccionado"; +$OnLine = "Conectado"; +$Users = "Usuarios"; +$PlatformAdmin = "Administración"; +$NameOfLang['hungarian'] = "húngaro"; +$NameOfLang['indonesian'] = "indonesio"; +$NameOfLang['malay'] = "malayo"; +$NameOfLang['slovenian'] = "esloveno"; +$NameOfLang['spanish_latin'] = "español latino"; +$NameOfLang['swedish'] = "sueco"; +$NameOfLang['thai'] = "tailandés"; +$NameOfLang['turkce'] = "turco"; +$NameOfLang['vietnamese'] = "vietnamita"; +$UserInfo = "información del usuario"; +$ModifyQuestion = "Modificar pregunta"; +$Example = "Ejemplo"; +$CheckAll = "comprobar"; +$NbAnnoucement = "Avisos"; +$DisplayCertificate = "Visualizar certificado"; +$Doc = "documento"; +$PlataformAdmin = "Administración de la plataforma"; +$Groups = "Grupos"; +$GroupManagement = "Gestión de grupos"; +$All = "Todo"; +$None = "Ninguna"; +$Sorry = "Seleccione primero un curso"; +$Denied = "Esta función sólo está disponible para los administradores del curso"; +$Today = "Hoy"; +$CourseHomepageLink = "Página de inicio del curso"; +$Attachment = "Adjuntar"; +$User = "Usuario"; +$MondayInit = "L"; +$TuesdayInit = "M"; +$WednesdayInit = "M"; +$ThursdayInit = "J"; +$FridayInit = "V"; +$SaturdayInit = "S"; +$SundayInit = "D"; +$MondayShort = "Lun"; +$TuesdayShort = "Mar"; +$WednesdayShort = "Mié"; +$ThursdayShort = "Jue"; +$FridayShort = "Vie"; +$SaturdayShort = "Sáb"; +$SundayShort = "Dom"; +$MondayLong = "Lunes"; +$TuesdayLong = "Martes"; +$WednesdayLong = "Miércoles"; +$ThursdayLong = "Jueves"; +$FridayLong = "Viernes"; +$SaturdayLong = "Sábado"; +$SundayLong = "Domingo"; +$JanuaryInit = "E"; +$FebruaryInit = "F"; +$MarchInit = "M"; +$AprilInit = "A"; +$MayInit = "M"; +$JuneInit = "J"; +$JulyInit = "J"; +$AugustInit = "A"; +$SeptemberInit = "S"; +$OctoberInit = "O"; +$NovemberInit = "N"; +$DecemberInit = "D"; +$JanuaryShort = "Ene"; +$FebruaryShort = "Feb"; +$MarchShort = "Mar"; +$AprilShort = "Abr"; +$MayShort = "May"; +$JuneShort = "Jun"; +$JulyShort = "Jul"; +$AugustShort = "Ago"; +$SeptemberShort = "Sep"; +$OctoberShort = "Oct"; +$NovemberShort = "Nov"; +$DecemberShort = "Dic"; +$JanuaryLong = "Enero"; +$FebruaryLong = "Febrero"; +$MarchLong = "Marzo"; +$AprilLong = "Abril"; +$MayLong = "Mayo"; +$JuneLong = "Junio"; +$JulyLong = "Julio"; +$AugustLong = "Agosto"; +$SeptemberLong = "Septiembre"; +$OctoberLong = "Octubre"; +$NovemberLong = "Noviembre"; +$DecemberLong = "Diciembre"; +$MyCompetences = "Mis competencias"; +$MyDiplomas = "Mis títulos"; +$MyPersonalOpenArea = "Mi área personal pública"; +$MyTeach = "Qué puedo enseñar"; +$Agenda = "Agenda"; +$HourShort = "h"; +$PleaseTryAgain = "¡ Por favor, inténtelo otra vez !"; +$UplNoFileUploaded = "Ningún archivo ha sido enviado"; +$UplSelectFileFirst = "Por favor, seleccione el archivo antes de presionar el botón enviar."; +$UplNotAZip = "El archivo seleccionado no es un archivo zip."; +$UplUploadSucceeded = "¡ El archivo ha sido enviado !"; +$ExportAsCSV = "Exportar a un fichero CSV"; +$ExportAsXLS = "Exportar a un fichero XLS"; +$Openarea = "Area personal pública"; +$Done = "Hecho"; +$Documents = "Documentos"; +$DocumentAdded = "Documento añadido"; +$DocumentUpdated = "Documento actualizado"; +$DocumentInFolderUpdated = "Documento actualizado en la carpeta"; +$Course_description = "Descripción del curso"; +$Average = "Promedio"; +$Document = "Documento"; +$Learnpath = "Lecciones"; +$Link = "Enlace"; +$Announcement = "Anuncios"; +$Dropbox = "Compartir documentos"; +$Quiz = "Ejercicios"; +$Chat = "Chat"; +$Conference = "Conferencia Online"; +$Student_publication = "Tareas"; +$Tracking = "Informes"; +$homepage_link = "Añadir un enlace a la página principal del curso"; +$Course_setting = "Configuración del curso"; +$Backup = "Copia de seguridad del curso"; +$copy_course_content = "Copiar el contenido de este curso"; +$recycle_course = "Reciclar este curso"; +$StartDate = "Fecha de inicio"; +$EndDate = "Fecha de finalización"; +$StartTime = "Hora de comienzo"; +$EndTime = "Hora de finalización"; +$YouWereCalled = "Está siendo llamado para chatear con"; +$DoYouAccept = "¿Acepta?"; +$Everybody = "todos los usuarios del curso"; +$SentTo = "Dirigido a"; +$Export = "Exportar"; +$Tools = "Módulos"; +$Everyone = "Todos"; +$SelectGroupsUsers = "Seleccionar grupos/usuarios"; +$Student = "Estudiante"; +$Teacher = "Profesor"; +$Send2All = "No seleccionó ningún usuario / grupo. Este item será visible por todos los usuarios."; +$Wiki = "Wiki"; +$Complete = "Completado"; +$Incomplete = "Sin completar"; +$reservation = "reservar"; +$StartTimeWindow = "Inicio"; +$EndTimeWindow = "Final"; +$AccessNotAllowed = "No está permitido el acceso a esta página"; +$InThisCourse = "en este curso"; +$ThisFieldIsRequired = "Contenido obligatorio"; +$AllowedHTMLTags = "Etiquetas HTML permitidas"; +$FormHasErrorsPleaseComplete = "Este formulario contiene datos incorrectos o incompletos. Por favor, revise lo que ha escrito."; +$StartDateShouldBeBeforeEndDate = "La fecha de inicio debe ser anterior a la fecha final"; +$InvalidDate = "Fecha no válida"; +$OnlyLettersAndNumbersAllowed = "Sólo se permiten letras y números"; +$BasicOverview = "Organizar"; +$CourseAdminRole = "Administrador del curso"; +$UserRole = "Rol"; +$OnlyImagesAllowed = "Splo están permitidas imágenes PNG, JPG y GIF"; +$ViewRight = "Ver"; +$EditRight = "Editar"; +$DeleteRight = "Eliminar"; +$OverviewCourseRights = "Descripción de roles y permisos"; +$SeeAllRightsAllLocationsForSpecificRole = "Rol"; +$SeeAllRolesAllLocationsForSpecificRight = "Ver todos los perfiles y lugares para un permiso específico"; +$Advanced = "Avanzado"; +$RightValueModified = "Este valor ha sido modificado."; +$course_rights = "Configuración de roles y permisos"; +$Visio_conference = "Reunión por videoconferencia"; +$CourseAdminRoleDescription = "Administrador del curso"; +$MoveTo = "Mover a"; +$Delete = "Eliminar"; +$MoveFileTo = "Mover archivo a"; +$TimeReportForSessionX = "Reporte de tiempo sesión %s"; +$Error = "Error"; +$Anonymous = "Anónimo"; +$h = "h"; +$CreateNewGlobalRole = "Crear nuevo rol global"; +$CreateNewLocalRole = "Crear nuevo rol local"; +$Actions = "Acciones"; +$Inbox = "Bandeja de entrada"; +$ComposeMessage = "Redactar"; +$Other = "Otro"; +$AddRight = "Añadir"; +$CampusHomepage = "Página principal"; +$YouHaveNewMessage = "Tiene un nuevo mensaje"; +$myActiveSessions = "Mis sesiones activas"; +$myInactiveSessions = "Mis sesiones no activas"; +$FileUpload = "Envío de archivo"; +$MyActiveSessions = "Mis sesiones activas"; +$MyInActiveSessions = "Mis sesiones no activas"; +$MySpace = "Informes"; +$ExtensionActivedButNotYetOperational = "Esta extensión ha sido activada pero, por ahora, no puede estar operativa."; +$MyStudents = "Mis estudiantes"; +$Progress = "Progreso"; +$Or = "o"; +$Uploading = "Enviando..."; +$AccountExpired = "Cuenta caducada"; +$AccountInactive = "Cuenta sin activar"; +$ActionNotAllowed = "Acción no permitida"; +$SubTitle = "Subtítulo"; +$NoResourcesToRecycle = "No hay recursos para reciclar"; +$noOpen = "No puede abrirse"; +$TempsFrequentation = "Tiempo de frecuenciación"; +$Progression = "Progreso"; +$NoCourse = "El curso no puede ser encontrado"; +$Teachers = "Profesores"; +$Session = "Sesión"; +$Sessions = "Sesiones de formación"; +$NoSession = "La sesión no puede ser encontrada"; +$NoStudent = "El estudiante no puede ser encontrado"; +$Students = "Estudiantes"; +$NoResults = "No se encuentran resultados"; +$Tutors = "Tutores"; +$Tel = "Teléf."; +$NoTel = "Sin teléf."; +$SendMail = "Enviar correo"; +$RdvAgenda = "Cita de la agenda"; +$VideoConf = "Videoconferencia"; +$MyProgress = "Mi progreso"; +$NoOnlineStudents = "No hay estudiantes en línea"; +$InCourse = "en curso"; +$UserOnlineListSession = "Lista de usuarios en línea - Sesión"; +$From = "De"; +$To = "Para"; +$Content = "Contenido"; +$Year = "año"; +$Years = "años"; +$Day = "Día"; +$Days = "días"; +$PleaseStandBy = "Por favor, espere..."; +$AvailableUntil = "Disponible hasta"; +$HourMinuteDivider = "h"; +$Visio_classroom = "Aula de videoconferencia"; +$Survey = "Encuesta"; +$More = "Más"; +$ClickHere = "Clic aquí"; +$Here = "aqui"; +$SaveQuestion = "Guardar pregunta"; +$ReturnTo = "Ahora puede volver a"; +$Horizontal = "Horizontal"; +$Vertical = "Vertical"; +$DisplaySearchResults = "Mostrar los resultados de la búsqueda"; +$DisplayAll = "Mostrar todos"; +$File_upload = "Enviar archivo"; +$NoUsersInCourse = "Este curso no tiene usuarios"; +$Percentage = "Porcentaje"; +$Information = "Información"; +$EmailDestination = "Destinatario"; +$SendEmail = "Enviar email"; +$EmailTitle = "Título del anuncio"; +$EmailText = "Contenido del Email"; +$Comments = "Comentarios"; +$ModifyRecipientList = "Modificar la lista de destinatarios"; +$Line = "Línea"; +$NoLinkVisited = "No se ha visitado ningún enlace"; +$NoDocumentDownloaded = "No se ha descargado ningún documento"; +$Clicks = "clics"; +$SearchResults = "Buscar resultados"; +$SessionPast = "Pasada"; +$SessionActive = "Activa"; +$SessionFuture = "Todavía no ha comenzado"; +$DateFormatLongWithoutDay = "%d %B %Y"; +$InvalidDirectoryPleaseCreateAnImagesFolder = "Carpeta no válida: por favor cree una carpeta que se llame images en la herramienta documentos, para poder enviar a ella las imagenes que suba."; +$UsersConnectedToMySessions = "Usuarios conectados a mis sesiones"; +$Category = "Categoría"; +$DearUser = "Estimado usuario"; +$YourRegistrationData = "Estos son sus datos de acceso"; +$ResetLink = "Pulse en el siguiente enlace para regenerar su contraseña"; +$VisibilityChanged = "La visibilidad ha sido cambiada."; +$MainNavigation = "Navegación principal"; +$SeeDetail = "Ver detalles"; +$GroupSingle = "Grupo"; +$PleaseLoginAgainFromHomepage = "Por favor, pruebe a identificarse de nuevo desde la página principal de la plataforma"; +$PleaseLoginAgainFromFormBelow = "Por favor, pruebe a identificarse de nuevo usando el formulario inferior"; +$AccessToFaq = "Acceder a las preguntas más frecuentes (FAQ)"; +$Faq = "Preguntas más frecuentes (FAQ)"; +$RemindInactivesLearnersSince = "Recordatorio para los usuarios que han permanecido inactivos durante más de"; +$RemindInactiveLearnersMailSubject = "Falta de actividad en %s"; +$RemindInactiveLearnersMailContent = "Estimado estudiante,

        no ha tenido actividad en %s desde hace más de %s días."; +$OpenIdAuthentication = "Autentificación OpenID"; +$UploadMaxSize = "Tamaño máximo de los envíos"; +$Unknown = "Desconocido"; +$MoveUp = "Mover arriba"; +$MoveDown = "Mover abajo"; +$UplUnableToSaveFileFilteredExtension = "Envío de archivo no completado: este tipo de archivo o su extensión no están permitidos"; +$OpenIDURL = "URL OpenID"; +$UplFileTooBig = "¡ El archivo enviado es demasiado grande !"; +$UplGenericError = "El envío del archivo no se ha podido realizar. Por favor, inténtelo de nuevo más tarde o póngase en contacto con el administrador de la plataforma."; +$MyGradebook = "Evaluaciones"; +$Gradebook = "Evaluaciones"; +$OpenIDWhatIs = "¿ Qué es OpenID ?"; +$OpenIDDescription = "OpenID elimina la necesidad de tener varios nombres de usuario en distintos sitios web, simplificando la experiencia del usuario en la Red. Vd. puede escoger el proveedor de OpenID que mejor satisfaga sus necesidades y, lo que es más importante, aquel en el que tenga más confianza. También, aunque cambie de proveedor, podrá conservar su OpenID. Y lo mejor de todo, OpenID es una tecnología no propietaria y completamente gratuita. Para las empresas, esto significa un menor costo de administración de cuentas y contraseñas. OpenID reduce la frustración del usuario permitiendo que los usuarios tengan el control de su acceso.

        Para saber más..."; +$NoManager = "Sin responsable"; +$ExportiCal = "Exportar en formato iCal"; +$ExportiCalPublic = "Exportar en formato iCal como evento público"; +$ExportiCalPrivate = "Exportar en formato iCal como evento privado"; +$ExportiCalConfidential = "Exportar en formato iCal como evento confidencial"; +$MoreStats = "Más estadísticas"; +$Drh = "Responsable de Recursos Humanos"; +$MinDecade = "década"; +$MinYear = "año"; +$MinMonth = "mes"; +$MinWeek = "semana"; +$MinDay = "día"; +$MinHour = "hora"; +$MinMinute = "minuto"; +$MinDecades = "décadas"; +$MinYears = "años"; +$MinMonths = "meses"; +$MinWeeks = "semanas"; +$MinDays = "días"; +$MinHours = "Horas"; +$MinMinutes = "Minutos"; +$HomeDirectory = "Principal"; +$DocumentCreated = "Documento creado"; +$ForumAdded = "El nuevo foro ha sido añadido"; +$ForumThreadAdded = "Tema de discusión añadido al foro"; +$ForumAttachmentAdded = "Archivo adjunto añadido al foro"; +$directory = "directorio"; +$Directories = "directorios"; +$UserAge = "Edad"; +$UserBirthday = "Fecha de nacimiento"; +$Course = "Curso"; +$FilesUpload = "documentos"; +$ExerciseFinished = "Ejercicio finalizado"; +$UserSex = "Sexo"; +$UserNativeLanguage = "Lengua materna"; +$UserResidenceCountry = "País de residencia"; +$AddAnAttachment = "Adjuntar un archivo"; +$FileComment = "Comentario del archivo"; +$FileName = "Nombre de fichero"; +$SessionsAdmin = "Administrador de sesiones"; +$MakeChangeable = "Convertir en modificable"; +$MakeUnchangeable = "Convertir en no modificable"; +$UserFields = "Campos de usuario"; +$FieldShown = "El campo ahora es visible para el usuario"; +$CannotShowField = "No se puede hacer visible el campo"; +$FieldHidden = "El campo ahora no es visible por el usuario"; +$CannotHideField = "No se puede ocultar el campo"; +$FieldMadeChangeable = "El campo ahora es modificable por el usuario: el usuario puede rellenar o modificar el campo"; +$CannotMakeFieldChangeable = "El campo no se puede convertir en modificable"; +$FieldMadeUnchangeable = "El campo ahora es fijo: el usuario no puede rellenar o modificar el campo"; +$CannotMakeFieldUnchangeable = "No se puede convertir el campo en fijo"; +$Folder = "Carpeta"; +$CloseOtherSession = "El chat no está disponible debido a que otra página del curso está abierta, por favor vuelva a ingresar al chat"; +$FileUploadSucces = "El archivo ha sido enviado"; +$Yesterday = "Ayer"; +$Submit = "Enviar"; +$Department = "Departamento"; +$BackToNewSearch = "Volver a realizar una búsqueda"; +$Step = "Paso"; +$SomethingFemininAddedSuccessfully = "ha sido añadida"; +$SomethingMasculinAddedSuccessfully = "ha sido añadido"; +$DeleteError = "Error de borrado"; +$StepsList = "Lista de etapas"; +$AddStep = "Añadir etapa"; +$StepCode = "Código de la etapa"; +$Label = "Etiqueta"; +$UnableToConnectTo = "Imposible conectar con"; +$NoUser = "Sin usuarios"; +$SearchResultsFor = "Resultados de la búsqueda para:"; +$SelectFile = "Seleccione un archivo"; +$WarningFaqFileNonWriteable = "Atención - El archivo FAQ localizado en el directorio /home/ de su plataforma, no es un archivo en el que se pueda escribir. Su texto no será guardado hasta que no cambie los permisos del archivo."; +$AddCategory = "Añadir categoría"; +$NoExercises = "No hay ejercicios disponibles"; +$NotAllowedClickBack = "Lo sentimos, no le está permitido acceder a esta página o su conexión ha caducado. Para volver a la página anterior pulse el enlace inferior o haga clic en el botón \"Atrás\" de su navegador."; +$Exercise = "Ejercicio"; +$Result = "Resultado"; +$AttemptingToLoginAs = "Intentar identificarse como %s %s (id %s)"; +$LoginSuccessfulGoToX = "Identificación realizada. Vaya a %s"; +$FckMp3Autostart = "Iniciar audio automáticamente"; +$Learner = "Estudiante"; +$IntroductionTextUpdated = "El texto de introducción ha sido actualizado"; +$Align = "Alineación"; +$Width = "Ancho"; +$VSpace = "Espacio V"; +$HSpace = "Espacio H"; +$Border = "Borde"; +$Alt = "Alt"; +$Height = "Altura"; +$ImageManager = "Administrador de imágenes"; +$ImageFile = "Imagen"; +$ConstrainProportions = "Mantener proporciones"; +$InsertImage = "Importar imagen"; +$AccountActive = "Cuenta activa"; +$GroupSpace = "Área del grupo"; +$GroupWiki = "Wiki"; +$ExportToPDF = "Exportar a PDF"; +$CommentAdded = "Comentario añadido"; +$BackToPreviousPage = "Volver a la página anterior"; +$ListView = "Mostrar como lista"; +$NoOfficialCode = "Sin código oficial"; +$Owner = "Propietario"; +$DisplayOrder = "Orden"; +$SearchFeatureDoIndexDocument = "¿ Indexar el contenido del documento ?"; +$SearchFeatureDocumentLanguage = "Idioma del documento para la indexación"; +$With = "con"; +$GeneralCoach = "Tutor general"; +$SaveDocument = "Guardar documento"; +$CategoryDeleted = "La categoría ha sido eliminada."; +$CategoryAdded = "Calificación añadida"; +$IP = "IP"; +$Qualify = "Calificar"; +$Words = "Palabras"; +$GoBack = "Regresar"; +$Details = "Detalles"; +$EditLink = "Editar enlace"; +$LinkEdited = "El enlace ha sido modificado"; +$ForumThreads = "Temas del foro"; +$GradebookVisible = "Visible"; +$GradebookInvisible = "Invisible"; +$Phone = "Teléfono"; +$InfoMessage = "Mensaje de información"; +$ConfirmationMessage = "Mensaje de confirmación"; +$WarningMessage = "Mensaje de aviso"; +$ErrorMessage = "Mensaje de error"; +$Glossary = "Glosario"; +$Coach = "Tutor"; +$Condition = "Condición"; +$CourseSettings = "Configuración del curso"; +$EmailNotifications = "Notificaciones por e-mail"; +$UserRights = "Derechos de usuario"; +$Theming = "Estilos"; +$Qualification = "Calificación"; +$OnlyNumbers = "Solamente numeros"; +$ReorderOptions = "Reordenar opciones"; +$EditUserFields = "Editar campos de usuario"; +$OptionText = "Opción de texto"; +$FieldTypeDoubleSelect = "Campo de tipo selección doble"; +$FieldTypeDivider = "Campo de tipo separador"; +$ScormUnknownPackageFormat = "Formato desconocido de paquete"; +$ResourceDeleted = "El recurso fue eliminado"; +$AdvancedParameters = "Parámetros avanzados"; +$GoTo = "Ir a"; +$SessionNameAndCourseTitle = "Título del curso y nombre de la sesión"; +$CreationDate = "Fecha de creación"; +$LastUpdateDate = "Última actualización"; +$ViewHistoryChange = "Ver historial de cambios"; +$NameOfLang['asturian'] = "asturiano"; +$SearchGoToLearningPath = "Ir a la lección"; +$SearchLectureLibrary = "Biblioteca de lecciones"; +$SearchImagePreview = "Vista previa"; +$SearchAdvancedOptions = "Opciones de búsqueda avanzadas"; +$SearchResetKeywords = "Limpiar palabras clave"; +$SearchKeywords = "Palabras clave"; +$IntroductionTextDeleted = "El texto de introducción ha sido eliminado"; +$SearchKeywordsHelpTitle = "Ayuda búsqueda por palabras clave"; +$SearchKeywordsHelpComment = "Selecciona las palabras clave en uno o más de los campos y haz clic por el botón de búsqueda.

        Para seleccionar más de una palabra clave en un campo, usa Ctrl+Clic"; +$Validate = "Validar"; +$SearchCombineSearchWith = "Combinar palabras clave con"; +$SearchFeatureNotEnabledComment = "La funcionalidad de búsqueda de texto completo no está habilitada en Chamilo. Por favor, contacte con el administrador de Chamilo."; +$Top = "Inicio"; +$YourTextHere = "Su texto aquí"; +$OrderBy = "Ordenar por"; +$Notebook = "Notas personales"; +$FieldRequired = "Contenido obligatorio"; +$BookingSystem = "Sistema de reservas"; +$Any = "Cualquiera"; +$SpecificSearchFields = "Campos específicos de búsqueda"; +$SpecificSearchFieldsIntro = "Aquí puede definir los campos que desee usar para indexar el contenido. Cuando esté indexando un elemento podrá agregar uno o más términos en cada campo separados por comas."; +$AddSpecificSearchField = "Agregar un campo espefífico de búsqueda"; +$SaveSettings = "Guardar configuración"; +$NoParticipation = "No hay participantes"; +$Subscribers = "Suscriptores"; +$Accept = "Aceptar"; +$Reserved = "Reservado"; +$SharedDocumentsDirectory = "Carpeta de documentos compartidos"; +$Gallery = "Galería"; +$Audio = "Audio"; +$GoToQuestion = "Ir a la pregunta"; +$Level = "Nivel"; +$Duration = "Duración"; +$SearchPrefilterPrefix = "Campo específico para prefiltrado"; +$SearchPrefilterPrefixComment = "Esta opción le permite elegir el campo específico que va a ser usado en el tipo de búsqueda prefiltrado."; +$MaxTimeAllowed = "Tiempo máximo permitido (min)"; +$Class = "Clase"; +$Select = "Seleccionar"; +$Booking = "Reservas"; +$ManageReservations = "Gestionar reservas"; +$DestinationUsers = "Usuarios destinatarios"; +$AttachmentFileDeleteSuccess = "El archivo adjunto ha sido eliminado"; +$AccountURLInactive = "Cuenta no activada en esta URL"; +$MaxFileSize = "Tamaño máximo de archivo"; +$SendFileError = "Error al enviar el archivo"; +$Expired = "Vencido"; +$InvitationHasBeenSent = "La invitación ha sido enviada"; +$InvitationHasBeenNotSent = "La invitación no ha sido enviada"; +$Outbox = "Bandeja de salida"; +$Overview = "Vista global"; +$ApiKeys = "Claves API"; +$GenerateApiKey = "Generar clave API"; +$MyApiKey = "Mi clave API"; +$DateSend = "Fecha de envio"; +$Deny = "Denegar"; +$ThereIsNotQualifiedLearners = "No hay estudiantes calificados"; +$ThereIsNotUnqualifiedLearners = "No hay estudiantes sin calificar"; +$SocialNetwork = "Red social"; +$BackToOutbox = "Volver a la bandeja de salida"; +$Invitation = "Invitación"; +$SeeMoreOptions = "Ver más opciones"; +$TemplatePreview = "Previsualización de la plantilla"; +$NoTemplatePreview = "Previsualización no disponible"; +$ModifyCategory = "Modificar categoría"; +$Photo = "Foto"; +$MoveFile = "Mover el archivo"; +$Filter = "Filtrar"; +$Subject = "Asunto"; +$Message = "mensaje"; +$MoreInformation = "Mas información"; +$MakeInvisible = "Ocultar"; +$MakeVisible = "Hacer visible"; +$Image = "Imagen"; +$SaveIntroText = "Guardar texto de introducción"; +$CourseName = "Nombre del curso"; +$SendAMessage = "Enviar mensaje"; +$Menu = "Menú"; +$BackToUserList = "Regresar a lista de usuarios"; +$GraphicNotAvailable = "Gráfico no disponible"; +$BackTo = "Regresar a"; +$HistoryTrainingSessions = "Historial de cursos"; +$ConversionFailled = "Conversión fallida"; +$AlreadyExists = "Ya existe"; +$TheNewWordHasBeenAdded = "La nueva palabra ha sido añadida al subconjunto del idioma principal"; +$CommentErrorExportDocument = "Algunos documentos contienen etiquetas internas no válidas o son demasiado complejos para su tratamiento automático mediante el conversor de documentos"; +$YourGradebookFirstNeedsACertificateInOrderToBeLinkedToASkill = "La evaluación necesita tener un certificado para poder relacionarlo a una competencia"; +$DataType = "Tipo de dato"; +$Value = "Valor"; +$System = "Sistema"; +$ImportantActivities = "Actividades importantes"; +$SearchActivities = "Buscar actividades"; +$Parent = "Pariente"; +$SurveyAdded = "Encuesta añadida"; +$WikiAdded = "Wiki añadido"; +$ReadOnly = "Sólo lectura"; +$Unacceptable = "No aceptable"; +$DisplayTrainingList = "Mostrar la lista de cursos"; +$HistoryTrainingSession = "Historial de cursos"; +$Until = "Hasta"; +$FirstPage = "Primera página"; +$LastPage = "Última página"; +$Coachs = "Tutores"; +$ModifyEvaluation = "Guardar"; +$CreateLink = "Crear"; +$AddResultNoStudents = "No hay estudiantes para añadir resultados"; +$ScoreEdit = "Editar las reglas de puntuación"; +$ScoreColor = "Color de la puntuación"; +$ScoringSystem = "Sistema de puntuación"; +$EnableScoreColor = "Activar el coloreado de las puntuaciones"; +$Below = "Por debajo de"; +$WillColorRed = "se coloreará en rojo"; +$EnableScoringSystem = "Activar el sistema de puntuación"; +$IncludeUpperLimit = "Incluir el límite superior"; +$ScoreInfo = "Información sobre la puntuación"; +$Between = "Entre"; +$CurrentCategory = "Evaluación de"; +$RootCat = "lista de cursos"; +$NewCategory = "Nueva calificación"; +$NewEvaluation = "Crear un componente de evaluación presencial"; +$Weight = "Ponderación"; +$PickACourse = "Seleccionar un curso"; +$CourseIndependent = "Independiente del curso"; +$CourseIndependentEvaluation = "Evaluación independiente de un curso"; +$EvaluationName = "Componente de evaluación"; +$DateEval = "Fecha de evaluación"; +$AddUserToEval = "Añadir estudiantes a la evaluación"; +$NewSubCategory = "Nueva subcalificación"; +$MakeLink = "Crear un componente de evaluación en línea"; +$DeleteSelected = "Eliminar selección"; +$SetVisible = "Hacer visible"; +$SetInvisible = "Ocultar"; +$ChooseLink = "Seleccione el tipo de componente"; +$LMSDropbox = "Compartir documentos"; +$ChooseExercise = "Elegir un ejercicio"; +$AddResult = "Añadir resultados"; +$BackToOverview = "Volver a la Vista general"; +$ExportPDF = "Exportar a PDF"; +$ChooseOrientation = "Elegir orientación"; +$Portrait = "Vertical"; +$Landscape = "Horizontal"; +$FilterCategory = "Filtrar por evaluación"; +$ScoringUpdated = "Puntuación actualizada"; +$CertificateWCertifiesStudentXFinishedCourseYWithGradeZ = "%s certifica que\n\n %s \n\nha realizado el curso \n\n '%s' \n\ncon la calificación de \n\n '%s'"; +$CertificateMinScore = "Puntuación mínima de certificación"; +$InViMod = "Este elemento ha sido ocultado"; +$ViewResult = "Ver resultados"; +$NoResultsInEvaluation = "Por ahora no hay resultados en la evaluación"; +$AddStudent = "Añadir usuarios"; +$ImportResult = "Importar resultados"; +$ImportFileLocation = "Ubicación del fichero a importar"; +$FileType = "Tipo de fichero"; +$ExampleCSVFile = "Fichero CSV de ejemplo"; +$ExampleXMLFile = "Fichero XML de ejemplo"; +$OverwriteScores = "Sobrescribir puntuaciones"; +$IgnoreErrors = "Ignorar errores"; +$ItemsVisible = "Los elementos han sido hechos visibles"; +$ItemsInVisible = "Los elementos han sido hechos invisibles"; +$NoItemsSelected = "No hay seleccionado ningún elemento"; +$DeletedCategories = "Calificaciones eliminadas"; +$DeletedEvaluations = "Evaluaciones eliminadas"; +$DeletedLinks = "Enlaces eliminados"; +$TotalItems = "Total de elementos"; +$EditEvaluation = "Modificar componente de evaluación"; +$DeleteResult = "Eliminar resultados"; +$Display = "Nivel"; +$ViewStatistics = "Ver estadísticas"; +$ResultAdded = "Resultado añadido"; +$EvaluationStatistics = "Estadísticas de evaluación"; +$ExportResult = "Exportar resultados"; +$EditResult = "Editar resultados"; +$GradebookWelcomeMessage = "Bienvenido a la herramienta Evaluaciones. Esta herramienta le permite evaluar las competencias de su organización. Generar informes de competencias mediante la fusión de la puntuación de las distintas actividades, como las realizadas en el aula y las actividades en línea. Este es el entorno típico de los sistemas de aprendizaje mixto."; +$CreateAllCat = "Generar calificaciones para todos mis cursos"; +$AddAllCat = "Se han añadido todas las calificaciones"; +$StatsStudent = "Estadísticas de"; +$Results = "Resultados"; +$Certificates = "Certificados"; +$Certificate = "Certificado"; +$ChooseUser = "Seleccionar usuarios para esta evaluación"; +$ResultEdited = "Resultado actualizado"; +$ChooseFormat = "Escoger formato"; +$OutputFileType = "Tipo de fichero de salida"; +$OverMax = "El valor que ha intentado guardar es superior al límite máximo establecido para esta evaluación."; +$MoreInfo = "Más información"; +$ResultsPerUser = "Resultados por usuario"; +$TotalUser = "Total por usuario"; +$AverageTotal = "Promedio total"; +$Evaluation = "Componente de evaluación"; +$EvaluationAverage = "Promedio de la evaluación"; +$EditAllWeights = "Editar ponderaciones"; +$GradebookQualificationTotal = "Total"; +$GradebookEvaluationDeleted = "El componente de evaluación ha sido eliminado"; +$GradebookQualifyLog = "Historial de evaluación"; +$GradebookNameLog = "Componente de evaluación"; +$GradebookDescriptionLog = "Descripción de la evaluación"; +$GradebookVisibilityLog = "Visibilidad"; +$ResourceType = "Tipo"; +$GradebookWhoChangedItLog = "Modificado por"; +$EvaluationEdited = "El componente de evaluación ha sido modificado"; +$CategoryEdited = "La evaluación del curso ha sido actualizada"; +$IncorrectData = "Dato incorrecto"; +$Resource = "Componente de evaluación"; +$PleaseEnableScoringSystem = "Porfavor activar sistema de puntuación"; +$AllResultDeleted = "Todos los resultados han sido eliminados"; +$ImportNoFile = "No ha importado ningun archivo"; +$ProblemUploadingFile = "Ha ocurrido un error mandando su archivo. No se ha recibido nada"; +$AllResultsEdited = "Todos los resultados han sido modificados"; +$UserInfoDoesNotMatch = "No coincide con la información del usuario"; +$ScoreDoesNotMatch = "La puntuación no coincide"; +$FileUploadComplete = "Se cargó el archivo con éxito"; +$NoResultsAvailable = "No hay resultados disponibles"; +$CannotChangeTheMaxNote = "No se puede cambiar la nota máxima"; +$GradebookWeightUpdated = "Peso(s) modificado(s) correctamente"; +$ChooseItem = "Seleccione un item"; +$AverageResultsVsResource = "Promedio de resultados por componente de evaluación"; +$ToViewGraphScoreRuleMustBeEnabled = "Para ver el gráfico las reglas de puntuación deben haberse definido"; +$GradebookPreviousWeight = "Ponderación previa"; +$AddAssessment = "Crear"; +$FolderView = "Regresar a evaluaciones"; +$GradebookSkillsRanking = "Evaluación"; +$SaveScoringRules = "Guardar reglas de puntuación"; +$AttachCertificate = "Adjuntar certificado"; +$GradebookSeeListOfStudentsCertificates = "Ver la lista de certificados de estudiantes"; +$CreateCertificate = "Crear certificado"; +$UploadCertificate = "Enviar un certificado"; +$CertificateName = "Nombre del certificado"; +$CertificateOverview = "Vista de certificado"; +$CreateCertificateWithTags = "Crear certificado con estas etiquetas"; +$ViewPresenceSheets = "Vista de hojas de asistencia"; +$ViewEvaluations = "Vista de evaluaciones"; +$NewPresenceSheet = "Nueva hoja de asistencia"; +$NewPresenceStep1 = "Nueva hoja de asistencia: Paso 1/2 : llenar los datos de la hoja de asistencia"; +$TitlePresenceSheet = "Título de la actividad"; +$PresenceSheetCreatedBy = "Hoja de asistencia creada por"; +$SavePresence = "Guardar hoja de asistencia y continuar con el paso 2"; +$NewPresenceStep2 = "Nueva hoja de asistencia: Paso 2/2 : verificar los estudiantes que estén presentes"; +$NoCertificateAvailable = "No hay certificado disponible"; +$SaveCertificate = "Guardar certificado"; +$CertificateNotRemoved = "Certificado no puede ser removido"; +$CertificateRemoved = "Certificado removido"; +$NoDefaultCertificate = "No hay certificado predeterminado"; +$DefaultCertificate = "Certificado predeterminado"; +$PreviewCertificate = "Vista previa de certificado"; +$IsDefaultCertificate = "Certificado ésta como predeterminado"; +$ImportPresences = "Importar asistencia"; +$AddPresences = "Agregar asistencias"; +$DeletePresences = "Eliminar asistencia"; +$GradebookListOfStudentsCertificates = "Lista de certificados de estudiantes en evaluaciones"; +$NewPresence = "Nueva asistencia"; +$EditPresence = "Editar asistencia"; +$SavedEditPresence = "Guardar asistencia modificada"; +$PresenceSheetFormatExplanation = "Debería utilizar la hoja de asistencia que se puede descargar más arriba. Esta hoja de asistencia contiene una lista de todos los participantes en este curso. La primera columna del archivo XLS es el código oficial del candidato, seguida por el apellido y el nombre. Sólo debe cambiar la columna 4 y la nota 0 = ausente, 1 = presente"; +$ValidatePresenceSheet = "Validar hoja de asistencia"; +$PresenceSheet = "Hoja de asistencia"; +$PresenceSheets = "Hojas de asistencia"; +$Evaluations = "Evaluaciones"; +$SaveEditPresence = "Guardar cambios en hoja de asistencia"; +$Training = "Curso"; +$Present = "Asistencia"; +$Numero = "N"; +$PresentAbsent = "0 = ausente, 1 = asistencia"; +$ExampleXLSFile = "Ejemplo de archivo Excel (XLS)"; +$NoResultsInPresenceSheet = "No hay asistencia registrada"; +$EditPresences = "Asistencias modificadas"; +$TotalWeightMustNotBeMoreThan = "Peso total no debe ser mayor que"; +$ThereIsNotACertificateAvailableByDefault = "No hay un certificado disponible por defecto"; +$CertificateMinimunScoreIsRequiredAndMustNotBeMoreThan = "La puntuación mínima para certificados es requerida y no debe ser mayor de"; +$CourseProgram = "Descripción del curso"; +$ThisCourseDescriptionIsEmpty = "Descripción no disponible"; +$Vacancies = "Vacantes"; +$QuestionPlan = "Cuestiones clave"; +$Cost = "Costo"; +$NewBloc = "Apartado personalizado"; +$TeachingHours = "Horas lectivas"; +$Area = "Área"; +$InProcess = "En proceso"; +$CourseDescriptionUpdated = "La descripción del curso ha sido actualizada"; +$CourseDescriptionDeleted = "La descripción del curso ha sido borrada"; +$PreventSessionAdminsToManageAllUsersComment = "Por activar esta opción, los administradores de sesiones podrán ver, en las páginas de administración, exclúsivamente los usuarios que ellos mismos han creado."; +$InvalidId = "Acceso denegado - nombre de usuario o contraseña incorrectos."; +$Pass = "Contraseña"; +$Advises = "Sugerencias"; +$CourseDoesntExist = "Atención : Este curso no existe"; +$GetCourseFromOldPortal = "haga clic aquí para obtener este curso de su antiguo portal"; +$SupportForum = "Foro de Soporte"; +$BackToHomePage = "Volver"; +$LostPassword = "¿Ha olvidado su contraseña?"; +$Valvas = "Últimas noticias"; +$Helptwo = "Ayuda"; +$EussMenu = "menú"; +$Opinio = "Opinión"; +$Intranet = "Intranet"; +$Englin = "Inglés"; +$InvalidForSelfRegistration = "Acceso denegado. Si no está registrado, complete el formulario de registro"; +$MenuGeneral = "General"; +$MenuUser = "Usuario"; +$MenuAdmin = "Administrador de la plataforma"; +$UsersOnLineList = "Lista de usuarios en línea"; +$TotalOnLine = "Total en línea"; +$Refresh = "Actualizar"; +$SystemAnnouncements = "Anuncios de la plataforma"; +$HelpMaj = "Ayuda"; +$NotRegistered = "No registrado"; +$Login = "Identificación"; +$RegisterForCourse = "Inscribirse en un curso"; +$UnregisterForCourse = "Anular mi inscripción en un curso"; +$Refresh = "Actualizar"; +$TotalOnLine = "Total de usuarios en línea"; +$CourseClosed = "(este curso actualmente está cerrado)"; +$Teach = "Qué puedo enseñar"; +$Productions = "Tareas"; +$SendChatRequest = "Enviar una petición de chat a esta persona"; +$RequestDenied = "Esta llamada ha sido rechazada"; +$UsageDatacreated = "Datos de uso creados"; +$SessionView = "Mostrar los cursos ordenados por sesiones"; +$CourseView = "Mostrar toda la lista de cursos"; +$DropboxFileAdded = "Se ha enviado un fichero a los documentos compartidos"; +$NewMessageInForum = "Ha sido publicado un nuevo mensaje en el foro"; +$FolderCreated = "Ha sido creado un nuevo directorio"; +$AgendaAdded = "Ha sido añadido un evento de la agenda"; +$ShouldBeCSVFormat = "El archivo debe estar formato CSV. No añada espacios. La estructura debe ser exactamente :"; +$Enter2passToChange = "Para cambiar la contraseña, introduzca la nueva contraseña en estos dos campos. Si desea mantener la actual, deje vacíos los dos campos."; +$AuthInfo = "Autentificación"; +$ImageWrong = "El archivo debe tener un tamaño menor de"; +$NewPass = "Nueva contraseña"; +$CurrentPasswordEmptyOrIncorrect = "La contraseña actual está vacía o es incorrecta"; +$password_request = "A través del campus virtual ha solicitado el reenvío de su contraseña. Si no lo ha solicitado o ya ha recuperado su contraseña puede ignorar este correo."; +$YourPasswordHasBeenEmailed = "Su contraseña le ha sido enviada por correo electrónico."; +$EnterEmailAndWeWillSendYouYourPassword = "Introduzca la dirección de correo electrónico con la que está registrado y le remitiremos su nombre de usuario y contraseña."; +$Action = "Acción"; +$Preserved = "Proteger"; +$ConfirmUnsubscribe = "Confirmar anular inscripción del usuario"; +$See = "Ir a"; +$LastVisits = "Mis últimas visitas"; +$IfYouWantToAddManyUsers = "Si quiere añadir una lista de usuarios a su curso, contacte con el administrador."; +$PassTooEasy = "esta contraseña es demasiado simple. Use una como esta"; +$AddedToCourse = "Ha sido inscrito en el curso"; +$UserAlreadyRegistered = "Un usuario con el mismo nombre ya ha sido registrado en este curso."; +$BackUser = "Regresar a la lista de usuarios"; +$UserOneByOneExplanation = "El (ella) recibirá un correo electrónico de confirmación con el nombre de usuario y la contraseña"; +$GiveTutor = "Hacer tutor"; +$RemoveRight = "Quitar este permiso"; +$GiveAdmin = "Ser administrador"; +$UserNumber = "número"; +$DownloadUserList = "Subir lista"; +$UserAddExplanation = "Cada linea del archivo que envíe necesariamente tiene que incluirtodos y cada uno de estos 5 campos (y ninguno más): Nombre   Apellidos   \t\tNombre de usuario   Contraseña \t\t  Correo Electrónico separadas por tabuladores y en óste orden.\t\tLos usuarios recibirán un correo de confirmación son su nombre de usuario y contraseña."; +$UserMany = "Importar lista de usuarios a través de un fichero .txt"; +$OneByOne = "Añadir un usuario de forma manual"; +$AddHereSomeCourses = "Modificar lista de cursos

        Seleccione los cursos en los que quiere inscribirse.
        Quite la selección de los cursos en los que no desea seguir inscrito.
        Luego haga clic en el botón Ok de la lista"; +$ImportUserList = "Importar una lista de usuarios"; +$AddAU = "Añadir un usuario"; +$AddedU = "ha sido añadido. Si ya escribió su direccción electrónica, se le enviará un mensaje para comunicarle su nombre de usuario"; +$TheU = "El usuario"; +$RegYou = "lo ha inscrito en este curso"; +$OneResp = "Uno de los administradores del curso"; +$UserPicture = "Foto"; +$ProfileReg = "Su nuevo perfil de usuario ha sido guardado"; +$EmailWrong = "La dirección de correo electrónico que ha escrito está incompleta o contiene caracteres no válidos"; +$UserTaken = "El nombre de usuario que ha elegido ya existe"; +$Fields = "No ha rellenado todos los campos"; +$Again = "¡ Comience de nuevo !"; +$PassTwo = "No ha escrito la misma contraseña en las dos ocasiones"; +$ViewProfile = "Ver mi perfil (no se puede modificar)"; +$ModifProfile = "Modificar mi perfil"; +$IsReg = "Sus cambios han sido guardados"; +$NowGoCreateYourCourse = "Ahora puede crear un curso"; +$NowGoChooseYourCourses = "Ahora puede ir a la lista de cursos y seleccionar los que desee"; +$MailHasBeenSent = "Recibirá un correo electrónico recordándole su nombre de usuario y contraseña."; +$PersonalSettings = "Sus datos han sido registrados."; +$Problem = "Para cualquier aclaración no dude en contactar con nosotros."; +$Is = "es"; +$Address = "El enlace para acceder a la plataforma"; +$FieldTypeFile = "Subida de archivo"; +$YourReg = "Su registro en"; +$UserFree = "El nombre de usuario que eligió ya existe. Use el botón de 'Atrás' de su navegador y elija uno diferente."; +$EmptyFields = "No ha llenado todos los campos. Use el botón de 'Atrás' de su navegador y vuelva a intentarlo."; +$PassTwice = "No ha escrito la misma contraseña en las dos ocasiones. Use el botón de 'Atrás' de su navegador y vuelva a intentarlo."; +$RegAdmin = "Profesor (puede crear cursos)"; +$RegStudent = "Estudiante (puede inscribirse en los cursos)"; +$Confirmation = "Confirme la contraseña"; +$Surname = "Nombre"; +$Registration = "Registro"; +$YourAccountParam = "Este es su nombre de usuario y contraseña"; +$LoginRequest = "Petición del nombre de usuario"; +$AdminOfCourse = "Administrador del curso"; +$SimpleUserOfCourse = "Usuario del curso"; +$IsTutor = "Tutor"; +$ParamInTheCourse = "Estatus en el curso"; +$HaveNoCourse = "Sin cursos disponibles"; +$UserProfileReg = "El e-portafolio del usuario ha sido registrado"; +$Courses4User = "Cursos de este usuario"; +$CoursesByUser = "Cursos por usuario"; +$SubscribeUserToCourse = "Inscribir estudiantes"; +$Preced100 = "100 anteriores"; +$Addmore = "Añadir usuarios registrados"; +$Addback = "Ir a la lita de usuarios"; +$reg = "Inscribir"; +$Quit = "Salir"; +$YourPasswordHasBeenReset = "Su contraseña ha sido generada nuevamente"; +$Sex = "Sexo"; +$OptionalTextFields = "Campos opcionales"; +$FullUserName = "Nombre completo"; +$SearchForUser = "Buscar por usuario"; +$SearchButton = "Buscar"; +$SearchNoResultsFound = "No se han encontrado resultados en la búsqueda"; +$UsernameWrong = "Su nombre de usuario debe contener letras, números y _.-"; +$PasswordRequestFrom = "Esta es una petición de la contraseña para la dirección de correo electrónico"; +$CorrespondsToAccount = "Esta dirección de correo electrónico corresponde a la siguiente cuenta de usuario."; +$CorrespondsToAccounts = "Esta dirección de correo electrónico corresponde a las siguientes cuentas de usuario."; +$AccountExternalAuthSource = "Chamilo no puede gestionar la petición automáticamente porque la cuenta tiene una fuente de autorización externa. Por favor, tome las medidas apropiadas y notifiquelas al usuario."; +$AccountsExternalAuthSource = "Chamilo no puede gestionar automáticamente la petición porque al menos una de las cuentas tiene una fuente de autorización externa. Por favor, tome las medidas apropiadas en todas las cuentas (incluyendo las que tienen autorización de la plataforma) y notifiquelas al usuario."; +$RequestSentToPlatformAdmin = "Chamilo no puede gestionar automáticamente la petición para este tipo de cuenta. Su petición se ha enviado al administrador de la plataforma, que tomará las medidas apropiadas y le notificará el resultado."; +$ProgressIntroduction = "Seleccione una sesión del curso.
        Podrá ver su progreso en cada uno de los cursos en los que esté inscrito."; +$NeverExpires = "Nunca caduca"; +$ActiveAccount = "Activar cuenta"; +$YourAccountHasToBeApproved = "Su registro deberá ser aprobado posteriormente"; +$ApprovalForNewAccount = "Validación de una nueva cuenta"; +$ManageUser = "Gestión de usuario"; +$SubscribeUserToCourseAsTeacher = "Inscribir profesores"; +$PasswordEncryptedForSecurity = "Su contraseña está encriptada para su seguridad. Por ello, cuando haya pulsado en el enlace para regenerar su clave se le remitirá un nuevo correo que contendrá su contraseña."; +$SystemUnableToSendEmailContact = "El sistema no ha podido enviarle el correo electrónico"; +$OpenIDCouldNotBeFoundPleaseRegister = "Este OpenID no se encuentra en nuestra base de datos. Por favor, regístrese para obtener una cuenta. Si ya tiene una cuenta con nosotros, edite su perfil en la misma para añadir este OpenID"; +$UsernameMaxXCharacters = "El nombre de usuario puede tener como máximo una longitud de %s caracteres"; +$PictureUploaded = "Su imagen ha sido enviada"; +$ProductionUploaded = "Su tarea ha sido enviada"; +$UsersRegistered = "Los siguientes usuarios han sido registrados"; +$UserAlreadyRegisterByOtherCreator = "El usuario ya ha sido registrado por otro coach"; +$UserCreatedPlatform = "Usuario creado en la plataforma"; +$UserInSession = "Usuario agregado a la sesion"; +$UserNotAdded = "Usuario no agregado"; +$NoSessionId = "La sesión no ha sido identificada"; +$NoUsersRead = "Por favor verifique su fichero XML/CVS"; +$UserImportFileMessage = "Si en el archivo XML/CVS los nombres de usuarios (username) son omitidos, éstos se obtendrán de una mezcla del Nombre (Firstname) y el Apellido (Lastname) del usuario. Por ejemplo, para el nombre Julio Montoya el username será jmontoya"; +$UserAlreadyRegisteredByOtherCreator = "El usuario ya ha sido registrado por otro coach"; +$NewUserInTheCourse = "Nuevo Usuario registrado en el curso"; +$MessageNewUserInTheCourse = "Este es un mensaje para informarle que se ha suscrito un nuevo usuario en el curso"; +$EditExtendProfile = "Edición ampliada del perfil"; +$EditInformation = "Editar información"; +$RegisterUser = "Confirmar mi registro"; +$IHaveReadAndAgree = "He leido y estoy de acuerdo con los"; +$ByClickingRegisterYouAgreeTermsAndConditions = "Al hacer clic en el botón 'Registrar' que aparece a continuación, acepta los Términos y Condiciones"; +$LostPass = "¿Ha olvidado su contraseña?"; +$EnterEmailUserAndWellSendYouPassword = "Escriba el nombre de usuario o la dirección de correo electrónico con la que está registrado y le remitiremos su contraseña."; +$NoUserAccountWithThisEmailAddress = "No existe una cuenta con este usuario y/o dirección de correo electrónico"; +$InLnk = "Enlaces desactivados"; +$DelLk = "¿ Está seguro de querer desactivar esta herramienta ?"; +$NameOfTheLink = "Nombre del enlace"; +$CourseAdminOnly = "Sólo profesores"; +$PlatformAdminOnly = "Sólo administradores de la plataforma"; +$CombinedCourse = "Curso combinado"; +$ToolIsNowVisible = "Ahora la herramienta es visible"; +$ToolIsNowHidden = "Ahora la herramienta no es visible"; +$GreyIcons = "Caja de herramientas"; +$Interaction = "Interacción"; +$Authoring = "Creación de contenidos"; +$SessionIdentifier = "Identificador de la sesión"; +$SessionCategory = "Categoría de la sesión"; +$ConvertToUniqueAnswer = "Convertir a respuesta única"; +$ReportsRequiresNoSetting = "Este tipo de reporte no requiere parámetros"; +$ShowWizard = "Mostrar la guía"; +$ReportFormat = "Formato de reporte"; +$ReportType = "Tipo de reporte"; +$PleaseChooseReportType = "Elija un tipo de reporte"; +$PleaseFillFormToBuildReport = "Llene el formulario para generar el reporte"; +$UnknownFormat = "Formato desconocido"; +$ErrorWhileBuildingReport = "Se ha producido un error al momento de generar el reporte"; +$WikiSearchResults = "Resultados de la búsqueda en el Wiki"; +$StartPage = "Página de inicio del Wiki"; +$EditThisPage = "Editar esta página"; +$ShowPageHistory = "Historial de la página"; +$RecentChanges = "Cambios recientes"; +$AllPages = "Todas las páginas"; +$AddNew = "Añadir una página"; +$ChangesStored = "Cambios almacenados"; +$NewWikiSaved = "La nueva página wiki ha sido guardada."; +$DefaultContent = "

        \"Trabajando

        Para comenzar edite esta página y borre este texto

        "; +$CourseWikiPages = "Páginas Wiki del curso"; +$GroupWikiPages = "Páginas Wiki del grupo"; +$NoWikiPageTitle = "Los cambios no se han guardado. Debe dar un título a esta página"; +$WikiPageTitleExist = "Este título de página ya ha sido creado anteriormente, edite el contenido de la página existente haciendo clic en:"; +$WikiDiffAddedLine = "Línea añadida"; +$WikiDiffDeletedLine = "Línea borrada"; +$WikiDiffMovedLine = "Línea movida"; +$WikiDiffUnchangedLine = "Línea sin cambios"; +$DifferencesNew = "cambios en la versión"; +$DifferencesOld = "respecto a la versión de"; +$Differences = "Diferencias"; +$MostRecentVersion = "Vista de la versión más reciente de las seleccionadas"; +$ShowDifferences = "Comparar versiones"; +$SearchPages = "Buscar páginas"; +$Discuss = "Discutir"; +$History = "Historial"; +$ShowThisPage = "Ver esta página"; +$DeleteThisPage = "Eliminar esta página"; +$DiscussThisPage = "Discutir esta página"; +$HomeWiki = "Portada"; +$DeleteWiki = "Eliminar el Wiki"; +$WikiDeleted = "Wiki eliminado"; +$WikiPageDeleted = "La página ha sido eliminada junto con todo su historial"; +$NumLine = "Núm. de línea"; +$DeletePageHistory = "Eliminar esta página y todas sus versiones"; +$OnlyAdminDeleteWiki = "Sólo los profesores del curso pueden borrar el Wiki"; +$OnlyAdminDeletePageWiki = "Sólo los profesores del curso pueden borrar una página"; +$OnlyAddPagesGroupMembers = "Sólo los profesores del curso y los miembros de este grupo pueden añadir páginas al Wiki del grupo"; +$OnlyEditPagesGroupMembers = "Sólo los profesores del curso y los miembros de este grupo pueden editar las páginas del Wiki del grupo"; +$ConfirmDeleteWiki = "¿Está seguro de querer eliminar este Wiki?"; +$ConfirmDeletePage = "¿Está seguro de querer eliminar esta página y todas sus versiones?"; +$AlsoSearchContent = "Buscar también en el contenido"; +$PageLocked = "Página protegida"; +$PageUnlocked = "Página no protegida"; +$PageLockedExtra = "Esta página está protegida. Sólo los profesores del curso pueden modificarla"; +$PageUnlockedExtra = "Esta página no está protegida por lo que todos los miembros del curso, o en su caso del grupo, pueden modificarla"; +$ShowAddOption = "Activar añadir"; +$HideAddOption = "Desactivar añadir"; +$AddOptionProtected = "La posibilidad de añadir páginas ha sido desactivada. Ahora sólo los profesores del curso pueden añadir paginas en este Wiki. No obstante, el resto de los usuarios podrá seguir editando las páginas ya existentes"; +$AddOptionUnprotected = "La posibilidad de añadir páginas está habilitada para todos los miembros del Wiki"; +$NotifyChanges = "Notificarme cambios"; +$NotNotifyChanges = "No notificarme cambios"; +$CancelNotifyByEmail = "La notificación por correo electrónico de las modificaciones de la página está deshabilitada"; +$MostRecentVersionBy = "La última versión de esta página fue realizada por"; +$RatingMedia = "La puntuación media de la página es"; +$NumComments = "El número de comentarios a esta página es"; +$NumCommentsScore = "El número de comentarios que la han evaluado es"; +$AddPagesLocked = "La opción añadir páginas ha sido desactivada temporalmente por el profesor"; +$LinksPages = "Lo que enlaza aquí"; +$ShowLinksPages = "Muestra las páginas que tienen enlaces a esta página"; +$MoreWikiOptions = "Más opciones del Wiki"; +$DefaultTitle = "Portada"; +$DiscussNotAvailable = "Discusión no disponible"; +$EditPage = "Editar"; +$AddedBy = "añadida por"; +$EditedBy = "editada por"; +$DeletedBy = "eliminada por"; +$WikiStandardMode = "Modo wiki"; +$GroupTutorAndMember = "Tutor y miembro del grupo"; +$GroupStandardMember = "Miembro del grupo"; +$AssignmentMode = "Modo tarea individual"; +$ConfigDefault = "Configuración por defecto"; +$UnlockPage = "Desproteger"; +$LockPage = "Proteger"; +$NotifyDiscussChanges = "Notificarme comentarios"; +$NotNotifyDiscussChanges = "No notificarme comentarios"; +$AssignmentWork = "Página del estudiante"; +$AssignmentDesc = "Página del profesor"; +$WikiDiffAddedTex = "Texto añadido"; +$WikiDiffDeletedTex = "Texto eliminado"; +$WordsDiff = "palabra a palabra"; +$LinesDiff = "línea a línea"; +$MustSelectPage = "Primero debe seleccionar una página"; +$Export2ZIP = "Exportar a un fichero ZIP"; +$HidePage = "Ocultar página"; +$ShowPage = "Mostrar página"; +$GoAndEditMainPage = "Para iniciar el Wiki vaya a la página principal y edítela"; +$UnlockDiscuss = "Desbloquear discusión"; +$LockDiscuss = "Bloquear discusión"; +$HideDiscuss = "Ocultar discusión"; +$ShowDiscuss = "Mostrar discusión"; +$UnlockRatingDiscuss = "Activar puntuar"; +$LockRatingDiscuss = "Desactivar puntuar"; +$EditAssignmentWarning = "Puede editar esta página pero las páginas de sus estudiantes no se modificarán"; +$ExportToDocArea = "Exportar la última versión de la página al área de documentos del curso"; +$LockByTeacher = "Desactivado por el profesor"; +$LinksPagesFrom = "Páginas que enlazan la página"; +$DefineAssignmentPage = "Definir esta página como una tarea individual"; +$AssignmentDescription = "Descripción de la tarea"; +$UnlockRatingDiscussExtra = "Ahora todos los miembros pueden puntuar la página"; +$LockRatingDiscussExtra = "Ahora sólo los profesores del curso pueden puntuar la página"; +$HidePageExtra = "La página ahora sólo es visible por los profesores del curso"; +$ShowPageExtra = "La página ahora es visible por todos los usuarios"; +$OnlyEditPagesCourseManager = "La página principal del Wiki del curso sólo puede ser modificada por un profesor"; +$AssignmentLinktoTeacherPage = "Acceso a la página del profesor"; +$HideDiscussExtra = "La discusión ahora sólo es visible por los profesores del curso"; +$ShowDiscussExtra = "La discusión ahora es visible por todos los usuarios"; +$LockDiscussExtra = "En este momento, solamente los profesores pueden discutir la página"; +$UnlockDiscussExtra = "Ahora todos los miembros pueden añadir comentarios a esta discusión"; +$AssignmentDescExtra = "Esta página es una tarea propuesta por un profesor"; +$AssignmentWorkExtra = "Esta página es el trabajo de un estudiante"; +$NoAreSeeingTheLastVersion = "Atención no esta viendo la última versión de la página"; +$AssignmentFirstComToStudent = "Modifica esta página para realizar tu tarea sobre la tarea propuesta"; +$AssignmentLinkstoStudentsPage = "Acceso a las páginas de los estudiantes"; +$AllowLaterSends = "Permitir envíos retrasados"; +$WikiStandBy = "El Wiki está a la espera de que un profesor lo inicialice"; +$NotifyDiscussByEmail = "La notificacion por correo electrónico de nuevos comentarios sobre la página está habilitada"; +$CancelNotifyDiscussByEmail = "La notificación por correo electrónico de nuevos comentarios sobre la página está deshabilitada"; +$EmailWikiChanges = "Notificación de cambios en el Wiki"; +$EmailWikipageModified = "Se ha modificado la página"; +$EmailWikiPageAdded = "Ha sido añadida la página"; +$EmailWikipageDedeleted = "Una página ha sido borrada del Wiki"; +$EmailWikiPageDiscAdded = "Una nueva intervención se ha producido en la discusión de la página"; +$FullNotifyByEmail = "Actualmente se le está enviando una notificación por correo electrónico cada vez que se produce un cambio en el Wiki"; +$FullCancelNotifyByEmail = "Actualmente no se le están enviando notificaciones por correo electrónico cada vez que se produce un cambio en el Wiki"; +$EmailWikiChangesExt_1 = "Esta notificación se ha realizado de acuerdo con su deseo de vigilar los cambios del Wiki. Esta opción Ud. la activó mediante el botón"; +$EmailWikiChangesExt_2 = "Si desea dejar de recibir notificaciones sobre los cambios que se produzcan en el Wiki, seleccione las pestañas Cambios recientes, Página actual, Discusión según el caso y después pulse el botón"; +$OrphanedPages = "Páginas huérfanas"; +$WantedPages = "Páginas solicitadas"; +$MostVisitedPages = "Páginas más visitadas"; +$MostChangedPages = "Páginas con más cambios"; +$Changes = "Cambios"; +$MostActiveUsers = "Usuarios más activos"; +$Contributions = "contribuciones"; +$UserContributions = "Contribuciones del usuario"; +$WarningDeleteMainPage = "No se recomienda la eliminación de la Página principal del Wiki, ya que es el principal acceso a su estructura jerárquica.
        Si de todas formas necesita borrarla, no olvide volver a crear esta Página principal pues hasta que no lo haga otros usuarios no podrán añadir nuevas páginas al Wiki."; +$ConvertToLastVersion = "Para convertir esta versión en la última haga clic en"; +$CurrentVersion = "Versión actual"; +$LastVersion = "Última versión"; +$PageRestored = "La página ha sido restaurada. Puede verla haciendo clic en"; +$RestoredFromVersion = "Página restaurada desde la versión"; +$HWiki = "Ayuda: Wiki"; +$FirstSelectOnepage = "Primero seleccione una página"; +$DefineTask = "Si escribe algún contenido en la descripción, la página se considerará como una página especial para realizar una tarea"; +$ThisPageisBeginEditedBy = "En este momento esta página está siendo editada por"; +$ThisPageisBeginEditedTryLater = "Por favor, inténtelo más tarde. Si el usuario que actualmente está editando la página no la guarda, esta página quedará disponible en un máximo de"; +$EditedByAnotherUser = "Sus cambios no serán guardados debido a que otro usuario modificó la página mientras Ud. la editaba"; +$WarningMaxEditingTime = "Tiene 20 minutos para editar esta página. Transcurrido este tiempo, si Ud. no ha guardado la página, otro usuario podrá modificarla y Ud. podrá perder sus cambios"; +$TheTaskDoesNotBeginUntil = "Todavía no es la fecha de inicio"; +$TheDeadlineHasBeenCompleted = "Ha sobrepasado la fecha límite"; +$HasReachedMaxNumWords = "Ha sobrepasado el número de palabras permitidas"; +$HasReachedMaxiNumVersions = "Ha sobrepasado el número de versiones permitidas"; +$DescriptionOfTheTask = "Descripción de la tarea"; +$OtherSettings = "Otros requerimientos"; +$NMaxWords = "Número máximo de palabras"; +$NMaxVersion = "Número máximo de versiones"; +$AddFeedback = "Añadir mensajes de orientación asociados al progreso en la página"; +$Feedback1 = "Primer mensaje"; +$Feedback2 = "Segundo mensaje"; +$Feedback3 = "Tercer mensaje"; +$FProgress = "Progreso"; +$PutATimeLimit = "Establecer una limitación temporal"; +$StandardTask = "Tarea estándard"; +$ToolName = "Importar cursos de Blackboard"; +$TrackingDisabled = "El seguimiento ha sido deshabilitado por el administrador del sistema."; +$InactivesStudents = "Estudiantes que no se han conectado al menos durante una semana"; +$AverageTimeSpentOnThePlatform = "Tiempo medio de conexión a la plataforma"; +$AverageCoursePerStudent = "Media de cursos por usuario"; +$AverageProgressInLearnpath = "Progreso medio en las lecciones"; +$AverageResultsToTheExercices = "Puntuación en los ejercicios"; +$SeeStudentList = "Ver la lista de usuarios"; +$NbActiveSessions = "Sesiones activas"; +$NbPastSessions = "Sesiones pasadas"; +$NbFutureSessions = "Sesiones futuras"; +$NbStudentPerSession = "Número de estudiantes por sesión"; +$NbCoursesPerSession = "Número de cursos por sesión"; +$SeeSessionList = "Ver la lista de sesiones"; +$CourseStats = "Estadísticas del curso"; +$ToolsAccess = "Accesos a las herramientas"; +$LinksAccess = "Enlaces"; +$DocumentsAccess = "Documentos"; +$ScormAccess = "Lecciones - Cursos con formato SCORM"; +$LinksDetails = "Enlaces visitados"; +$WorksDetails = "Tareas enviadas"; +$LoginsDetails = "Pulse en el mes para ver más detalles"; +$DocumentsDetails = "Documentos descargados"; +$ExercicesDetails = "Puntuaciones obtenidas en los ejercicios"; +$BackToList = "Volver a la lista de usuarios"; +$StatsOfCourse = "Estadísticas del curso"; +$StatsOfUser = "Estadísticas del usuario"; +$StatsOfCampus = "Estadísticas de la plataforma"; +$CountUsers = "Número de usuarios"; +$CountToolAccess = "Número de conexiones a este curso"; +$LoginsTitleMonthColumn = "Mes"; +$LoginsTitleCountColumn = "Número de logins"; +$ToolTitleToolnameColumn = "Nombre de la herramienta"; +$ToolTitleUsersColumn = "Clics de los usuarios"; +$ToolTitleCountColumn = "Clics totales"; +$LinksTitleLinkColumn = "Enlaces"; +$LinksTitleUsersColumn = "Clics de los usuarios"; +$LinksTitleCountColumn = "Clics totales"; +$ExercicesTitleExerciceColumn = "Ejercicios"; +$ExercicesTitleScoreColumn = "Puntuación"; +$DocumentsTitleDocumentColumn = "Documentos"; +$DocumentsTitleUsersColumn = "Descargas de los usuarios"; +$DocumentsTitleCountColumn = "Descargas totales"; +$ScormContentColumn = "Título"; +$ScormStudentColumn = "Usuarios"; +$ScormTitleColumn = "Elemento"; +$ScormStatusColumn = "Estado"; +$ScormScoreColumn = "Puntuación"; +$ScormTimeColumn = "Tiempo"; +$ScormNeverOpened = "Este usuario no ha accedido nunca a este curso."; +$WorkTitle = "Título"; +$WorkAuthors = "Autor"; +$WorkDescription = "Descripción"; +$informationsAbout = "Seguimiento de"; +$NoEmail = "No hay especificada una dirección de correo electrónico"; +$NoResult = "Aún no hay resultados"; +$Hits = "Accesos"; +$LittleHour = "h."; +$Last31days = "En los últimos 31 días"; +$Last7days = "En los últimos 7 días"; +$ThisDay = "Este día"; +$Logins = "Logins"; +$LoginsExplaination = "Este es el listado de sus accesos junto con las herramientas que ha visitado en esas sesiones."; +$ExercicesResults = "Resultados de los ejercicios realizados"; +$At = "en"; +$LoginTitleDateColumn = "Fecha"; +$LoginTitleCountColumn = "Visitas"; +$LoginsAndAccessTools = "Logins y accesos a las herramientas"; +$WorkUploads = "Tareas enviadas"; +$ErrorUserNotInGroup = "Usuario no válido: este usuario no existe en su grupo"; +$ListStudents = "Lista de usuarios en este grupo"; +$PeriodHour = "Hora"; +$PeriodDay = "Día"; +$PeriodWeek = "Semana"; +$PeriodMonth = "Mes"; +$PeriodYear = "Año"; +$NextDay = "Día siguiente"; +$PreviousDay = "Día anterior"; +$NextWeek = "Semana siguiente"; +$PreviousWeek = "Semana anterior"; +$NextMonth = "Mes siguiente"; +$PreviousMonth = "Mes anterior"; +$NextYear = "Año siguiente"; +$PreviousYear = "Año anterior"; +$ViewToolList = "Ver la lista de todas las herramientas"; +$ToolList = "Lista de todas las herramientas"; +$PeriodToDisplay = "Periodo"; +$DetailView = "Visto por"; +$BredCrumpGroups = "Grupos"; +$BredCrumpGroupSpace = "Área de Grupo"; +$BredCrumpUsers = "Usuarios"; +$AdminToolName = "Estadísticas del administrador"; +$PlatformStats = "Estadísticas de la plataforma"; +$StatsDatabase = "Estadísticas de la base de datos"; +$PlatformAccess = "Acceso a la plataforma"; +$PlatformCoursesAccess = "Accesos a los cursos"; +$PlatformToolAccess = "Acceso a las herramientas"; +$HardAndSoftUsed = "Países Proveedores Navegadores S.O. Referenciadores"; +$StrangeCases = "Casos extraños"; +$StatsDatabaseLink = "Pulse aquí"; +$CountCours = "Número de cursos"; +$CountCourseByFaculte = "Número de cursos por categoría"; +$CountCourseByLanguage = "Número de cursos por idioma"; +$CountCourseByVisibility = "Número de cursos por visibilidad"; +$CountUsersByCourse = "Número de usuarios por curso"; +$CountUsersByFaculte = "Número de usuarios por categoría"; +$CountUsersByStatus = "Número de usuarios por estatus"; +$Access = "Accesos"; +$Countries = "Países"; +$Providers = "Proveedores"; +$OS = "S.O."; +$Browsers = "Navegadores"; +$Referers = "Referenciadores"; +$AccessExplain = "(Cuando un usuario abre el index de la plataforma)"; +$TotalPlatformAccess = "Total"; +$TotalPlatformLogin = "Total"; +$MultipleLogins = "Cuentas con el mismo Nombre de usuario"; +$MultipleUsernameAndPassword = "Cuentas con el mismo Nombre de usuario y la misma contraseña"; +$MultipleEmails = "Cuentas con el mismo E-mail"; +$CourseWithoutProf = "Cursos sin profesor"; +$CourseWithoutAccess = "Cursos no usados"; +$LoginWithoutAccess = "Nombres de usuario no usados"; +$AllRight = "Aquí no hay ningún caso extraño"; +$Defcon = "¡¡ Vaya, se han detectado casos extraños !!"; +$NULLValue = "Vacío (o NULO)"; +$TrafficDetails = "Detalles del tráfico"; +$SeeIndividualTracking = "Para hacer un seguimiento individualizado ver la herramienta usuarios."; +$PathNeverOpenedByAnybody = "Esta lección no ha sido abierta nunca por nadie."; +$SynthesisView = "Resumen"; +$Visited = "Visitado"; +$FirstAccess = "Primer acceso"; +$LastAccess = "Último acceso"; +$Probationers = "Estudiantes"; +$MoyenneTest = "Media de los ejercicios"; +$MoyCourse = "Media de curso"; +$MoyenneExamen = "Media de examen"; +$MoySession = "Media de sesión"; +$TakenSessions = "Sesiones seguidas"; +$FollowUp = "Seguimiento"; +$Trainers = "Profesores"; +$Administrators = "Administradores"; +$Tracks = "Seguimiento"; +$Success = "Calificación"; +$ExcelFormat = "Formato Excel"; +$MyLearnpath = "Mi lección"; +$LastConnexion = "Última conexión"; +$ConnectionTime = "Tiempo de conexión"; +$ConnectionsToThisCourse = "Conexiones a este curso"; +$StudentTutors = "Tutores del estudiante"; +$StudentSessions = "Sesiones del estudiante"; +$StudentCourses = "Cursos del estudiante"; +$NoLearnpath = "Sin lecciones"; +$Correction = "Corrección"; +$NoExercise = "Sin ejercicios"; +$LimitDate = "Fecha límite"; +$SentDate = "Fecha de envío"; +$Annotate = "Anotar"; +$DayOfDelay = "Dias de retraso"; +$NoProduction = "Sin productos"; +$NoComment = "Sin comentarios"; +$LatestLogin = "Última conexión"; +$TimeSpentOnThePlatform = "Tiempo de permanencia en la plataforma"; +$AveragePostsInForum = "Número de mensajes en el foro"; +$AverageAssignments = "Número de tareas"; +$StudentDetails = "Detalles del estudiante"; +$StudentDetailsInCourse = "Detalles del estudiante en el curso"; +$OtherTools = "Otras herramientas"; +$DetailsStudentInCourse = "Detalles del estudiante en el curso"; +$CourseTitle = "Título del curso"; +$NbStudents = "Número de estudiantes"; +$TimeSpentInTheCourse = "Tiempo de permanencia en el curso"; +$AvgStudentsProgress = "Progreso"; +$AvgCourseScore = "Puntuación promedio en las lecciones"; +$AvgMessages = "Mensajes por estudiante"; +$AvgAssignments = "Tareas por estudiante"; +$ToolsMostUsed = "Herramientas más usadas"; +$StudentsTracking = "Seguimiento de los estudiantes"; +$CourseTracking = "Seguimiento del curso"; +$LinksMostClicked = "Enlaces más visitados"; +$DocumentsMostDownloaded = "Documentos más descargados"; +$LearningPathDetails = "Detalles de la lección"; +$NoConnexion = "Ninguna conexión"; +$TeacherInterface = "Interfaz de profesor"; +$CoachInterface = "Interfaz de tutor"; +$AdminInterface = "Interfaz de administrador"; +$NumberOfSessions = "Número de sesiones"; +$YourCourseList = "Su lista de cursos"; +$YourStatistics = "Sus estadísticas"; +$CoachList = "Lista de tutores"; +$CoachStudents = "Estudiantes del tutor"; +$NoLearningPath = "No hay disponible ninguna Lección"; +$SessionCourses = "Sesiones de cursos"; +$NoUsersInCourseTracking = "Seguimiento de los estudiantes inscritos en este curso"; +$AvgTimeSpentInTheCourse = "Tiempo"; +$RemindInactiveUser = "Recordatorio para los usuarios sin actividad"; +$FirstLogin = "Primer acceso"; +$AccessDetails = "Detalles de acceso"; +$DateAndTimeOfAccess = "Fecha y hora de acceso"; +$WrongDatasForTimeSpentOnThePlatform = "Datos sobre del usuario que estaba registrado cuando el cálculo de su tiempo de permanencia en la plataforma no era posible."; +$DisplayCoaches = "Sumario de tutores"; +$DisplayUserOverview = "Sumario de usuarios"; +$ExportUserOverviewOptions = "Opciones en la exportación del sumario de usuarios"; +$FollowingFieldsWillAlsoBeExported = "Los siguientes campos también serán exportados"; +$TotalExercisesScoreObtained = "Puntuación total del ejercicio"; +$TotalExercisesScorePossible = "Máxima puntuación total posible"; +$TotalExercisesAnswered = "Número de ejercicios contestados"; +$TotalExercisesScorePercentage = "Porcentaje total de la puntuación de los ejercicios"; +$ForumForumsNumber = "Número de foros"; +$ForumThreadsNumber = "Número de temas"; +$ForumPostsNumber = "Número de mensajes"; +$ChatConnectionsDuringLastXDays = "Conexiones al chat en los últimos %s días"; +$ChatLastConnection = "Última conexión al chat"; +$CourseInformation = "Información del curso"; +$NoAdditionalFieldsWillBeExported = "Los campos adicionales no serán exportados"; +$SendNotification = "Enviar las notificaciones"; +$TimeOfActiveByTraining = "Tiempo de formación (media del tiempo de permanencia de todos los estudiantes)"; +$AvgAllUsersInAllCourses = "Promedio de todos los estudiantes"; +$AvgExercisesScore = "Puntuación en los ejercicios"; +$TrainingTime = "Tiempo en el curso"; +$CourseProgress = "Progreso en la lección"; +$ViewMinus = "Ver reducido"; +$ResourcesTracking = "Informe sobre recursos"; +$MdCallingTool = "Documentos"; +$NotInDB = "no existe esta categoría para el enlace"; +$ManifestSyntax = "(error de sintaxis en el fichero manifest...)"; +$EmptyManifest = "(el fichero manifest está vacío...)"; +$NoManifest = "(no existe el fichero manifest...)"; +$NotFolder = "no es posible, esto no es una carpeta..."; +$UploadHtt = "Enviar un archivo HTT"; +$HttFileNotFound = "El nuevo archivo HTT no puede ser abierto (ej., vacío, demasiado grande)"; +$HttOk = "El nuevo fichero HTT ha sido enviado"; +$HttNotOk = "El envío del fichero HTT no ha sido posible"; +$RemoveHtt = "Borrar el fichero HTT"; +$HttRmvOk = "El fichero HTT ha sido borrado"; +$HttRmvNotOk = "No ha sido posible borrar el fichero HTT"; +$AllRemovedFor = "Todas las entradas han sido retiradas de la categoría"; +$Index = "Indice de palabras"; +$MainMD = "Abrir la página principal de entradas de metadatos (MDE)"; +$Lines = "líneas"; +$Play = "Ejecutar index.php"; +$NonePossible = "No es posible realizar operaciones sobre los metadatos (MD)"; +$OrElse = "Seleccionar una categoría de enlaces"; +$WorkWith = "Trabaje con un directorio SCORM"; +$SDI = "... Directorio SCORM con SD-id (dividir el manifest o dejarlo vacío)"; +$Root = "raíz"; +$SplitData = "Dividir el manifest, y #MDe, si cualquiera:"; +$MffNotOk = "El reemplazo del archivo manifest no ha sido posible"; +$MffOk = "El fichero manifest ha sido reemplazado"; +$MffFileNotFound = "El nuevo fichero manifest no puede ser abierto (ej., vacío, demasiado grande)"; +$UploadMff = "Reemplazar el fichero manifest"; +$GroupSpaceLink = "Área de grupo"; +$CreationSucces = "Se ha creado la tabla de contenidos."; +$CanViewOrganisation = "Ya puede ver la organización de sus contenidos"; +$ViewDocument = "Ver"; +$HtmlTitle = "Tabla de contenidos"; +$AddToTOC = "Añadir a los contenidos"; +$AddChapter = "Añadir capítulo"; +$Ready = "Generar tabla de contenidos"; +$StoreDocuments = "Almacenar documentos"; +$TocDown = "Abajo"; +$TocUp = "Arriba"; +$CutPasteLink = "Abrir en una nueva ventana"; +$CreatePath = "Crear un itinerario"; +$SendDocument = "Enviar documento"; +$ThisFolderCannotBeDeleted = "Esta carpeta no puede ser eliminada"; +$ChangeVisibility = "Cambiar la visibilidad"; +$VisibilityCannotBeChanged = "No se puede cambiar la visibilidad"; +$DocumentCannotBeMoved = "No se puede mover el documento"; +$OogieConversionPowerPoint = "Oogie: conversión PowerPoint"; +$WelcomeOogieSubtitle = "Conversor de presentaciones PowerPoint en Lecciones"; +$GoMetadata = "Ir"; +$QuotaForThisCourseIs = "El espacio disponible por este curso en el servidor es de"; +$Del = "Eliminar"; +$ShowCourseQuotaUse = "Espacio disponible"; +$CourseCurrentlyUses = "Este curso actualmente utiliza"; +$MaximumAllowedQuota = "Su límite de espacio de almacenamiento es de"; +$PercentageQuotaInUse = "Porcentaje de espacio ocupado"; +$PercentageQuotaFree = "Porcentaje de espacio libre"; +$CurrentDirectory = "Carpeta actual"; +$UplUploadDocument = "Enviar un documento"; +$UplPartialUpload = "Sólo se ha enviado parcialmente el archivo."; +$UplExceedMaxPostSize = "El tamaño del fichero excede el máximo permitido en la configuración:"; +$UplExceedMaxServerUpload = "El archivo enviado excede el máximo de tamaño permitido por el servidor:"; +$UplUploadFailed = "¡ No se ha podido enviar el archivo !"; +$UplNotEnoughSpace = "¡ No hay suficiente espacio para enviar este fichero !"; +$UplNoSCORMContent = "¡ No se ha encontrado ningún contenido SCORM !"; +$UplZipExtractSuccess = "¡ Archivo zip extraido !"; +$UplZipCorrupt = "¡ No se puede extraer el archivo zip (¿ fichero corrupto ?) !"; +$UplFileSavedAs = "Archivo guardado como"; +$UplFileOverwritten = "fue sobreescrito."; +$CannotCreateDir = "¡ No es posible crear la carpeta !"; +$UplUpload = "Enviar"; +$UplWhatIfFileExists = "Si ya existe el archivo:"; +$UplDoNothing = "No enviar"; +$UplDoNothingLong = "No enviar si el archivo existe"; +$UplOverwrite = "Sobreescribir"; +$UplOverwriteLong = "Sobreescribir el archivo existente"; +$UplRename = "Cambiar el nombre"; +$UplRenameLong = "Cambiar el nombre del archivo enviado"; +$DocumentQuota = "Espacio disponible para los documentos de este curso"; +$NoDocsInFolder = "Aún no hay documentos en esta carpeta"; +$UploadTo = "Enviar a"; +$fileModified = "El archivo ha sido modificado"; +$DocumentsOverview = "lista de documentos"; +$Options = "Opciones"; +$WelcomeOogieConverter = "Bienvenido al conversor de PowerPoint Oogie
        1. Examine su disco duro y busque cualquier archivo con las extensiones *.ppt o *.odp
        2. Envíelo a Oogie, que lo transformará en un vizualizador de Lecciones Scorm.
        3. Podrá añadir comentarios de audio a cada diapositiva e insertar test de evaluación entre diapositivas."; +$ConvertToLP = "Convertir en Lecciones"; +$AdvancedSettings = "Configuraciones avanzadas"; +$File = "Archivo"; +$DocDeleteError = "Error durante la supresión del documento"; +$ViModProb = "Se ha producido un problema mientras actualizaba la visibilidad"; +$DirDeleted = "Carpeta eliminada"; +$TemplateName = "Nombre de la plantilla"; +$TemplateDescription = "Descripción de la plantilla"; +$DocumentSetAsTemplate = "Documento convertido en una nueva plantilla"; +$DocumentUnsetAsTemplate = "El documento ha dejado de ser una plantilla"; +$AddAsTemplate = "Agregar como plantilla"; +$RemoveAsTemplate = "Quitar plantilla"; +$ReadOnlyFile = "El archivo es de solo lectura"; +$FileNotFound = "El archivo no fue encontrado"; +$TemplateTitleFirstPage = "Página inicial"; +$TemplateTitleFirstPageDescription = "Es la página principal de su curso"; +$TemplateTitleDedicatory = "Dedicatoria"; +$TemplateTitleDedicatoryDescription = "Haz tu propia dedicatoria"; +$TemplateTitlePreface = "Prólogo"; +$TemplateTitlePrefaceDescription = "Haz tu propio prólogo"; +$TemplateTitleIntroduction = "Introducción"; +$TemplateTitleIntroductionDescription = "Escriba la introducción"; +$TemplateTitlePlan = "Plan"; +$TemplateTitlePlanDescription = "Tabla de contenidos"; +$TemplateTitleTeacher = "Profesor explicando"; +$TemplateTitleTeacherDescription = "Un dialogo explicativo con un profesor"; +$TemplateTitleProduction = "Producción"; +$TemplateTitleProductionDescription = "Descripción de una producción"; +$TemplateTitleAnalyze = "Análisis"; +$TemplateTitleAnalyzeDescription = "Descripción de un análisis"; +$TemplateTitleSynthetize = "Síntesis"; +$TemplateTitleSynthetizeDescription = "Descripción de una síntesis"; +$TemplateTitleText = "Página con texto"; +$TemplateTitleTextDescription = "Página con texto plano"; +$TemplateTitleLeftImage = "Imagen a la izquierda"; +$TemplateTitleLeftImageDescription = "Imagen a la izquierda"; +$TemplateTitleTextCentered = "Texto e imagen centrados"; +$TemplateTitleTextCenteredDescription = "Texto e imagen centrada con una leyenda"; +$TemplateTitleComparison = "Comparación"; +$TemplateTitleComparisonDescription = "Página con 2 columnas"; +$TemplateTitleDiagram = "Diagrama explicativo"; +$TemplateTitleDiagramDescription = "Imagen a la izquierda y un comentario a la izquierda"; +$TemplateTitleImage = "Imagen"; +$TemplateTitleImageDescription = "Página con solo una imagen"; +$TemplateTitleFlash = "Animación Flash"; +$TemplateTitleFlashDescription = "Animación + texto introductivo"; +$TemplateTitleAudio = "Audio con comentario"; +$TemplateTitleAudioDescription = "Audio + imagen + texto"; +$TemplateTitleSchema = "Esquema con audio"; +$TemplateTitleSchemaDescription = "Esquema explicado por un profesor"; +$TemplateTitleVideo = "Página con video"; +$TemplateTitleVideoDescription = "Video + texto explicativo"; +$TemplateTitleVideoFullscreen = "Página con solo video"; +$TemplateTitleVideoFullscreenDescription = "Video + texto explicativo"; +$TemplateTitleTable = "Tablas"; +$TemplateTitleTableDescription = "Página con tabla tipo hoja de cálculo"; +$TemplateTitleAssigment = "Descripción de tareas"; +$TemplateTitleAssigmentDescription = "Explica objetivos, roles, agenda"; +$TemplateTitleResources = "Recursos"; +$TemplateTitleResourcesDescription = "Libros, enlaces, herramientas"; +$TemplateTitleBibliography = "Bibliografía"; +$TemplateTitleBibliographyDescription = "Libros, enlaces y herramientas"; +$TemplateTitleFAQ = "Preguntas frecuentes"; +$TemplateTitleFAQDescription = "Lista de preguntas y respuestas"; +$TemplateTitleGlossary = "Glosario"; +$TemplateTitleGlossaryDescription = "Lista de términos"; +$TemplateTitleEvaluation = "Evaluación"; +$TemplateTitleEvaluationDescription = "Evaluación"; +$TemplateTitleCertificate = "Certificado de finalización"; +$TemplateTitleCertificateDescription = "Aparece al final de Lecciones"; +$TemplateTitleCheckList = "Lista de revisión"; +$TemplateTitleCourseTitle = "Título del curso"; +$TemplateTitleLeftList = "Lista a la izquierda"; +$TemplateTitleLeftListDescription = "Lista la izquierda con un instructor"; +$TemplateTitleCheckListDescription = "Lista de elementos"; +$TemplateTitleCourseTitleDescription = "Título del curso con un logo"; +$TemplateTitleRightList = "Lista a la derecha"; +$TemplateTitleRightListDescription = "Lista a la derecha con un instructor"; +$TemplateTitleLeftRightList = "Listas a la izquierda y a la derecha"; +$TemplateTitleLeftRightListDescription = "Lista a la izquierda y derecha con un instructor"; +$TemplateTitleDesc = "Descripción"; +$TemplateTitleDescDescription = "Describir un elemento"; +$TemplateTitleObjectives = "Objetivos del curso"; +$TemplateTitleObjectivesDescription = "Describe los objetivos del curso"; +$TemplateTitleCycle = "Gráfico cíclico"; +$TemplateTitleCycleDescription = " 2 listas con feclas circulares"; +$TemplateTitleLearnerWonder = "Expectativas del estudiante"; +$TemplateTitleLearnerWonderDescription = "Descripción de las expectativas del estudiante"; +$TemplateTitleTimeline = "Procesos y etapas"; +$TemplateTitleTimelineDescription = "3 listas relacionadas con flechas"; +$TemplateTitleStopAndThink = "Detente y reflexiona"; +$TemplateTitleListLeftListDescription = "Lista a la izquierda con un instructor"; +$TemplateTitleStopAndThinkDescription = "Invitación a pararse y a reflexionar"; +$CreateTemplate = "Crear plantilla"; +$SharedFolder = "Carpeta compartida"; +$CreateFolder = "Crear la carpeta"; +$HelpDefaultDirDocuments = "INFORMACIÓN SOLO VISIBLE POR EL PROFESORADO:\nEsta carpeta contiene los archivos suministrados por defecto. Puede eliminar o añadir otros archivos. Al hacerlo tenga en cuenta que si un archivo está oculto cuando es insertado en un documento web, los estudiantes tampoco podrán verlo en el documento. Cuando inserte un archivo en un documento web hágalo visible previamente. Las carpetas pueden seguir ocultas."; +$HelpSharedFolder = "Esta carpeta contiene los archivos que los estudiantes (y Ud.) envían a un curso a través del editor, salvo los que se envían desde la herramienta grupos. Por defecto serán visibles por cualquier profesor, pero estarán ocultos para otros estudiantes salvo que accedan a ellos mediante un acceso directo. Si hace visible la carpeta de un estudiante otros estudiantes podrán ver todo lo que contenga."; +$TemplateImage = "Imagen de la plantilla"; +$MailingFileRecipDup = "múltiples usuarios tienen"; +$MailingFileRecipNotFound = "ningún estudiante con"; +$MailingFileNoRecip = "el nombre no contiene ningún identificador del destinatario"; +$MailingFileNoPostfix = "el nombre no termina con"; +$MailingFileNoPrefix = "el nombre no comienza por"; +$MailingFileFunny = "sin nombre o con una extensión que no tiene entre 1 y 4 caracteres"; +$MailingZipDups = "El archivo ZIP de correo no debe contener archivos duplicados - de ser así no será enviado"; +$MailingZipPhp = "El archivo ZIP de correo no puede contener archivos php - de ser así no será enviado"; +$MailingZipEmptyOrCorrupt = "El archivo ZIP de correo está vacío o está en mal estado"; +$MailingWrongZipfile = "El fichero de correo debe ser un fichero ZIP cuyo nombre contenga las palabras STUDENTID o LOGINNAME"; +$MailingConfirmSend = "¿Enviar el contenido de los ficheros a direcciones específicas?"; +$MailingSend = "Enviar el contenido de los ficheros"; +$MailingNotYetSent = "Los ficheros contenidos en el correo no han sido enviados..."; +$MailingInSelect = "---Envío por correo---"; +$MailingAsUsername = "Envío por correo"; +$Sender = "remitente"; +$FileSize = "tamaño del fichero"; +$PlatformUnsubscribeTitle = "Permitir darse de baja de la plataforma"; +$OverwriteFile = "¿ Sobreescribir el archivo que anteriormente ha enviado con el mismo nombre ?"; +$SentOn = "el"; +$DragAndDropAnElementHere = "Arrastrar y soltar un elemento aquí"; +$SendTo = "Enviar a"; +$ErrorCreatingDir = "No se puede crear el directorio. Por favor, contacte con el administrador del sistema."; +$NoFileSpecified = "No ha seleccionado ningún archivo para su envío."; +$NoUserSelected = "Por favor, seleccione el usuario al que desea enviar el archivo."; +$BadFormData = "El envío ha fallado: datos del formulario erróneos. Por favor, contacte a su administrador del sistema."; +$GeneralError = "Se ha producido un error. Por favor, consulte con el administrador del sistema"; +$ToPlayTheMediaYouWillNeedToUpdateYourBrowserToARecentVersionYouCanAlsoDownloadTheFile = "Para reproducir el contenido multimedia tendrá que o bien actualizar su navegador a una versión reciente o actualizar su plugin de Flash. Compruebe si el archivo tiene una extensión correcta."; +$UpdateRequire = "Actualización necesaria"; +$ThereAreNoRegisteredDatetimeYet = "Aún no hay registrada ninguna fecha/hora"; +$CalendarList = "Fechas de la lista de asistencia"; +$AttendanceCalendarDescription = "El calendario de asistencia le permite especificar las fechas que aparecerán en la lista de asistencia."; +$CleanCalendar = "Limpiar calendario"; +$AddDateAndTime = "Agregar fecha y hora"; +$AttendanceSheet = "Lista de asistencia"; +$GoToAttendanceCalendar = "Ir al calendario de asistencia"; +$AttendanceCalendar = "Calendario de asistencia"; +$QualifyAttendanceGradebook = "Calificar la lista de asistencia"; +$CreateANewAttendance = "Crear una lista de asistencia"; +$Attendance = "Asistencia"; +$XResultsCleaned = "%d resultados eliminados"; +$AreYouSureToDeleteResults = "Está seguro de querer eliminar los resultados"; +$CouldNotResetPassword = "No se puede reiniciar la contraseña"; +$ExerciseCopied = "Ejercicio copiado"; +$AreYouSureToCopy = "Está seguro de querer copiar"; +$ReceivedFiles = "Archivos recibidos"; +$SentFiles = "Archivos enviados"; +$ReceivedTitle = "Título"; +$SentTitle = "Archivos enviados"; +$Size = "Tamaño"; +$LastResent = "Último reenvío el"; +$kB = "kB"; +$UnsubscribeFromPlatformSuccess = "Su cuenta %s ha sido eliminada por completo de este portal. Gracias por el tiempo que ha permanecido con nosotros. En el futuro esperamos volver a verlo de nuevo con nosotros."; +$UploadNewFile = "Enviar un archivo"; +$Feedback = "Comentarios"; +$CloseFeedback = "Cerrar comentarios"; +$AddNewFeedback = "Añadir un nuevo comentario"; +$DropboxFeedbackStored = "El comentario ha sido guardado"; +$AllUsersHaveDeletedTheFileAndWillNotSeeFeedback = "Todos los usuarios han eliminado el archivo por lo que nadie podrá ver el comentario que está añadiendo."; +$FeedbackError = "Error en el comentario"; +$PleaseTypeText = "Por favor, escriba algún texto."; +$YouAreNotAllowedToDownloadThisFile = "No tiene permiso para descargar este archivo."; +$CheckAtLeastOneFile = "Compurebe al menos un archivo."; +$ReceivedFileDeleted = "El archivo recibido ha sido eliminado."; +$SentFileDeleted = "El archivo enviado ha sido eliminado."; +$FilesMoved = "Los archivos seleccionados han sido movidos."; +$ReceivedFileMoved = "Los archivos recibidos han sido movidos."; +$SentFileMoved = "El archivo enviado ha sido movido"; +$NotMovedError = "Este archivo(s) no puede moverse."; +$AddNewCategory = "Añadir una categoría"; +$EditCategory = "Editar esta categoría"; +$ErrorPleaseGiveCategoryName = "Por favor, escoja un nombre para la categoría"; +$CategoryAlreadyExistsEditIt = "Esta categoría ya existe, por favor use un nombre diferente"; +$CurrentlySeeing = "Actualmente está viendo la categoría"; +$CategoryStored = "La categoría ha sido añadida."; +$CategoryModified = "La categoría ha sido modificada."; +$AuthorFieldCannotBeEmpty = "El campo autor no puede estar vacío"; +$YouMustSelectAtLeastOneDestinee = "Debe seleccionar al menos un destino"; +$DropboxFileTooBig = "El archivo es demasiado grande."; +$TheFileIsNotUploaded = "El archivo no ha sido enviado"; +$MailingNonMailingError = "El envío por correo no puede ser sobreescrito por envíos que no sean de correo y viceversa"; +$MailingSelectNoOther = "El envío por correo no puede ser combinado con otros destinatarios"; +$MailingJustUploadSelectNoOther = "El envío a mi mismo no se puede combinar con otros recipientes"; +$PlatformUnsubscribeComment = "Al activar esta opción, se permitirá a cualquier usuario eliminar definitivamente su propia cuenta y todos los datos relacionados a la misma desde la plataforma. Esto es una acción radical, pero es necesario que los portales abiertos al público donde los usuarios pueden registrarse automáticamente. Una entrada adicional se publicará en el perfil del usuario de darse de baja después de la confirmación."; +$NewDropboxFileUploaded = "Un nuevo archivo ha sido enviado en Compartir Documentos"; +$NewDropboxFileUploadedContent = "En su curso, un nuevo archivo ha sido enviado en Compartir Documentos"; +$AddEdit = "Añadir / Editar"; +$ErrorNoFilesInFolder = "Este directorio está vacío"; +$EditingExerciseCauseProblemsInLP = "Editar un ejercicio causará problemas en Lecciones"; +$SentCatgoryDeleted = "La carpeta ha sido eliminada"; +$ReceivedCatgoryDeleted = "La carpeta ha sido eliminada"; +$MdTitle = "Título del objeto de aprendizaje"; +$MdDescription = "Para guardar esta información, presione Guardar"; +$MdCoverage = "por ej., Licenciado en..."; +$MdCopyright = "por ej., el proveedor de la fuente es conocido"; +$NoScript = "Su navegador no permite scripts, por favor ignore la parte inferior de la pantalla. No funcionará..."; +$LanguageTip = "idioma en el que el objeto de aprendizaje fue hecho"; +$Identifier = "Identificador"; +$IdentifierTip = "identificador único para este objeto de aprendizaje, compuesto de letras, números, _-.()'!*"; +$TitleTip = "título o nombre, e idioma del título o del nombre"; +$DescriptionTip = "descripción o comentario, e idioma usado para describir este objeto de aprendizaje"; +$Keyword = "Palabra clave"; +$KeywordTip = "separar mediante comas (letras, dígitos, -.)"; +$Coverage = "Destino"; +$CoverageTip = "por ejemplo licenciado en xxx: yyy"; +$KwNote = "Si desea cambiar el idioma de la descripción, no lo haga a la vez que añade palabras clave"; +$Location = "URL/URI"; +$LocationTip = "haga clic para abrir el objeto"; +$Store = "Guardar"; +$DeleteAll = "Borrar todos los metadatos"; +$ConfirmDelete = "¿ Está *seguro* de querer borrar todos los metadatos ?"; +$WorkOn = "en"; +$Continue = "Continuar"; +$Create = "Crear"; +$RemainingFor = "entradas obsoletas quitadas por categoría"; +$WarningDups = "¡ - los nombres de categoría duplicados serán retirados de la lista !"; +$SLC = "Trabajar con la categoría de enlace nombrada"; +$TermAddNew = "Añadir un término"; +$TermName = "Término"; +$TermDefinition = "Definición"; +$TermDeleted = "Término eliminado"; +$TermUpdated = "Término actualizado"; +$TermConfirmDelete = "¿ Realmente desea eliminar el término"; +$TermAddButton = "Guardar este término"; +$TermUpdateButton = "Actualizar término"; +$TermEdit = "Editar término"; +$TermDeleteAction = "Eliminar término"; +$PreSelectedOrder = "Ordenar por selección"; +$TermAdded = "Término añadido"; +$YouMustEnterATermName = "Debe introducir un término"; +$YouMustEnterATermDefinition = "Debe introducir la definición del término"; +$TableView = "Ver como tabla"; +$GlossaryTermAlreadyExistsYouShouldEditIt = "Este termino del glosario ya existe, por favor cambielo por otro nombre"; +$GlossaryManagement = "Administración de glosario"; +$TermMoved = "El término se ha movido"; +$HFor = "Ayuda: Foros"; +$ForContent = "

        Un foro es una herramienta de debate asíncrona. Mientras que un correo electrónico permite un diálogo privado entre dos personas, en los foros este diálogo será público o semipúblico y podrán intervenir más personas.

        Desde el punto de vista técnico, los usuarios sólo necesitan un navegador de Internet para usar los foros de la Plataforma.

        Para organizar los foros de debate, pulse en 'Administración de los foros'. Los debates se organizan en categorías y subcategorías tal como sigue:

        Categoría > Foro > Tema > Respuestas

        Para estructurar los debates de sus usuarios, es necesario organizar de antemano las categorías y los foros, dejando que ellos sean los que creen los temas y las posibles respuestas. Por defecto, los foros de cada curso contienen dos categorías: una reservada a los grupos del curso 'Foros de grupos' y otra común al curso, denominada por defecto'Principal' (aunque este nombre puede cambiarse); dentro de esta última hay creado un 'Foro de pruebas' con un tema de ejemplo.

        Lo primero que debe hacer es borrar el tema de ejemplo y cambiar el nombre del foro de pruebas. Después puede crear, en la categoría público, otros foros, bien sea por grupos o temas, para ajustarse a los requisitos de su propuesta de aprendizaje.

        No confunda las categorías con los foros, ni estos con los temas, y no olvide que una categoría vacía (sin foros) no aparecerá en la vista del usuario.

        Por último, cada foro puede tener una descripción que puede consistir en la lista de sus miembros, sus objetivos, temática...

        Los foros de los grupos no deben crearse a través de la herramienta 'Foros', sino mediante la herramienta 'Grupos'; en esta última podrá decidir si los foros del grupo serán privados o públicos.

        Uso pedagógico avanzado

        Algunos profesores utilizan el foro para realizar correcciones. Un estudiante publica un documento. El profesor lo corrige usando el botón marcador del editor HTML (marca con un color la corrección o los errores), de manera que otros estudiantes y profesores podrán beneficiarse de ellas.

        "; +$HDropbox = "Ayuda: Compartir documentos"; +$DropboxContent = "

        Compartir documentos es una herramienta de gestión de contenidos dirigida al intercambio de datos entre iguales (p2p). Cualquier tipo de fichero es aceptado: Word, Excel, PDF, etc. Generará diferentes versiones en los envíos, con lo que evitará la destrucción de un documento cuando se envíe otro con el mismo nombre..

        Los documentos compartidos muestran los archivos que le han enviado (carpeta de archivos recibidos) y los archivos que Ud. ha enviado a otros miembros de este curso (carpeta de archivos enviados)

        Si la lista de archivos recibidos o enviados se hace demasiado larga, puede suprimir todos o algunos archivos de la misma. El archivo sí mismo no se elimina mientras el otro usuario lo mantenga en la suya.

        Para enviar un documento a más de una persona, debe utilizar CTRL+clic para seleccionarlos en la caja de selección múltiple. La caja de selección múltiple es el formulario que muestra la lista de miembros.

        "; +$HHome = "Ayuda: Página principal del curso"; +$HomeContent = "

        La página principal del curso muestra varias herramientas: un texto de introducción, una descripción del curso, un gestor de documentos, etc. Esta página tiene un funcionamiento modular: con un sólo clic puede hacer visible / invisible cualquier herramienta. Las herramientas ocultas pueden ser reactivadas en cualquier momento.

        Navegación

        Para moverse por el curso dispone de dos barras de navegación. Una en la parte superior izquierda, que muestra el lugar del curso en el que Vd. se encuentra. Otra (en el caso de que esté activada), en la parte superior derecha que permite acceder a cualquier herramienta haciendo clic en su icono. Si en la barra de navegación izquierda selecciona el nombre del curso, o si pulsa sobre el icono en forma de casa de la barra de navegación derecha, irá a la página principal del curso.

        Buenas prácticas

        Para motivar a sus estudiantes es importante que el sitio de su curso sea un sitio dinámico. Esto indicará que hay 'alguien detrás de la pantalla'. Una forma rápida de dar esa sensación es corregir el contenido del texto de introducción del curso semanalmente para dar las últimas noticias. Aunque puede ser que desee reservar este espacio para un contenido más estable, por ejemplo, el logotipo del curso.

        Para construir un curso siga estos pasos:

        1. Impida el acceso al curso durante el proceso de elaboración. Para ello, compruebe mediante la herramienta 'Configuración del curso' que el acceso al mismo sea privado y que esté deshabilitada la inscripción por parte de los usuarios.
        2. Muestre todas las herramientas haciendo clic en el ojo cerrado que las acompaña.
        3. Utilice las herramientas que necesite para 'llenar' su sitio con contenidos, eventos, directrices, ejercicios, etc
        4. Oculte todas las herramientas : su página principal estará vacía en la 'Vista de estudiante'
        5. Use la herramienta 'Lecciones' para estructurar la secuencia que los alumnos seguirán para visitar las diferentes herramientas y aprender con ellas. De esta forma, usted utiliza el resto de las herramientas, pero no las muestra simultáneamente.
        6. Haga clic sobre el icono en forma de ojo para que la lección que ha creado se muestre en la página principal del curso.
        7. La preparación del sitio para su curso está completa. Su página principal muestra solamente un texto de introducción seguido de un enlace, el cual conduce a los estudiantes a través del curso. Haga clic en 'Vista de alumno' (arriba a la derecha) para previsualizar lo que los estudiantes verán.
        "; +$HOnline = "Ayuda: Conferencia online"; +$OnlineContent = "
        Introducción

        El sistema de Conferencia Online de chamilo le permite de forma sencilla, enseñar, informar o reunir a más de 500 personas.
          • audio : la voz del ponente se envía por broadcast en tiempo real a los participantes en calidad radio FM fracias al streaming mp3
          • diapositivas: los participantes siguen las presentaciones de PowerPoint, Flash, PDF...
          • interacción : los participantes pueden realizar sus preguntas al ponente a través del Chat.

        Estudiante / asistente


        Para asistir a la conferencia Vd. necesita:

        1. Altavoces (o auriculares) conectados a su PC

        2. Winamp Media player

        \"Winamp\"

        Mac : use Quicktime
        Linux : use XMMS

          3. Acrobat PDF reader, Word, PowerPoint, Flash, ..., dependiendo del formato de las diapositivas del profesor

        \"acrobat


        Profesor / ponente


        Para dar una conferencia Vd. necesita:

        1. Unos auriculares con micrófono

        \"Auriculares\"


        2. Winamp

        \"Winamp\"

        3. SHOUTcast DSP Plug-In para Winamp 2.x

        \"Shoutcast\"

        Siga las instrucciones de www.shoutcast.com para instalar y configurar Shoutcast Winamp DSP Plug-In.


        ¿ Cómo dar una conferencia ?

        Crear un curso en chamilo > Entrar en el curso > Hacer visible la herramienta Conferencia Online > Editar los parámetros (icono en forma de lápiz, arriba a la izquierda) > Enviar sus diapositivas (PDF, PowerPoint....) > Escribir un texto de introducción > escribir la URL desde donde se va a proveer el streaming.

        \"conference
        No olvide dar previamente a los futuros participantes en la reunión una fecha, hora y directrices lo suficientemente claras..

        Consejo : 10 minutos antes de la conferencia, escriba un pequeño mensaje informando a los participantes de que está online y puede ayudarles a solucionar algún problema de audio.


        Servidor de streaming
        Para dar una conferencia en tiempo real, necesita un servidor de streaming y probablemente personal técnico que le ayude a realizarla. El técnico le suministrará el URL que necesita escribir en el campo de streaming cuando edita los parámetros de la herramienta Conferencia Online.

        \"chamilo
        Chamilo streaming


        Hágalo usted mismo : instale, configure y administre Shoutcast o Apple Darwin.

        O contacte con Beeznest. Podemos ayudarles a organizar su conferencia, asistir a su ponente y alquilarle a bajo costo la posibilidad de streaming en nuestros servidores: http://www.chamilo.com/hosting.php


        "; +$HClar = "Ayuda: Chamilo"; +$HDoc = "Ayuda: Documentos"; +$DocContent = "

        El módulo de gestión de documentos funciona de manera semejante al gestor de ficheros de su ordenador.

        Los profesores pueden crear páginas web simples ('Crear un documento HTML') o transferir a esta sección, archivos de cualquier tipo (HTML, Word, PowerPoint, Excel, PDF, Flash, QuickTime, etc.). Tenga en cuenta que no todos los archivos que envíe podrán ser vistos por los demás usuarios, quienes deberán disponer de las\t herramientas apropiadas para abrirlos, en caso contrario, al hacer clic sobre el nombre del archivo tan\t sólo podrán descargarlo. Esta descarga siempre será posible si pulsan sobre\t el icono . No olvide revisar previamente con un antivirus los ficheros\t que se envíe al servidor.

        Los documentos se presentan en la pantalla por orden alfabético. Si desea que los documentos se ordenen de manera diferente, puede renombrarlos haciendo que vayan precedidos de un número (01, 02, 03, ...). También puede usar la herramienta lecciones para presentar una sofisticada tabla de contenidos. Tenga en cuenta que cuando transfiere documentos al servidor, puede decidir no mostrar la sección 'Documentos' y sólo mostrar una página de inicio (añadir un enlace a la página web principal de la actividad) y/o unas Lecciones que contenga sólo alguno de los\t archivos de la sección Documentos.


        \t

        Transferencia de documentos

        1. Sitúese en la carpeta del módulo ' Documentos' a donde quiere enviar los archivos (por defecto al directorio raíz del curso).
        2. Pulse sobre la opción 'Enviar un documento'; esto le llevará a una pantalla en la que seleccionará el documento de su ordenador con la ayuda del botón .
        3. Transfiera el documento a la web del curso pulsando el botón .
        4. Si el nombre del documento contiene acentos u otros caracteres especiales puede ser que deba renombrarlo para que se abra correctamente.

        •  También es posible enviar varios documentos en un archivo comprimido en formato zip y ordenar, si así lo desea, que se descomprima automáticamente en el servidor.

        •  Además de archivos zip convencionales se pueden enviar archivos SCORM comprimidos, que también tendrán la extensión zip. Los contenidos SCORM son tutoriales especiales que han sido diseñados de acuerdo con una norma internacional: SCORM. Es un formato especial para que los contenidos educativos puedan ejecutarse e intercambiarse libremente entre distintos Sistemas de Gestión del Conocimiento (LMS= Learning Management Systems). En otras palabras, los materiales SCORM son independientes de la plataforma, siendo su importación y exportación muy simple. La gestión de estos archivos se realiza a través de la herramienta Lecciones.

        •  Tenga en cuenta que el administrador de la plataforma ha definido un tamaño máximo para cualquier archivo que transfiera. Si desea enviar archivos mayores (por ej., vídeos...) póngase en contacto con él.

        •  Observaciones especiales para el envío de páginas web.

        El envío de páginas web simples no plantea ningún problema, aunque si su complejidad es mayor puede ser que no tengan el funcionamiento esperado. En estos casos se recomienda empaquetar sus páginas web como archivos SCORM comprimidos y usar la herramienta Lecciones (ver más arriba).


        Gestión de directorios y archivos

        •  Crear una carpeta.

        Esto le permitirá organizar el contenido de la sección 'Documentos' guardando los documentos en diferentes carpetas o directorios. Puede crear tantas subcarpetas como desee.

        1. Hacer clic sobre 'Crear un directorio', situado en la parte superior
        2. Introduzca el nombre del nuevo directorio.
        3. Valide haciendo clic en .

        •  Borrar un directorio o un archivo.

        1. Haga clic en el botón de la columna 'Modificar'.

        •  Cambiar el nombre de un directorio o de un archivo.

        1. Haga clic en el botón de la columna 'Modificar'.
        2. Introduzca el nuevo nombre.
        3. Valide haciendo clic en .

        •  Mover un directorio o un archivo a otro directorio.

        1. Haga clic sobre el botón de la columna 'Modificar'
        2. Escoja la carpeta a la que quiere mover el documento, haciendo clic sobre el menú desplegable (la palabra \"raíz\" en dicho menú representa el directorio principal de la sección 'Documentos').
        3. Valide haciendo clic en .

        •  Añadir un comentario a un documento o a una carpeta

        1. Haga clic en el botón de la columna 'Modificar'
        2. Introduzca, modifique o borre el comentario en la zona prevista.
        3. Valide haciendo clic en .

        •  Ocultar una carpeta o un documento a los miembros de la actividad.

        1. Haga clic en el botón de la columna 'Modificar'
        2. •  El documento o el directorio continúa existiendo, pero ya no será visible para los miembros de la actividad.

          •  Si desea que este elemento vuelva a ser visible, haga clic en el botón .

        •  Ver una carpeta o un archivo.

        Para ver el contenido de una carpeta bastará pulsar sobre su nombre. En el caso de un archivo, el procedimiento es similar, aunque tendremos que tener instalados los programas necesarios para su visualización, en caso contrario intentará descargarlos. Se debe tener especial cuidado con los archivos de extensiones ejecutables, los cuales recomendamos sean escaneados con un antivirus cuando se descarguen.

        Ver varias imágenes como una presentación

        Cuando el sistema detecta la existencia de imágenes en una carpeta, se activa la opción ‘Mostrar presentación', junto a la Ayuda. Esta permite ver estas imágenes de forma secuencial. Como en cualquier presentación, conviene recordar que las imágenes no sólo pueden consistir en fotos, sino también esquemas, mapas conceptuales, etc.


        Creación y edición de documentos en formato HTML

        Puede crear y editar directamente en el servidor un documento en formato HTML sin salir de su navegador.

        •  Para crear un documento web, haga clic sobre ' Crear un documento', déle un nombre (evite que el nombre contenga acentos u otros caracteres especiales), y utilice el editor para componer el documento.

        •  Para modificar el contenido de un documento web, haga clic en el botón de la columna 'Modificar', y se presentará un editor web además de las posibilidades de renombrar y añadir un comentario al documento.

        Sobre el editor HTML de la Plataforma.

        El editor de documentos HTML es del tipo WYSIWYG (What You See Is What You Get=Lo que ve es lo que obtendrá), lo que permite componerlos sin tener que rellenar líneas de código HTML, aunque podrá ver el código pulsando sobre el botón '< >'. Un menú con diversos botones le facilitará la elección del tipo y tamaño de letra, sangrar, hacer listas, colorear, crear enlaces, tablas, insertar imágenes, etc. También es posible cortar y pegar. Se trata de un editor elemental, pero que no precisa de ningún otro programa adicional a su navegador.

        \t

        Crear una Leccion

        Esta utilidad le permite construir lecciones con el contenido de las actividades. El resultado formará una tabla de materias, pero con más posibilidades. Para más información, ir al módulo Lecciones y ver su ayuda contextual.

        "; +$HUser = "Ayuda: Usuarios"; +$HExercise = "Ayuda: Ejercicios"; +$HPath = "Ayuda: Lecciones"; +$HDescription = "Ayuda: Descripción del curso"; +$HLinks = "Ayuda: Enlaces"; +$HMycourses = "Ayuda: Área de usuario"; +$HAgenda = "Ayuda: Agenda"; +$HAnnouncements = "Ayuda: Tablón de anuncios"; +$HChat = "Ayuda: Chat"; +$HWork = "Ayuda: Publicaciones de los estudiantes"; +$HTracking = "Ayuda: Estadísticas"; +$IsInductionSession = "Sesión de tipo inducción"; +$PublishSurvey = "Publicar encuesta"; +$CompareQuestions = "Comparar preguntas"; +$InformationUpdated = "Información actualizada"; +$SurveyTitle = "Título de la encuesta"; +$SurveyIntroduction = "Introducción de la encuesta"; +$CreateNewSurvey = "Crear encuesta"; +$SurveyTemplate = "Plantilla de encuesta"; +$PleaseEnterSurveyTitle = "Por favor, escriba el título de la encuesta"; +$PleaseEnterValidDate = "Por favor, introduzca una fecha correcta"; +$NotPublished = "No publicada"; +$AdvancedReportDetails = "El informe avanzado permite elegir el usuario y las preguntas para ver informaciones más detalladas"; +$AdvancedReport = "Informe avanzado"; +$CompleteReportDetails = "El informe completo permite ver todos los resultados obtenidos por la gente encuestada, y exportalos en csv (para Excel)"; +$CompleteReport = "Informe completo"; +$OnlyThoseAddresses = "Enviar la encuesta sólo a estas direcciones"; +$BackToQuestions = "Volver a las preguntas"; +$SelectWhichLanguage = "Seleccione el idioma en que desea crear la encuesta"; +$CreateInAnotherLanguage = "Crear esta encuesta en otro idioma"; +$ExportInExcel = "Exportar en formato Excel"; +$ComparativeResults = "Resultados comparativos"; +$SelectDataYouWantToCompare = "Seleccionar los datos que desea comparar"; +$OrCopyPasteUrl = "O copiar y pegar el enlace en la barra de direcciones de su navegador:"; +$ClickHereToOpenSurvey = "Hacer clic aquí para realizar una encuesta"; +$SurveyNotShared = "Ninguna encuesta ha sido compartida todavía"; +$ViewSurvey = "Ver encuesta"; +$SelectDisplayType = "Seleccionar el tipo de visualización:"; +$Thanks = "Mensaje de feedback"; +$SurveyReporting = "Informe de la encuesta"; +$NoSurveyAvailable = "No hay encuestas disponibles"; +$YourSurveyHasBeenPublished = "ha sido publicada"; +$CreateFromExistingSurvey = "Crear a partir de una encuesta ya existente"; +$SearchASurvey = "Buscar una encuesta"; +$SurveysOfAllCourses = "Encuesta(s) de todos los cursos"; +$PleaseSelectAChoice = "Por favor, seleccione una opción"; +$ThereAreNoQuestionsInTheDatabase = "No hay preguntas en la base de datos"; +$UpdateQuestionType = "Actualizar el tipo de pregunta:"; +$AddAnotherQuestion = "Añadir una nueva pregunta"; +$IsShareSurvey = "Compartir la encuesta con otros"; +$Proceed = "Proceder"; +$PleaseFillNumber = "Por favor, rellene los valores numéricos para las puntuaciones."; +$PleaseFillAllPoints = "Por favor, rellene las puntuaciones de 1-5"; +$PleasFillAllAnswer = "Por favor, rellene todos los campos de las respuestas."; +$PleaseSelectFourTrue = "Por favor, seleccione al menos cuatro respuestas verdaderas."; +$PleaseSelectFourDefault = "Por favor, seleccione al menos cuatro respuestas por defecto."; +$PleaseFillDefaultText = "Por favor, rellene el texto por defecto"; +$ModifySurveyInformation = "Modificar la información de la encuesta"; +$ViewQuestions = "Ver preguntas"; +$CreateSurvey = "Crear encuesta"; +$FinishSurvey = "Terminar la encuesta"; +$QuestionsAdded = "Las preguntas son añadidas"; +$DeleteSurvey = "Eliminar encuesta"; +$SurveyCode = "Código de la encuesta"; +$SurveyList = "Encuestas"; +$SurveyAttached = "Encuesta adjuntada"; +$QuestionByType = "Preguntas por tipo"; +$SelectQuestionByType = "Seleccionar una pregunta por tipo"; +$PleaseEnterAQuestion = "Por favor, introduzca una pregunta"; +$NoOfQuestions = "Número de preguntas"; +$ThisCodeAlradyExists = "Este código ya existe"; +$SaveAndExit = "Guardar y salir"; +$ViewAnswers = "Ver respuestas"; +$CreateExistingSurvey = "Crear desde una encuesta ya existente"; +$SurveyName = "Nombre de la encuesta"; +$SurveySubTitle = "Subtítulo de la encuesta"; +$ShareSurvey = "Compartir la encuesta"; +$SurveyThanks = "Agradecimientos"; +$EditSurvey = "Editar la encuesta"; +$OrReturnToSurveyOverview = "O volver a la vista general de la encuesta"; +$SurveyParametersMissingUseCopyPaste = "Hay un parámetro que falta en el enlace. Por favor, use copiar y pegar."; +$WrongInvitationCode = "Código de invitado erróneo"; +$SurveyFinished = "Ha terminado la encuesta."; +$SurveyPreview = "Previsualización de la encuesta"; +$InvallidSurvey = "Encuesta no válida"; +$AddQuestion = "Añadir una pregunta"; +$EditQuestion = "Editar pregunta"; +$TypeDoesNotExist = "Este tipo no existe"; +$SurveyCreatedSuccesfully = "La encuesta ha sido creada"; +$YouCanNowAddQuestionToYourSurvey = "Ahora puede añadir las preguntas"; +$SurveyUpdatedSuccesfully = "La encuesta hasido actualizada"; +$QuestionAdded = "La pregunta ha sido añadida."; +$QuestionUpdated = "La pregunta ha sido actualizada."; +$RemoveAnswer = "Quitar opción"; +$AddAnswer = "Añadir opción"; +$DisplayAnswersHorVert = "Mostrar"; +$AnswerOptions = "Opciones de respuesta"; +$MultipleResponse = "Respuesta multiple"; +$Dropdown = "Lista desplegable"; +$Pagebreak = "Fin de página"; +$QuestionNumber = "Pregunta número"; +$NumberOfOptions = "Número de opciones"; +$SurveyInvitations = "Invitaciones a la encuesta"; +$InvitationCode = "Código de invitación"; +$InvitationDate = "Fecha de invitación"; +$Answered = "Respondido"; +$AdditonalUsersComment = "Puede invitar a otros usuarios para que completen esta encuesta. Para ello debe escribir sus correos electrónicos separados por , o ;"; +$MailTitle = "Asunto del correo"; +$InvitationsSend = "invitaciones enviadas."; +$SurveyDeleted = "La encuesta ha sido eliminada."; +$NoSurveysSelected = "No ha seleccionado ninguna encuesta."; +$NumberOfQuestions = "Número de preguntas"; +$Invited = "Invitado"; +$SubmitQuestionFilter = "Filtrar"; +$ResetQuestionFilter = "Cancelar filtro"; +$ExportCurrentReport = "Exportar el informe actual"; +$OnlyQuestionsWithPredefinedAnswers = "Sólo pueden usarse preguntas con respuestas predefinidas"; +$SelectXAxis = "Seleccione la pregunta del eje X"; +$SelectYAxis = "Seleccione la pregunta del eje Y"; +$ComparativeReport = "Informe comparativo"; +$AllQuestionsOnOnePage = "Todas las preguntas serán mostradas en una página"; +$SelectUserWhoFilledSurvey = "Seleccionar el usuario que completó la encuesta"; +$userreport = "Informe del usuario"; +$VisualRepresentation = "Gráfico"; +$AbsoluteTotal = "Total global"; +$NextQuestion = "Pregunta siguiente"; +$PreviousQuestion = "Pregunta anterior"; +$PeopleWhoAnswered = "Personas que han elegido esta respuesta"; +$SurveyPublication = "Publicación de la encuesta"; +$AdditonalUsers = "Usuarios adicionales"; +$MailText = "Texto del correo"; +$UseLinkSyntax = "Los usuarios que haya seleccionado recibirán un correo electrónico con el texto que ha escrito más arriba, así como un enlace que los usuarios tendrán que pulsar para cumplimentar la encuesta. Si desea introducir este enlace en algún lugar de su texto, debe insertar lo siguiente: ** enlace ** (asterisco asterisco enlace asterisco asterisco). Esta etiqueta será sustituida automáticamente por el enlace. Si no agrega el ** enlace ** a su texto, el enlace se añadirá al final del correo"; +$DetailedReportByUser = "Informe detallado por usuario"; +$DetailedReportByQuestion = "Informe detallado por pregunta"; +$ComparativeReportDetail = "En este informe puede comparar dos preguntas."; +$CompleteReportDetail = "En este informe se obtiene un sumario de las respuestas de todos los usuarios a todas las preguntas. También dispone de una opción para sólamente ver una selección de preguntas. Puede exportar los resultados a un archivo en formato de CSV para su utilización en aplicaciones estadísticas."; +$DetailedReportByUserDetail = "En este informe puede ver todas las respuestas de un usuario."; +$DetailedReportByQuestionDetail = "En este informe se ven los resultados pregunta a pregunta. Proporciona un análisis estadístico básico y gráficos."; +$ReminderResendToAllUsers = "Enviar a todos los usuarios seleccionados. Si no marca esta casilla, sólamente recibirán el correo electrónico los usuarios adicionales que haya añadido."; +$Multiplechoice = "Elección multiple"; +$Score = "Puntuación"; +$Invite = "Invitados"; +$MaximumScore = "Puntuación máximo"; +$ViewInvited = "Ver invitados"; +$ViewAnswered = "Ver las personas que han respondido"; +$ViewUnanswered = "Ver las personas que no han respondido"; +$DeleteSurveyQuestion = "¿ Está seguro de que quiere eliminar esta pregunta ?"; +$YouAlreadyFilledThisSurvey = "Ya ha rellenado esta encuesta"; +$ClickHereToAnswerTheSurvey = "Haga clic aquí para contestar la encuesta"; +$UnknowUser = "Usuario desconocido"; +$HaveAnswered = "han contestado"; +$WereInvited = "fueron invitados"; +$PagebreakNotFirst = "El separador de página no puede estar al comienzo"; +$PagebreakNotLast = "El separador de página no puede estar al final"; +$SurveyNotAvailableAnymore = "Lo sentimos pero esta encuesta ya no está disponible. Le agradecemos su interés."; +$DuplicateSurvey = "Duplicar la encuesta"; +$EmptySurvey = "Limpiar la encuesta"; +$SurveyEmptied = "Las respuestas a la encuesta han sido eliminadas"; +$SurveyNotAvailableYet = "Esta encuesta aún no está disponible. Inténtelo más tarde. Gracias."; +$PeopleAnswered = "Personas que han respondido"; +$AnonymousSurveyCannotKnowWhoAnswered = "Esta encuesta es anónima. Ud. no puede ver quien ha respondido."; +$IllegalSurveyId = "Identificador de encuesta desconocido"; +$SurveyQuestionMoved = "La pregunta ha sido movida"; +$IdenticalSurveycodeWarning = "Este código de la encuesta ya existe. Probablemente esto sea debido a que la encuesta también existe en otros idiomas. Los usuarios podrán elegir entre diferentes idiomas."; +$ThisSurveyCodeSoonExistsInThisLanguage = "Este código de encuesta ya existe en este idioma"; +$SurveyUserAnswersHaveBeenRemovedSuccessfully = "Las respuestas del usuario han sido eliminadas satisfactoriamente"; +$DeleteSurveyByUser = "Eliminar las respuesta de este usuario de esta encuesta"; +$SelectType = "Seleccionar el tipo"; +$Conditional = "Condicional"; +$ParentSurvey = "Encuesta madre"; +$OneQuestionPerPage = "Una pregunta por pagina"; +$ActivateShuffle = "Activar para barajar"; +$ShowFormProfile = "Mostrar el formato del perfil"; +$PersonalityQuestion = "Editar pregunta"; +$YouNeedToCreateGroups = "Tu necesitas crear grupos"; +$ManageGroups = "Administrar grupos"; +$GroupCreatedSuccessfully = "Grupo creado con éxito"; +$GroupNeedName = "Grupo necesita nombre"; +$Personality = "Personalizar"; +$Primary = "Primero"; +$Secondary = "Segundo"; +$PleaseChooseACondition = "Por favor elija una condición"; +$ChooseDifferentCategories = "Elija diferente categoria"; +$Normal = "Normal"; +$NoLogOfDuration = "Ningún registro de duración"; +$AutoInviteLink = "Los usuarios que no hayan sido invitados pueden utilizar este enlace para realizar la encuesta:"; +$CompleteTheSurveysQuestions = "Complete las preguntas de la encuesta"; +$SurveysDeleted = "Encuestas borradas"; +$RemindUnanswered = "Recordatorio sólo para los usuarios que no hayan respondido"; +$ModifySurvey = "Modificar encuesta"; +$CreateQuestionSurvey = "Crear pregunta"; +$ModifyQuestionSurvey = "Modificar pregunta"; +$BackToSurvey = "Volver a la encuesta"; +$UpdateInformation = "Actualización de información"; +$PleaseFillSurvey = "Por favor, llene la encuesta"; +$ReportingOverview = "Sumario de informes"; +$GeneralDescription = "Descripción general"; +$GeneralDescriptionQuestions = "¿Cuál es el objetivo de este curso? ¿Hay requisitos previos? ¿Qué relación tiene con otros cursos?"; +$GeneralDescriptionInformation = "Descripción del curso (número de horas, código, lugar donde se desarrollará, etc.). Profesorado (nombre, despacho, teléfono, correo electrónico, etc.)."; +$Objectives = "Objetivos"; +$ObjectivesInformation = "¿Cuáles son los objetivos del curso (competencias, habilidades, resultados,etc.)?"; +$ObjectivesQuestions = "¿Qué deben saber los estudiantes al finalizar el curso? ¿Qué actividades se desarrollarán?"; +$Topics = "Contenidos"; +$TopicsInformation = "Contenidos del curso. Importancia de cada contenido. Nivel de dificultad. Estructura e interdependencia con otros contenidos."; +$TopicsQuestions = "¿Cuál será el desarrollo del curso? ¿Dónde deben prestar más atención los estudiantes? ¿Qué problemas pueden surgir para la comprensión de ciertos temas? ¿Qué tiempo debe dedicarse a cada parte del curso?"; +$Methodology = "Metodología"; +$MethodologyQuestions = "¿Qué métodos y actividades se desarrollarán para alcanzar los objetivos del curso? ¿Qué técnicas y estrategias se desarrollarán para conseguir el aprendizaje de la unidad didáctica? ¿Cuál es el calendario para su realización?"; +$MethodologyInformation = "Presentación de las actividades (conferencias, disertaciones, investigaciones en grupo, laboratorios, etc.)."; +$CourseMaterial = "Materiales"; +$CourseMaterialQuestions = "¿Existe un manual, una colección de documentos, una bibliografía, o una lista de enlaces de Internet?"; +$CourseMaterialInformation = "Breve descripción de los materiales a emplear en el curso."; +$HumanAndTechnicalResources = "Recursos humanos y técnicos"; +$HumanAndTechnicalResourcesQuestions = "¿Quiénes son los profesores, tutores, coordinadores, etc.? ¿Cuáles son los recursos materiales: sala de ordenadores, pizarra digital, conexión a Internet, etc.?"; +$HumanAndTechnicalResourcesInformation = "Identifique y describa los recursos humanos y técnicos."; +$Assessment = "Evaluación"; +$AssessmentQuestions = "¿Cómo serán evaluados los estudiantes? ¿Cuáles son los criterios de evaluación? ¿Qué instrumentos de evaluación se utilizarán?"; +$AssessmentInformation = "Criterios de evaluación de las competencias adquiridas."; +$Height = "Alto"; +$ResizingComment = "Redimensionar temporalmente la presentación al siguiente tamaño (en pixeles)"; +$Width = "Ancho"; +$Resizing = "Presentación redimensionada"; +$NoResizingComment = "Mostrar todas las imágenes de la presentación en su tamaño original. Las barras de desplazamiento aparecerán automáticamente si la imagen es mayor que el tamaño de su monitor."; +$ShowThumbnails = "Mostrar miniaturas"; +$SetSlideshowOptions = "Opciones de la presentación"; +$SlideshowOptions = "Opciones de la presentación"; +$NoResizing = "Presentación en su tamaño original"; +$Brochure = "Brochure"; +$SlideShow = "Presentación"; +$PublicationEndDate = "Fecha de fin publicada"; +$ViewSlideshow = "Ver presentación"; +$MyTasks = "Mis tareas"; +$FavoriteBlogs = "Mis blogs favoritos"; +$Navigation = "Navegación"; +$TopTen = "Los 10 mejores blogs"; +$ThisBlog = "Este blog"; +$NewPost = "Nuevo artículo"; +$TaskManager = "Administración de tareas"; +$MemberManager = "Administración de usuarios"; +$PostFullText = "Texto"; +$ReadPost = "Leer este artículo"; +$FirstPostText = "¡ Este es el primer artículo en el blog ! En adelante, todos los usuarios suscritos a este blog pueden participar"; +$AddNewComment = "Añadir un comentario"; +$ReplyToThisComment = "Contestar a este comentario"; +$ManageTasks = "Administrar tareas"; +$ManageMembers = "Administrar usuarios"; +$Register = "Inscribir en este blog"; +$UnRegister = "Anular la inscripción en este blog"; +$SubscribeMembers = "Inscribir usuarios"; +$UnsubscribeMembers = "Dar de baja a usuarios"; +$RightsManager = "Administrar los permisos de los usuarios"; +$ManageRights = "Administrar los perfiles y permisos de los usuarios de este blog"; +$Task = "Tarea"; +$Tasks = "Tareas"; +$Member = "Usuario"; +$Members = "Usuarios"; +$Role = "Perfil"; +$Rate = "Puntuación"; +$AddTask = "Nueva tarea"; +$AddTasks = "Añadir nuevas tareas"; +$AssignTask = "Asignar una tarea"; +$AssignTasks = "Asignar tareas"; +$EditTask = "Editar esta tarea"; +$DeleteTask = "Borrar esta tarea"; +$DeleteSystemTask = "Esta es una tarea predefinida. Ud., no puede borrar una tarea predefinida."; +$SelectUser = "Usuario"; +$SelectTask = "Tarea"; +$SelectTargetDate = "Fecha"; +$TargetDate = "Fecha"; +$Color = "Color"; +$TaskList = "Lista de tareas"; +$AssignedTasks = "Tareas asignadas"; +$ArticleManager = "Administración de artículos"; +$CommentManager = "Administración de comentarios"; +$BlogManager = "Administración del blog"; +$ReadMore = "Leer más..."; +$DeleteThisArticle = "Borrar este artículo"; +$EditThisPost = "Editar este artículo"; +$DeleteThisComment = "Borrar este comentario"; +$NoArticles = "No hay ningún artículo en el blog. Si Ud. es un autor en este blog, haga clic sobre el enlace 'nuevo artículo' para escribir uno."; +$NoTasks = "Sin tareas"; +$Rating = "Puntuación"; +$RateThis = "Puntuar este artículo"; +$SelectTaskArticle = "Seleccionar un artículo para esta tarea"; +$ExecuteThisTask = "Ejecutar la tarea"; +$WrittenBy = "Escrito por"; +$InBlog = "en el blog"; +$ViewPostsOfThisDay = "Ver los artículos de este día"; +$PostsOf = "Artículos de"; +$NoArticleMatches = "No se encuentran artículos que se ajusten a sus criterios de búsqueda. Probablemente haya escrito incorrectamente algo o su búsqueda es poco concreta. Realice las modificaciones que estime oportunas y ejecute una nueva búsqueda."; +$SaveProject = "Guardar blog"; +$Task1 = "Tarea 1"; +$Task2 = "Tarea 2"; +$Task3 = "Tarea 3"; +$Task1Desc = "Descripción de la tarea 1"; +$Task2Desc = "Descripción de la tarea 2"; +$Task3Desc = "Descripción de la tarea 3"; +$blog_management = "Gestión de blogs"; +$Welcome = "Bienvenido"; +$Module = "Módulo"; +$UserHasPermissionNot = "El usuario no tiene permisos"; +$UserHasPermission = "El usuario tiene permisos"; +$UserHasPermissionByRoleGroup = "El usuario tiene los permisos de su grupo"; +$PromotionUpdated = "Promoción actualizada satisfactoriamente"; +$AddBlog = "Crear un blog"; +$EditBlog = "Editar título y subtítulo"; +$DeleteBlog = "Borrar este blog"; +$Shared = "Compartido"; +$PermissionGrantedByGroupOrRole = "Permiso concedido por grupo o rol"; +$Reader = "Lector"; +$BlogDeleted = "El proyecto ha sido eliminado."; +$BlogEdited = "El proyecto ha sido modificado"; +$BlogStored = "El blog ha sido añadido"; +$CommentCreated = "El comentario ha sido guardado"; +$BlogAdded = "El artículo ha sido añadido"; +$TaskCreated = "La tarea ha sido creada"; +$TaskEdited = "La tarea ha sido modificada"; +$TaskAssigned = "La tarea ha sido asignada"; +$AssignedTaskEdited = "La asignación de la tarea ha sido modificada"; +$UserRegistered = "El usuario ha sido registrado"; +$TaskDeleted = "La tarea ha sido eliminada"; +$TaskAssignmentDeleted = "La asignación de la tarea ha sido eliminada"; +$CommentDeleted = "El comentario ha sido eliminado"; +$RatingAdded = "La calificación ha sido añadida."; +$ResourceAdded = "Recurso agregado"; +$LearningPath = "Lecciones"; +$LevelUp = "nivel superior"; +$AddIt = "Añadir"; +$MainCategory = "categoría principal"; +$AddToLinks = "Añadir a los enlaces del curso"; +$DontAdd = "no añadir"; +$ResourcesAdded = "Recursos añadidos"; +$ExternalResources = "Recursos externos"; +$CourseResources = "Recursos del curso"; +$ExternalLink = "Enlace externo"; +$DropboxAdd = "Añadir la herramienta Compartir Documentos a este capítulo"; +$AddAssignmentPage = "Incorpore a su lección el envío de tareas"; +$ShowDelete = "Mostrar / Borrar"; +$IntroductionText = "Texto de introducción"; +$CourseDescription = "Descripción del curso"; +$IntroductionTextAdd = "Añadir una página que contenga el texto de introducción a este capítulo"; +$CourseDescriptionAdd = "Añadir una página que contenga la Descripción del curso a este capítulo"; +$GroupsAdd = "Añadir una página con los Grupos a este capítulo"; +$UsersAdd = "Añadir una página de los Usuarios a este capítulo"; +$ExportableCourseResources = "Recursos del curso exportables al formato SCORM"; +$LMSRelatedCourseMaterial = "Recursos relacionados. No exportables al formato SCORM"; +$LinkTarget = "Destino del enlace"; +$SameWindow = "En la misma ventana"; +$NewWindow = "En una nueva ventana"; +$StepDeleted1 = "Este"; +$StepDeleted2 = "el elemento fue suprimido en esta herramienta."; +$Chapter = "Capítulo"; +$AgendaAdd = "Añadir un nuevo evento"; +$UserGroupFilter = "Filtrar por grupos/usuarios"; +$AgendaSortChronologicallyUp = "Ordenar eventos (antiguos / recientes)"; +$ShowCurrent = "Eventos del mes"; +$ModifyCalendarItem = "Modificar un evento de la agenda"; +$Detail = "Detalles"; +$EditSuccess = "El evento ha sido modificado"; +$AddCalendarItem = "Añadir un nuevo evento a la agenda"; +$AddAnn = "Añadir un anuncio"; +$ForumAddNewTopic = "Foro: añadir un tema"; +$ForumEditTopic = "Foro: editar un tema"; +$ExerciseAnswers = "Ejercicio: Respuestas"; +$ForumReply = "Foro: responder"; +$AgendaSortChronologicallyDown = "Ordenar eventos (recientes / antiguos)"; +$SendWork = "Enviar el documento"; +$TooBig = "No ha seleccionado el archivo a enviar o es demasiado grande"; +$DocModif = "El documento ha sido modificado"; +$DocAdd = "El documento ha sido enviado"; +$DocDel = "El archivo ha sido eliminado"; +$TitleWork = "Título del documento"; +$Authors = "Autor"; +$WorkDelete = "Eliminar"; +$WorkModify = "Modificar"; +$WorkConfirmDelete = "¿ Seguro que quiere eliminar este archivo ?"; +$AllFiles = "Todos los archivos"; +$DefaultUpload = "Configuración de visibilidad por defecto para los documentos que se envíen"; +$NewVisible = "Los documentos serán visibles por todos los usuarios"; +$NewUnvisible = "Los documentos sólo serán visibles por los profesores"; +$MustBeRegisteredUser = "Sólo los usuarios inscritos en este curso pueden enviar sus tareas"; +$ListDel = "Eliminar lista"; +$CreateDirectory = "Crear tarea"; +$CurrentDir = "tarea actual"; +$UploadADocument = "Enviar un documento"; +$EditToolOptions = "Modificar las opciones"; +$DocumentDeleted = "Documento eliminado"; +$SendMailBody = "Un usuario ha enviado un documento mediante la herramienta tareas."; +$DirDelete = "Eliminar tarea"; +$ValidateChanges = "Confirmar los cambios"; +$FolderUpdated = "Folder actualizado"; +$EndsAt = "Acaba en (cerrado completamente)"; +$QualificationOfAssignment = "Calificación de la tarea"; +$MakeQualifiable = "Permitir calificar en la herramienta de evaluaciones"; +$QualificationNumberOver = "Calificación sobre"; +$WeightInTheGradebook = "Ponderación en el promedio de la evaluación"; +$DatesAvailables = "Fechas disponibles"; +$ExpiresAt = "Expira en"; +$DirectoryCreated = "La tarea ha sido creada"; +$Assignment = "Tarea"; +$ExpiryDateToSendWorkIs = "Fecha de vencimiento para enviar tareas"; +$EnableExpiryDate = "Activar fecha de vencimiento"; +$EnableEndDate = "Activar fecha de finalización"; +$IsNotPosibleSaveTheDocument = "La tarea no ha podido ser enviada"; +$EndDateCannotBeBeforeTheExpireDate = "La fecha de finalización no puede ser anterior a la fecha de vencimiento"; +$SelectAFilter = "Seleccionar filtro"; +$FilterByNotExpired = "Filtrar por No vencidas"; +$FilterAssignments = "Filtrar tareas"; +$WeightNecessary = "Peso necesario"; +$QualificationOver = "Calificación sobre"; +$ExpiryDateAlreadyPassed = "Fecha de vencimiento ya ha pasado"; +$EndDateAlreadyPassed = "Fecha final ya ha pasado"; +$MoveXTo = "Mover %s a"; +$QualificationMustNotBeMoreThanQualificationOver = "La calificación no puede ser superior a la calificacion máxima"; +$ModifyDirectory = "Modificar tarea"; +$DeleteAllFiles = "Eliminar todo"; +$BackToWorksList = "Regresar a la lista de Tareas"; +$EditMedia = "Editar y marcar la tarea"; +$AllFilesInvisible = "Ahora la lista de documentos ha dejado de mostrarse"; +$FileInvisible = "Ahora el archivo ya no se muestra"; +$AllFilesVisible = "Ahora todos los documentos son visibles"; +$FileVisible = "El archivo ahora es visible"; +$ButtonCreateAssignment = "Crear tarea"; +$AssignmentName = "Nombre de la tarea"; +$CreateAssignment = "Crear una tarea"; +$FolderEdited = "Tarea modificada"; +$UpdateWork = "Modificar"; +$MakeAllPapersInvisible = "Ocultar todos los documentos"; +$MakeAllPapersVisible = "Hacer todos los documentos visibles"; +$AdminFirstName = "Nombre del administrador"; +$InstituteURL = "URL de la organización"; +$UserDB = "Base de datos de usuarios"; +$PleaseWait = "Por favor, espere"; +$PleaseCheckTheseValues = "Por favor, compruebe estos valores"; +$PleasGoBackToStep1 = "Por favor, vuelva al paso 1"; +$UserContent = "

        Añadir usuarios

        La opción 'Inscribir usuarios en el curso' le permite añadir a su curso usuarios ya registrados en la plataforma. Para ello compruebe primero si ya está registrado en la plataforma; en tal caso, marque la casilla que aparece al lado de su nombre y valide, esto lo inscribirá en el curso. Si todavía no está registrado en la plataforma, este registro deberá realizarlo el administrador de la plataforma o el propio usuario en el caso del que esta opción esté habilitada.

        Una segunda posibilidad es que los estudiantes se inscriban por sí mismos, para ello el administrador del curso deberá haber habilitado esta opción en la herramienta 'Configuración del curso'.

        Tanto en las operaciones de registro como en las de inscripción los usuarios recibirán un correo electrónico recordándoles su nombre de usuario y contraseña..

        Descripción

        La descripción no otorga ningunos privilegios en el sistema informático. Sólo indica a los usuarios, quien es quien. Vd. puede moficar esta descripción, haciendo clic en el icono en forma de lápiz y escribiendo la función que desee describir de cada usuario: profesor, ayudante,estudiante, visitante, experto, documentalista, moderador, tutor...

        Derechos de administración

        Por el contrario, los permisos o derechos de administración otorgan privilegios en el sistema informático, pudiendo modificar el contenido y la organización del sitio del curso. Estos privilegios presentan dos perfiles. El perfil de 'Administrador del curso', en el que la persona en cuestión tendrá los mismos permisos que quien se los está dando. El perfil de 'Tutor' que lo identificará para hacerse cargo de los grupos que puedan establecerse en el curso. Para otorgar o no estos permisos a un usuario del curso, bastará con marcar o no la casilla correspondiente, tras haber pulsado en la opción modificar.

        Cotitulares

        Para hacer que figure el nombre de un cotitular del curso en la cabecera del mismo, vaya a la página principal del curso y use la herramienta'Configuración del curso'. En esta herramienta modifique el campo 'Profesor'; este campo es completamente independiente de la lista de usuarios del curso, de manera que puede no estar inscrito en el mismo.

        Seguimiento y áreas personales de los usuarios.

        Además de ofrecer un listado de usuarios y modificar sus permisos, la herramineta 'Usuarios' también ofrece un seguimiento individual y permite al profesor definir cabeceras adicionales a la ficha de cada estudiante, para que éstos las rellenen. Estos datos adicionales sólo estarán vinculados al curso en cuestión.

        "; +$GroupContent = "

        Introducción

        Esta herramienta permite crear y gestionar grupos dentro de su curso.Cuando se crea el curso (Crear Grupos), los grupos están vacios. Hay muchas formas de rellenarlos:

        • automáticamente ('Rellenar grupos'),
        • manualmente ('Editar'),
        • Adscripción a un grupo por parte de los propios estudiantes (Modificar características: 'Se permite a los estudiantes..').
        Se pueden combinar estas tres formas. Puede, por ejemplo, pedir a los estudiantes que se inscriban en un grupo.Más tarde puede descubrir que alguno no lo hizo y decida finalmente rellenar de forma automáticalos grupos para completarlos. También puede editar cada grupo para decidir quién forma parte de qué grupo.

        Rellenar grupos, tanto de forma manual o automática sólo es efectivo si hay estudiantes inscritosen el curso (no confunda la inscripción en el curso con la inscripción en los grupos).La lista de estudiantes es visible en el módulo Usuarios.


        Crear Grupos

        Para crear grupos nuevos, pulsa en 'Crear nuevos grupos'y determinar el número de grupos que quiere crear.El número máximo de miembros es ilimitado, pero le sugerimos que indique uno. Si deja el campo número máximo sin rellenar,el tamaño será infinito.


        Características de los Grupos

        Vd. puede determinar las características de los grupos de forma global (para todos los grupos). Se permite a los estudiantes inscribirse en el grupo que quieran:

        Vd. puede crear grupos vacios, para que los estudiantes se inscriban.Si Vd. ha definido un número máximo, los grupos completos no aceptarán nuevos miembros.Este método es bueno para profesores que aún no conocen la lista de estudiantes cuando crean los grupos.

        Herramientas:

        Cada grupo puede disponer de un 'Foro' (privado o público) y/o de un área de 'Documentos' (privada o pública)


        Edición Manual

        Una vez que se crean los grupos (Crear grupos), verá en la parte inferior de la páginauna lista de los grupos con una serie de información y funciones

        • Editar modificar manualmente el nombre del grupo, descripción, tutor,lista de miembros.
        • Borrar elimina un grupo.

        "; +$ExerciseContent = "

        La herramienta 'Ejercicios' le permite crear ejercicios que contendrán tantas preguntas como Vd. quiera.

        Las preguntas que cree, pueden tener varios modelos de respuestas disponibles :

        • Elección múltiple (Respuesta única)
        • Elección múltiple (Respuestas múltiples )
        • Relacionar
        • Rellenar huecos
        • Respuesta libre
        Un ejercicio está compuesto por varias preguntas que guardan relación entre ellas.


        Creación de Ejercicios

        Para crear un ejercicio, pulse sobre el enlace \"Nuevo ejercicio \".

        Escriba el nombre del ejercicio y, si quiere, una descripción del mismo.

        También puede escoger entre dos tipos de ejercicios :

        • Preguntas en una sóla página
        • Una pregunta por página (secuencial)
        y diga si quiere que las preguntas sean ordenadas de forma aleatoria en el momento que se haga el ejercicio.

        Después, guarde su ejercicio. Vd. verá la gestión de preguntas de este ejercicio.


        Añadir Preguntas

        Puede añadir una pregunta a un ejercicio que haya creado previamente. La descripción es opcional,así como la posibilidad de incluir una imagen en su pregunta.


        Elección Múltiple

        Esta también se conoce como 'pregunta de respuesta o elección múltiple' MAQ / MCQ.

        Para crear una:

        • Defina respuestas a su pregunta. Puede añadir o borrar una respuesta pulsando en el botén derecho
        • Marque en la casilla de la izquierda la(s) respuesta(s) correcta(s)
        • Añada un comentario opcional. Este comentario no lo verá el alumno hasta que haya respondido a la pregunta
        • Otorgue un 'peso' (valor de la respuesta respecto a la totalidad del ejercicio) a cada respuesta. El peso puede ser un número positivo, negativo, o cero.
        • Guarde sus respuestas


        Rellenar huecos

        Esto permite crear un texto con huecos. El objetivo es dejar que el estudiante rellene en estos huecos palabras que Vd. ha eliminado del texto .

        Para quitar una palabra del texto, y por tanto crear un hueco, ponga la palabra entre corchetes [como esto].

        Una vez que el texto se ha escrito y definido los huecos, puede añadir un comentario que verá el estudiantecuando responda a cada pregunta.

        Guarde su texto, y verá el paso siguiente que le permitirá asignar un peso a cada hueco. Por ejemplo,sila pregunta entera vale 10 puntos y tiene 5 huecos, Vd. puede darle un peso de 2 puntos a cada hueco.


        Relacionar

        Este modelo de respuesta puede elegirse para crear una pregunta donde el estudiante tenga que relacionar elementosdesde una unidad U1 a otra unidad U2.

        También se puede usar para pedir a los estudiantes que seleccionen los elementos en un cierto orden.

        Primero defina las opciones entre las que los estudiantes podrán seleccionar la respuesta correcta. Despuésdefina las preguntas que tendrán que ir relacionadas con una de las opciones definidas previamente. Por último,relacione, mediante el menú desplegable elementos de la primera unidad que se relacionen con la segunda.

        Atención : Varios elementos de la primera unidad pueden referirse al mismo elemento en la segunda unidad.

        Otorgue un peso a cada relación correcta, y guarde su respuesta.


        Modificación de Ejercicios

        Para modificar un ejercicio, siga los mismos pasos que hizo para crearlo. Sólo pulse en la imagen al lado del ejercicio que quieremodificar y siga las instrucciones de anteriores.


        Borrar Ejercicios

        Para borrar un ejercicio, pulse en la imagen al lado del ejercicio que quiera borrar.


        Activar Ejercicios

        Para que los alumnos puedan hacer un ejercicio, Vd. tiene que activarlo pulsando en la imagen al lado del ejercicio que quiere activar.


        Probar un Ejercicio

        Vd. puede probar su ejercicio pulsando sobre el nombre del ejercicio en la lista de ejercicios.


        Ejercicios Aleatorios

        En el momento en que se crea / modifica un ejercicio, puede especificar si quiere que las preguntas aparezcanen orden aleatorio de entre todas las introducidas en ese ejercicio.

        Eso significa que, si Vd. activa esta opción, las preguntas aparecerán en un orden diferente cada vez quelos estudiantes pulsen sobre el ejercicio.

        Si Vd. tiene un número elevado de preguntas, también puede hacer que aparezcan sólo X preguntasde entre todas las preguntas disponibles para ese ejercicio.


        Banco de preguntas

        Cuando borra un ejercicio, las preguntas no se eliminan de la base de datos, y pueden ser utilizadas en un nuevo ejercicio, mediante el 'Banco de preguntas'.

        El Banco de preguntas permite reutilizar las mismas preguntas en varios ejercicios.

        Por defecto, se muestran todas las preguntas de su curso. Vd. puede mostrar las preguntas relacionadas con un ejercicio eligiendo éste del menú desplegable \"Filtro\".

        Las preguntas huérfanas son preguntas que no pertenecen a ningún ejercicio.


        Ejercicios HotPotatoes

        La herramienta 'Ejercicios', también le permite importar ejercicios Hotpotatoes a su portal Chamilo. Los resultados de estos ejercicios se almacenarán de la misma manera que lo hacen los ejercicios de Chamilo. Puede explorar los resultados mediante el Seguimiento de usuarios. En caso de un solo ejercicio, se recomienda utilizar el formato HTML o HTM, pero si el ejercicio contiene imágenes el envío de un archivo ZIP será lo más conveniente.

        Nota: También, puede agregar los ejercicios de HotPotatoes como un paso en una Lección.

        Método de importación

        • Seleccione el archivo de su ordenador usando el botón situado a la derecha de su pantalla.
        • Trasnfiéralo a la plataforma mediante el botón .
        • Si quiere abrir el ejercicio bastará con que haga clic sobre su nombre.

        Direcciones útiles
        "; +$PathContent = "La herramienta 'Lecciones' tiene dos funciones:
        • Crear una lección con recursos del propio curso
        • Importar un contenido externo con formato SCORM o IMS

        ¿Qué es una lección?

        Una lección es una secuencia de etapas de aprendizaje que se estructuran en módulos.La secuencia se puede organizar en función de conceptos, resultando un 'Indice o tabla de materias', o bien estar basada en actividades, en cuyo caso resultará una 'Agenda de actividades'. De ambas formas se pueden adquirir conceptos y habilidades. Los sucesivos módulos de la lección se podrán llamar 'capítulos', 'semanas', 'módulos', 'secuencias', 'elementos', o de cualquier otra forma que responda a la naturaleza de su escenario pedagógico.

        Además de la estructura modular, una lección puede estar secuenciado. Esto significa que determinados conceptos o actividades constituyen prerrequisitos para otros ('No se puede pasar a la segunda etapa antes de haber acabado la primera'), esta es secuencia no es una sugerencia sino que obliga a la persona que realiza la actividad a seguir las etapas en un orden determinado

        ¿Cómo crear su propia lección?

        En la sección 'Lecciones' puede crear tantas como considere necesarias. Para crear uno debe seguir los siguientes pasos:

        1. Haga clic sobre 'Crear una Lección'.Déle un título y opcionalmente una descripción.
        2. Pulse sobre nombre de la lección que ha creado y añádale el módulo que contendrá las distintas etapas. Déle un título y opcionalmente una descripción.
        3. Pulse sobre el signo más situado dentro del cuadrado en la columna 'Añadir elemento', para incorporar los recursos que constituirán los elementos dentro de este módulo. Estos recursos, podrán ser internos: material con que cuenta el sitio web de la actividad (documentos, actividades, foros trabajos, etc.), o externos (una dirección de Internet).
        4. Cuando acabe, haga clic en 'Ok' para volver al constructor de lecciones, allí podrá completar si lo desea otros módulos y ver el resultado haciendo clic en 'Vista de usuario'.

        Después parametrice más sus lecciones:

        • Si es necesario, renombre cada uno de los recursos añadidos e incorpórele una descripción, con el fin de constituir un auténtico 'Indice de contenidos'. El título del documento original no cambiará realmente, aunque será presentado con el nuevo. Por ej., se puede renombrar el documento 'examen1.doc' con el nombre 'Examen de la Primera Evaluación.'
        • Cambie el orden de presentación de los módulos y de los recursos en función del escenario pedagógico de la actividad, mediante los iconos en forma de triángulo normal e invertido.
        • Establezca prerrequisitos: con la ayuda del icono de la columna 'Añadir prerrequisitos', defina los módulos o recursos que deben consultarse previamente (cada módulo o recurso mostrará los que le antecedan en la secuencia para seleccionarlos o no, como elementos obligatorios previos). Por ej., las personas que realizan la actividad no pueden realizar el test 2 hasta que no hayan leído el Documento 1. Todas los pasos, sean módulos o recursos (elementos), tienen un estatus: completo o incompleto, de forma que la progresión de los usuarios es fácilmente apreciable.
        • Cuando termine, no olvide comprobar todos los pasos en la 'Vista de estudiante', donde aparece la tabla de contenidos a la izquierda y los pasos de la lección a la derecha.
        • Si hace visible una lección, aparecerá como una nueva herramienta en la página inicial del curso.

        Es importante comprender que una lección es algo más que el desarrollo de una materia: es una secuencia a través del conocimiento que potencialmente incluye pruebas, tiempos de discusión, evaluación, experimentación, publicación, ... Es por ello, por lo que la herramienta de Lecciones constituye una especie de metaherramienta que permite utilizar el resto de las herramientas para secuenciarlas:

        • Eventos de la agenda
        • Documentos de toda naturaleza (html, imágenes, Word, PowerPoint,...).
        • Anuncios
        • Foros
        • Un tema concreto de un foro
        • Mensajes individuales de los foros
        • Enlaces
        • Ejercicios tipo test (no olvide hacerlos visibles con la utilidad de ejercicios)
        • Trabajos
        • Baúl de tareas (para compartir ficheros, ...)
        • Enlaces externos a Chamilo

        ¿ Qué es una lección SCORM o IMS y cómo se importa ?

        La herramienta Lecciones también permite importar contenidosde cursos en formato SCORM e IMS.

        SCORM (Sharable Content Object Reference Model) es un estándar públicoque siguen los principales creadores de contenidos de e-Learning: NETg, Macromedia, Microsoft, Skillsoft, etc. Este estándar actúa en tres niveles:

        • Económico : SCORM permite que cursos completos o pequeñas unidades decontenido se puedan reutilizar en diferentes LMS (Learning Management Systems), gracias a la separación del contenido y el contexto,
        • Pedagógico : SCORM integra la noción de prerrequisitoso secuenciación (p.ej. 'No puedes ir al capítulo2 antes de pasar el test 1'),
        • Tecnológico : SCORM genera una tabla de materias independiente tanto del contenido como del LMS. Esto permite comunicar contenidos y LMS para salvaguardar entre otros: la progresión del aprendizaje ('¿ A qué capítulo del curso ha llegado María ?'), la puntuación ('¿ Cuál es el resultado de Juan en el Test 1 ?') y el tiempo ('¿Cuánto tiempo ha pasado Juan en el Capítulo 4 ?').

        ¿ Cómo puedo crear una lección compatible con SCORM ?

        La forma más natural es utilizar el constructor de lecciones de Chamilo.Ahora bien, si quiere crear webs totalmente compatibles con SCORM en su propioordenador y luego enviarlas a la plataforma Chamilo, le recomendamos el uso de unprograma externo, como por ejemplo: Lectora® o Reload®

        Enlaces de interés

        • Adlnet : Autoridad responsable de la normalización del estándard SCORM, http://www.adlnet.org
        • Reload : Un editor y visualizador SCORM gratuito y de código libre, http://www.reload.ac.uk
        • Lectora : Un software para publicar y crear contenido SCORM, http://www.trivantis.com

        Nota :

        La sección Lecciones muestra, por un lado todas las lecciones creadas en Chamiloy por otro, todas las lecciones en formato SCORM que hayan sido importados.Es más que recomendable que coloque cada lección en una carpeta distinta.

        "; +$DescriptionContent = "

        Esta herramienta le ayudará a describir su curso de una forma sintética. Esta descripción dará los estudiantes una idea de lo que pueden esperar del curso.Así mismo, a Vd. le puede ayudar a repensar el escenario educativo propuesto.

        Para facilitar la creación de la descripción, ésta se realiza mediante formularios. Como sugerencia se proporciona una lista de encabezados para los distintos apartados de la descripción; pero si quiere crear su propia descripción con apartados con distinto nombre, escoja la opción 'Apartado personalizado' y ponga Vd. el título. Repitiendo la operación, podrá añadir tantos apartados adicionales como desee.

        Para realizar la descripción del curso, haga clic sobre el botón 'Crear o editar el programa del curso'; luego despliegue el menú, seleccione el apartado que desee y pulse el botón 'añadir'. Seguidamente el título del apartado aparecerá sobre un formulario, que tras rellenarlo, podrá guardar pulsando en el botón Ok. En todo momento será posible borrar o modificar un apartado haciendo clic respectivamente sobre los iconos en forma de lápiz o cruz roja.

        "; +$LinksContent = "

        Esta herramienta permite a los profesores ofrecer una biblioteca de recursos a sus estudiantes

        Si la lista de enlaces es muy larga, puede ser útil organizarlos en categorías para facilitar la búsqueda de información. También puede modificar cada enlace y reasignarloa una nueva categoría que haya creado. Tenga en cuenta que si borra una categoría también borrará todos los enlaces que contenga.

        El campo descripción puede utilizarse para dar información adicionalsobre el contenido del enlace, pero también para describir lo que el profesor esperaque hagan u obtengan los estudiantes a través de dicho enlace.Si por ejemplo, si apunta hacia una página sobre Aristóteles, en el campo descripciónpuede pedir al estudiante que estudie la diferencia entre síntesis y análisis.

        Finalmente, es una buena práctica revisar de cuando en cuando los enlaces para ver si siguen activos.

        "; +$MycoursesContent = "

        Una vez identificado en la plataforma, se encuentra en su área de usuario

        • Menú de cabecera
          • Apellidos y Nombre
          • Mis cursos: recarga su área de usuario y muestra todas las actividades en la que Vd. está inscrito. Si en el área de usuario no aparece listada ninguna actividad es debido a que no está inscrito en ninguna. Tenga en cuenta que su nombre de usuario y clave le dan acceso a la plataforma, pero necesariamente lo inscriben en un curso. Para inscribirse en un curso debe solicitarlo al administrador del mismo. En algunos cursos puede estar permitido que sean los propios usuarios quienes se inscriban.
          • Mi perfil: según esté configurado podrá cambiar algunos datos, incluir una foto, etc. Acoge un portafolios electrónico. También podrá acceder a sus estadísticas en la plataforma.
          • Mi agenda: contiene los acontecimientos de todos los cursos en los que está inscrito.
          • Administración de la plataforma (sólo para el administrador)
          • Salir : pulse aquí para salir de su área de usuario y volver a la página principal de la plataforma.
        • Cuerpo central
          • Mis cursos. Aparecen desplegados los enlaces de los cursos en los que está inscrito.
            • Para entrar en los cursos haga clic sobre su título. El aspecto del sitio web del curso al que llegue puede variar en función de las prestaciones que el administrador del curso haya habilitado y en función de que seamos usuarios o responsables del mismo.
            • Debajo de cada enlace, según la configuración, puede aparecer el código de la actividad y el nombre de la persona responsable del curso.
            • En algunos casos, los enlaces de los cursos aparecerán acompañados de varios iconos que nos avisarán de los cambios que se hayan producido en alguna de sus herramientas desde la última vez que lo visitamos (novedades en la agenda, documentos, enlaces, tablón de anuncios, un tema nuevo en un foro, nuevos ejercicios)
        • Menú vertical de la derecha
          • Lista desplegable de selección de idioma: permite seleccionar el idioma que deseamos para el área de usuario.
          • Menú de usuario
            • Crear el sitio web de un curso (sólo para profesorado si la opción está habilitada)
            • Administrar mis cursos: permite ordenar los cursos en los que se está inscrito adscribiéndolos a categorías. También posibilita, en su caso, inscribirse y anular una inscripción.
          • Menú General
            • Foro de soporte: acceso a los foros del sitio web de Chamilo.
            • Documentación: acceso a la documentación complementaria del sitio web de Chamilo.
          • Administrador de la plataforma (sólo para el administrador)
        • \t\t\t
        "; +$AgendaContent = "

        La agenda es una herramienta que en cada curso ofrece una visión resumida de las actividades propuestas. Esta herramienta también es accesible en la barra superior mediante la opción 'Mi agenda', aunque aquí ofrece una síntesis de todos los eventos relativos a todos los cursos en los que el usuario está inscrito. Esta segunda funcionalidad siempre estará disponible.

        Cuando en un curso accedemos a la herramienta 'Agenda' se mostrará una lista de acontecimientos. Puede vincular no sólo un texto a una fecha, sino también múltiples recursos: eventos de la agenda, documentos, anuncios, mensajes de un foro, ejercicios, enlaces,... De esta forma, la agenda se convierte en el programa cronológico de las actividades de aprendizaje de sus estudiantes.

        Además, el sistema informará a los usuarios de todas las novedades que se hayan producido desde su última visita a la plataforma. En el listado 'Mis cursos' de la página de entrada de cada usuario se incorporará al título de cada curso el icono de la herramienta en que se produce la novedad. Tras visitar la herramienta, el icono desaparecerá.

        Si quiere ir más lejos en la lógica de la estructura de las actividades de aprendizaje, le sugerimos que utilice la herramienta 'Lecciones' que ofrece los mismos principios pero con características más avanzadas. Una lección se puede considerar como una síntesis entre una tabla de contenidos, una agenda, una secuenciación (orden impuesto) y unseguimiento.

        "; +$AnnouncementsContent = "

        La herramienta Tablón de anuncios permite a los profesores colocar mensajes en el tablón de anuncios del curso. Puede avisar a sus miembros de la colocación de un nuevo documento, de la proximidad de la fecha para enviar los trabajos, o de que alguien ha realizado un trabajo de especial calidad. Cada miembro verá esta novedad cuando entre en su área de usuario.

        La lista de distribución. Los anuncios además de ser publicados en el tablón pueden ser enviados automáticamente por correo electrónico si se marca la casilla correspondiente. Si sólo desea utilizar la lista, bastará con que tras enviarlo, borre el anuncio del tablón.

        Además de enviar un correo a todos los miembros, Vd. puede enviarlo a una o varias personas, o a uno o varios grupos que haya formado en el curso. Una vez pulsada la opción, use CTRL+clic para seleccionar varios elementos en el menú de izquierda y después haga clic sobre el botón que apunta a la derecha para enviarlos a la otra lista. Finalmente, escriba su mensaje en el campo inferior de la página y pulse el botón Enviar. Esta utilidad, si es usada con moderación, permite recuperar a miembros que hayan abandonado antes de finalizar.

        "; +$ChatContent = "

        La herramienta 'Chat' le permite charlar en vivo con varios miembros del curso.

        Este chat no es igual que el usado por programas como MSN® o Yahoo Messenger®, pues al estar basado en la Web, tarda unos segundos en restaurarse. Sin embargo, tiene la ventaja de estar integrado en el curso, de poder archivar sus charlas en la sección documentos y de no requerir que los usuarios tengan instalado ningún software especial.

        Si los usuarios incluyen sus fotografías en su portafolios electrónico (opción 'Mi perfil' de la barra de menú superior del sitio web), esta aparecerá junto a sus mensajes para ayudar a identificarlos.

        El chat es una herramienta de comunicación sincrónica que permite a varios usuarios intervenir en tiempo real. Cuando los usuarios son dos o tres no hay problema en la interacción, pero cuando éstos son muchos los mensajes pueden sucederse vertiginosamente y se puede llegar a perderse el hilo de la discusión. Al igual que en un aula física, en estos casos es necesario un moderador.Este chat basado en la web no ofrece al profesor unas herramientas especiales de moderación, salvo la de suprimir todos los mensajes en pantalla mediante la opción \"Borrar la lista de mensajes\". Esto se realiza cuando el profesor quiere borrar todos los mensajes de la pantalla y comenzar de nuevo una conversación.

        También, los usuarios disponen de una casilla para marcar preguntas importantes, aunque no se debe abusar de ella.

        Importancia pedagógica

        No siempre es necesario proporcionar un espacio de charla en un curso. Sin embargo, si la idea es fomentar la participación, ésta herramienta puede ayudar. Por ejemplo, habitualmente puede ocultar la herramienta de Chat, haciéndola visible en ciertas épocas en que usted tenga una reunión concertada con el resto de los miembros para contestar a sus preguntas en vivo. De esta manera, los estudiantes tendrán la garantía de poder tener varios interlocutores en ese momento.

        El chat se puede usar combinado con otras herramientas o documentos de nuestro sitio web, que hayamos abierto en otra ventana (clic derecho del ratón sobre el enlace del documento o herramienta y seleccionar abrir en una nueva ventana); de esta forma podemos por ej., ir explicando en el chat determinados documentos que hayamos subido a la plataforma.

        Todas las sesiones del chat son guardadas automáticamente y podrán ser visualizadas por los usuarios del curso si así lo desea el administrador del mismo. Aunque muchas veces las sesiones en el chat pueden ser triviales, en otras pueden ser realmente interesantes y dignas de ser incorporadas como un documento más de trabajo.

        "; +$WorkContent = "

        La herramienta 'Publicaciones de los estudiantes' permite a los usuarios publicar documentos en el sitio web del curso. Puede servir para recoger informes individuales o colectivos, recibir respuestas a cuestiones abiertas o para recepcionar cualquier otra forma de documento (si se envían documentos HTML, estos no pueden contener imágenes, pues la plataforma no encontrará los enlaces y las imágenes no se verán). Si este fuera el caso, pueden enviarse en un archivo comprimido para que el profesor los descargue y los visualice en su escritorio, para luego si lo estima oportuno colocarlos en la sección documentos. En cualquier caso, recuerde que cuando realice un enlace entre varios archivos, éste debe ser relativo, no absoluto.

        Muchos formadores ocultan la herramienta 'Publicaciones de los estudiantes' hasta la fecha en que deban ser enviados los documentos. Otra posibilidad es apuntar a esta herramienta mediante un enlace colocado después del texto de introducción de la actividad o la agenda. La herramienta 'Publicaciones de los estudiantes' dispone también de un texto de introducción que le podrá servir para formular una pregunta abierta, para precisar las instrucciones para la remisión de documentos o para cualquier otra información. La edición se realizará mediante el editor web de la plataforma cuyo uso puede ver en la Ayuda de la sección 'Documentos'. Para insertar imágenes en la introducción bastará que Vd. sepa la URL donde se ubica la imagen, ello lo puede conseguir subiendo una imagen a la zona de trabajos y tras pulsar sobre ella, copiando su URL del navegador. Esta URL será la que peguemos cuando ya dentro del editor nos sea solicitada al intentar insertar una imagen.

        Dependiendo de su escenario pedagógico, Vd. puede decidir si todos los usuarios podrán ver todos los documentos o si sólo serán visibles para el usuario que los envió y para Vd. que lo ha recibido como profesor. En el primer caso serán también visibles para cualquier usuario (anónimo o no) desde la página principal de la plataforma y sin necesidad de registrarse (siempre que el curso sea público).

        La opción de visualizar u ocultar los documentos puede establecerse por defecto para los documentos que se reciban en el futuro, aunque para los documentos ya recibidos tendrá que cambiar su estado manualmente, haciendo clic sobre el ojo abierto (para todos los ya publicados, o sólo para algunos que seleccionemos entre ellos).

        Los trabajos serán siempre públicos tanto para el que los recibe como para el que los envía. Si los trabajos se hacen públicos, dispondrá de un área en la que podrá invitar a los participantes a comentar mutuamente sus producciones según el escenario y los criterios eventualmente formulados en el texto de introducción. Si los trabajos se catalogan como privados, nos encontraremos ante un recipiente con la correspondencia entre el formador y el estudiante.

        "; +$TrackingContent = "

        La herramienta 'Estadísticas' le ayuda a realizar un seguimiento de la evolución de los usuario del curso. Este se puede realizar a dos niveles:

        • Global: Número y porcentaje temporal de conexiones al curso, herramientas más usadas, documentos descargados, enlaces visitados, participantes en las lecciones SCORM ?
        • Nominal: Permite un seguimiento individualizado. Se realiza desde la herramienta 'Usuarios'. ¿ Cuándo han entrado en la actividad ?, ¿ qué herramientas han visitado ?, ¿ qué puntuaciones han obtenido en los ejercicios ?, ¿ qué publicaciones han realizado en el sito web del curso, y en qué fecha ?, ¿qué documentos han descargado ?, ¿ qué enlaces han visitado ?, ¿ cuánto tiempo han dedicado a cada capítulo de una lección SCORM ?
        "; +$HSettings = "Ayuda: Configuración del curso"; +$SettingsContent = "

        Esta herramienta le permite gestionar los parámetros de su curso: Título, código, idioma, nombre de los profesores, etc.

        Las opciones situadas en el centro de la página se ocupan de parametrizar la confidencialidad: ¿ es un curso público o privado ? ¿ Pueden los propios estudiantes realizar su inscripción ? Vd. puede usar estos parámetros dinámicamente: habilitar durante una semana la opción de que los propios estudiantes se puedan inscribir > pedir a sus estudiantes que realicen esta inscripción > deshabilitar la opción de que los estudiantes puedan inscribirse por sí mismos > eliminar los posibles intrusos en la lista de usuarios. De esta forma Vd. mantiene el control de quien finalmente será miembro del curso, pero no tendrá que inscribirlos uno a uno.

        En el pie de la página tiene la opción de suprimir el sitio web del curso. Le recomendamos que previamente realice una copia de seguridad del mismo a través de la herramienta del mismo nombre que se encuentra en la página principal del curso.

        "; +$HExternal = "Ayuda: Añadir un enlace externo"; +$ExternalContent = "

        Chamilo tiene una estructura modular. Nos permite mostrar u ocultar las herramientas, en función del diseño inicial de nuestro proyecto pedagógico o a lo largo de sus diferentes fases cronológicas. En esta línea, la plataforma también permite añadir directamente enlaces en la página principal del sitio web de su curso. Estos enlaces pueden ser de dos tipos:

        • Enlaces externos : cuando apuntan a otros lugares de Internet. Escriba la URL correspondiente. En este caso, lo ideal es elegir que se abran en una nueva ventana.
        • Enlaces internos : apuntan a cualquier página o herramienta situada en el interior de su actividad. Para ello, vaya a esa página o herramienta y copie su URL (CTRL+C), vuelva a la herramienta Añadir un enlace a la página principal, pegue la URL (CTRL+V), y póngale nombre. En este caso, el destino preferible para su apertura es la misma ventana.
        "; +$ClarContent3 = "

        Teoría Educativa

        Para los profesores, preparar un curso en Internet es principalmente una cuestión deTeoría Educativa."; +$ClarContent4 = "están a su disposición para ayudarle durantelos pasos de la evolución de su proyecto de formación: desde eldiseño de las herramientas a su integración en una estrategia coherentey clara con una evaluación de su impacto en el aprendizaje de los estudiantes.

        "; +$ClarContent1 = "Borrar el contenido"; +$ClarContent2 = "Borrar el contenido"; +$HGroups = "Ayuda: Grupos"; +$GroupsContent = "

        Esta herramienta le permite crear áreas para grupos de estudiantes y asignarles dos herramientas de colaboración: un foro de debate y una sección de documentación común donde pueden compartir, subir y organizar sus propios archivos (independiente del módulo Documentos, exclusivo para profesores y tutores). El área de documentos es privada, y el foro puede ser
        público o privado.

        Esta puede ser una opción muy útil para tener secciones privadas de documentación y discusión para subgrupos de participantes en su curso. (Incluso podría hacer que cada estudiante tuviese su “area de documentos” privada mediante esta herramienta, creando tantos grupos como estudiantes y asignándoles un área de documentos privada a cada grupo.)

        "; +$Guide = "Manual"; +$YouShouldWriteAMessage = "Escribir un mensaje"; +$MessageOfNewCourseToAdmin = "Este mensaje es para informarle de que ha sido creado un nuevo curso en la plataforma"; +$NewCourseCreatedIn = "Nuevo curso creado en"; +$ExplicationTrainers = "Por ahora, Ud está definido como profesor. Podrá cambiar el profesor en la página de configuración del curso"; +$InstallationLanguage = "Idioma de instalación"; +$ReadThoroughly = "Lea con atención"; +$WarningExistingLMSInstallationDetected = "¡ Atención !
        El instalador ha detectado una instalación anterior de Chamilo en su sistema."; +$NewInstallation = "Nueva instalación"; +$CheckDatabaseConnection = "Comprobar la conexión con la base de datos"; +$PrintOverview = "Sumario de la instalación"; +$Installing = "Instalar"; +$of = "de"; +$MoreDetails = "Para más detalles"; +$ServerRequirements = "Requisitos del servidor"; +$ServerRequirementsInfo = "Bibliotecas y funcionalidades que el servidor debe proporcionar para poder utilizar Chamilo con todas sus posibilidades."; +$PHPVersion = "Versión PHP"; +$support = "disponible"; +$PHPVersionOK = "Su versión PHP es suficiente:"; +$RecommendedSettings = "Parámetros recomendados"; +$RecommendedSettingsInfo = "Parámetros recomendados para la configuración de su servidor. Estos parámetros deben establecerse en el fichero de configuración php.ini de su servidor."; +$Actual = "Actual"; +$DirectoryAndFilePermissions = "Permisos de directorios y ficheros"; +$DirectoryAndFilePermissionsInfo = "Algunos directorios y los ficheros que contienen deben tener habilitados los permisos de escritura en el servidor web para que Chamilo pueda funcionar (envío de ficheros por parte de los estudiantes, ficheros html de la página principal,...). Esto puede suponer un cambio manual en su servidor (debe realizarse fuera de este interfaz)."; +$NotWritable = "Escritura no permitida"; +$Writable = "Escritura permitida"; +$ExtensionLDAPNotAvailable = "Extensión LDAP no disponible"; +$ExtensionGDNotAvailable = "Extensión GD no disponible"; +$LMSLicenseInfo = "Chamilo es software libre distribuido bajo GNU General Public licence (GPL)"; +$IAccept = "Acepto"; +$ConfigSettingsInfo = "Los siguientes valores se grabarán en su archivo de configuración main/inc/conf/configuration.php:"; +$GoToYourNewlyCreatedPortal = "Ir a la plataforma que acaba de crear."; +$FirstUseTip = "Cuando entra en su plataforma por primera vez, la mejor manera de entenderla es registrarse con la opción 'Profesor (crear un curso)' y seguir las instrucciones."; +$Version_ = "Versión"; +$UpdateFromLMSVersion = "Actualización de Chamilo"; +$PleaseSelectInstallationProcessLanguage = "Por favor, seleccione el idioma que desea utilizar durante la instalación"; +$AsciiSvgComment = "Activar el plugin AsciiSVG en el editor WYSIWYG para dibujar diágramas a partir de funciones matemáticas."; +$HereAreTheValuesYouEntered = "Éstos son los valores que ha introducido"; +$PrintThisPageToRememberPassAndOthers = "Imprima esta página para recordar su contraseña y otras configuraciones"; +$TheInstallScriptWillEraseAllTables = "El programa de instalación borrará todas las tablas de las bases de datos seleccionadas. Le recomendamos encarecidamente que realice una copia de seguridad completa de todas ellas antes de confirmar este último paso de la instalación."; +$Published = "Publicado"; +$ReadWarningBelow = "lea la advertencia inferior"; +$SecurityAdvice = "Aviso de seguridad"; +$YouHaveMoreThanXCourses = "¡ Tiene más de %d cursos en su plataforma Chamilo ! Sólamente se han actualizado los cursos de %d. Para actualizar los otros cursos, %s haga clic aquí %s"; +$ToProtectYourSiteMakeXAndYReadOnly = "Para proteger su sitio, configure %s y %s como archivos de sólo lectura (CHMOD 444)."; +$HasNotBeenFound = "no ha sido encontrado"; +$PleaseGoBackToStep1 = "Por favor, vuelva al Paso 1"; +$HasNotBeenFoundInThatDir = "no ha sido encontrado en este directorio"; +$OldVersionRootPath = "path raíz de la versión antigua"; +$NoWritePermissionPleaseReadInstallGuide = "Algunos archivos o directorios no tienen permiso de escritura. Para poder instalar Chamilo primero debe cambiar sus permisos (use CHMOD). Por favor, lea la Guía %s de Instalación %s"; +$DBServerDoesntWorkOrLoginPassIsWrong = "El servidor de base de datos no funciona o la identificación / clave es incorrecta"; +$PleaseGoBackToStep = "Por favor, vuelva al Paso"; +$DBSettingUpgradeIntro = "El programa de actualización recuperará y actualizará las bases de datos de Chamilo. Para realizar esto, el programa utilizará las bases de datos y la configuración definidas debajo. ¡ Debido a que nuestro software funciona en una amplia gama de sistemas y no ha sido posible probarlo en todos, le recomendamos encarecidamente que realice una copia completa de sus bases de datos antes de proceder a la actualización !"; +$ExtensionMBStringNotAvailable = "Extensión MBString no disponible"; +$ExtensionMySQLNotAvailable = "Extensión MySQL no disponible"; +$LMSMediaLicense = "Las imágenes y las galerías de medios de Chamilo utilizan imágenes e iconos de Nuvola, Crystal Clear y Tango. Otras imágenes y medios, como diagramas y animaciones flash, se han tomado prestadas de Wikimedia y de los cursos de Ali Pakdel y de Denis Hoa con su consentimiento y publicadas bajo licencia BY-SA Creative Commons. Puede encontrar los detalles de la licencia en la web de CC, donde un enlace al pie de la página le dará acceso al texto completo de la licencia."; +$OptionalParameters = "Parámetros opcionales"; +$FailedConectionDatabase = "La conexión con la base de datos ha fallado. Puede que el nombre de usuario, la contraseña o el prefijo de la base de datos sean incorrectos. Por favor, revise estos datos y vuelva a intentarlo."; +$UpgradeFromLMS16x = "Actualizar desde Chamilo 1.6.x"; +$UpgradeFromLMS18x = "Actualizar desde Chamilo 1.8.x"; +$GroupPendingInvitations = "Invitaciones pendientes de grupo"; +$Compose = "Redactar"; +$BabyOrange = "Niños naranja"; +$BlueLagoon = "Laguna azul"; +$CoolBlue = "Azul fresco"; +$Corporate = "Corporativo"; +$CosmicCampus = "Campus cósmico"; +$DeliciousBordeaux = "Delicioso burdeos"; +$EmpireGreen = "Verde imperial"; +$FruityOrange = "Naranja afrutado"; +$Medical = "Médica"; +$RoyalPurple = "Púrpura real"; +$SilverLine = "Línea plateada"; +$SoberBrown = "Marrón sobrio"; +$SteelGrey = "Gris acero"; +$TastyOlive = "Sabor oliva"; +$QuestionsOverallReportDetail = "En este informe se ven los resultados de todas las preguntas."; +$QuestionsOverallReport = "Informe general de preguntas"; +$NameOfLang['bosnian'] = "bosnio"; +$NameOfLang['czech'] = "checo"; +$NameOfLang['dari'] = "dari"; +$NameOfLang['dutch_corporate'] = "holandés corporativo"; +$NameOfLang['english_org'] = "inglés para organizaciones"; +$NameOfLang['friulian'] = "friulano"; +$NameOfLang['georgian'] = "georgiano"; +$NameOfLang['hebrew'] = "hebreo"; +$NameOfLang['korean'] = "coreano"; +$NameOfLang['latvian'] = "letón"; +$NameOfLang['lithuanian'] = "lituano"; +$NameOfLang['macedonian'] = "macedonio"; +$NameOfLang['norwegian'] = "noruego"; +$NameOfLang['pashto'] = "pastún"; +$NameOfLang['persian'] = "persa"; +$NameOfLang['quechua_cusco'] = "quechua de Cusco"; +$NameOfLang['romanian'] = "rumano"; +$NameOfLang['serbian'] = "serbio"; +$NameOfLang['slovak'] = "eslovaco"; +$NameOfLang['swahili'] = "swahili"; +$NameOfLang['trad_chinese'] = "chino tradicional"; +$ChamiloInstallation = "Instalación de Chamilo"; +$PendingInvitations = "Invitaciones pendientes"; +$SessionData = "Datos de la sesión"; +$SelectFieldToAdd = "Seleccionar un campo del perfil de usuario"; +$MoveElement = "Mover elemento"; +$ShowGlossaryInExtraToolsTitle = "Muestra los términos del glosario en las herramientas lecciones(scorm) y ejercicios"; +$ShowGlossaryInExtraToolsComment = "Desde aquí usted puede configurar como añadir los términos del glosario en herramientas como lecciones(scorm) y ejercicios"; +$HSurvey = "Ayuda: Encuestas"; +$SurveyContent = "

        La herramienta Encuestas le permitirá obtener la opinión de los usuarios sobre determinados temas; por ejemplo, siempre será importante saber la opinión de los estudiantes sobre el curso.

        Creación de una Nueva Encuesta

        Haga clic en \"Crear una encuesta\" y rellene los campos \"Código de la encuesta\" y \"Título de la encuesta\". Con la ayuda del calendario puede controlar la duración de su encuesta. No es necesario mantenerla durante todo el año, puede ser suficiente que se vea tan sólo durante algunos días del curso. Completar los campos \"Introducción de la encuesta\" y \"Agradecimientos\" esto es una buena practica, pues hará que su Encuesta sea más clara y afectiva.

        Añadiendo preguntas a una encuesta

        Una vez creada la encuesta, deberá crear las preguntas. La herramienta \"Encuestas\" tiene predefinidos diferentes tipos de preguntas: Si/No, Elección múltiple, Respuesta múltiple, Respuesta abierta, Porcentaje.... Entre estos tipos podrá seleccionar los que más se ajusten a sus necesidades.

        Previsualizando la encuesta

        Una vez creadas las preguntas, Vd. tiene la opción de previsualizar la encuesta y verla tal como los estudiantes la verán. Para ello, haga clic en \"Vista preliminar\" (icono de un documento con una lupa).

        Publicando la encuesta

        Si está satisfecho con su encuesta y no necesita realizar ningún otro cambio; haga clic en \"Publicar encuesta\" (ícono de un sobre con una flecha verde) para poder enviar su encuesta a un grupo de usuarios. Se mostrarán dos listas una (la de la izquierda) con los usuarios del curso y la otra con la lista de usuarios a los que se les enviará la encuesta. Seleccione los usuarios que desee que aparezcan en la nueva lista con el botón \">>\". Luego, complete los campos \"Asunto del correo\" y \"Texto del correo\".

        Los usuarios seleccionados recibirán un correo electrónico con el asunto y texto que ha introducido, así como un enlace que tendrán que pulsar para completar la encuesta. Si desea introducir este enlace en algún lugar del texto del correo, debe introducir lo siguiente: ** enlace ** (asterisco asterisco enlace asterisco asterisco). Esta etiqueta será sustituida automáticamente por el enlace. Si no añade este ** enlace **, éste será incorporado automáticamente al final del correo.

        Por último, la herramienta de Encuestas permite enviar un email a todos los usuarios seleccionados si habilita la opción \"Enviar correo\" si no lo habilita los usuarios podrán ver la encuesta al entrar al sistema en la herramienta \"Encuestas\" siempre y cuando se encuentre accesible.

        Informes de la encuesta

        Analizar las encuestas es un proceso tedioso. Los \"Informes\" de las encuestas le ayudarán a ver la información por pregunta y por usuario, así como comparar dos preguntas o un completo informe de toda la encuesta. En la \"Lista de Encuestas\" haga clic en \"Informes\" (ícono de un gráfico circular).

        Administrando las encuestas

        Existen las opciones de \"Editar\" y \"Eliminar\" en la columna \"Modificar\" de la \"Lista de encuestas\"

        "; +$HBlogs = "Ayuda Blogs"; +$BlogsContent = "

        Blogs (abreviatura de Web Logs = Bitácoras Web) se usan aquí como una herramienta que permite a los estudiantes contribuir a la historia del curso, haciendo informes de lo que va ocurriendo y de cómo esto les afecta a ellos o al curso.

        Recomendamos usar los blogs en un entorno semicontrolado donde se asigna a determinados usuarios que presenten un informe diario o semanal de la actividad.

        También se ha añadido a la herramienta blogs una utilidad de tareas, esto permite asignar una tarea a determinados usuarios del blog (por ejemplo: Realizar un informe sobre la visita del lunes al Museo de Cencias Naturales).

        Cada nuevo contenido en esta herramienta se denomina artículo. Para crear un artículo sólo hay que pulsar el enlace que invita a hacerlo en el menú. Para editarlo (si Vd. es el autor) o añadir un comentario a un artículo, sólo habrá que hacer clic sobre el título del mismo.

        "; +$FirstSlide = "Primera diapositiva"; +$LastSlide = "Última diapositiva"; +$TheDocumentHasBeenDeleted = "El documento ha sido borrado."; +$YouAreNotAllowedToDeleteThisDocument = "Usted no está autorizado para eliminar este documento"; +$AdditionalProfileField = "Añadir un campo del perfil de usuario"; +$ExportCourses = "Exportar cursos"; +$IsAdministrator = "Administrador"; +$IsNotAdministrator = "No es administrador"; +$AddTimeLimit = "Añadir límite de tiempo"; +$EditTimeLimit = "Editar límite de tiempo"; +$TheTimeLimitsAreReferential = "El plazo de una categoría es referencial, no afectará a los límites de una sesión de formación"; +$FieldTypeTag = "User tag"; +$SendEmailToAdminTitle = "Aviso por correo electrónico, de la creación de un nuevo curso"; +$SendEmailToAdminComment = "Enviar un correo electrónico al administrador de la plataforma, cada vez que un profesor cree un nuevo curso"; +$UserTag = "Etiqueta de usuario"; +$SelectSession = "Seleccionar sesión"; +$SpecialCourse = "Curso especial"; +$DurationInWords = "Duración en texto"; +$UploadCorrection = "Subir corrección"; +$MathASCIImathMLTitle = "Editor matemático ASCIIMathML"; +$MathASCIImathMLComment = "Habilitar el editor matemático ASCIIMathML"; +$YoutubeForStudentsTitle = "Permitir a los estudiantes insertar videos de YouTube"; +$YoutubeForStudentsComment = "Habilitar la posibilidad de que los estudiantes puedan insertar videos de Youtube"; +$BlockCopyPasteForStudentsTitle = "Bloquear a los estudiantes copiar y pegar"; +$BlockCopyPasteForStudentsComment = "Bloquear a los estudiantes la posibilidad de copiar y pegar en el editor WYSIWYG"; +$MoreButtonsForMaximizedModeTitle = "Barras de botones extendidas"; +$MoreButtonsForMaximizedModeComment = "Habilitar las barras de botones extendidas cuando el editor WYSIWYG está maximizado"; +$Editor = "Editor HTML"; +$GoToCourseAfterLoginTitle = "Ir directamente al curso tras identificarse"; +$GoToCourseAfterLoginComment = "Cuando un usuario está inscrito sólamente en un curso, ir directamente al curso despúes de identificarse"; +$AllowStudentsDownloadFoldersTitle = "Permitir a los estudiantes descargar directorios"; +$AllowStudentsDownloadFoldersComment = "Permitir a los estudiantes empaquetar y descargar un directorio completo en la herramienta documentos"; +$AllowStudentsToCreateGroupsInSocialTitle = "Permitir a los usuarios crear grupos en la red social"; +$AllowStudentsToCreateGroupsInSocialComment = "Permitir a los usuarios crear sus propios grupos en la red social"; +$AllowSendMessageToAllPlatformUsersTitle = "Permitir enviar mensajes a todos los usuarios de la plataforma"; +$AllowSendMessageToAllPlatformUsersComment = "Permite poder enviar mensajes a todos los usuarios de la plataforma"; +$TabsSocial = "Pestaña Red social"; +$MessageMaxUploadFilesizeTitle = "Tamaño máximo del archivo en mensajes"; +$MessageMaxUploadFilesizeComment = "Tamaño máximo del archivo permitido para adjuntar a un mensaje (en Bytes)"; +$ChamiloHomepage = "Página principal de Chamilo"; +$ChamiloForum = "Foro de Chamilo"; +$ChamiloExtensions = "Servicios de Chamilo"; +$ChamiloGreen = "Chamilo Verde"; +$ChamiloRed = "Chamilo rojo"; +$MessagesSent = "Número de mensajes enviados"; +$MessagesReceived = "Número de mensajes recibidos"; +$CountFriends = "Número de contactos"; +$ToChangeYourEmailMustTypeYourPassword = "Para cambiar su correo electrónico debe escribir su contraseña"; +$Invitations = "Invitaciones"; +$MyGroups = "Mis grupos"; +$ExerciseWithFeedbackWithoutCorrectionComment = "Nota: Este ejercicio ha sido configurado para ocultar las respuestas esperadas."; +$Social = "Social"; +$MyFriends = "Mis amigos"; +$CreateAgroup = "Crear un grupo"; +$UsersGroups = "Usuarios, Grupos"; +$SorryNoResults = "No hay resultados"; +$GroupPermissions = "Permisos del grupo"; +$Closed = "Cerrado"; +$AddGroup = "Agregar grupo"; +$Privacy = "Privacidad"; +$ThisIsAnOpenGroup = "Grupo abierto"; +$YouShouldCreateATopic = "Debería crear un tema"; +$IAmAnAdmin = "Administrador"; +$MessageList = "Lista de mensajes"; +$MemberList = "Lista de miembros"; +$WaitingList = "Lista de espera"; +$InviteFriends = "Invitar amigos"; +$AttachmentFiles = "Adjuntar archivos"; +$AddOneMoreFile = "Agregar otro fichero"; +$MaximunFileSizeX = "Tamaño máximo de archivo %s"; +$ModifyInformation = "Modificar información"; +$GroupEdit = "Editar grupo"; +$ThereAreNotUsersInTheWaitingList = "No hay usuarios en la lista de espera"; +$SendInvitationTo = "Enviar invitación a"; +$InviteUsersToGroup = "Invitar usuarios a grupo"; +$PostIn = "Publicado"; +$Newest = "Lo último"; +$Popular = "Populares"; +$DeleteModerator = "Dar de baja como moderador"; +$UserChangeToModerator = "Usuario convertido en moderador"; +$IAmAModerator = "Moderador"; +$ThisIsACloseGroup = "Grupo privado"; +$IAmAReader = "Usuario base"; +$UserChangeToReader = "Usuario convertido en miembro base"; +$AddModerator = "Agregar como moderador"; +$JoinGroup = "Unirse al grupo"; +$YouShouldJoinTheGroup = "Debería unirse al grupo"; +$WaitingForAdminResponse = "Esperando a que el admin responda"; +$Re = "Re"; +$FilesAttachment = "Adjuntar archivo"; +$GroupWaitingList = "Grupo de lista de espera"; +$UsersAlreadyInvited = "Usuarios ya invitados"; +$SubscribeUsersToGroup = "Inscribir usuarios al grupo"; +$YouHaveBeenInvitedJoinNow = "Ud. ha sido invitado a unirser ahora"; +$DenyInvitation = "Rechazar invitación"; +$AcceptInvitation = "Aceptar invitación"; +$GroupsWaitingApproval = "Grupos esperando su aceptación"; +$GroupInvitationWasDeny = "Invitación de grupo fue rechazada"; +$UserIsSubscribedToThisGroup = "Ahora ya forma parte del grupo"; +$DeleteFromGroup = "Dar de baja en el grupo"; +$YouAreInvitedToGroupContent = "Queda invitado/a a acceder al contenido del grupo"; +$YouAreInvitedToGroup = "Invitación para unirse al grupo"; +$ToSubscribeClickInTheLinkBelow = "Para unirse haga clic en el siguiente enlace"; +$ReturnToInbox = "Regresar a bandeja de entrada"; +$ReturnToOutbox = "Regresar a bandeja de salida"; +$EditNormalProfile = "Edición básica del perfil"; +$LeaveGroup = "Abandonar el grupo"; +$UserIsNotSubscribedToThisGroup = "Ha dejado de formar parte de este grupo"; +$InvitationReceived = "Invitaciones recibidas"; +$InvitationSent = "Invitaciones enviadas"; +$YouAlreadySentAnInvitation = "Ya le he enviado una invitación"; +$Step7 = "Paso 7"; +$FilesSizeExceedsX = "Tamaña del archivo excedido"; +$YouShouldWriteASubject = "Debe escribir el asunto"; +$StatusInThisGroup = "Mi estatus en el grupo"; +$FriendsOnline = "Amigos en línea"; +$MyProductions = "Mis producciones"; +$YouHaveReceivedANewMessageInTheGroupX = "Ha recibido un nuevo mensaje en el grupo %s"; +$ClickHereToSeeMessageGroup = "Clic aquí para ver el mensaje de grupo"; +$OrCopyPasteTheFollowingUrl = "o copie y pegue la siguiente url:"; +$ThereIsANewMessageInTheGroupX = "Hay un nuevo mensaje en el grupo %s"; +$UserIsAlreadySubscribedToThisGroup = "El usuario ya pertenece a este grupo"; +$AddNormalUser = "Agregar como usuario base"; +$DenyEntry = "Denegar la entrada"; +$YouNeedToHaveFriendsInYourSocialNetwork = "Necesita tener amigos en su red social"; +$SeeAllMyGroups = "Ver todos mis grupos"; +$EditGroupCategory = "Modificar categoria de grupo"; +$ModifyHotPotatoes = "Modificar Hot Potatoes"; +$SaveHotpotatoes = "Guardar Hot Potatoes"; +$SessionIsReadOnly = "La sesión es de sólo lectura"; +$EnableTimerControl = "Habilitar control de tiempo"; +$ExerciseTotalDurationInMinutes = "Duración del ejercicio (en minutos)"; +$ToContinueUseMenu = "Para continuar esta lección, por favor use el menú lateral."; +$RandomAnswers = "Barajar respuestas"; +$NotMarkActivity = "No es posible calificar este elemento"; +$YouHaveToCreateAtLeastOneAnswer = "Tienes que crear al menos una respuesta"; +$ExerciseAttempted = "Un estudiante ha contestado una pregunta"; +$MultipleSelectCombination = "Combinación exacta"; +$MultipleAnswerCombination = "Combinación exacta"; +$ExerciseExpiredTimeMessage = "El tiempo de la evaluación ha terminado. Sin embargo las preguntas que ya respondió, serán consideradas en la evaluación del ejercicio."; +$NameOfLang['ukrainian'] = "ucraniano"; +$NameOfLang['yoruba'] = "yoruba"; +$New = "Nuevo"; +$YouMustToInstallTheExtensionLDAP = "Tu debes instalar la extension LDAP"; +$AddAdditionalProfileField = "Añadir un campo del perfil de usuario"; +$InvitationDenied = "Invitación denegada"; +$UserAdded = "El usuario ha sido añadido"; +$UpdatedIn = "Actualizado"; +$Metadata = "Metadatos"; +$AddMetadata = "Ver/Editar metadatos"; +$SendMessage = "Enviar mensaje"; +$SeeForum = "Ver foro"; +$SeeMore = "Ver más"; +$NoDataAvailable = "No hay datos disponibles"; +$Created = "Creado"; +$LastUpdate = "Última actualización"; +$UserNonRegisteredAtTheCourse = "Usuario no registrado en el curso"; +$EditMyProfile = "Editar mi perfil"; +$Announcements = "Anuncios"; +$Password = "Contraseña"; +$DescriptionGroup = "Descripción del grupo"; +$Installation = "Instalación"; +$ReadTheInstallationGuide = "Leer la guía de instalación"; +$SeeBlog = "Ver blog"; +$Blog = "Blog"; +$BlogPosts = "Artículos del blog"; +$BlogComments = "Comentarios de los artículos"; +$ThereAreNotExtrafieldsAvailable = "No hay campos extras disponibles"; +$StartToType = "Comience a escribir, a continuación, haga clic en esta barra para validar la etiqueta"; +$InstallChamilo = "Instalar Chamilo"; +$ChamiloURL = "URL de Chamilo"; +$YouDoNotHaveAnySessionInItsHistory = "En su historial no hay ninguna sesión de formación"; +$PortalHomepageDefaultIntroduction = "

        ¡Enhorabuena, ha instalado satisfactoriamente su portal de e-learning!

        Ahora puede completar la instalación siguiendo tres sencillos pasos:

        1. Configure el portal: vaya a la sección de Administración de la plataforma, y seleccione Plataforma -> Parámetros de configuración de Chamilo.
        2. De vida a su portal con la creación de usuarios y cursos. Puede hacerlo invitando a otros usuarios a crear su cuenta, o creándolas usted mismo a través de las secciones de usuarios y cursos de la página de adminstración.
        3. Edite esta página a través de la entrada Configuración de la página principal en la sección de administración.

        Siempre podrá encontrar más información sobre de este software en nuestro sitio web: http://www.chamilo.org.

        Diviértase, no dude en unirse a la comunidad y denos su opinión a través de nuestro foro.

        "; +$WithTheFollowingSettings = "con los siguientes parámetros:"; +$ThePageHasBeenExportedToDocArea = "La página ha sido exportada al área de documentos"; +$TitleColumnGradebook = "Título de la columna en el Informe de Evaluación"; +$QualifyWeight = "Ponderación en la evaluación"; +$ConfigureExtensions = "Configurar los servicios"; +$ThereAreNotQuestionsForthisSurvey = "No hay preguntas para esta encuesta"; +$StudentAllowedToDeleteOwnPublication = "Permitir que los estudiantes puedan eliminar sus tareas"; +$ConfirmYourChoiceDeleteAllfiles = "Confirme su elección, se eliminarán todos los archivos y no se podrán recuperar"; +$WorkName = "Nombre de la tarea"; +$ReminderToSubmitPendingTask = "Se le recuerda que tiene una tarea pendiente"; +$MessageConfirmSendingOfTask = "Este es un mensaje para confirmar el envío de su tarea"; +$DataSent = "Fecha de envío"; +$DownloadLink = "Enlace de descarga"; +$ViewUsersWithTask = "Ver estudiantes que han enviado la tarea"; +$ReminderMessage = "Enviar un recordatorio"; +$DateSent = "Fecha de envío"; +$ViewUsersWithoutTask = "Ver estudiantes que no han enviado la tarea"; +$AsciiSvgTitle = "Activar AsciiSVG"; +$SuggestionOnlyToEnableSubLanguageFeature = "Solamente necesario si desea habilitar la funcionalidad de sub-idiomas"; +$ThematicAdvance = "Temporalización de la unidad didáctica"; +$EditProfile = "Editar perfil"; +$TabsDashboard = "Panel de control"; +$DashboardBlocks = "Bloques del panel de control"; +$DashboardList = "Lista del panel de control"; +$YouHaveNotEnabledBlocks = "No ha habilitado ningún bloque"; +$BlocksHaveBeenUpdatedSuccessfully = "Los bloques han sido actualizados"; +$Dashboard = "Panel de control"; +$DashboardPlugins = "Plugins del panel de control"; +$ThisPluginHasbeenDeletedFromDashboardPluginDirectory = "Este plugin ha sido eliminado de la lista de plugins del panel de control"; +$EnableDashboardPlugins = "Habilitar los plugins del panel del control"; +$SelectBlockForDisplayingInsideBlocksDashboardView = "Seleccione los bloques que se mostrarán en el panel de control"; +$ColumnPosition = "Posición (columna)"; +$EnableDashboardBlock = "Habilitar bloque del panel de control"; +$ThereAreNoEnabledDashboardPlugins = "No hay habilitado ningún plugin en el panel de control"; +$Enabled = "Activado"; +$ThematicAdvanceQuestions = "¿ Cuál es el progreso actual que ha alcanzado con sus estudiantes en el curso? ¿Cuánto resta para completar el programa del curso?"; +$ThematicAdvanceHistory = "Historial del progreso en la programación"; +$Homepage = "Página principal"; +$Attendances = "Asistencia"; +$CountDoneAttendance = "Asistencias"; +$AssignUsers = "Asignar usuarios"; +$AssignCourses = "Asignar cursos"; +$AssignSessions = "Asignar sesiones de formación"; +$CoursesListInPlatform = "Lista de cursos de la plataforma"; +$AssignedCoursesListToHumanResourceManager = "Cursos asignados al Director de Recursos Humanos"; +$AssignedCoursesTo = "Cursos asignados a"; +$AssignCoursesToHumanResourcesManager = "Asignar cursos al Director de Recursos Humanos"; +$TimezoneValueTitle = "Zona horaria"; +$TimezoneValueComment = "Esta es la zona horaria de este portal. Si la deja vacía, se usará la zona horaria del servidor. Si la configura, todas las horas del sistema se mostrarán en función de ella. Esta configuración tiene una prioridad más baja que la zona horaria del usuario si éste habilita y selecciona otra."; +$UseUsersTimezoneTitle = "Utilizar las zonas horarias de los usuarios"; +$UseUsersTimezoneComment = "Activar la selección por los usuarios de su zona horaria. El campo de zona horaria debe seleccionarse como visible y modificable antes de que los usuarios elijan su cuenta. \r\nUna vez configurada los usuarios podrán verla."; +$FieldTypeTimezone = "Zona horaria"; +$Timezone = "Zona horaria"; +$AssignedSessionsHaveBeenUpdatedSuccessfully = "Las sesiones asignadas han sido actualizadas"; +$AssignedCoursesHaveBeenUpdatedSuccessfully = "Los cursos asignados han sido actualizados"; +$AssignedUsersHaveBeenUpdatedSuccessfully = "Los usuarios asignados han sido actualizados"; +$AssignUsersToX = "Asignar usuarios a %s"; +$AssignUsersToHumanResourcesManager = "Asignar usuarios al director de recursos humanos"; +$AssignedUsersListToHumanResourcesManager = "Lista de usuarios asignados al director de recursos humanos"; +$AssignCoursesToX = "Asignar cursos a %s"; +$SessionsListInPlatform = "Lista de sesiones en la plataforma"; +$AssignSessionsToHumanResourcesManager = "Asignar sesiones al director de recursos humanos"; +$AssignedSessionsListToHumanResourcesManager = "Lista de sesiones asignadas al director de recursos humanos"; +$SessionsInformation = "Informe de sesiones"; +$YourSessionsList = "Sus sesiones"; +$TeachersInformationsList = "Informe de profesores"; +$YourTeachers = "Sus profesores"; +$StudentsInformationsList = "Informe de estudiantes"; +$YourStudents = "Sus estudiantes"; +$GoToThematicAdvance = "Ir al avance temático"; +$TeachersInformationsGraph = "Informe gráfico de profesores"; +$StudentsInformationsGraph = "Informe gráfico de estudiantes"; +$Timezones = "Zonas horarias"; +$TimeSpentOnThePlatformLastWeekByDay = "Tiempo en la plataforma la semana pasada, por día"; +$AttendancesFaults = "Faltas de asistencia"; +$AttendanceSheetReport = "Informe de hojas de asistencia"; +$YouDoNotHaveDoneAttendances = "No tiene asistencias"; +$DashboardPluginsHaveBeenUpdatedSuccessfully = "Los plugins del dashboard han sido actualizados con éxito"; +$ThereIsNoInformationAboutYourCourses = "No hay información disponible sobre sus cursos"; +$ThereIsNoInformationAboutYourSessions = "No hay información disponible sobre sus sesiones"; +$ThereIsNoInformationAboutYourTeachers = "No hay información disponible sobre sus profesores"; +$ThereIsNoInformationAboutYourStudents = "No hay información disponible sobre sus estudiantes"; +$TimeSpentLastWeek = "Tiempo pasado la última semana"; +$SystemStatus = "Información del sistema"; +$IsWritable = "La escritura es posible en"; +$DirectoryExists = "El directorio existe"; +$DirectoryMustBeWritable = "El Servidor Web tiene que poder escribir en este directorio"; +$DirectoryShouldBeRemoved = "Es conveniente que elimine este directorio (ya no es necesario)"; +$Section = "Sección"; +$Expected = "Esperado"; +$Setting = "Parámetro"; +$Current = "Actual"; +$SessionGCMaxLifetimeInfo = "El tiempo máximo de vida del recolector de basura es el tiempo máximo que se da entre dos ejecuciones del recolector de basura."; +$PHPVersionInfo = "Versión PHP"; +$FileUploadsInfo = "La carga de archivos indica si la subida de archivos está autorizada"; +$UploadMaxFilesizeInfo = "Tamaño máximo de un archivo cuando se sube. Este ajuste debe en la mayoría de los casos ir acompañado de la variable post_max_size"; +$MagicQuotesRuntimeInfo = "Esta es una característica en absoluto recomendable que convierte los valores devueltos por todas las funciones que devuelven valores externos en valores con barras de escape. Esta funcionalidad *no* debería activarse."; +$PostMaxSizeInfo = "Este es el tamaño máximo de los envíos realizados a través de formularios utilizando el método POST (es decir, la forma típica de carga de archivos mediante formularios)"; +$SafeModeInfo = "Modo seguro es una característica obsoleta de PHP que limita (mal) el acceso de los scripts PHP a otros recursos. Es recomendable dejarlo desactivado."; +$DisplayErrorsInfo = "Muestra los errores en la pantalla. Activarlo en servidores de desarrollo y desactivarlo en servidores de producción."; +$MaxInputTimeInfo = "El tiempo máximo permitido para que un formulario sea procesado por el servidor. Si se sobrepasa, el proceso es abandonado y se devuelve una página en blanco."; +$DefaultCharsetInfo = "Juego de caracteres predeterminado que será enviado cuando se devuelvan las páginas"; +$RegisterGlobalsInfo = "Permite seleccionar, o no, el uso de variables globales. El uso de esta funcionalidad representa un riesgo de seguridad."; +$ShortOpenTagInfo = "Permite utilizar etiquetas abreviadas o no. Esta funcionalidad no debería ser usada."; +$MemoryLimitInfo = "Límite máximo de memoria para la ejecución de un script. Si la memoria necesaria es mayor, el proceso se detendrá para evitar consumir toda la memoria disponible del servidor y, por consiguiente que esto afecte a otros usuarios."; +$MagicQuotesGpcInfo = "Permite escapar automaticamente valores de GET, POST y COOKIES. Una característica similar es provista para los datos requeridos en este software, así que su uso provoca una doble barra de escape en los valores."; +$VariablesOrderInfo = "El orden de preferencia de las variables del Entorno, GET, POST, COOKIES y SESSION"; +$MaxExecutionTimeInfo = "Tiempo máximo que un script puede tomar para su ejecución. Si se utiliza más, el script es abandonado para evitar la ralentización de otros usuarios."; +$ExtensionMustBeLoaded = "Esta extensión debe estar cargada."; +$MysqlProtoInfo = "Protocolo MySQL"; +$MysqlHostInfo = "Servidor MySQL"; +$MysqlServerInfo = "Información del servidor MySQL"; +$MysqlClientInfo = "Cliente MySQL"; +$ServerProtocolInfo = "Protocolo usado por este servidor"; +$ServerRemoteInfo = "Acceso remoto (su dirección como es recibida por el servidor)"; +$ServerAddessInfo = "Dirección del servidor"; +$ServerNameInfo = "Nombre del servidor (como se utiliza en su petición)"; +$ServerPortInfo = "Puerto del servidor"; +$ServerUserAgentInfo = "Su agente de usuario como es recibido por el servidor"; +$ServerSoftwareInfo = "Software ejecutándose como un servidor web"; +$UnameInfo = "Información del sistema sobre el que está funcionando el servidor"; +$EmptyHeaderLine = "Existen líneas en blanco al inicio del fichero seleccionado"; +$AdminsCanChangeUsersPassComment = "Esta funcionalidad es útil para los casos de uso de la funcionalidad multi-URL, para los cuales existe una diferencia entre el administrador global y los administradores normales. En este caso, seleccionar \"No\" impedirá a los administradores normales de cambiar las contraseñas de otros usuarios, y les permitirá solamente requerir la generación de una nueva contraseña (automáticamente enviada al usuario por correo), sin divulgación de esta. El administrador global todavía puede cambiar la contraseña de cualquier usuario."; +$AdminsCanChangeUsersPassTitle = "Los administradores pueden cambiar las contraseñas de los usuarios."; +$AdminLoginAsAllowedComment = "Si activada, permite a los usuarios con los privilegios correspondientes de usar la funcionalidad \"Conectarse como...\" para conectarse como otro usuario. Esta funcionalidad es particularmente útil en caso de uso de la funcionalidad de multi-urls, cuando no es deseable que los administradores de portales individuales puedan usar esta funcionalidad. Es importante saber que existe un parámetro maestro en el archivo de configuración que permite bloquear esta opción por completo."; +$AdminLoginAsAllowedTitle = "Funcionalidad \"Conectarse como...\""; +$FilterByUser = "Filtrar por usuario"; +$FilterByGroup = "Filtrar por grupo"; +$FilterAll = "Filtro: Todos"; +$AllQuestionsMustHaveACategory = "Todas las preguntas deben de tener por lo menos una categoría asociada."; +$PaginationXofY = "%s de %s"; +$SelectedMessagesUnRead = "Los mensajes seleccionados han sido marcados como no leídos"; +$SelectedMessagesRead = "Los mensajes seleccionados han sido marcados como leídos"; +$YouHaveToAddXAsAFriendFirst = "%s tiene que ser su amigo, primero"; +$Company = "Empresa"; +$GradebookExcellent = "Excelente"; +$GradebookOutstanding = "Muy bien"; +$GradebookGood = "Bien"; +$GradebookFair = "Suficiente"; +$GradebookPoor = "Insuficiente"; +$GradebookFailed = "Suspendido"; +$NoMedia = "Sin vínculo a medio"; +$AttachToMedia = "Vincular a medio"; +$ExamModeWithFinalScoreShowOnlyFinalScoreWithCategoriesIfAvailable = "Mostrar solo el resultado final, con categorías si disponibles"; +$Media = "Medio"; +$ForceEditingExerciseInLPWarning = "Está autorizado a editar este ejercicio, aunque esté ya usado en una lección. Si lo edita, prueba evitar de modificar el score y concentrarse sobre editar el contenido más no los valores o la clasificación, para evitar afectar los resultados de estudiantes que hubieran tomado esta prueba previamente."; +$UploadedDate = "Fecha de subida"; +$Filename = "Nombre de fichero"; +$Recover = "Recuperar"; +$Recovered = "Recuperados"; +$RecoverDropboxFiles = "Recuperar ficheros dropbox"; +$ForumCategory = "Categoría de foro"; +$YouCanAccessTheExercise = "Ir a la prueba"; +$YouHaveBeenRegisteredToCourseX = "Ha sido inscrito en el curso %s"; +$DashboardPluginsUpdatedSuccessfully = "Los plugins del panel de control han sido actualizados correctamente"; +$LoginEnter = "Entrar"; +$AssignSessionsToX = "Asignar sesiones a %s"; +$CopyExercise = "Copie este ejercicio como uno nuevo"; +$CleanStudentResults = "Borrar todos los resultados de los estudiantes en este ejercicio"; +$AttendanceSheetDescription = "Las listas de asistencia permiten registrar las faltas de asistencia de los estudiantes. En caso de ausencia de un estudiante, el profesor deberá registrarlo manualmente en la casilla correspondiente.\nEs posible crear más de una lista de asistencia por cada curso; así por ejemplo, podrá registrar separadamente la asistencia a las clases teóricas y prácticas."; +$ThereAreNoRegisteredLearnersInsidetheCourse = "No hay estudiantes inscritos en este curso"; +$GoToAttendanceCalendarList = "Ir al calendario de asistencia"; +$AssignCoursesToSessionsAdministrator = "Asignar cursos al administrador de sesiones"; +$AssignCoursesToPlatformAdministrator = "Asignar cursos al administrador de la plataforma"; +$AssignedCoursesListToPlatformAdministrator = "Lista de cursos asignados al administrador de la plataforma"; +$AssignedCoursesListToSessionsAdministrator = "Lista de cursos asignados al administrador de sesiones"; +$AssignSessionsToPlatformAdministrator = "Asignar sesiones al administrador de la plataforma"; +$AssignSessionsToSessionsAdministrator = "Asignar sesiones al administrador de sesiones"; +$AssignedSessionsListToPlatformAdministrator = "Lista de sesiones asignadas al administrador de la plataforma"; +$AssignedSessionsListToSessionsAdministrator = "Lista de sesiones asignadas al administrador de sesiones"; +$EvaluationsGraph = "Gráficos de las evaluaciones"; +$Url = "Url"; +$ToolCourseDescription = "Descripción del curso"; +$ToolDocument = "Documentos"; +$ToolLearnpath = "Lecciones"; +$ToolLink = "Enlaces"; +$ToolQuiz = "Ejercicios"; +$ToolAnnouncement = "Anuncios"; +$ToolGradebook = "Evaluaciones"; +$ToolGlossary = "Glosario"; +$ToolAttendance = "Asistencia"; +$ToolCalendarEvent = "Agenda"; +$ToolForum = "Foros"; +$ToolDropbox = "Compartir documentos"; +$ToolUser = "Usuarios"; +$ToolGroup = "Grupos"; +$ToolChat = "Chat"; +$ToolStudentPublication = "Tareas"; +$ToolSurvey = "Encuestas"; +$ToolWiki = "Wiki"; +$ToolNotebook = "Notas personales"; +$ToolBlogManagement = "Gestión de blogs"; +$ToolTracking = "Informes"; +$ToolCourseSetting = "Configuración del curso"; +$ToolCourseMaintenance = "Mantenimiento del curso"; +$AreYouSureToDeleteAllDates = "¿Confirma que desea borrar todas las fechas?"; +$ImportQtiQuiz = "Importar ejercicios de Qti2"; +$ISOCode = "Código ISO"; +$TheSubLanguageForThisLanguageHasBeenAdded = "El sub-lenguaje de este idioma ha sido añadido"; +$ReturnToLanguagesList = "Volver a la lista de idiomas"; +$AddADateTime = "Añadir fecha"; +$ActivityCoach = "El tutor de la sesion, tendrá todos los derechos y permisos en todos los cursos que pertenecen a la sesion."; +$AllowUserViewUserList = "Permitir al usuario ver la lista de usuarios"; +$AllowUserViewUserListActivate = "Activar para permitir al usuario ver la lista de usuarios"; +$AllowUserViewUserListDeactivate = "Desactivar permitir al usuario ver la lista de usuarios"; +$ThematicControl = "Programación didáctica"; +$ThematicDetails = "Lista detallada de unidades didácticas"; +$ThematicList = "Lista simplificada de unidades didácticas"; +$Thematic = "Unidad didáctica"; +$ThematicPlan = "Programación de la unidad didáctica"; +$EditThematicPlan = "Editar la programación de la unidad didáctica"; +$EditThematicAdvance = "Editar la temporalización de la unidad didáctica"; +$ThereIsNoStillAthematicSection = "Todavía no se ha programado ninguna unidad didáctica"; +$NewThematicSection = "Nueva unidad didáctica"; +$DeleteAllThematics = "Borrar todas las unidades didácticas"; +$ThematicDetailsDescription = "Aquí se detallan las unidades didácticas, su programación y temporalización. Para indicar que una unidad didáctica (o una parte de ella), ha finalizado, seleccione la fecha correspondiente siguiendo un orden cronológico y el sistema también presentará todas las fechas anteriores como finalizadas."; +$SkillToAcquireQuestions = "¿Qué competencias se habrán desarrollado al término de esta unidad didáctica?"; +$SkillToAcquire = "Competencias a adquirir o desarrollar"; +$InfrastructureQuestions = "¿Qué infraestructura es necesaria para llevar a cabo esta unidad didáctica?"; +$Infrastructure = "Infraestructura"; +$AditionalNotesQuestions = "¿Qué otras cosas se requieren?"; +$DurationInHours = "Horas"; +$ThereAreNoAttendancesInsideCourse = "No hay asistencias dentro del curso"; +$YouMustSelectAtleastAStartDate = "Seleccione al menos una fecha de inicio"; +$ReturnToLPList = "Volver a la lista de lecciones"; +$EditTematicAdvance = "Editar la temporalización de la programación"; +$AditionalNotes = "Notas adicionales"; +$StartDateFromAnAttendance = "Fecha de inicio a partir de una asistencia"; +$StartDateCustom = "Fecha de inicio personalizada"; +$StartDateOptions = "Opciones de fecha de inicio"; +$ThematicAdvanceConfiguration = "Configuración de la herramienta de programaciones didácticas"; +$InfoAboutAdvanceInsideHomeCourse = "Muestra en la página principal del curso información sobre el avance en la programación"; +$DisplayAboutLastDoneAdvance = "Mostrar información sobre el último tema finalizado"; +$DisplayAboutNextAdvanceNotDone = "Mostrar información sobre el siguiente tema a desarrollar"; +$InfoAboutLastDoneAdvance = "Información sobre el último tema finalizado"; +$InfoAboutNextAdvanceNotDone = "Información sobre el siguiente tema a desarrollar"; +$ThereIsNoAThematicSection = "Todavía no se ha programado ninguna unidad didáctica"; +$ThereIsNoAThematicAdvance = "Unidad didáctica sin temporalizar"; +$StillDoNotHaveAThematicPlan = "Unidad didáctica sin programación"; +$NewThematicAdvance = "Nueva etapa de la unidad didáctica"; +$DurationInHoursMustBeNumeric = "Las horas de duración deben ser un número"; +$DoNotDisplayAnyAdvance = "No mostrar ningún avance"; +$CreateAThematicSection = "Crear una sección temática"; +$EditThematicSection = "Editar sección temática"; +$ToolCourseProgress = "Programación didáctica"; +$SelectAnAttendance = "Seleccionar la lista de asistencia"; +$ReUseACopyInCurrentTest = "Reutilizar una copia de esta pregunta en el ejercicio actual"; +$YouAlreadyInviteAllYourContacts = "Ya invitó a todos sus contactos"; +$CategoriesNumber = "Categorías"; +$ResultsHiddenByExerciseSetting = "Resultados ocultos por la configuración del ejercicio"; +$NotAttended = "Faltado"; +$Attended = "Asistido"; +$IPAddress = "Dirección IP"; +$FileImportedJustSkillsThatAreNotRegistered = "Solo las competencias que no estaban registradas fueron importadas"; +$SkillImportNoName = "El nombre de la competencia no está definido"; +$SkillImportNoParent = "El padre de la competencia no está definido"; +$SkillImportNoID = "El ID de la competencia no está definido"; +$CourseAdvance = "Avance en el curso"; +$CertificateGenerated = "Generó certificado"; +$CountOfUsers = "Número de usuarios"; +$CountOfSubscriptions = "Número de inscritos a cursos"; +$EnrollToCourseXSuccessful = "Su inscripción en el curso %s se ha completado."; +$TheExerciseAutoLaunchSettingIsONStudentsWillBeRedirectToAnSpecificExercise = "La configuración para el despliegue automático de Ejercicios está activada. Los estudiantes serán redirigidos al ejercicio seleccionado para que se muestre automáticamente."; +$RedirectToTheExerciseList = "Redirigir a la lista de ejercicios"; +$RedirectToExercise = "Redirigir a un ejercicio seleccionado"; +$ConfigExercise = "Configurar la herramienta Ejercicios"; +$QuestionGlobalCategory = "Categoría global"; +$CheckThatYouHaveEnoughQuestionsInYourCategories = "Revisar si existen suficientes preguntas en sus categorías."; +$PortalCoursesLimitReached = "Lo sentimos, esta instalación de Chamilo tiene un límite de cantidad de cursos, el cual fue alcanzado. Para aumentar la cantidad de cursos autorizados, por favor contactar con su proveedor o, si posible, pasar a un plan de alojamiento superior."; +$PortalTeachersLimitReached = "Lo sentimos, esta instalación de Chamilo tiene un límite de cantidad de profesores, el cual fue alcanzado. Para aumentar la cantidad de profesores autorizados, por favor contactar con su proveedor o, si posible, pasar a un plan de alojamiento superior."; +$PortalUsersLimitReached = "Lo sentimos, esta instalación de Chamilo tiene un límite de cantidad de usuarios, el cual fue alcanzado. Para aumentar la cantidad de usuarios autorizados, por favor contactar con su proveedor o, si posible, pasar a un plan de alojamiento superior."; +$GenerateSurveyAccessLinkExplanation = "Copiando el enlace a bajo en un correo o en un sitio web, permitirá a personas anónimas participar a la encuesta. Puede probar esta funcionalidad dándole clic al botón arriba y respondiendo la encuesta. Es particularmente útil si quiere invitar a personas de las cuales no conoce el correo electrónico."; +$LinkOpenSelf = "Misma ventana"; +$LinkOpenBlank = "Otra ventana"; +$LinkOpenParent = "Ventana padre"; +$LinkOpenTop = "Parte superior"; +$ThematicSectionHasBeenCreatedSuccessfull = "La unidad didáctica ha sido creada"; +$NowYouShouldAddThematicPlanXAndThematicAdvanceX = "Ahora debe añadir la programación de la unidad didáctica %s y su temporalización %s"; +$LpPrerequisiteDescription = "Si selecciona otra lección como prerrequisito, la actual se ocultará hasta que la previa haya sido completada por los estudiantes"; +$QualificationNumeric = "Calificación numérica sobre"; +$ScoreAverageFromAllAttempts = "Promedio de todos los intentos en ejercicios"; +$ExportAllCoursesList = "Exportar toda la lista de cursos"; +$ExportSelectedCoursesFromCoursesList = "Exportar solo algunos cursos de la lista"; +$CoursesListHasBeenExported = "La lista de cursos ha sido exportada"; +$WhichCoursesToExport = "Seleccione los cursos que desea exportar"; +$AssignUsersToPlatformAdministrator = "Asignar usuarios al administrador de la plataforma"; +$AssignedUsersListToPlatformAdministrator = "Lista de usuarios asignados al administrador de la plataforma"; +$AssignedCoursesListToHumanResourcesManager = "Lista de cursos asignados al administrador de recursos humanos"; +$ThereAreNotCreatedCourses = "No hay cursos creados"; +$HomepageViewVerticalActivity = "Ver la actividad en forma vertical"; +$GenerateSurveyAccessLink = "Generar enlace de acceso a encuesta"; +$CoursesInformation = "Información de cursos"; +$LearnpathVisible = "Lección hecha visible"; +$LinkInvisible = "Enlace hecho invisible"; +$SpecialExportsIntroduction = "La funcionalidad de exportaciones especiales existe para ayudar el revisor instruccional/académico en exportar los documentos de todos los cursos en un solo paso. Otra opción le permite escoger los cursos que desea exportar, y exportará los documentos presentes en las sesiones de estos cursos también. Esto es una operación muy pesada. Por lo tanto, le recomendamos no iniciarla durante las horas de uso normal de su portal. Hagalo en un periodo más tranquilo. Si no necesita todos los contenidos de una vez, prueba exportar documentos de cursos directamente desde la herramienta de mantenimiento del curso, dentro del curso mismo."; +$Literal0 = "cero"; +$Literal1 = "uno"; +$Literal2 = "dos"; +$Literal3 = "tres"; +$Literal4 = "cuatro"; +$Literal5 = "cinco"; +$Literal6 = "seis"; +$Literal7 = "siete"; +$Literal8 = "ocho"; +$Literal9 = "nueve"; +$Literal10 = "diez"; +$Literal11 = "once"; +$Literal12 = "doce"; +$Literal13 = "trece"; +$Literal14 = "catorce"; +$Literal15 = "quince"; +$Literal16 = "dieciseis"; +$Literal17 = "diecisiete"; +$Literal18 = "dieciocho"; +$Literal19 = "diecinueve"; +$Literal20 = "veinte"; +$AllowUserCourseSubscriptionByCourseAdminTitle = "Permitir a los profesores registrar usuarios en un curso"; +$AllowUserCourseSubscriptionByCourseAdminComment = "Al activar esta opción permitirá que los profesores puedan inscribir usuarios en su curso"; +$DateTime = "Fecha y hora"; +$Item = "Ítem"; +$ConfigureDashboardPlugin = "Configurar el plugin del Panel de control"; +$EditBlocks = "Editar bloques"; +$Never = "Nunca"; $YourAccountIsActiveYouCanLoginAndCheckYourCourses = "Estimado usuario

        -Usted no esta activo en la plataforma, por favor inicie sesión nuevamente y revise sus cursos"; -$SessionFields = "Campos de sesión"; -$CopyLabelSuffix = "Copia"; -$SessionCoachEndDateComment = "Fecha en la cual la sesión deja de ser disponible para los tutores. Este periodo adicional de acceso permite a los tutores exportar la información relevante sobre el desempeño de sus alumnos"; -$SessionCoachStartDateComment = "Fecha en la cual la sesión empieza a ser disponible para los tutores, para que la preparen antes del ingreso de los alumnos"; -$SessionEndDateComment = "Fecha en la cual la sesión deja de ser disponible para todos"; -$SessionStartDateComment = "Fecha en la cual la sesión empieza a ser disponible para todos"; -$SessionDisplayEndDateComment = "Fecha que se mostrará en la ficha de información de la sesión como la fecha en la cual la sesión finaliza"; -$SessionDisplayStartDateComment = "Fecha que se mostrará en la ficha de información de la sesión como la fecha en la cual la sesión inicia"; -$SessionCoachEndDate = "Fecha de fin de acceso para tutores"; -$SessionCoachStartDate = "Fecha de inicio de acceso para tutores"; -$SessionEndDate = "Fecha de fin de acceso"; -$SessionStartDate = "Fecha de inicio de acceso"; -$SessionDisplayEndDate = "Fecha de fin a mostrar"; -$SessionDisplayStartDate = "Fecha de inicio a mostrar"; -$UserHasNoCourse = "El usuario no tiene inscripción a cursos"; -$SkillsRanking = "Rango de competencias"; -$ImportSkillsListCSV = "Importar competencias desde un archivo CSV"; -$SkillsImport = "Importar competencias"; -$SkillsWheel = "Rueda de competencias"; -$SkillsYouAcquired = "Competencias adquiridas"; -$SkillsSearchedFor = "Competencias buscadas"; -$SkillsYouCanLearn = "Competencias que puede adquirir"; -$Legend = "Leyenda"; -$ClickToZoom = "Haz clic para enfocar"; -$SkillXWithCourseX = "%s via %s"; -$ToGetToLearnXYouWillNeedToTakeOneOfTheFollowingCourses = "Para adquirir %s, deberás tomar uno de los cursos siguientes:"; -$YourSkillRankingX = "Tu rango de competencias: %s"; -$ManageSkills = "Gestionar las competencias"; -$OralQuestionsAttemptedAreX = "Las preguntas orales respondidas son: %s"; -$OralQuestionsAttempted = "Un estudiante ha entregao una pregunta oral o más"; -$RelativeScore = "Score relativo"; -$AbsoluteScore = "Score absoluto"; -$Categories = "Categorías"; -$PrerequisitesOptions = "Opciones de prerequisitos"; -$ClearAllPrerequisites = "Eliminar todos los prerequisitos"; -$SetPrerequisiteForEachItem = "Configurar, para cada elemento, el elemento anterior como prerequisito"; -$StartDateMustBeBeforeTheEndDate = "La fecha de inicio tiene que ser anterior a la fecha de fin"; -$SessionPageEnabledComment = "Cuando esta opción es activada, el título de la sesión es un enlace a una página especial de sesión. Cuando es desactivada, es solo un texto, sin enlace. La página de sesión a la cual apunta puede provocar confusión para ciertos usuarios, por lo que podría querer desactivarla para simplificar."; -$SessionPageEnabledTitle = "Activar el enlace de sesión en la lista de cursos"; -$SkillRoot = "Raíz"; -$SkillInfo = "Información de competencia"; -$GetNewSkills = "Obtener nuevas competencias"; -$ViewSkillsWheel = "Ver la rueda de competencias"; -$MissingOneStepToMatch = "Falta una competencia para corresponder"; -$CompleteMatch = "Correspondencia perfecta"; -$MissingXStepsToMatch = "Faltando %s competencias"; -$Rank = "Rango"; -$CurrentlyLearning = "Aprendiendo"; -$SkillsAcquired = "Competencias adquiridas"; -$AddSkillToProfileSearch = "Añadir competencia al perfil de búsqueda"; -$ShortCode = "Código corto"; -$CreateChildSkill = "Crear competencia hija"; -$SearchProfileMatches = "Buscar perfiles que correspondan"; -$IsThisWhatYouWereLookingFor = "Corresponde a lo que busca?"; -$WhatSkillsAreYouLookingFor = "Que competencias está buscando?"; -$ProfileSearch = "Búsqueda de perfil"; +Usted no esta activo en la plataforma, por favor inicie sesión nuevamente y revise sus cursos"; +$SessionFields = "Campos de sesión"; +$CopyLabelSuffix = "Copia"; +$SessionCoachEndDateComment = "Fecha en la cual la sesión deja de ser disponible para los tutores. Este periodo adicional de acceso permite a los tutores exportar la información relevante sobre el desempeño de sus alumnos"; +$SessionCoachStartDateComment = "Fecha en la cual la sesión empieza a ser disponible para los tutores, para que la preparen antes del ingreso de los alumnos"; +$SessionEndDateComment = "Fecha en la cual la sesión deja de ser disponible para todos"; +$SessionStartDateComment = "Fecha en la cual la sesión empieza a ser disponible para todos"; +$SessionDisplayEndDateComment = "Fecha que se mostrará en la ficha de información de la sesión como la fecha en la cual la sesión finaliza"; +$SessionDisplayStartDateComment = "Fecha que se mostrará en la ficha de información de la sesión como la fecha en la cual la sesión inicia"; +$SessionCoachEndDate = "Fecha de fin de acceso para tutores"; +$SessionCoachStartDate = "Fecha de inicio de acceso para tutores"; +$SessionEndDate = "Fecha de fin de acceso"; +$SessionStartDate = "Fecha de inicio de acceso"; +$SessionDisplayEndDate = "Fecha de fin a mostrar"; +$SessionDisplayStartDate = "Fecha de inicio a mostrar"; +$UserHasNoCourse = "El usuario no tiene inscripción a cursos"; +$SkillsRanking = "Rango de competencias"; +$ImportSkillsListCSV = "Importar competencias desde un archivo CSV"; +$SkillsImport = "Importar competencias"; +$SkillsWheel = "Rueda de competencias"; +$SkillsYouAcquired = "Competencias adquiridas"; +$SkillsSearchedFor = "Competencias buscadas"; +$SkillsYouCanLearn = "Competencias que puede adquirir"; +$Legend = "Leyenda"; +$ClickToZoom = "Haz clic para enfocar"; +$SkillXWithCourseX = "%s via %s"; +$ToGetToLearnXYouWillNeedToTakeOneOfTheFollowingCourses = "Para adquirir %s, deberás tomar uno de los cursos siguientes:"; +$YourSkillRankingX = "Tu rango de competencias: %s"; +$ManageSkills = "Gestionar las competencias"; +$OralQuestionsAttemptedAreX = "Las preguntas orales respondidas son: %s"; +$OralQuestionsAttempted = "Un estudiante ha entregao una pregunta oral o más"; +$RelativeScore = "Score relativo"; +$AbsoluteScore = "Score absoluto"; +$Categories = "Categorías"; +$PrerequisitesOptions = "Opciones de prerequisitos"; +$ClearAllPrerequisites = "Eliminar todos los prerequisitos"; +$SetPrerequisiteForEachItem = "Configurar, para cada elemento, el elemento anterior como prerequisito"; +$StartDateMustBeBeforeTheEndDate = "La fecha de inicio tiene que ser anterior a la fecha de fin"; +$SessionPageEnabledComment = "Cuando esta opción es activada, el título de la sesión es un enlace a una página especial de sesión. Cuando es desactivada, es solo un texto, sin enlace. La página de sesión a la cual apunta puede provocar confusión para ciertos usuarios, por lo que podría querer desactivarla para simplificar."; +$SessionPageEnabledTitle = "Activar el enlace de sesión en la lista de cursos"; +$SkillRoot = "Raíz"; +$SkillInfo = "Información de competencia"; +$GetNewSkills = "Obtener nuevas competencias"; +$ViewSkillsWheel = "Ver la rueda de competencias"; +$MissingOneStepToMatch = "Falta una competencia para corresponder"; +$CompleteMatch = "Correspondencia perfecta"; +$MissingXStepsToMatch = "Faltando %s competencias"; +$Rank = "Rango"; +$CurrentlyLearning = "Aprendiendo"; +$SkillsAcquired = "Competencias adquiridas"; +$AddSkillToProfileSearch = "Añadir competencia al perfil de búsqueda"; +$ShortCode = "Código corto"; +$CreateChildSkill = "Crear competencia hija"; +$SearchProfileMatches = "Buscar perfiles que correspondan"; +$IsThisWhatYouWereLookingFor = "Corresponde a lo que busca?"; +$WhatSkillsAreYouLookingFor = "Que competencias está buscando?"; +$ProfileSearch = "Búsqueda de perfil"; $CourseSettingsRegisterDirectLink = "Si su curso es público o abierto, puede usar el enlace directo abajo para invitar a nuevos usuarios, de tal manera que estén enviados directamente en este curso al finalizar el formulario de registro al portal. Si desea, puede añadir el parámetro e=1 a este enlace, remplazando \"1\" por el ID del ejercicio, para mandar los usuarios directamente a un ejercicio o examen. El ID del ejercicio se puede obtener en la URL del ejercicio cuando le de clic para entrar al mismo.
        -%s"; -$DirectLink = "Enlace directo"; -$here = "aqui"; -$GoAheadAndBrowseOurCourseCatalogXOnceRegisteredYouWillSeeTheCourseHereX = "Adelante, pulsa %s para acceder al catálogo de cursos e inscribirte en un curso que te interese. Una vez inscrito/a, el curso aparecerá en esta pantalla en lugar de este mensaje."; +%s"; +$DirectLink = "Enlace directo"; +$here = "aqui"; +$GoAheadAndBrowseOurCourseCatalogXOnceRegisteredYouWillSeeTheCourseHereX = "Adelante, pulsa %s para acceder al catálogo de cursos e inscribirte en un curso que te interese. Una vez inscrito/a, el curso aparecerá en esta pantalla en lugar de este mensaje."; $HelloXAsYouCanSeeYourCourseListIsEmpty = "Hola %s, te damos la bienvenida,
        -Como puedes ver, tu lista de cursos todavía está vacía. Esto es porque todavía no estás inscrito/a en ningún curso."; -$UnsubscribeUsersAlreadyAddedInCourse = "Desinscribir todos los alumnos ya inscritos"; -$ImportUsers = "Importar usuarios"; -$HelpFolderLearningPaths = "INFORMACIÓN SOLO VISIBLE POR EL PROFESORADO:\nEsta carpeta contiene los documentos que se crean desde la herramienta Lecciones. Aquí puede editar los HTML que se hayan creado al realizar una importación desde la herramienta Lecciones, por ejemplo desde Chamilo Rapid. Se recomienda mantener invisible esta carpeta a los alumnos."; -$YouWillBeRedirectedInXSeconds = "Un momento por favor. Será re-dirigido a otra página dentro de %s segundos..."; -$ToProtectYourSiteMakeXReadOnlyAndDeleteY = "Para proteger su instalación, ponga la carpeta %s en solo lectura (chmod -r 0555 bajo Linux) y borre completamente la carpeta %s."; -$NumberOfCoursesPublic = "Número de cursos públicos"; -$NumberOfCoursesOpen = "Número de cursos abiertos"; -$NumberOfCoursesPrivate = "Número de cursos privados"; -$NumberOfCoursesClosed = "Número de cursos cerrados"; -$NumberOfCoursesTotal = "Número total de cursos"; -$NumberOfUsersActive = "Número de usuarios activos"; -$CountCertificates = "Número de certificados"; -$AverageHoursPerStudent = "Promedio horas/estudiante"; -$CountOfSubscribedUsers = "Número de usuarios inscritos"; -$TrainingHoursAccumulated = "Horas de formación acumuladas"; -$Approved = "Aprobado"; -$EditQuestions = "Editar preguntas"; -$EditSettings = "Editar parámetros"; -$ManHours = "Horas hombre"; -$NotesObtained = "Notas obtenidas"; -$ClickOnTheLearnerViewToSeeYourLearningPath = "Dar clic en el botón [Vista alumno] para ver su lección"; -$ThisValueCantBeChanged = "Este valor no puede ser modificado."; -$ThisValueIsUsedInTheCourseURL = "Esta valor es usado en la URL del curso"; -$TotalAvailableUsers = "Total de usuarios disponibles"; -$LowerCaseUser = "usuario"; -$GenerateCertificates = "Generar certificados"; -$ExportAllCertificatesToPDF = "Exportar todos los certificados a PDF"; -$DeleteAllCertificates = "Eliminar todos los certificados"; -$ThereAreUsersUsingThisLanguageYouWantToDisableThisLanguageAndSetUsersWithTheDefaultPortalLanguage = "Existen usuarios usando este idioma. ¿Desea deshabilitar este idioma y actualizar estos usuarios con el idioma por defecto de la plataforma?"; -$dateFormatLongNoDay = "%d %B %Y"; -$dateFormatOnlyDayName = "%A"; -$ReturnToCourseList = "Regreso a lista de cursos"; -$dateFormatShortNumberNoYear = "%d/%m"; -$CourseTutor = "Tutor de curso"; -$StudentInSessionCourse = "Estudiante en un curso de sesión"; -$StudentInCourse = "Estudiante en un curso"; -$SessionGeneralCoach = "Tutor general de sesión"; -$SessionCourseCoach = "Tutor de curso de sesión"; -$Admin = "Admin"; -$SessionTutorsCanSeeExpiredSessionsResultsComment = "¿Los tutores de sesión pueden ver los informes del curso después de que haya expirado la sesión?"; -$SessionTutorsCanSeeExpiredSessionsResultsTitle = "Visibilidad de reportes para los tutores de sesión"; -$UserNotAttendedSymbol = "F"; -$UserAttendedSymbol = "P"; -$SessionCalendar = "Calendario de sesión"; -$Order = "Orden"; -$GlobalPlatformInformation = "Información global de plataforma"; -$TheXMLImportLetYouAddMoreInfoAndCreateResources = "La importación XML le permitirá añadir más información y crear recursos (cursos, usuarios), mientras la importación CSV solamente creará sesiones y usará recursos ya existentes."; -$ShowLinkBugNotificationTitle = "Mostrar el enlace para informar de errores"; -$ShowLinkBugNotificationComment = "Mostrar un enlace en la cabecera para informar de un error a la plataforma de apoyo (http://support.chamilo.org). Al hacer clic en el enlace el usuario será dirigido al sistema de soporte de Chamilo, en el que una página wiki describe el procedimiento para informar de errores."; -$ReportABug = "Comunicar un error"; -$Letters = "Letras"; -$NewHomeworkEmailAlert = "Avisar a los estudiantes con un correo eletrónico, la creación de una nueva tarea"; -$NewHomeworkEmailAlertEnable = "Activar el aviso de la creación de una nueva tarea"; -$NewHomeworkEmailAlertDisable = "Deasactivar el aviso de la creación de una nueva tarea"; -$MaximumOfParticipants = "Número máximo de miembros"; -$HomeworkCreated = "Una nueva tarea ha sido creada"; -$HomeworkHasBeenCreatedForTheCourse = "Se ha creado una nueva tarea en el curso"; -$PleaseCheckHomeworkPage = "Por favor, consulte la página de tareas."; -$ScormNotEnoughSpaceInCourseToInstallPackage = "No hay suficiente espacio en este curso para descomprimir el paquete actual."; -$ScormPackageFormatNotScorm = "El paquete que está cargando no parece estar en formato SCORM. Por favor, compruebe que el imsmanifest.xml se encuentra dentro del archivo ZIP que está intentando cargar."; -$DataFiller = "Rellenar datos"; -$GradebookActivateScoreDisplayCustom = "Habilitar el etiquetado de nivel de competencia con el fin de establecer la información de resultados personalizados"; -$GradebookScoreDisplayCustomValues = "Niveles de competencia valores personalizados"; -$GradebookNumberDecimals = "Número de decimales"; -$GradebookNumberDecimalsComment = "Establecer el número de decimales permitidos en una puntuación"; -$ContactInformation = "Información del contacto"; -$PersonName = "Nombre de la persona"; -$CompanyName = "Nombre de la empresa"; -$PersonRole = "Cargo en la empresa"; -$HaveYouThePowerToTakeFinancialDecisions = "¿Tiene la capacidad de tomar decisiones financieras?"; -$CompanyCountry = "País"; -$CompanyCity = "Ciudad"; -$WhichLanguageWouldYouLikeToUseWhenContactingYou = "¿Qué idioma de contacto prefiere?"; -$SendInformation = "Enviar la información"; -$YouMustAcceptLicence = "Debe aceptar la licencia para poder usar este software"; -$SelectOne = "Seleccione uno"; -$ContactInformationHasBeenSent = "Información de contacto enviada"; -$EditExtraFieldOptions = "Editar opciones de los campos extras"; -$ExerciseDescriptionLabel = "Descripción"; -$UserInactivedSinceX = "Usuario inactivo desde %s"; -$ContactInformationDescription = "Estimado usuario,\n\nestá a punto de instalar una de las mejores plataformas e-learning de código abierto que existen en el mercado. Al igual de muchos otros proyectos de código abierto, Chamilo está respaldado por una amplia comunidad de profesores, estudiantes, desarrolladores y creadores de contenido.\n\nSi sabemos algo más de quien va a gestionar este sistema e-learning, podremos dar a conocer a otros que nuestro software lo utiliza y a usted podremos informarle sobre eventos que pueden ser de su interés.\n\nCumplimentar este formulario, implica la aceptación de que la asociación Chamilo o sus miembros puedan enviarle información por correo electrónico sobre eventos importantes o actualizaciones en el software Chamilo. Esto ayudará a crecer a la comunidad como una entidad organizada, donde el flujo de información, se haga con respeto permanente a su tiempo y su privacidad.\n\nDe cualquier forma, tenga en cuenta que no tiene la obligación de rellenar este formulario. Si desea permanecer en el anonimato, perderemos la oportunidad de ofrecerle todos los privilegios de ser un administrador de portal registrado, pero respetaremos su decisión. Basta con dejar vacío este formulario y hacer clic en \"Siguiente\" para seguir instalando Chamilo."; -$CompanyActivity = "Sector"; -$PleaseAllowUsALittleTimeToSubscribeYouToOneOfOurCourses = "Permitanos un poco de tiempo para suscribirse a uno de nuestros cursos. Si considera que nos olvidamos de Ud., póngase en contacto con los administradores del portal. Puede encontrar sus datos de contacto en el pie de página."; -$ManageSessionFields = "Gestionar los campos de sesión"; -$DateUnLock = "Desbloquear fecha"; -$DateLock = "Bloquear fecha"; -$EditSessionsToURL = "Editar sesiones de una URL"; -$AddSessionsToURL = "Añadir sesiones a una URL"; -$SessionListIn = "Lista de sesiones en"; -$GoToStudentDetails = "Ver detalles del estudiante"; -$DisplayAboutNextAdvanceNotDoneAndLastDoneAdvance = "Mostrar información sobre el último avance temático hecho y el siguiente por hacer."; -$FillUsers = "Generar usuarios"; -$ThisSectionIsOnlyVisibleOnSourceInstalls = "Esta sección sólo es visible en instalaciones desde el código fuente, no en versiones estables de la plataforma. Le permitirá insertar en su plataforma datos de prueba. Úsela con cuidado(los datos se insertan realmente) y sólo en instalaciones de desarrollo o de prueba."; -$UsersFillingReport = "Rellenar el informe de usuarios"; -$RepeatDate = "Repetir día"; -$EndDateMustBeMoreThanStartDate = "La fecha de finalización debe ser posterior a la fecha de inicio"; -$ToAttend = "Por asistir"; -$AllUsersAreAutomaticallyRegistered = "Todos los usuarios serán agregados automaticamente"; -$AssignCoach = "Asignar tutor"; -$chamilo = "chamilo"; -$YourAccountOnXHasJustBeenApprovedByOneOfOurAdministrators = "Su cuenta en %s ha sido aprobada por nuestra administración"; -$php = "php"; -$Off = "Desactivado"; -$webserver = "Webserver"; -$mysql = "mysql"; -$NotInserted = "No insertado"; -$Multipleresponse = "Respuesta múltiple"; -$EnableMathJaxComment = "Activar el visualizador matemático MathJax. Este parámetro es útil únicamente si ASCIIMathML o ASCIISVG están activados."; -$YouCanNowLoginAtXUsingTheLoginAndThePasswordYouHaveProvided = "Ahora puede identificarse en %s usando el nombre de usuario y contraseña que le han sido facilitados"; -$HaveFun = "Diviértase,"; -$AreYouSureToEditTheUserStatus = "¿Está seguro de querer editar el estatus de usuario?"; -$YouShouldCreateAGroup = "Debería crear un grupo"; -$ResetLP = "Restablecer la secuencia de aprendizaje"; -$LPWasReset = "La secuencia de aprendizaje fue restablecida para el estudiante"; -$AnnouncementVisible = "Anuncio visible"; -$AnnouncementInvisible = "Anuncio invisible"; -$GlossaryDeleted = "Glosario borrado"; -$CalendarYear = "Año calendario"; -$SessionReadOnly = "Sólo lectura"; -$SessionAccessible = "Accesible"; -$SessionNotAccessible = "No accesible"; -$GroupAdded = "Grupo añadido"; -$AddUsersToGroup = "Añadir usuarios al grupo"; -$ErrorReadingZip = "Error leyendo el archivo ZIP"; -$ErrorStylesheetFilesExtensionsInsideZip = "Las únicas extensiones aceptadas en el archivo ZIP son jpg, jpeg, png, gif y css."; -$ClearSearchResults = "Reiniciar los resultados de búsqueda"; -$DisplayCourseOverview = "Resumen de los cursos"; -$DisplaySessionOverview = "Resumen de las sesiones"; -$TotalNumberOfMessages = "Número total de mensajes"; -$TotalNumberOfAssignments = "Número total de tareas"; -$TestServerMode = "Servidor en modo test"; -$PageExecutionTimeWas = "El tiempo de ejecución de la página fue de"; -$MemoryUsage = "Uso memoria"; -$MemoryUsagePeak = "Uso memoria pico"; -$Seconds = "segundos"; -$QualifyInGradebook = "Calificar en la evaluación"; -$TheTutorOnlyCanKeepTrackOfStudentsRegisteredInTheCourse = "El asistente solo puede realizar el seguimiento de los estudiantes registrados al curso."; -$TheTeacherCanQualifyEvaluateAndKeepTrackOfAllStudentsEnrolledInTheCourse = "El profesor puede calificar evaluar y realizar el seguimiento de todos los estudiantes registrados en el curso."; -$IncludedInEvaluation = "Incluida en la evaluación"; -$ExerciseEditionNotAvailableInSession = "Edición de ejercicio de curso no autorizada desde la sesión"; -$SessionSpecificResource = "Recurso específico a la sesión"; -$EditionNotAvailableFromSession = "No es posible editar este recurso de curso desde una sesión"; -$FieldTypeSocialProfile = "Vínculo red social"; -$HandingOverOfTaskX = "Entrega de tarea %s"; -$CopyToMyFiles = "Copiar en mi área personal de archivos"; -$Export2PDF = "Exportar a formato PDF"; -$ResourceShared = "Recurso compartido"; -$CopyAlreadyDone = "Hay un archivo con el mismo nombre en su área personal de archivos de usuario. ¿Desea reemplazarlo?"; -$CopyFailed = "Copia fallida"; -$CopyMade = "Copia realizada"; -$OverwritenFile = "Archivo reemplazado"; -$MyFiles = "Mis archivos"; -$AllowUsersCopyFilesTitle = "Permitir a los usuarios copiar archivos de un curso en su área de archivos personales"; -$AllowUsersCopyFilesComment = "Permite a los usuarios copiar archivos de un curso en su área personal, visible a través de la herramienta de Red Social o mediante el editor de HTML cuando se encuentran fuera de un curso"; -$PreviewImage = "Imagen previa"; -$UpdateImage = "Actualizar imagen"; -$EnableTimeLimits = "Activar limites de tiempo"; -$ProtectedDocument = "Documento protegido"; -$LastLogins = "Última conexión"; -$AllLogins = "Todas las conexiones"; -$Draw = "Dibujar"; -$ThereAreNoCoursesInThisCategory = "No existen cursos en la categoría actual"; -$ConnectionsLastMonth = "Conexiones en el mes anterior"; -$TotalStudents = "Estudiantes"; -$FilteringWithScoreX = "Filtrando con resultado %s"; -$ExamTaken = "Hecho"; -$ExamNotTaken = "Sin hacer"; -$ExamPassX = "Aprobados con un mínimo de %s"; -$ExamFail = "Suspensos"; -$ExamTracking = "Seguimiento exámenes"; -$NoAttempt = "Sin intentar"; -$PassExam = "Aprobado"; -$CreateCourseRequest = "Solicitud de nuevo curso"; -$TermsAndConditions = "Términos y condiciones"; -$ReadTermsAndConditions = "Leer las condiciones del servicio"; -$IAcceptTermsAndConditions = "He leido y acepto las condiciones del servicio"; -$YouHaveToAcceptTermsAndConditions = "Para continuar debe aceptar nuestros términos y condiciones"; -$CourseRequestCreated = "Su solicitud de curso, se recibió correctamente. En breve (uno o dos días laborables) recibirá contestación sobre ella."; -$ReviewCourseRequests = "Validar Cursos"; -$AcceptedCourseRequests = "Cursos Validados"; -$RejectedCourseRequests = "Cursos Rechazados"; -$CreateThisCourseRequest = "Solicitud de nuevo curso"; -$CourseRequestDate = "Fecha Solicitud"; -$AcceptThisCourseRequest = "Validar este curso"; -$ANewCourseWillBeCreated = "El curso %s va a ser creado, ¿desea continuar?"; -$AdditionalInfoWillBeAsked = "Enviar un e-mail solicitando información adicional (%s)."; -$AskAdditionalInfo = "Pedir más información"; -$BrowserDontSupportsSVG = "Su navegador no soporta archivos SVG. Para poder utilizar esta herramienta debe tener instalado un navegador avanzado del tipo: Firefox o Chrome"; -$BrowscapInfo = "Browscap carga el archivo browscap.ini que contiene una gran cantidad de datos sobre los navegadores y sus capacidades, para que pueda ser usada por la función get_browser() de PHP"; -$DeleteThisCourseRequest = "Eliminar esta solicitud de curso"; -$ACourseRequestWillBeDeleted = "La solicitud del curso %s va a ser eliminada, ¿ desea proseguir ?"; -$RejectThisCourseRequest = "Rechazar esta solucitud de curso"; -$ACourseRequestWillBeRejected = "La solicitud del curso %s va a ser rechazada, ¿desea proseguir?"; -$CourseRequestAccepted = "La solicitud del curso %s ha sido aceptada. Un nuevo curso %s ha sido creado."; -$CourseRequestAcceptanceFailed = "La solicitud del curso %s no ha sido aceptada debido a un error interno."; -$CourseRequestRejected = "La solicitud del curso %s ha sido rechazada."; -$CourseRequestRejectionFailed = "La solicitud del curso %s no ha sido rechazada debido a un error interno."; -$CourseRequestInfoAsked = "Ha sido pedida información adicional sobre la solicitud del curso %s."; -$CourseRequestInfoFailed = "No ha sido pedida información adicional sobre la solicitud del curso %s debido a un error interno."; -$CourseRequestDeleted = "La solicitud del curso %s ha sido eliminada."; -$CourseRequestDeletionFailed = "La solicitud del curso %s no ha sido eliminada debido a un error interno."; -$DeleteCourseRequests = "Eliminar las solicitudes de cursos seleccionadas"; -$SelectedCourseRequestsDeleted = "Las solicitudes de curso seleccionadas han sido eliminadas."; -$SomeCourseRequestsNotDeleted = "Algunas de las solicitudes de curso seleccionadas no han sido eliminadas debido a un error interno."; -$CourseRequestEmailSubject = "%s Solicitud de nuevo curso %s"; -$CourseRequestMailOpening = "Se registró la siguiente solicitud para un curso nuevo:"; -$CourseRequestPageForApproval = "Puede validar la solicitud en:"; -$PleaseActivateCourseValidationFeature = "La \"Validación de curso\" no está activa. Para utilizar esta herramienta actívela usando el parámetro %s"; -$CourseRequestLegalNote = "La información de esta solicitud de formación es considerada como confidencial, por lo que sólo puede ser usada como procedimiento de apertura de un nuevo curso dentro de nuestro portal. No deberá ser revelada a terceros."; -$EnableCourseValidation = "Solicitud de cursos"; -$EnableCourseValidationComment = "Cuando la solicitud de cursos está activada, un profesor no podrá crear un curso por si mismo sino que tendrá que rellenar una solicitud. El administrador de la plataforma revisará la solicitud y la aprobará o rechazará. Esta funcionalidad se basa en mensajes de correo electrónico automáticos por lo que debe asegurarse de que su instalación de Chamilo usa un servidor de correo y una dirección de correo dedicada a ello."; -$CourseRequestAskInfoEmailSubject = "%s Solicitud de informacion %s"; -$CourseRequestAskInfoEmailText = "Hemos recibido su solicitud para la creación de un curso con el código% s. Antes de considerar su aprobación necesitamos alguna información adicional. \ N \ nPor favor, realice una breve descripción del contenido del curso, los objetivos y los estudiantes u otro tipo de usuarios que vayan a participar. Si es su caso, mencione el nombre de la institución u órgano en nombre de la cual Usted ha hecho la solicitud."; -$CourseRequestAcceptedEmailSubject = "%s La petición del curso %s ha sido aprobada"; -$CourseRequestAcceptedEmailText = "Su solicitud del curso %s ha sido aprobada. Un nuevo curso %s ha sido creado y Usted ha quedado inscrito en él como profesor.\n\nPodrá acceder al curso creado desde: %s"; -$CourseRequestRejectedEmailSubject = "%s La solicitud del curso %s ha sido rechazada"; -$CourseRequestRejectedEmailText = "Lamentamos informarle que la solicitud del curso %s ha sido rechazada debido a que no se ajusta a nuestros términos y condiciones."; -$CourseValidationTermsAndConditionsLink = "Solicitud de cursos - enlace a términos y condiciones"; -$CourseValidationTermsAndConditionsLinkComment = "La URL que enlaza el documento \"Términos y condiciones\" que rige la solicitud de un curso. Si esta dirección está configurada, el usario tendrá que leer y aceptar los términos y condiciones antes de enviar su solicitud de curso. Si activa el módulo \"Términos y condiciones\" de Chamilo y quiere usar éste en lugar de términos y condiciones propias, deje este campo vacío."; -$CourseCreationFailed = "El curso no ha sido creado debido a un error interno."; -$CourseRequestCreationFailed = "La solicitud de curso no ha sido creada debido a un error interno."; -$CourseRequestEdit = "Editar una solicitud de curso"; -$CourseRequestHasNotBeenFound = "La solicitud de curso a la que quiere acceder no se ha encontrado o no existe."; -$FileExistsChangeToSave = "Este nombre de archivo ya existe, escoja otro para guardar su imagen."; -$CourseRequestUpdateFailed = "La solicitud del curso %s no ha sido actualizada debido a un error interno."; -$CourseRequestUpdated = "La solicitud del curso %s ha sido actualizada."; -$FillWithExemplaryContent = "Incluir contenidos de ejemplo"; -$EnableSSOTitle = "Single Sign On (registro único)"; -$EnableSSOComment = "La activación de Single Sign On le permite conectar esta plataforma como cliente de un servidor de autentificación, por ejemplo una web de Drupal que tenga el módulo Drupal-Chamilo o cualquier otro servidor con una configuración similar."; -$SSOServerDomainTitle = "Dominio del servidor de Single Sign On"; -$SSOServerDomainComment = "Dominio del servidor de Single Sign On (dirección web del servidor que permitirá el registro automático dentro de Chamilo). La dirección del servidor debe escribirse sin el protocolo al comienzo y sin la barra al final, por ejemplo www.example.com"; -$SSOServerAuthURITitle = "URL del servidor de Single Sign On"; -$SSOServerAuthURIComment = "Dirección de la página encargada de verificar la autentificación. Por ejemplo, en el caso de Drupal: /?q=user"; -$SSOServerUnAuthURITitle = "URL de logout del servidor de Single Sign Out"; -$SSOServerUnAuthURIComment = "Dirección de la página del servidor que desconecta a un usuario. Esta opción únicamente es útil si desea que los usuarios que se desconectan de Chamilo también se desconecten del servidor de autentificación."; -$SSOServerProtocolTitle = "Protocolo del servidor Single Sign On"; -$SSOServerProtocolComment = "Prefijo que indica el protocolo del dominio del servidor de Single Sign On (si su servidor lo permite, recomendamos https:// pues protocolos no seguros son un peligro para un sistema de autentificación)"; -$EnabledWirisTitle = "Editor matemático WIRIS"; -$EnabledWirisComment = "Activar el editor matemático WIRIS. Instalando este plugin obtendrá WIRIS editor y WIRIS CAS.
        La activación no se realiza completamente si previamente no ha descargado el PHP plugin for CKeditor de WIRIS y descomprimido su contenido en el directorio de Chamilo main/inc/lib/javascript/ckeditor/plugins/
        Esto es necesario debido a que Wiris es un software propietario y los servicios de Wiris son comerciales. Para realizar ajustes en el plugin edite el archivo configuration.ini o sustituya su contenido por el de configuration.ini.default que acompaña a Chamilo."; -$FileSavedAs = "Archivo guardado como"; -$FileExportAs = "Archivo exportado como"; -$AllowSpellCheckTitle = "Corrector ortográfico"; -$AllowSpellCheckComment = "Activar el corrector ortográfico"; -$EnabledSVGTitle = "Creación y edición de archivos SVG"; -$EnabledSVGComment = "Esta opción le permitirá crear y editar archivos SVG (Gráficos vectoriales escalables) multicapa en línea, así como exportarlos a imágenes en formato png."; -$ForceWikiPasteAsPlainTextTitle = "Obligar a pegar como texto plano en el Wiki"; -$ForceWikiPasteAsPlainTextComment = "Esto impedirá que muchas etiquetas ocultas, incorrectas o no estándar, copiadas de otros textos acaben corrompiendo el texto del Wiki después de muchas ediciones; pero perderá algunas posibilidades durante la edición."; -$EnabledGooglemapsTitle = "Activar Google maps"; -$EnabledGooglemapsComment = "Activar el botón para insertar mapas de Google. La activación no se realizará completamente si previamente no ha editado el archivo main/inc/lib/fckeditor/myconfig.php y añadido una clave API de Google maps."; -$EnabledImageMapsTitle = "Activar Mapas de imagen"; -$EnabledImageMapsComment = "Activar el botón para insertar Mapas de imagen. Esto le permitirá asociar direcciones url a zonas de una imagen, generando zonas interactivas."; -$RemoveSearchResults = "Limpiar los resultados de la búsqueda"; -$ExerciseCantBeEditedAfterAddingToTheLP = "No es posible editar un ejercicio después de que se agregue a una lección"; -$CourseTool = "Herramienta del curso"; -$LPExerciseResultsBySession = "Resultados de los ejercicios de las lecciones por sesión"; -$LPQuestionListResults = "Lista de resultados de los ejercicios de las lecciones"; -$PleaseSelectACourse = "Por favor, seleccione un curso"; -$StudentScoreAverageIsCalculatedBaseInAllLPsAndAllAttempts = "La puntuación media del estudiante es calculada sobre el conjunto de las lecciones y de los intentos"; -$AverageScore = "Puntuación media"; -$LastConnexionDate = "Fecha de la última conexión"; -$ToolVideoconference = "Videoconferencia"; -$BigBlueButtonEnableTitle = "Herramienta de videoconferencia BigBlueButton"; +Como puedes ver, tu lista de cursos todavía está vacía. Esto es porque todavía no estás inscrito/a en ningún curso."; +$UnsubscribeUsersAlreadyAddedInCourse = "Desinscribir todos los alumnos ya inscritos"; +$ImportUsers = "Importar usuarios"; +$HelpFolderLearningPaths = "INFORMACIÓN SOLO VISIBLE POR EL PROFESORADO:\nEsta carpeta contiene los documentos que se crean desde la herramienta Lecciones. Aquí puede editar los HTML que se hayan creado al realizar una importación desde la herramienta Lecciones, por ejemplo desde Chamilo Rapid. Se recomienda mantener invisible esta carpeta a los alumnos."; +$YouWillBeRedirectedInXSeconds = "Un momento por favor. Será re-dirigido a otra página dentro de %s segundos..."; +$ToProtectYourSiteMakeXReadOnlyAndDeleteY = "Para proteger su instalación, ponga la carpeta %s en solo lectura (chmod -r 0555 bajo Linux) y borre completamente la carpeta %s."; +$NumberOfCoursesPublic = "Número de cursos públicos"; +$NumberOfCoursesOpen = "Número de cursos abiertos"; +$NumberOfCoursesPrivate = "Número de cursos privados"; +$NumberOfCoursesClosed = "Número de cursos cerrados"; +$NumberOfCoursesTotal = "Número total de cursos"; +$NumberOfUsersActive = "Número de usuarios activos"; +$CountCertificates = "Número de certificados"; +$AverageHoursPerStudent = "Promedio horas/estudiante"; +$CountOfSubscribedUsers = "Número de usuarios inscritos"; +$TrainingHoursAccumulated = "Horas de formación acumuladas"; +$Approved = "Aprobado"; +$EditQuestions = "Editar preguntas"; +$EditSettings = "Editar parámetros"; +$ManHours = "Horas hombre"; +$NotesObtained = "Notas obtenidas"; +$ClickOnTheLearnerViewToSeeYourLearningPath = "Dar clic en el botón [Vista alumno] para ver su lección"; +$ThisValueCantBeChanged = "Este valor no puede ser modificado."; +$ThisValueIsUsedInTheCourseURL = "Esta valor es usado en la URL del curso"; +$TotalAvailableUsers = "Total de usuarios disponibles"; +$LowerCaseUser = "usuario"; +$GenerateCertificates = "Generar certificados"; +$ExportAllCertificatesToPDF = "Exportar todos los certificados a PDF"; +$DeleteAllCertificates = "Eliminar todos los certificados"; +$ThereAreUsersUsingThisLanguageYouWantToDisableThisLanguageAndSetUsersWithTheDefaultPortalLanguage = "Existen usuarios usando este idioma. ¿Desea deshabilitar este idioma y actualizar estos usuarios con el idioma por defecto de la plataforma?"; +$dateFormatLongNoDay = "%d %B %Y"; +$dateFormatOnlyDayName = "%A"; +$ReturnToCourseList = "Regreso a lista de cursos"; +$dateFormatShortNumberNoYear = "%d/%m"; +$CourseTutor = "Tutor de curso"; +$StudentInSessionCourse = "Estudiante en un curso de sesión"; +$StudentInCourse = "Estudiante en un curso"; +$SessionGeneralCoach = "Tutor general de sesión"; +$SessionCourseCoach = "Tutor de curso de sesión"; +$Admin = "Admin"; +$SessionTutorsCanSeeExpiredSessionsResultsComment = "¿Los tutores de sesión pueden ver los informes del curso después de que haya expirado la sesión?"; +$SessionTutorsCanSeeExpiredSessionsResultsTitle = "Visibilidad de reportes para los tutores de sesión"; +$UserNotAttendedSymbol = "F"; +$UserAttendedSymbol = "P"; +$SessionCalendar = "Calendario de sesión"; +$Order = "Orden"; +$GlobalPlatformInformation = "Información global de plataforma"; +$TheXMLImportLetYouAddMoreInfoAndCreateResources = "La importación XML le permitirá añadir más información y crear recursos (cursos, usuarios), mientras la importación CSV solamente creará sesiones y usará recursos ya existentes."; +$ShowLinkBugNotificationTitle = "Mostrar el enlace para informar de errores"; +$ShowLinkBugNotificationComment = "Mostrar un enlace en la cabecera para informar de un error a la plataforma de apoyo (http://support.chamilo.org). Al hacer clic en el enlace el usuario será dirigido al sistema de soporte de Chamilo, en el que una página wiki describe el procedimiento para informar de errores."; +$ReportABug = "Comunicar un error"; +$Letters = "Letras"; +$NewHomeworkEmailAlert = "Avisar a los estudiantes con un correo eletrónico, la creación de una nueva tarea"; +$NewHomeworkEmailAlertEnable = "Activar el aviso de la creación de una nueva tarea"; +$NewHomeworkEmailAlertDisable = "Deasactivar el aviso de la creación de una nueva tarea"; +$MaximumOfParticipants = "Número máximo de miembros"; +$HomeworkCreated = "Una nueva tarea ha sido creada"; +$HomeworkHasBeenCreatedForTheCourse = "Se ha creado una nueva tarea en el curso"; +$PleaseCheckHomeworkPage = "Por favor, consulte la página de tareas."; +$ScormNotEnoughSpaceInCourseToInstallPackage = "No hay suficiente espacio en este curso para descomprimir el paquete actual."; +$ScormPackageFormatNotScorm = "El paquete que está cargando no parece estar en formato SCORM. Por favor, compruebe que el imsmanifest.xml se encuentra dentro del archivo ZIP que está intentando cargar."; +$DataFiller = "Rellenar datos"; +$GradebookActivateScoreDisplayCustom = "Habilitar el etiquetado de nivel de competencia con el fin de establecer la información de resultados personalizados"; +$GradebookScoreDisplayCustomValues = "Niveles de competencia valores personalizados"; +$GradebookNumberDecimals = "Número de decimales"; +$GradebookNumberDecimalsComment = "Establecer el número de decimales permitidos en una puntuación"; +$ContactInformation = "Información del contacto"; +$PersonName = "Nombre de la persona"; +$CompanyName = "Nombre de la empresa"; +$PersonRole = "Cargo en la empresa"; +$HaveYouThePowerToTakeFinancialDecisions = "¿Tiene la capacidad de tomar decisiones financieras?"; +$CompanyCountry = "País"; +$CompanyCity = "Ciudad"; +$WhichLanguageWouldYouLikeToUseWhenContactingYou = "¿Qué idioma de contacto prefiere?"; +$SendInformation = "Enviar la información"; +$YouMustAcceptLicence = "Debe aceptar la licencia para poder usar este software"; +$SelectOne = "Seleccione uno"; +$ContactInformationHasBeenSent = "Información de contacto enviada"; +$EditExtraFieldOptions = "Editar opciones de los campos extras"; +$ExerciseDescriptionLabel = "Descripción"; +$UserInactivedSinceX = "Usuario inactivo desde %s"; +$ContactInformationDescription = "Estimado usuario,\n\nestá a punto de instalar una de las mejores plataformas e-learning de código abierto que existen en el mercado. Al igual de muchos otros proyectos de código abierto, Chamilo está respaldado por una amplia comunidad de profesores, estudiantes, desarrolladores y creadores de contenido.\n\nSi sabemos algo más de quien va a gestionar este sistema e-learning, podremos dar a conocer a otros que nuestro software lo utiliza y a usted podremos informarle sobre eventos que pueden ser de su interés.\n\nCumplimentar este formulario, implica la aceptación de que la asociación Chamilo o sus miembros puedan enviarle información por correo electrónico sobre eventos importantes o actualizaciones en el software Chamilo. Esto ayudará a crecer a la comunidad como una entidad organizada, donde el flujo de información, se haga con respeto permanente a su tiempo y su privacidad.\n\nDe cualquier forma, tenga en cuenta que no tiene la obligación de rellenar este formulario. Si desea permanecer en el anonimato, perderemos la oportunidad de ofrecerle todos los privilegios de ser un administrador de portal registrado, pero respetaremos su decisión. Basta con dejar vacío este formulario y hacer clic en \"Siguiente\" para seguir instalando Chamilo."; +$CompanyActivity = "Sector"; +$PleaseAllowUsALittleTimeToSubscribeYouToOneOfOurCourses = "Permitanos un poco de tiempo para suscribirse a uno de nuestros cursos. Si considera que nos olvidamos de Ud., póngase en contacto con los administradores del portal. Puede encontrar sus datos de contacto en el pie de página."; +$ManageSessionFields = "Gestionar los campos de sesión"; +$DateUnLock = "Desbloquear fecha"; +$DateLock = "Bloquear fecha"; +$EditSessionsToURL = "Editar sesiones de una URL"; +$AddSessionsToURL = "Añadir sesiones a una URL"; +$SessionListIn = "Lista de sesiones en"; +$GoToStudentDetails = "Ver detalles del estudiante"; +$DisplayAboutNextAdvanceNotDoneAndLastDoneAdvance = "Mostrar información sobre el último avance temático hecho y el siguiente por hacer."; +$FillUsers = "Generar usuarios"; +$ThisSectionIsOnlyVisibleOnSourceInstalls = "Esta sección sólo es visible en instalaciones desde el código fuente, no en versiones estables de la plataforma. Le permitirá insertar en su plataforma datos de prueba. Úsela con cuidado(los datos se insertan realmente) y sólo en instalaciones de desarrollo o de prueba."; +$UsersFillingReport = "Rellenar el informe de usuarios"; +$RepeatDate = "Repetir día"; +$EndDateMustBeMoreThanStartDate = "La fecha de finalización debe ser posterior a la fecha de inicio"; +$ToAttend = "Por asistir"; +$AllUsersAreAutomaticallyRegistered = "Todos los usuarios serán agregados automaticamente"; +$AssignCoach = "Asignar tutor"; +$chamilo = "chamilo"; +$YourAccountOnXHasJustBeenApprovedByOneOfOurAdministrators = "Su cuenta en %s ha sido aprobada por nuestra administración"; +$php = "php"; +$Off = "Desactivado"; +$webserver = "Webserver"; +$mysql = "mysql"; +$NotInserted = "No insertado"; +$Multipleresponse = "Respuesta múltiple"; +$EnableMathJaxComment = "Activar el visualizador matemático MathJax. Este parámetro es útil únicamente si ASCIIMathML o ASCIISVG están activados."; +$YouCanNowLoginAtXUsingTheLoginAndThePasswordYouHaveProvided = "Ahora puede identificarse en %s usando el nombre de usuario y contraseña que le han sido facilitados"; +$HaveFun = "Diviértase,"; +$AreYouSureToEditTheUserStatus = "¿Está seguro de querer editar el estatus de usuario?"; +$YouShouldCreateAGroup = "Debería crear un grupo"; +$ResetLP = "Restablecer la secuencia de aprendizaje"; +$LPWasReset = "La secuencia de aprendizaje fue restablecida para el estudiante"; +$AnnouncementVisible = "Anuncio visible"; +$AnnouncementInvisible = "Anuncio invisible"; +$GlossaryDeleted = "Glosario borrado"; +$CalendarYear = "Año calendario"; +$SessionReadOnly = "Sólo lectura"; +$SessionAccessible = "Accesible"; +$SessionNotAccessible = "No accesible"; +$GroupAdded = "Grupo añadido"; +$AddUsersToGroup = "Añadir usuarios al grupo"; +$ErrorReadingZip = "Error leyendo el archivo ZIP"; +$ErrorStylesheetFilesExtensionsInsideZip = "Las únicas extensiones aceptadas en el archivo ZIP son jpg, jpeg, png, gif y css."; +$ClearSearchResults = "Reiniciar los resultados de búsqueda"; +$DisplayCourseOverview = "Resumen de los cursos"; +$DisplaySessionOverview = "Resumen de las sesiones"; +$TotalNumberOfMessages = "Número total de mensajes"; +$TotalNumberOfAssignments = "Número total de tareas"; +$TestServerMode = "Servidor en modo test"; +$PageExecutionTimeWas = "El tiempo de ejecución de la página fue de"; +$MemoryUsage = "Uso memoria"; +$MemoryUsagePeak = "Uso memoria pico"; +$Seconds = "segundos"; +$QualifyInGradebook = "Calificar en la evaluación"; +$TheTutorOnlyCanKeepTrackOfStudentsRegisteredInTheCourse = "El asistente solo puede realizar el seguimiento de los estudiantes registrados al curso."; +$TheTeacherCanQualifyEvaluateAndKeepTrackOfAllStudentsEnrolledInTheCourse = "El profesor puede calificar evaluar y realizar el seguimiento de todos los estudiantes registrados en el curso."; +$IncludedInEvaluation = "Incluida en la evaluación"; +$ExerciseEditionNotAvailableInSession = "Edición de ejercicio de curso no autorizada desde la sesión"; +$SessionSpecificResource = "Recurso específico a la sesión"; +$EditionNotAvailableFromSession = "No es posible editar este recurso de curso desde una sesión"; +$FieldTypeSocialProfile = "Vínculo red social"; +$HandingOverOfTaskX = "Entrega de tarea %s"; +$CopyToMyFiles = "Copiar en mi área personal de archivos"; +$Export2PDF = "Exportar a formato PDF"; +$ResourceShared = "Recurso compartido"; +$CopyAlreadyDone = "Hay un archivo con el mismo nombre en su área personal de archivos de usuario. ¿Desea reemplazarlo?"; +$CopyFailed = "Copia fallida"; +$CopyMade = "Copia realizada"; +$OverwritenFile = "Archivo reemplazado"; +$MyFiles = "Mis archivos"; +$AllowUsersCopyFilesTitle = "Permitir a los usuarios copiar archivos de un curso en su área de archivos personales"; +$AllowUsersCopyFilesComment = "Permite a los usuarios copiar archivos de un curso en su área personal, visible a través de la herramienta de Red Social o mediante el editor de HTML cuando se encuentran fuera de un curso"; +$PreviewImage = "Imagen previa"; +$UpdateImage = "Actualizar imagen"; +$EnableTimeLimits = "Activar limites de tiempo"; +$ProtectedDocument = "Documento protegido"; +$LastLogins = "Última conexión"; +$AllLogins = "Todas las conexiones"; +$Draw = "Dibujar"; +$ThereAreNoCoursesInThisCategory = "No existen cursos en la categoría actual"; +$ConnectionsLastMonth = "Conexiones en el mes anterior"; +$TotalStudents = "Estudiantes"; +$FilteringWithScoreX = "Filtrando con resultado %s"; +$ExamTaken = "Hecho"; +$ExamNotTaken = "Sin hacer"; +$ExamPassX = "Aprobados con un mínimo de %s"; +$ExamFail = "Suspensos"; +$ExamTracking = "Seguimiento exámenes"; +$NoAttempt = "Sin intentar"; +$PassExam = "Aprobado"; +$CreateCourseRequest = "Solicitud de nuevo curso"; +$TermsAndConditions = "Términos y condiciones"; +$ReadTermsAndConditions = "Leer las condiciones del servicio"; +$IAcceptTermsAndConditions = "He leido y acepto las condiciones del servicio"; +$YouHaveToAcceptTermsAndConditions = "Para continuar debe aceptar nuestros términos y condiciones"; +$CourseRequestCreated = "Su solicitud de curso, se recibió correctamente. En breve (uno o dos días laborables) recibirá contestación sobre ella."; +$ReviewCourseRequests = "Validar Cursos"; +$AcceptedCourseRequests = "Cursos Validados"; +$RejectedCourseRequests = "Cursos Rechazados"; +$CreateThisCourseRequest = "Solicitud de nuevo curso"; +$CourseRequestDate = "Fecha Solicitud"; +$AcceptThisCourseRequest = "Validar este curso"; +$ANewCourseWillBeCreated = "El curso %s va a ser creado, ¿desea continuar?"; +$AdditionalInfoWillBeAsked = "Enviar un e-mail solicitando información adicional (%s)."; +$AskAdditionalInfo = "Pedir más información"; +$BrowserDontSupportsSVG = "Su navegador no soporta archivos SVG. Para poder utilizar esta herramienta debe tener instalado un navegador avanzado del tipo: Firefox o Chrome"; +$BrowscapInfo = "Browscap carga el archivo browscap.ini que contiene una gran cantidad de datos sobre los navegadores y sus capacidades, para que pueda ser usada por la función get_browser() de PHP"; +$DeleteThisCourseRequest = "Eliminar esta solicitud de curso"; +$ACourseRequestWillBeDeleted = "La solicitud del curso %s va a ser eliminada, ¿ desea proseguir ?"; +$RejectThisCourseRequest = "Rechazar esta solucitud de curso"; +$ACourseRequestWillBeRejected = "La solicitud del curso %s va a ser rechazada, ¿desea proseguir?"; +$CourseRequestAccepted = "La solicitud del curso %s ha sido aceptada. Un nuevo curso %s ha sido creado."; +$CourseRequestAcceptanceFailed = "La solicitud del curso %s no ha sido aceptada debido a un error interno."; +$CourseRequestRejected = "La solicitud del curso %s ha sido rechazada."; +$CourseRequestRejectionFailed = "La solicitud del curso %s no ha sido rechazada debido a un error interno."; +$CourseRequestInfoAsked = "Ha sido pedida información adicional sobre la solicitud del curso %s."; +$CourseRequestInfoFailed = "No ha sido pedida información adicional sobre la solicitud del curso %s debido a un error interno."; +$CourseRequestDeleted = "La solicitud del curso %s ha sido eliminada."; +$CourseRequestDeletionFailed = "La solicitud del curso %s no ha sido eliminada debido a un error interno."; +$DeleteCourseRequests = "Eliminar las solicitudes de cursos seleccionadas"; +$SelectedCourseRequestsDeleted = "Las solicitudes de curso seleccionadas han sido eliminadas."; +$SomeCourseRequestsNotDeleted = "Algunas de las solicitudes de curso seleccionadas no han sido eliminadas debido a un error interno."; +$CourseRequestEmailSubject = "%s Solicitud de nuevo curso %s"; +$CourseRequestMailOpening = "Se registró la siguiente solicitud para un curso nuevo:"; +$CourseRequestPageForApproval = "Puede validar la solicitud en:"; +$PleaseActivateCourseValidationFeature = "La \"Validación de curso\" no está activa. Para utilizar esta herramienta actívela usando el parámetro %s"; +$CourseRequestLegalNote = "La información de esta solicitud de formación es considerada como confidencial, por lo que sólo puede ser usada como procedimiento de apertura de un nuevo curso dentro de nuestro portal. No deberá ser revelada a terceros."; +$EnableCourseValidation = "Solicitud de cursos"; +$EnableCourseValidationComment = "Cuando la solicitud de cursos está activada, un profesor no podrá crear un curso por si mismo sino que tendrá que rellenar una solicitud. El administrador de la plataforma revisará la solicitud y la aprobará o rechazará. Esta funcionalidad se basa en mensajes de correo electrónico automáticos por lo que debe asegurarse de que su instalación de Chamilo usa un servidor de correo y una dirección de correo dedicada a ello."; +$CourseRequestAskInfoEmailSubject = "%s Solicitud de informacion %s"; +$CourseRequestAskInfoEmailText = "Hemos recibido su solicitud para la creación de un curso con el código% s. Antes de considerar su aprobación necesitamos alguna información adicional. \ N \ nPor favor, realice una breve descripción del contenido del curso, los objetivos y los estudiantes u otro tipo de usuarios que vayan a participar. Si es su caso, mencione el nombre de la institución u órgano en nombre de la cual Usted ha hecho la solicitud."; +$CourseRequestAcceptedEmailSubject = "%s La petición del curso %s ha sido aprobada"; +$CourseRequestAcceptedEmailText = "Su solicitud del curso %s ha sido aprobada. Un nuevo curso %s ha sido creado y Usted ha quedado inscrito en él como profesor.\n\nPodrá acceder al curso creado desde: %s"; +$CourseRequestRejectedEmailSubject = "%s La solicitud del curso %s ha sido rechazada"; +$CourseRequestRejectedEmailText = "Lamentamos informarle que la solicitud del curso %s ha sido rechazada debido a que no se ajusta a nuestros términos y condiciones."; +$CourseValidationTermsAndConditionsLink = "Solicitud de cursos - enlace a términos y condiciones"; +$CourseValidationTermsAndConditionsLinkComment = "La URL que enlaza el documento \"Términos y condiciones\" que rige la solicitud de un curso. Si esta dirección está configurada, el usario tendrá que leer y aceptar los términos y condiciones antes de enviar su solicitud de curso. Si activa el módulo \"Términos y condiciones\" de Chamilo y quiere usar éste en lugar de términos y condiciones propias, deje este campo vacío."; +$CourseCreationFailed = "El curso no ha sido creado debido a un error interno."; +$CourseRequestCreationFailed = "La solicitud de curso no ha sido creada debido a un error interno."; +$CourseRequestEdit = "Editar una solicitud de curso"; +$CourseRequestHasNotBeenFound = "La solicitud de curso a la que quiere acceder no se ha encontrado o no existe."; +$FileExistsChangeToSave = "Este nombre de archivo ya existe, escoja otro para guardar su imagen."; +$CourseRequestUpdateFailed = "La solicitud del curso %s no ha sido actualizada debido a un error interno."; +$CourseRequestUpdated = "La solicitud del curso %s ha sido actualizada."; +$FillWithExemplaryContent = "Incluir contenidos de ejemplo"; +$EnableSSOTitle = "Single Sign On (registro único)"; +$EnableSSOComment = "La activación de Single Sign On le permite conectar esta plataforma como cliente de un servidor de autentificación, por ejemplo una web de Drupal que tenga el módulo Drupal-Chamilo o cualquier otro servidor con una configuración similar."; +$SSOServerDomainTitle = "Dominio del servidor de Single Sign On"; +$SSOServerDomainComment = "Dominio del servidor de Single Sign On (dirección web del servidor que permitirá el registro automático dentro de Chamilo). La dirección del servidor debe escribirse sin el protocolo al comienzo y sin la barra al final, por ejemplo www.example.com"; +$SSOServerAuthURITitle = "URL del servidor de Single Sign On"; +$SSOServerAuthURIComment = "Dirección de la página encargada de verificar la autentificación. Por ejemplo, en el caso de Drupal: /?q=user"; +$SSOServerUnAuthURITitle = "URL de logout del servidor de Single Sign Out"; +$SSOServerUnAuthURIComment = "Dirección de la página del servidor que desconecta a un usuario. Esta opción únicamente es útil si desea que los usuarios que se desconectan de Chamilo también se desconecten del servidor de autentificación."; +$SSOServerProtocolTitle = "Protocolo del servidor Single Sign On"; +$SSOServerProtocolComment = "Prefijo que indica el protocolo del dominio del servidor de Single Sign On (si su servidor lo permite, recomendamos https:// pues protocolos no seguros son un peligro para un sistema de autentificación)"; +$EnabledWirisTitle = "Editor matemático WIRIS"; +$EnabledWirisComment = "Activar el editor matemático WIRIS. Instalando este plugin obtendrá WIRIS editor y WIRIS CAS.
        La activación no se realiza completamente si previamente no ha descargado el PHP plugin for CKeditor de WIRIS y descomprimido su contenido en el directorio de Chamilo main/inc/lib/javascript/ckeditor/plugins/
        Esto es necesario debido a que Wiris es un software propietario y los servicios de Wiris son comerciales. Para realizar ajustes en el plugin edite el archivo configuration.ini o sustituya su contenido por el de configuration.ini.default que acompaña a Chamilo."; +$FileSavedAs = "Archivo guardado como"; +$FileExportAs = "Archivo exportado como"; +$AllowSpellCheckTitle = "Corrector ortográfico"; +$AllowSpellCheckComment = "Activar el corrector ortográfico"; +$EnabledSVGTitle = "Creación y edición de archivos SVG"; +$EnabledSVGComment = "Esta opción le permitirá crear y editar archivos SVG (Gráficos vectoriales escalables) multicapa en línea, así como exportarlos a imágenes en formato png."; +$ForceWikiPasteAsPlainTextTitle = "Obligar a pegar como texto plano en el Wiki"; +$ForceWikiPasteAsPlainTextComment = "Esto impedirá que muchas etiquetas ocultas, incorrectas o no estándar, copiadas de otros textos acaben corrompiendo el texto del Wiki después de muchas ediciones; pero perderá algunas posibilidades durante la edición."; +$EnabledGooglemapsTitle = "Activar Google maps"; +$EnabledGooglemapsComment = "Activar el botón para insertar mapas de Google. La activación no se realizará completamente si previamente no ha editado el archivo main/inc/lib/fckeditor/myconfig.php y añadido una clave API de Google maps."; +$EnabledImageMapsTitle = "Activar Mapas de imagen"; +$EnabledImageMapsComment = "Activar el botón para insertar Mapas de imagen. Esto le permitirá asociar direcciones url a zonas de una imagen, generando zonas interactivas."; +$RemoveSearchResults = "Limpiar los resultados de la búsqueda"; +$ExerciseCantBeEditedAfterAddingToTheLP = "No es posible editar un ejercicio después de que se agregue a una lección"; +$CourseTool = "Herramienta del curso"; +$LPExerciseResultsBySession = "Resultados de los ejercicios de las lecciones por sesión"; +$LPQuestionListResults = "Lista de resultados de los ejercicios de las lecciones"; +$PleaseSelectACourse = "Por favor, seleccione un curso"; +$StudentScoreAverageIsCalculatedBaseInAllLPsAndAllAttempts = "La puntuación media del estudiante es calculada sobre el conjunto de las lecciones y de los intentos"; +$AverageScore = "Puntuación media"; +$LastConnexionDate = "Fecha de la última conexión"; +$ToolVideoconference = "Videoconferencia"; +$BigBlueButtonEnableTitle = "Herramienta de videoconferencia BigBlueButton"; $BigBlueButtonEnableComment = "Seleccione si desea habilitar la herramienta de videoconferencia BigBlueButton. Una vez activada, se mostrará como una herramienta en la página principal todos los curso. Los profesores podrán lanzar una videoconferencia en cualquier momento, pero los estudiantes sólo podrán unirse a una ya lanzada. Si no dispone de un servidor BigBlueButton, pruebe a configurar uno o pida ayuda a los proveedores oficiales de Chamilo. -BigBlueButton es libre, pero su instalación requiere ciertas habilidades técnicas que no todo el mundo posee. Puede instalarlo por su cuenta o buscar ayuda profesional con el consiguiente costo. En la lógica del software libre, nosotros le ofrecemos las herramientas para hacer más fácil su trabajo y le recomendamos profesionales (los proveedores oficiales de Chamilo) que serán capaces de ayudarle."; -$BigBlueButtonHostTitle = "Servidor BigBlueButton"; -$BigBlueButtonHostComment = "Este es el nombre del servidor donde su servidor BigBlueButton está ejecutándose. Puede ser localhost, una dirección IP (ej., 192.168.14.54) o un nombre de dominio (por ej., my.video.com)."; -$BigBlueButtonSecuritySaltTitle = "Clave de seguridad del servidor BigBlueButton"; -$BigBlueButtonSecuritySaltComment = "Esta es la clave de seguridad de su servidor BigBlueButton, que permitirá a su servidor autentificar la instalación Chamilo. Consulte la documentación de BigBlueButton para localizarla."; -$SelectSVGEditImage = "Selecciones una imagen (svg, png)"; -$OnlyAccessFromYourGroup = "Sólo accesible desde su grupo"; -$CreateAssignmentPage = "Esto creará una página wiki especial en la que el profesor describe la tarea, la cual se enlazará automáticamente a las páginas wiki donde los estudiantes la realizarán. Tanto las página del docente como la de los estudiantes se crean automáticamente. En este tipo de tareas los estudiantes sólo podrán editar y ver sus páginas, aunque esto puede cambiarlo si lo desea."; -$UserFolders = "Carpetas de los usuarios"; -$UserFolder = "Carpeta del usuario"; +BigBlueButton es libre, pero su instalación requiere ciertas habilidades técnicas que no todo el mundo posee. Puede instalarlo por su cuenta o buscar ayuda profesional con el consiguiente costo. En la lógica del software libre, nosotros le ofrecemos las herramientas para hacer más fácil su trabajo y le recomendamos profesionales (los proveedores oficiales de Chamilo) que serán capaces de ayudarle."; +$BigBlueButtonHostTitle = "Servidor BigBlueButton"; +$BigBlueButtonHostComment = "Este es el nombre del servidor donde su servidor BigBlueButton está ejecutándose. Puede ser localhost, una dirección IP (ej., 192.168.14.54) o un nombre de dominio (por ej., my.video.com)."; +$BigBlueButtonSecuritySaltTitle = "Clave de seguridad del servidor BigBlueButton"; +$BigBlueButtonSecuritySaltComment = "Esta es la clave de seguridad de su servidor BigBlueButton, que permitirá a su servidor autentificar la instalación Chamilo. Consulte la documentación de BigBlueButton para localizarla."; +$SelectSVGEditImage = "Selecciones una imagen (svg, png)"; +$OnlyAccessFromYourGroup = "Sólo accesible desde su grupo"; +$CreateAssignmentPage = "Esto creará una página wiki especial en la que el profesor describe la tarea, la cual se enlazará automáticamente a las páginas wiki donde los estudiantes la realizarán. Tanto las página del docente como la de los estudiantes se crean automáticamente. En este tipo de tareas los estudiantes sólo podrán editar y ver sus páginas, aunque esto puede cambiarlo si lo desea."; +$UserFolders = "Carpetas de los usuarios"; +$UserFolder = "Carpeta del usuario"; $HelpUsersFolder = "INFORMACIÓN SOLO VISIBLE POR EL PROFESORADO:\nLa carpeta de los usuarios contiene una carpeta de cada usuario que haya accedido a ella a través de la herramienta documentos, o bien que haya enviado algún fichero al curso a través del editor, salvo desde la herramienta grupos. Si ninguna de las dos circuntancias se ha producido la carpeta del usuario no estará creada. En el caso de los grupos, los archivos que se envíen a través del editor se depositarán en la carpeta de cada grupo, la cual sólo será accesible por los alumnos desde la herramienta grupos. La carpeta de los usuarios y las carpetas que contiene de cada uno de ellos, se mantendrán por ocultas por defecto, si bien cada alumno podrá ver el contenido de la suya cuando acceda a inspeccionar los archivos del servidor a través del editor. No obstante, si un alumno conoce la dirección de un archivo de la carpeta de otro alumno podrá visualizarlo. @@ -6178,840 +6178,840 @@ Si se hace visible la carpeta de los usuarios y la carpeta de uno o más alumnos Por otra parte, la herramienta documentos se sincroniza con el gestor de archivos del editor web, así que los cambios en la gestión de los documentos realizados en una u otra afectarán a ambas. -Así pues, la carpeta de usuario no sólo es un lugar para depositar los archivos, sino que se convierte en un completo gestor de los documentos que los estudiantes utilizan durante el curso. Además, recuerde que cualquier usuario podrá copiar un archivo, que sea visible, de cualquier carpeta de la herramienta documentos (sea o no la suya) a su portafolios o área personal de documentos de la red social, donde estará disponible para que lo pueda usar en otros cursos."; -$HelpFolderChat = "INFORMACIÓN SOLO VISIBLE POR EL PROFESORADO:\nEsta carpeta contiene todas las sesiones que se han realizado en el chat. Aunque muchas veces las sesiones en el chat pueden ser triviales, en otras pueden ser dignas de ser tratadas como un documento más de trabajo. Para ello, sin cambiar la visibilidad de esta carpeta, haga visible el archivo y enlácelo donde considere oportuno. No se recomienda hacer visible esta carpeta."; -$HelpFolderCertificates = "INFORMACIÓN SOLO VISIBLE POR EL PROFESORADO:\nEsta carpeta contiene los distintos modelos de certificados que se han creado para la herramienta Evaluaciones. No se recomienda hacer visible esta carpeta."; -$DestinationDirectory = "Carpeta de destino"; -$CertificatesFiles = "Certificados"; -$ChatFiles = "Historial de conversaciones en el chat"; -$Flash = "Flash"; -$Video = "Video"; -$Images = "Imágenes"; -$UploadCorrections = "Subir correcciones"; -$Text2AudioTitle = "Activar servicios de conversión de texto en audio"; -$Text2AudioComment = "Herramienta on-line para convertir texto en voz. Utiliza tecnología y sistemas de síntesis del habla para ofrecer recursos de voz."; -$ShowUsersFoldersTitle = "Mostrar las carpetas de los usuarios en la herramienta documentos"; +Así pues, la carpeta de usuario no sólo es un lugar para depositar los archivos, sino que se convierte en un completo gestor de los documentos que los estudiantes utilizan durante el curso. Además, recuerde que cualquier usuario podrá copiar un archivo, que sea visible, de cualquier carpeta de la herramienta documentos (sea o no la suya) a su portafolios o área personal de documentos de la red social, donde estará disponible para que lo pueda usar en otros cursos."; +$HelpFolderChat = "INFORMACIÓN SOLO VISIBLE POR EL PROFESORADO:\nEsta carpeta contiene todas las sesiones que se han realizado en el chat. Aunque muchas veces las sesiones en el chat pueden ser triviales, en otras pueden ser dignas de ser tratadas como un documento más de trabajo. Para ello, sin cambiar la visibilidad de esta carpeta, haga visible el archivo y enlácelo donde considere oportuno. No se recomienda hacer visible esta carpeta."; +$HelpFolderCertificates = "INFORMACIÓN SOLO VISIBLE POR EL PROFESORADO:\nEsta carpeta contiene los distintos modelos de certificados que se han creado para la herramienta Evaluaciones. No se recomienda hacer visible esta carpeta."; +$DestinationDirectory = "Carpeta de destino"; +$CertificatesFiles = "Certificados"; +$ChatFiles = "Historial de conversaciones en el chat"; +$Flash = "Flash"; +$Video = "Video"; +$Images = "Imágenes"; +$UploadCorrections = "Subir correcciones"; +$Text2AudioTitle = "Activar servicios de conversión de texto en audio"; +$Text2AudioComment = "Herramienta on-line para convertir texto en voz. Utiliza tecnología y sistemas de síntesis del habla para ofrecer recursos de voz."; +$ShowUsersFoldersTitle = "Mostrar las carpetas de los usuarios en la herramienta documentos"; $ShowUsersFoldersComment = " -Esta opción le permitirá mostrar u ocultar a los profesores las carpetas que el sistema genera para cada usuario que visita la herramienta documentos o envía un archivo a través del editor web. Si muestra estas carpetas a los profesores, éstos podrán hacerlas visibles o no a los estudiantes y permitirán a cada estudiante tener un lugar específico en el curso donde, no sólo almacenar documentos, sino donde también podrán crear y modificar páginas web y poder exportarlas a pdf, realizar dibujos, realizar plantillas web personales, enviar archivos, así como crear, mover y eliminar subdirectorios y archivos, y sacar copias de seguridad de sus carpetas. Cada usuario del curso dispondrá de un completo gestor de documentos. Además, recuerde que cualquier usuario podrá copiar un archivo, que sea visible, de cualquier carpeta de la herramienta documentos (sea o no la suya) a su portafolios o área personal de documentos de la red social, donde estará disponible para que lo pueda usar en otros cursos."; -$ShowDefaultFoldersTitle = "Mostrar en la herramienta documentos las carpetas que contienen los recursos multimedia suministrados por defecto."; -$ShowDefaultFoldersComment = "Las carpetas de archivos multimedia suministradas por defecto contienen archivos de libre distribución organizados en las categorías de video, audio, imagen y animaciones flash que para utilizar en sus cursos. Aunque las oculte en la herramienta documentos, podrá seguir usándolas en el editor web de la plataforma."; -$ShowChatFolderTitle = "Mostrar la carpeta del historial de las conversaciones del chat"; -$ShowChatFolderComment = "Esto mostrará al profesorado la carpeta que contiene todas las sesiones que se han realizado en el chat, pudiendo éste hacerlas visibles o no a los estudiantes y utilizarlas como un recurso más."; -$EnabledStudentExport2PDFTitle = "Permitir a los estudiantes exportar documentos web al formato PDF en las herramientas documentos y wiki"; -$EnabledStudentExport2PDFComment = "Esta prestación está habilitada por defecto, pero en caso de sobrecarga del servidor por abuso de ella, o en entornos de formación específicos, puede que desee dsactivarla en todos los cursos."; -$EnabledInsertHtmlTitle = "Permitir la inserción de Widgets"; -$EnabledInsertHtmlComment = "Esto le permitirá embeber en sus páginas web sus videos y aplicaciones favoritas como vimeo o slideshare y todo tipo de widgets y gadgets"; -$CreateAudio = "Crear audio"; -$InsertText2Audio = "Introduzca el texto que desea convertir en un archivo de audio"; -$HelpText2Audio = "Transforme su texto en voz"; -$BuildMP3 = "Generar mp3"; -$Voice = "Voz"; -$Female = "Femenina"; -$Male = "Masculina"; -$IncludeAsciiMathMlTitle = "Cargar la librería Mathjax para todas las páginas de la plataforma"; -$IncludeAsciiMathMlComment = "Active este parámetro si desea mostrar fórmulas matemáticas basadas en MathML y gráficos matemáticos basados en ASCIIsvg, no solo en la herramienta \"Documentos\", pero también en otras herramientas de la plataforma."; -$CourseHideToolsTitle = "Ocultar las herramientas a los docentes"; -$CourseHideToolsComment = "Seleccione las herramientas que desea esconder del docente. Esto prohibirá el acceso a la herramienta."; -$GoogleAudio = "Usar los servicios de audio de Google"; -$vozMe = "Usar los servicios de audio de vozMe"; -$HelpGoogleAudio = "Admite un máximo de 100 caracteres, soportando una amplia variedad de idiomas. Los archivos se generarán y guardarán automáticamente en el directorio de Chamilo en el que Usted actualmente se encuentra."; -$HelpvozMe = "Admite textos de varios miles de caracteres, también podrá seleccionar el tipo de voz: masculina o femenina. Sin embargo, trabaja con menos idiomas, la calidad del audio es inferior y Usted tendrá que descargar los archivos manualmente desde una nueva ventana."; -$SaveMP3 = "Guardar mp3"; -$OpenInANewWindow = "Abrir en una nueva ventana"; -$Speed = "Velocidad"; -$GoFaster = "Más rápida"; -$Fast = "Rápida"; -$Slow = "Lenta"; -$SlowDown = "Más lenta"; -$Pediaphon = "Usar los servicios de audio de Pediaphon"; -$HelpPediaphon = "Admite textos con varios miles de caracteres, pudiéndose seleccionar varios tipos de voz masculinas y femeninas (según el idioma). Los archivos de audio se generarán y guardarán automáticamente en el directorio de Chamilo en el que Usted actualmente se encuentra."; -$FirstSelectALanguage = "Primero seleccione un idioma"; -$MoveUserStats = "Mover los resultados de los usuarios desde/hacia una sesión de formación"; +Esta opción le permitirá mostrar u ocultar a los profesores las carpetas que el sistema genera para cada usuario que visita la herramienta documentos o envía un archivo a través del editor web. Si muestra estas carpetas a los profesores, éstos podrán hacerlas visibles o no a los estudiantes y permitirán a cada estudiante tener un lugar específico en el curso donde, no sólo almacenar documentos, sino donde también podrán crear y modificar páginas web y poder exportarlas a pdf, realizar dibujos, realizar plantillas web personales, enviar archivos, así como crear, mover y eliminar subdirectorios y archivos, y sacar copias de seguridad de sus carpetas. Cada usuario del curso dispondrá de un completo gestor de documentos. Además, recuerde que cualquier usuario podrá copiar un archivo, que sea visible, de cualquier carpeta de la herramienta documentos (sea o no la suya) a su portafolios o área personal de documentos de la red social, donde estará disponible para que lo pueda usar en otros cursos."; +$ShowDefaultFoldersTitle = "Mostrar en la herramienta documentos las carpetas que contienen los recursos multimedia suministrados por defecto."; +$ShowDefaultFoldersComment = "Las carpetas de archivos multimedia suministradas por defecto contienen archivos de libre distribución organizados en las categorías de video, audio, imagen y animaciones flash que para utilizar en sus cursos. Aunque las oculte en la herramienta documentos, podrá seguir usándolas en el editor web de la plataforma."; +$ShowChatFolderTitle = "Mostrar la carpeta del historial de las conversaciones del chat"; +$ShowChatFolderComment = "Esto mostrará al profesorado la carpeta que contiene todas las sesiones que se han realizado en el chat, pudiendo éste hacerlas visibles o no a los estudiantes y utilizarlas como un recurso más."; +$EnabledStudentExport2PDFTitle = "Permitir a los estudiantes exportar documentos web al formato PDF en las herramientas documentos y wiki"; +$EnabledStudentExport2PDFComment = "Esta prestación está habilitada por defecto, pero en caso de sobrecarga del servidor por abuso de ella, o en entornos de formación específicos, puede que desee dsactivarla en todos los cursos."; +$EnabledInsertHtmlTitle = "Permitir la inserción de Widgets"; +$EnabledInsertHtmlComment = "Esto le permitirá embeber en sus páginas web sus videos y aplicaciones favoritas como vimeo o slideshare y todo tipo de widgets y gadgets"; +$CreateAudio = "Crear audio"; +$InsertText2Audio = "Introduzca el texto que desea convertir en un archivo de audio"; +$HelpText2Audio = "Transforme su texto en voz"; +$BuildMP3 = "Generar mp3"; +$Voice = "Voz"; +$Female = "Femenina"; +$Male = "Masculina"; +$IncludeAsciiMathMlTitle = "Cargar la librería Mathjax para todas las páginas de la plataforma"; +$IncludeAsciiMathMlComment = "Active este parámetro si desea mostrar fórmulas matemáticas basadas en MathML y gráficos matemáticos basados en ASCIIsvg, no solo en la herramienta \"Documentos\", pero también en otras herramientas de la plataforma."; +$CourseHideToolsTitle = "Ocultar las herramientas a los docentes"; +$CourseHideToolsComment = "Seleccione las herramientas que desea esconder del docente. Esto prohibirá el acceso a la herramienta."; +$GoogleAudio = "Usar los servicios de audio de Google"; +$vozMe = "Usar los servicios de audio de vozMe"; +$HelpGoogleAudio = "Admite un máximo de 100 caracteres, soportando una amplia variedad de idiomas. Los archivos se generarán y guardarán automáticamente en el directorio de Chamilo en el que Usted actualmente se encuentra."; +$HelpvozMe = "Admite textos de varios miles de caracteres, también podrá seleccionar el tipo de voz: masculina o femenina. Sin embargo, trabaja con menos idiomas, la calidad del audio es inferior y Usted tendrá que descargar los archivos manualmente desde una nueva ventana."; +$SaveMP3 = "Guardar mp3"; +$OpenInANewWindow = "Abrir en una nueva ventana"; +$Speed = "Velocidad"; +$GoFaster = "Más rápida"; +$Fast = "Rápida"; +$Slow = "Lenta"; +$SlowDown = "Más lenta"; +$Pediaphon = "Usar los servicios de audio de Pediaphon"; +$HelpPediaphon = "Admite textos con varios miles de caracteres, pudiéndose seleccionar varios tipos de voz masculinas y femeninas (según el idioma). Los archivos de audio se generarán y guardarán automáticamente en el directorio de Chamilo en el que Usted actualmente se encuentra."; +$FirstSelectALanguage = "Primero seleccione un idioma"; +$MoveUserStats = "Mover los resultados de los usuarios desde/hacia una sesión de formación"; $CompareUserResultsBetweenCoursesAndCoursesInASession = "Esta herramienta avanzada le permite mejorar manualmente el seguimiento de los resultados de los usuarios cuando cambia de un modelo de cursos a un modelo de sesiones de formación. En una mayoría de casos, no necesitará usarla.
        En esta pantalla, puede comparar los resultados que los usuarios tienen en el contexto de un curso y en el contexto del mismo curso dentro de una sesión de formación.
        -Una vez que decidida cuál es el mejor contexto para el seguimiento (resultados de ejercicios y seguimiento de lecciones), podrá moverlo de un curso a una sesión."; -$PDFExportWatermarkEnableTitle = "Marcas de agua en las exportaciones a PDF"; -$PDFExportWatermarkEnableComment = "Si activa esta opción podrá cargar una imagen o un texto que serán automáticamente añadidos como marca de agua en los documentos resultantes de todas las exportaciones a PDF que realice el sistema."; -$AddWaterMark = "Cargar una imagen para marca de agua"; -$PDFExportWatermarkByCourseTitle = "Activar la definición de marcas de agua por curso"; -$PDFExportWatermarkByCourseComment = "Cuando esta opción está activada, los profesores podrán definir sus propias marcas de agua en los documentos de sus cursos."; -$PDFExportWatermarkTextTitle = "Texto de marca de agua para PDF"; -$PDFExportWatermarkTextComment = "Este texto se añadirá como marca de agua en los documentos resultantes de las exportaciones al formato PDF."; -$ExerciseMinScoreTitle = "Puntuación mínima de los ejercicios"; -$ExerciseMinScoreComment = "Establezca una puntuación mínima (generalmente 0) para todos los ejercicios de la plataforma. Esto definirá como los resultados finales se mostrarán a los estudiantes y profesores."; -$ExerciseMaxScoreTitle = "Puntuación máxima de los ejercicios"; -$ExerciseMaxScoreComment = "Establezca una puntuación máxima (generalmente 10, 20 o 100) para todos los ejercicios de la plataforma. Esto definirá la manera en que los resultados finales se mostrarán a los profesores y a los estudiantes."; -$AddPicture = "Añadir imagen del curso"; -$LPAutoLaunch = "Activar el despliegue automático de lecciones"; -$UseMaxScore100 = "Usar por defecto 100 como puntuación máxima"; -$EnableLPAutoLaunch = "Activar el despliegue automático"; -$DisableLPAutoLaunch = "Desactivar el despliegue automático"; -$TheLPAutoLaunchSettingIsONStudentsWillBeRedirectToAnSpecificLP = "La configuración para el despliegue automático de Lecciones está activada. Los estudiantes serán redirigidos a la lección seleccionada cuando entren al curso para que se muestre automáticamente."; -$UniqueAnswerNoOption = "Respuesta única con no-se"; -$MultipleAnswerTrueFalse = "Respuestas múltiples v/f/no-se"; -$MultipleAnswerCombinationTrueFalse = "Combinación v/f/no-se"; -$DontKnow = "No se"; -$ExamNotAvailableAtThisTime = "Examen no disponible en este momento"; -$LoginOrEmailAddress = "Nombre de usuario o dirección e-mail"; -$EnableMathJaxTitle = "Activar MathJax"; -$Activate = "Activar"; -$Deactivate = "Desactivar"; -$ConfigLearnpath = "Configurar la herramienta lecciones"; -$CareersAndPromotions = "Carreras y promociones"; -$Careers = "Carreras"; -$Promotions = "Promociones"; -$Updated = "Actualización correcta"; -$Career = "Carrera"; -$SubscribeSessionsToPromotions = "Inscribir sesiones en la promoción"; -$SessionsInPlatform = "Sesiones no asociadas"; -$FirstLetterSessions = "Primera letra del nombre de la sesión"; -$SessionsInPromotion = "Sesiones en esta promoción"; -$SubscribeSessionsToPromotion = "Subscribirse a sesiones de la promoción"; -$NoEndTime = "Sin fecha de fin"; -$SubscribeUsersToClass = "Inscribir usuarios en la clase"; -$SubscribeClassToCourses = "Asociar un curso a la clase"; -$SubscribeClassToSessions = "Asociar sesiones a la clase"; -$SessionsInGroup = "Sesiones de la clase"; -$CoursesInGroup = "Cursos del grupo"; -$UsersInGroup = "Usuarios del grupo"; -$UsersInPlatform = "Usuarios de la plataforma"; -$Profile = "Perfil"; -$CreatedAt = "Creado el"; -$UpdatedAt = "Actualizado el"; -$CreatedOn = "Creado el"; -$UpdatedOn = "Actualizado el"; -$Paint = "Pintar"; -$MyResults = "Mis resultados"; -$LearningPaths = "Lecciones"; -$AllLearningPaths = "Todas las lecciones"; -$ByCourse = "Por curso"; -$MyQCM = "Mis pruebas"; -$LearnpathUpdated = "Lección actualizada"; -$YouNeedToCreateACareerFirst = "Se requiere que exista una carrera antes de poder añadir promociones (promociones son sub-elementos de una carrera)."; -$OutputBufferingInfo = "El output buffering (o caché de salida) está a \"On\" cuando activado y a \"Off\" cuando desactivado. Este parámetro también puede ser activado a través de un valor entero (4096, por ejemplo) que suele ser le tamaño de la memoria caché de salida."; -$LoadedExtension = "Extensión cargada"; -$AddACourse = "Añadir un curso"; -$PerWeek = "Por semana"; -$SubscribeGroupToSessions = "Asociar la clase a varias sesiones"; -$SubscribeGroupToCourses = "Inscribir grupo en cursos"; -$CompareStats = "Comparar estadísticas"; -$RenameAndComment = "Cambiar de nombre y comentar"; -$PhotoRetouching = "Retoque fotográfico"; -$EnabledPixlrTitle = "Activar los servicios externos de Pixlr"; -$EnabledPixlrComment = "Pixlr le permitirá editar, ajustar y filtrar sus fotografías con prestaciones similares a las de Photoshop. Es el complemento ideal para tratar imágenes basadas en mapas de bits"; -$PromotionXArchived = "La promoción %s ha sido archivada. Esta acción tiene como consecuencia hacer invisibles todas las sesiones registradas a esta promoción. Puede deshacer este cambio desarchivando la promoción."; -$PromotionXUnarchived = "La promoción %s ha sido desarchivada. Esta acción tiene como consecuencia hacer visibles todas las sesiones registradas a esta promoción. Puede deshacer este cambio archivando la promoción."; -$CareerXArchived = "La carrera %s ha sido archivada. Esto tiene como consecuencia el hacer invisible la carrera, sus promociones así como las sesiones registradas en estas promociones. Puede deshacer esta acción desarchivando a la carrera."; -$CareerXUnarchived = "La carrera %s ha sido desarchivada. Esto tiene como consecuencia el hacer visible la carrera, sus promociones así como las sesiones registradas en estas promociones. Puede deshacer esta acción archivando a la carrera."; -$SeeAll = "Ver todos"; -$SeeOnlyArchived = "Ver solo archivados"; -$SeeOnlyUnarchived = "Ver solo no archivados"; -$LatestAttempt = "Último intento"; -$PDFWaterMarkHeader = "Cabecera filigrana en exportes PDF"; -$False = "Falso"; -$DoubtScore = "No se"; -$RegistrationByUsersGroups = "Inscripción por clases"; -$ContactInformationHasNotBeenSent = "Su información de contacto no pudió 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 clic al butón para el siguiente paso."; -$FillCourses = "Generar cursos"; -$FillSessions = "Generar sesiones"; -$FileDeleted = "Archivo eliminado"; -$MyClasses = "Mis clases"; -$Archived = "Archivada"; -$Unarchived = "Sin archivar"; -$PublicationDate = "Fecha de publicación"; -$MySocialGroups = "Mis grupos"; -$SocialGroups = "Grupos"; -$CreateASocialGroup = "Crear un grupo social"; -$StatsUsersDidNotLoginInLastPeriods = "No conectados por un tiempo"; -$LastXMonths = "Últimos %i meses"; -$NeverConnected = "Nunca conectados"; -$EnableAccessibilityFontResizeTitle = "Funcionalidad de redimensionamiento de fuentes"; -$EnableAccessibilityFontResizeComment = "Activar esta opción mostrará una serie de opciones de redimensionamiento de fuentes en la parte superior derecha de su campus. Esto permitirá a las personas con problemas de vista leer más fácilmente los contenidos de sus cursos."; -$HotSpotDelineation = "Delineación hotspot"; -$CorrectAndRate = "Corregir y puntuar"; -$AtOnce = "Inmediatamente"; -$Daily = "A diario"; -$QuestionsAreTakenFromLPExercises = "Estas preguntas han sido tomadas en las lecciones"; -$AllStudentsAttemptsAreConsidered = "Todos los intentos de los estudiantes son tomados en cuenta"; -$ViewModeEmbedFrame = "Vista actual: incrustado externo. Solo para uso desde otros sitios."; -$ItemAdded = "Elemento añadido"; -$ItemDeleted = "Elemento borrado"; -$ItemUpdated = "Elemento actualizado"; -$ItemCopied = "Elemento copiado"; -$MyStatistics = "Mis estadísticas"; -$PublishedExercises = "Ejercicios disponibles"; -$DoneExercises = "Ejercicios realizados"; -$AverageExerciseResult = "Resultados promedios ejercicio"; -$LPProgress = "Progreso de lecciones"; -$Ranking = "Clasificación"; -$BestResultInCourse = "Mejor resultado del curso"; -$ExerciseStartDate = "Fecha publicación"; -$FromDateXToDateY = "Del %s al %s"; -$RedirectToALearningPath = "Redirigir a un itinerario seleccionado"; -$RedirectToTheLearningPathList = "Redirigir a la lista de itinerarios"; -$PropagateNegativeResults = "Propagar los resultados negativos entre preguntas"; -$LPNotVisibleToStudent = "Los estudiantes no pueden ver esta lección"; -$InsertALinkToThisQuestionInTheExercise = "Insertar esta pregunta en el ejercicio como un vínculo (no una copia)"; -$CourseThematicAdvance = "Avance del curso"; -$OnlyShowScore = "Modo ejercicio: Mostrar solo la puntuación"; -$Clean = "Limpiar"; -$OnlyBestResultsPerStudent = "En caso de intentos múltiples, solo muestra el mejor resultado por estudiante"; -$EditMembersList = "Editar lista de miembros"; -$BestAttempt = "Mejor intento"; -$ExercisesInTimeProgressChart = "Progreso de resultados de ejercicios propios en el tiempo frente al promedio de estudiantes"; -$MailNotifyInvitation = "Notificar las invitaciones por correo electrónico"; -$MailNotifyMessage = "Notificar los mensajes por correo electrónico"; -$MailNotifyGroupMessage = "Notificar en los grupos los mensajes por correo electrónico"; -$SearchEnabledTitle = "Búsqueda a texto completo"; +Una vez que decidida cuál es el mejor contexto para el seguimiento (resultados de ejercicios y seguimiento de lecciones), podrá moverlo de un curso a una sesión."; +$PDFExportWatermarkEnableTitle = "Marcas de agua en las exportaciones a PDF"; +$PDFExportWatermarkEnableComment = "Si activa esta opción podrá cargar una imagen o un texto que serán automáticamente añadidos como marca de agua en los documentos resultantes de todas las exportaciones a PDF que realice el sistema."; +$AddWaterMark = "Cargar una imagen para marca de agua"; +$PDFExportWatermarkByCourseTitle = "Activar la definición de marcas de agua por curso"; +$PDFExportWatermarkByCourseComment = "Cuando esta opción está activada, los profesores podrán definir sus propias marcas de agua en los documentos de sus cursos."; +$PDFExportWatermarkTextTitle = "Texto de marca de agua para PDF"; +$PDFExportWatermarkTextComment = "Este texto se añadirá como marca de agua en los documentos resultantes de las exportaciones al formato PDF."; +$ExerciseMinScoreTitle = "Puntuación mínima de los ejercicios"; +$ExerciseMinScoreComment = "Establezca una puntuación mínima (generalmente 0) para todos los ejercicios de la plataforma. Esto definirá como los resultados finales se mostrarán a los estudiantes y profesores."; +$ExerciseMaxScoreTitle = "Puntuación máxima de los ejercicios"; +$ExerciseMaxScoreComment = "Establezca una puntuación máxima (generalmente 10, 20 o 100) para todos los ejercicios de la plataforma. Esto definirá la manera en que los resultados finales se mostrarán a los profesores y a los estudiantes."; +$AddPicture = "Añadir imagen del curso"; +$LPAutoLaunch = "Activar el despliegue automático de lecciones"; +$UseMaxScore100 = "Usar por defecto 100 como puntuación máxima"; +$EnableLPAutoLaunch = "Activar el despliegue automático"; +$DisableLPAutoLaunch = "Desactivar el despliegue automático"; +$TheLPAutoLaunchSettingIsONStudentsWillBeRedirectToAnSpecificLP = "La configuración para el despliegue automático de Lecciones está activada. Los estudiantes serán redirigidos a la lección seleccionada cuando entren al curso para que se muestre automáticamente."; +$UniqueAnswerNoOption = "Respuesta única con no-se"; +$MultipleAnswerTrueFalse = "Respuestas múltiples v/f/no-se"; +$MultipleAnswerCombinationTrueFalse = "Combinación v/f/no-se"; +$DontKnow = "No se"; +$ExamNotAvailableAtThisTime = "Examen no disponible en este momento"; +$LoginOrEmailAddress = "Nombre de usuario o dirección e-mail"; +$EnableMathJaxTitle = "Activar MathJax"; +$Activate = "Activar"; +$Deactivate = "Desactivar"; +$ConfigLearnpath = "Configurar la herramienta lecciones"; +$CareersAndPromotions = "Carreras y promociones"; +$Careers = "Carreras"; +$Promotions = "Promociones"; +$Updated = "Actualización correcta"; +$Career = "Carrera"; +$SubscribeSessionsToPromotions = "Inscribir sesiones en la promoción"; +$SessionsInPlatform = "Sesiones no asociadas"; +$FirstLetterSessions = "Primera letra del nombre de la sesión"; +$SessionsInPromotion = "Sesiones en esta promoción"; +$SubscribeSessionsToPromotion = "Subscribirse a sesiones de la promoción"; +$NoEndTime = "Sin fecha de fin"; +$SubscribeUsersToClass = "Inscribir usuarios en la clase"; +$SubscribeClassToCourses = "Asociar un curso a la clase"; +$SubscribeClassToSessions = "Asociar sesiones a la clase"; +$SessionsInGroup = "Sesiones de la clase"; +$CoursesInGroup = "Cursos del grupo"; +$UsersInGroup = "Usuarios del grupo"; +$UsersInPlatform = "Usuarios de la plataforma"; +$Profile = "Perfil"; +$CreatedAt = "Creado el"; +$UpdatedAt = "Actualizado el"; +$CreatedOn = "Creado el"; +$UpdatedOn = "Actualizado el"; +$Paint = "Pintar"; +$MyResults = "Mis resultados"; +$LearningPaths = "Lecciones"; +$AllLearningPaths = "Todas las lecciones"; +$ByCourse = "Por curso"; +$MyQCM = "Mis pruebas"; +$LearnpathUpdated = "Lección actualizada"; +$YouNeedToCreateACareerFirst = "Se requiere que exista una carrera antes de poder añadir promociones (promociones son sub-elementos de una carrera)."; +$OutputBufferingInfo = "El output buffering (o caché de salida) está a \"On\" cuando activado y a \"Off\" cuando desactivado. Este parámetro también puede ser activado a través de un valor entero (4096, por ejemplo) que suele ser le tamaño de la memoria caché de salida."; +$LoadedExtension = "Extensión cargada"; +$AddACourse = "Añadir un curso"; +$PerWeek = "Por semana"; +$SubscribeGroupToSessions = "Asociar la clase a varias sesiones"; +$SubscribeGroupToCourses = "Inscribir grupo en cursos"; +$CompareStats = "Comparar estadísticas"; +$RenameAndComment = "Cambiar de nombre y comentar"; +$PhotoRetouching = "Retoque fotográfico"; +$EnabledPixlrTitle = "Activar los servicios externos de Pixlr"; +$EnabledPixlrComment = "Pixlr le permitirá editar, ajustar y filtrar sus fotografías con prestaciones similares a las de Photoshop. Es el complemento ideal para tratar imágenes basadas en mapas de bits"; +$PromotionXArchived = "La promoción %s ha sido archivada. Esta acción tiene como consecuencia hacer invisibles todas las sesiones registradas a esta promoción. Puede deshacer este cambio desarchivando la promoción."; +$PromotionXUnarchived = "La promoción %s ha sido desarchivada. Esta acción tiene como consecuencia hacer visibles todas las sesiones registradas a esta promoción. Puede deshacer este cambio archivando la promoción."; +$CareerXArchived = "La carrera %s ha sido archivada. Esto tiene como consecuencia el hacer invisible la carrera, sus promociones así como las sesiones registradas en estas promociones. Puede deshacer esta acción desarchivando a la carrera."; +$CareerXUnarchived = "La carrera %s ha sido desarchivada. Esto tiene como consecuencia el hacer visible la carrera, sus promociones así como las sesiones registradas en estas promociones. Puede deshacer esta acción archivando a la carrera."; +$SeeAll = "Ver todos"; +$SeeOnlyArchived = "Ver solo archivados"; +$SeeOnlyUnarchived = "Ver solo no archivados"; +$LatestAttempt = "Último intento"; +$PDFWaterMarkHeader = "Cabecera filigrana en exportes PDF"; +$False = "Falso"; +$DoubtScore = "No se"; +$RegistrationByUsersGroups = "Inscripción por clases"; +$ContactInformationHasNotBeenSent = "Su información de contacto no pudió 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 clic al butón para el siguiente paso."; +$FillCourses = "Generar cursos"; +$FillSessions = "Generar sesiones"; +$FileDeleted = "Archivo eliminado"; +$MyClasses = "Mis clases"; +$Archived = "Archivada"; +$Unarchived = "Sin archivar"; +$PublicationDate = "Fecha de publicación"; +$MySocialGroups = "Mis grupos"; +$SocialGroups = "Grupos"; +$CreateASocialGroup = "Crear un grupo social"; +$StatsUsersDidNotLoginInLastPeriods = "No conectados por un tiempo"; +$LastXMonths = "Últimos %i meses"; +$NeverConnected = "Nunca conectados"; +$EnableAccessibilityFontResizeTitle = "Funcionalidad de redimensionamiento de fuentes"; +$EnableAccessibilityFontResizeComment = "Activar esta opción mostrará una serie de opciones de redimensionamiento de fuentes en la parte superior derecha de su campus. Esto permitirá a las personas con problemas de vista leer más fácilmente los contenidos de sus cursos."; +$HotSpotDelineation = "Delineación hotspot"; +$CorrectAndRate = "Corregir y puntuar"; +$AtOnce = "Inmediatamente"; +$Daily = "A diario"; +$QuestionsAreTakenFromLPExercises = "Estas preguntas han sido tomadas en las lecciones"; +$AllStudentsAttemptsAreConsidered = "Todos los intentos de los estudiantes son tomados en cuenta"; +$ViewModeEmbedFrame = "Vista actual: incrustado externo. Solo para uso desde otros sitios."; +$ItemAdded = "Elemento añadido"; +$ItemDeleted = "Elemento borrado"; +$ItemUpdated = "Elemento actualizado"; +$ItemCopied = "Elemento copiado"; +$MyStatistics = "Mis estadísticas"; +$PublishedExercises = "Ejercicios disponibles"; +$DoneExercises = "Ejercicios realizados"; +$AverageExerciseResult = "Resultados promedios ejercicio"; +$LPProgress = "Progreso de lecciones"; +$Ranking = "Clasificación"; +$BestResultInCourse = "Mejor resultado del curso"; +$ExerciseStartDate = "Fecha publicación"; +$FromDateXToDateY = "Del %s al %s"; +$RedirectToALearningPath = "Redirigir a un itinerario seleccionado"; +$RedirectToTheLearningPathList = "Redirigir a la lista de itinerarios"; +$PropagateNegativeResults = "Propagar los resultados negativos entre preguntas"; +$LPNotVisibleToStudent = "Los estudiantes no pueden ver esta lección"; +$InsertALinkToThisQuestionInTheExercise = "Insertar esta pregunta en el ejercicio como un vínculo (no una copia)"; +$CourseThematicAdvance = "Avance del curso"; +$OnlyShowScore = "Modo ejercicio: Mostrar solo la puntuación"; +$Clean = "Limpiar"; +$OnlyBestResultsPerStudent = "En caso de intentos múltiples, solo muestra el mejor resultado por estudiante"; +$EditMembersList = "Editar lista de miembros"; +$BestAttempt = "Mejor intento"; +$ExercisesInTimeProgressChart = "Progreso de resultados de ejercicios propios en el tiempo frente al promedio de estudiantes"; +$MailNotifyInvitation = "Notificar las invitaciones por correo electrónico"; +$MailNotifyMessage = "Notificar los mensajes por correo electrónico"; +$MailNotifyGroupMessage = "Notificar en los grupos los mensajes por correo electrónico"; +$SearchEnabledTitle = "Búsqueda a texto completo"; $SearchEnabledComment = "Esta funcionalidad permite la indexación de la mayoría de los documentos subidos a su portal, con lo que permite la búsqueda para los usuarios.
        Esta funcionalidad no indexa los documentos que ya fueron subidos, por lo que es importante (si se quiere) activarla al comienzo de su implementación.
        -Una vez activada, una caja de búsqueda aparecerá en la lista de cursos de cada usuario. Buscar un término específico suministra una lista de documentos, ejercicios o temas de foro correspondientes, filtrados dependiendo de su disponibilidad para el usuario."; -$SpecificSearchFieldsAvailable = "Campos de búsqueda personalizados disponibles"; -$XapianModuleInstalled = "Módulo Xapian instalado"; -$ClickToSelectOrDragAndDropMultipleFilesOnTheUploadField = "Para enviar uno o más ficheros, tan sólo tendrá que arrastrarlos desde el escritorio de su ordenador hasta la caja inferior y el sistema hará el resto. Alternativamente, también podrá hacer clic en la caja inferior y seleccionar los ficheros que desee subir (puede usar CTRL + clic para seleccionar varios a un tiempo)."; -$Simple = "Simple"; -$Multiple = "Múltiple"; -$UploadFiles = "Arrastre aquí los archivos que desee enviar"; -$ImportExcelQuiz = "Importar ejercicio via Excel"; -$DownloadExcelTemplate = "Descargar plantilla Excel"; -$YouAreCurrentlyUsingXOfYourX = "Está utilizando %s MB (%s) de su total disponible de %s MB."; -$AverageIsCalculatedBasedInAllAttempts = "El promedio se basa en todos los intentos realizados"; -$AverageIsCalculatedBasedInTheLatestAttempts = "El promedio se basa en los últimos intentos realizados"; -$LatestAttemptAverageScore = "Promedio de los últimos resultados"; -$SupportedFormatsForIndex = "Formatos disponibles para la indexación"; -$Installed = "Instalado"; -$NotInstalled = "No instalado"; -$Settings = "Parámetros"; -$ProgramsNeededToConvertFiles = "Programas necesarios para indexar archivos de formatos ajenos"; -$YouAreUsingChamiloInAWindowsPlatformSadlyYouCantConvertDocumentsInOrderToSearchTheContentUsingThisTool = "Está usando Chamilo en una plataforma Windows. Lamenablemente, no puede convertir los documentos para indexarlos usando esta herramienta."; -$OnlyLettersAndNumbers = "Solo letras (a-z) y números (0-9)"; -$HideCoursesInSessionsTitle = "Ocultar cursos en la lista de sesiones"; -$HideCoursesInSessionsComment = "Cuando muestra los bloques de sesiones en la página de cursos, ocultar la lista de cursos dentro de la sesión (solo mostrarlos en la página específica de sesión)."; -$ShowGroupsToUsersTitle = "Mostrar las clases a los usuarios"; -$ShowGroupsToUsersComment = "Mostrar las clases a los usuarios. Las clases son una funcionalidad que permite subscribir/desuscribir grupos de usuarios dentro de una sesión o un curso directamente, reduciendo el trabajo administrativo. Cuando activa esta opción, los estudiantes pueden ver de que clase forman parte, a través de su interfaz de red social."; -$ExerciseWillBeActivatedFromXToY = "El ejercicio estará visible del %s al %s"; -$ExerciseAvailableFromX = "Ejercicio disponible desde el %s"; -$ExerciseAvailableUntilX = "Ejercicio disponible hasta el %s"; -$HomepageViewActivityBig = "Grande vista actividad (estilo iPad)"; -$CheckFilePermissions = "Verificar permisos de ficheros"; -$AddedToALP = "Añadido a una lección"; -$NotAvailable = "No disponible"; -$ToolSearch = "Búsqueda"; -$EnableQuizScenarioTitle = "Escenarización de ejercicios"; -$EnableQuizScenarioComment = "Al activar esta funcionalidad, hará disponible los ejercicios de tipo escenario, que proponen nuevas preguntas al estudiante en función de sus respuestas. El docente diseñará el escenario completo de la prueba, con todas sus posibilidades, a través de una interfaz sencilla pero extendida."; -$NanogongNoApplet = "No se puede encontrar el applet Nanogong"; -$NanogongRecordBeforeSave = "Antes de intentar enviar el archivo debe realizar la grabación"; -$NanogongGiveTitle = "No ha dado un nombre al archivo"; -$NanogongFailledToSubmit = "No se ha podido enviar la grabación"; -$NanogongSubmitted = "La grabación ha sido enviada"; -$RecordMyVoice = "Grabar mi voz"; -$PressRecordButton = "Para iniciar la grabación pulse el botón rojo"; -$VoiceRecord = "Grabación de voz"; -$BrowserNotSupportNanogongSend = "Su navegador no permite enviar su grabación a la plataforma, aunque sí podrá guardarla el el disco de su ordenador y enviarla más tarde. Para tener todas las prestaciones, le recomendamos usar navegadores avanzados como Firefox o Chrome."; -$FileExistRename = "Ya existe un archivo con el mismo nombre. Por favor, de un nuevo nombre al archivo."; -$EnableNanogongTitle = "Activar el grabador - reproductor de voz Nanogong"; -$EnableNanogongComment = "Nanogong es un grabador - reproductor de voz que le permite grabar su voz y enviarla a la plataforma o descargarla en su disco duro. También permite reproducir la grabación. Los estudiantes sólo necesitan un micrófono y unos altavoces, y aceptar la carga del applet cuando se cargue por primera vez. Es muy útil para que los estudiantes de idiomas puedan oir su voz después de oir la correcta pronunciación propuesta por el profesor en un archivo WAV."; -$GradebookAndAttendances = "Evaluaciones y asistencias"; -$ExerciseAndLPsAreInvisibleInTheNewCourse = "Los ejercicios y las lecciones han sido configurados como ocultos en los nuevos cursos que se creen. El docente tendrá que aprobar su publicación primero."; -$SelectADateRange = "Escoger un rango de fechas"; -$AreYouSureToLockedTheEvaluation = "Está seguro que desea bloquear la evaluación?"; -$AreYouSureToUnLockedTheEvaluation = "Está seguro que desea desbloquear la evaluación?"; -$EvaluationHasBeenUnLocked = "Evaluación desbloqueada."; -$EvaluationHasBeenLocked = "Evaluación bloqueada."; -$AllDone = "Días comprobados"; -$AllNotDone = "Días sin comprobar"; -$IfYourLPsHaveAudioFilesIncludedYouShouldSelectThemFromTheDocuments = "Si su lección tiene archivos de audio incluidos, debería seleccionarlos desde los documentos."; -$IfYouPlanToUpgradeFromOlderVersionYouMightWantToHaveAlookAtTheChangelog = "Si intenta actualizar desde una versión anterior de Chamilo, quizás desee tomar una mirada al registro de cambios para conocer las novedades y lo que se ha cambiado."; -$UplUploadFailedSizeIsZero = "Hubo un problema al subir su documento: el archivo recibido presentó un tamaño de 0 bytes en el servidor. Por favor verifique que su archivo local no esté dañado (trata de abrirlo con el software correspondiente) y pruebe nuevamente."; -$YouMustChooseARelationType = "Tiene que seleccionar un tipo de relación"; -$SelectARelationType = "Selección del tipo de relación"; -$AddUserToURL = "Agregar usuario a la URL"; -$CourseBelongURL = "Curso registrado en la URL"; -$AtLeastOneSessionAndOneURL = "Tiene que seleccionar por lo menos una sesión y una URL"; -$SelectURL = "Seleccionar una URL"; -$SessionsWereEdited = "Las sesiones fueron actualizadas."; -$URLDeleted = "URL eliminada."; -$CannotDeleteURL = "No es posible eliminar la URL"; -$CoursesInPlatform = "Cursos en la plataforma"; -$UsersEdited = "Usuarios actualizados."; -$CourseHome = "Página principal del Curso"; -$ComingSoon = "Próximamente ..."; -$DummyCourseOnlyOnTestServer = "Contenido del curso de pruebas - solo disponible en plataformas de pruebas."; -$ThereAreNotSelectedCoursesOrCoursesListIsEmpty = "No existen cursos seleccionados o la lista de cursos está vacía."; -$CodeTwiceInFile = "El código ha sido utilizado dos veces en el archivo. Los códigos de cursos deben ser únicos."; -$CodeExists = "El código ya existe"; -$UnkownCategoryCourseCode = "La categoría no ha sido encontrada"; -$LinkedCourseTitle = "Título del curso relacionado"; -$LinkedCourseCode = "Código del curso relacionado"; -$AssignUsersToSessionsAdministrator = "Asignar usuario al administrador de sesiones"; -$AssignedUsersListToSessionsAdministrator = "Asignar una lista de usuarios al administrador de sesiones"; -$GroupUpdated = "Clase actualizada."; -$GroupDeleted = "Clase eliminada."; -$CannotDeleteGroup = "Esta clase no pudo ser eliminada."; -$SomeGroupsNotDeleted = "Algunas clases no han podido ser eliminadas."; -$DontUnchek = "No desactivar"; -$Modified = "Editado"; -$SessionsList = "Lista de sesiones"; -$Promotion = "Promoción"; -$UpdateSession = "Actualizar sesión"; -$Path = "Ruta"; -$Over100 = "Sobre 100"; -$UnderMin = "Por debajo del mínimo."; -$SelectOptionExport = "Seleccione una opción de exporte"; -$FieldEdited = "Campo agregado."; -$LanguageParentNotExist = "El idioma padre no existe."; -$TheSubLanguageHasNotBeenRemoved = "El sub-idioma no ha sido eliminado."; -$ShowOrHide = "Mostrar/Ocultar"; -$StatusCanNotBeChangedToHumanResourcesManager = "El estado de este usuario no puede ser cambiado por el Administrador de Recursos Humanos."; -$FieldTaken = "Campo tomado"; -$AuthSourceNotAvailable = "Fuente de autentificación no disponible."; -$UsersSubscribedToSeveralCoursesBecauseOfVirtualCourses = "Usuarios registrados en diversos cursos a través de un curso virtual"; -$NoUrlForThisUser = "Este usuario no tiene una URL relacionada."; -$ExtraData = "Información extra"; -$ExercisesInLp = "Ejercicios en lecciones"; -$Id = "Id"; -$ThereWasAnError = "Hubo un error."; -$CantMoveToTheSameSession = "No es posible mover a la misma sesión."; -$StatsMoved = "Estadísticas trasladadas."; -$UserInformationOfThisCourse = "Información del usuario en este curso"; -$OriginCourse = "Curso de origen"; -$OriginSession = "Sesión de origen"; -$DestinyCourse = "Curso de destino"; -$DestinySession = "Sesión de destino"; -$CourseDoesNotExistInThisSession = "El curso no existe en esta sesión. La copia funcionará solo desde un curso en una sesión hacia el mismo curso en otra sesión."; -$UserNotRegistered = "Usuario no registrado."; -$ViewStats = "Ver estadísticas"; -$Responsable = "Responsable"; -$TheAttendanceSheetIsLocked = "La lista de asistencia está bloqueada."; -$Presence = "Asistencia"; -$ACourseCategoryWithThisNameAlreadyExists = "Una categoría de curso ya existe con el mismo nombre."; -$OpenIDRedirect = "Redirección OpenID"; -$Blogs = "Blogs"; -$SelectACourse = "Seleccione un curso"; -$PleaseSelectACourseOrASessionInTheLeftColumn = "Seleccione un curso o una sesión"; -$Others = "Otros"; -$BackToCourseDesriptionList = "Regresar a la descripción de curso"; -$Postpone = "Postergar"; -$NotHavePermission = "El usuario no tiene permiso de realizar la acción solicitada."; -$CourseCodeAlreadyExistExplained = "Cuando un código de curso se duplica, el sistema detecta un código de curso que ya existe y que impide la creación de un duplicado. Por favor, asegurarse de que no se duplica código del curso."; -$NewImage = "Nueva imagen"; -$Untitled = "Sin título"; -$CantDeleteReadonlyFiles = "No se puede eliminar los archivos que están configurados en modo de sólo lectura"; -$InvalideUserDetected = "Usuario no válido detectado."; -$InvalideGroupDetected = "Grupo no válido detectado"; -$OverviewOfFilesInThisZip = "Listado de archivos en este Zip"; -$TestLimitsAdded = "Límites de ejercicios agregados"; -$AddLimits = "Agregar límites"; -$Unlimited = "Sin límites"; -$LimitedTime = "Tiempo limitado"; -$LimitedAttempts = "Intentos limitados"; -$Times = "Tiempos"; -$Random = "Aleatorio"; -$ExerciseTimerControlMinutes = "Habilitar ejercicios con control de tiempo."; -$Numeric = "Numérico"; -$Acceptable = "Aceptable"; -$Hotspot = "Zona interactiva"; -$ChangeTheVisibilityOfTheCurrentImage = "Cambiar visibilidad de la imagen"; -$Steps = "Etapas"; -$OriginalValue = "Valor original"; -$ChooseAnAnswer = "Seleccione una respuesta"; -$ImportExercise = "Importar ejercicio"; -$MultipleChoiceMultipleAnswers = "Elecciones múltiples, respuestas múltiples"; -$MultipleChoiceUniqueAnswer = "Elección múltiple, respuesta única"; -$HotPotatoesFiles = "Archivos HotPotatoes"; -$OAR = "Zona por evitar"; -$TotalScoreTooBig = "Calificación total es demasiado grande"; -$InvalidQuestionType = "Tipo de pregunta no válido"; -$InsertQualificationCorrespondingToMaxScore = "Ingrese un puntaje que corresponda a la calificación máxima"; -$ThreadMoved = "Tema movido"; -$MigrateForum = "Migrar foro"; -$YouWillBeNotified = "Ud. será notificado"; -$MoveWarning = "Advertencia: la información dentro del Cuaderno de calificaciones puede ser afectada al mover el Cuaderno de Calificaciones"; -$CategoryMoved = "El cuaderno de calificaciones ha sido movido."; -$EvaluationMoved = "Una evaluación del cuaderno de calificaciones ha sido movido."; -$NoLinkItems = "No hay componentes relacionados."; -$NoUniqueScoreRanges = "No existe ningun rango posible de puntuaciones."; -$DidNotTakeTheExamAcronym = "El usuario no tomo el ejercicio."; -$DidNotTakeTheExam = "El usuario no tomo el ejercicio."; -$DeleteUser = "Eliminar usuario"; -$ResultDeleted = "Resultado eliminado"; -$ResultsDeleted = "Resultados eliminados"; -$OverWriteMax = "Sobrescribir el máximo valor."; -$ImportOverWriteScore = "El importe sobrescribirá la calificación"; -$NoDecimals = "Sin decimales"; -$NegativeValue = "Valor negativo"; -$ToExportMustLockEvaluation = "Para exportar, deberá bloquear la evaluación."; -$ShowLinks = "Mostrar enlaces"; -$TotalForThisCategory = "Total para esta categoría"; -$OpenDocument = "Abrir documento"; -$LockEvaluation = "Bloquear evaluación"; -$UnLockEvaluation = "Desbloquear evaluación."; -$TheEvaluationIsLocked = "La evaluación está bloqueada."; -$BackToEvaluation = "Regresar a la evaluación."; -$Uploaded = "Subido."; -$Saved = "Guardado."; -$Reset = "Reiniciar"; -$EmailSentFromLMS = "Correo electrónico enviado desde la plataforma"; -$InfoAboutLastDoneAdvanceAndNextAdvanceNotDone = "Información sobre el último paso terminado y el siguiente sin terminar."; -$LatexCode = "Código LaTeX"; -$LatexFormula = "Fórmula LaTeX"; -$AreYouSureToLockTheAttendance = "Está seguro de bloquear la asistencia?"; -$UnlockMessageInformation = "La asistencia no esta bloqueada, el profesor aún puede modificarlo."; -$LockAttendance = "Bloquear asistencia"; -$AreYouSureToUnlockTheAttendance = "¿Está seguro de querer desbloquear la asistencia?"; -$UnlockAttendance = "Desbloquear asistencia"; -$LockedAttendance = "Bloquear asistencia"; -$DecreaseFontSize = "Disminuir tamaño de la fuente"; -$ResetFontSize = "Restaurar tamaño de la fuente"; -$IncreaseFontSize = "Aumentar tamaño de la fuente"; -$LoggedInAsX = "Conectado como %s"; -$Quantity = "Cantidad"; -$AttachmentUpload = "Subir archivo adjunto"; -$CourseAutoRegister = "Curso de auto-registro"; -$ThematicAdvanceInformation = "La Temporalización de la unidad didáctica permite organizar su curso a través del tiempo."; -$RequestURIInfo = "La URL solicitada no tiene la definición de un dominio."; -$DiskFreeSpace = "Espacio libre en disco"; -$ProtectFolder = "Folder protegido"; -$SomeHTMLNotAllowed = "Algunos atributos HTML no son permitidos."; -$MyOtherGroups = "Mis otras clases"; -$XLSFileNotValid = "El archivo XLS no es válido"; -$YouAreRegisterToSessionX = "Ud. está registrado a la sesión: %s."; -$NextBis = "Siguiente"; -$Prev = "Anterior"; -$Configuration = "Configuración"; -$WelcomeToTheChamiloInstaller = "Bienvenido al instalador de Chamilo"; -$PHPVersionError = "Su versión de PHP no coincide con los requisitos para este software. Por favor, compruebe que tiene la versión más reciente y vuelva a intentarlo."; -$ExtensionSessionsNotAvailable = "Extensión Sessions no disponible"; -$ExtensionZlibNotAvailable = "Extensión Zlib no disponible"; -$ExtensionPCRENotAvailable = "Extensión PCRE no disponible"; -$ToGroup = "Para un grupo social"; -$XWroteY = "%s escribió:
        %s"; -$BackToGroup = "Regresar al grupo"; -$GoAttendance = "Ir a las asistencias"; -$GoAssessments = "Ir a las evaluaciones"; -$EditCurrentModule = "Editar módulo actual"; -$SearchFeatureTerms = "Términos para la búsqueda"; -$UserRoles = "Roles de usuario"; -$GroupRoles = "Roles de grupo"; -$StorePermissions = "Almacenar permisos"; -$PendingInvitation = "Invitación pendiente"; -$MaximunFileSizeXMB = "Tamaño máximo de archivo: %sMB."; -$MessageHasBeenSent = "Su mensaje ha sido enviado."; -$Tags = "Etiquetas"; -$ErrorSurveyTypeUnknown = "Tipo de encuesta desconocido"; -$SurveyUndetermined = "Encuesta no definida"; -$QuestionComment = "Comentario de la pregunta"; -$UnknowQuestion = "Pregunta desconocida"; -$DeleteSurveyGroup = "Eliminar un grupo de encuestas"; -$ErrorOccurred = "Un error ha ocurrido."; -$ClassesUnSubscribed = "Clases desinscritas."; -$NotAddedToCourse = "No agregado al curso"; -$UsersNotRegistered = "Usuarios que no se registraron."; -$ClearFilterResults = "Limpiar resultados"; -$SelectFilter = "Selecionar filtro"; -$MostLinkedPages = "Páginas más vinculadas"; -$DeadEndPages = "Páginas sin salida"; -$MostNewPages = "Páginas más recientes"; -$MostLongPages = "Páginas más largas"; -$HiddenPages = "Páginas ocultas"; -$MostDiscussPages = "Páginas más discutidas"; -$BestScoredPages = "Páginas con mejor puntuación"; -$MProgressPages = "Páginas con mayor progreso"; -$MostDiscussUsers = "Usuarios más discutidos"; -$RandomPage = "Página aleatoria"; -$DateExpiredNotBeLessDeadLine = "La fecha de caducidad no puede ser menor que la fecha límite"; -$NotRevised = "No se ha revisado"; -$DirExists = "Operación imposible, ya existe un directorio con el mismo nombre."; -$DocMv = "Documento movido"; -$ThereIsNoClassScheduledTodayTryPickingAnotherDay = "Intente otra fecha o añadir una hoja de asistencia hoy usando los iconos de acción."; -$AddToCalendar = "Añadir al calendario"; -$TotalWeight = "Peso total"; -$RandomPick = "Selección aleatoria"; -$SumOfActivitiesWeightMustBeEqualToTotalWeight = "La suma de pesos de todas las actividades tiene que ser igual al peso total definido en la configuración de esta evaluación, sino los alumnos no podrán alcanzar la puntuación mínima requerida para obtener su certificado."; -$TotalSumOfWeights = "La suma de pesos de todos los componentes de esta evaluación tiene que ser igual a este número."; -$ShowScoreAndRightAnswer = "Modo auto-evaluación: mostrar la puntuación y las respuestas esperadas"; -$DoNotShowScoreNorRightAnswer = "Modo examen: No mostrar nada (ni puntuación, ni respuestas)"; -$YouNeedToAddASessionCategoryFirst = "Necesita agregar una categoría de sesión"; -$YouHaveANewInvitationFromX = "Tiene una nueva solicitud de %s"; -$YouHaveANewMessageFromGroupX = "Tiene un nuevo mensaje en el grupo %s"; -$YouHaveANewMessageFromX = "Tiene un nuevo mensaje de %s"; -$SeeMessage = "Ver mensaje"; -$SeeInvitation = "Ver solicitud"; -$YouHaveReceivedThisNotificationBecauseYouAreSubscribedOrInvolvedInItToChangeYourNotificationPreferencesPleaseClickHereX = "Usted ha recibido esta notificación porque estás suscrito o participa en ella, para cambiar sus preferencias de notificación por favor haga click aquí: %s"; -$Replies = "Respuestas"; -$Reply = "Respuesta"; -$InstallationGuide = "Guía de instalación"; -$ChangesInLastVersion = "Cambios en la última versión"; -$ContributorsList = "Lista de contribuidores"; -$SecurityGuide = "Guía de seguridad"; -$OptimizationGuide = "Guía de optimización"; -$FreeBusyCalendar = "Calendario libre/ocupado"; -$LoadUsersExtraData = "Cargar los datos extra de usuarios"; -$Broken = "Roto"; -$CheckURL = "Verificar enlace"; -$PrerequisiteDeletedError = "Error: el elemento definido como prerequisito ha sido eliminado."; -$NoItem = "Todavía ningun elemento"; -$ProtectedPages = "Páginas protegidas"; -$LoadExtraData = "Cargar los datos de campos usuario adicionales (estos tienen que ser marcados como 'Filtro' para que aparezcan)."; -$CourseAssistant = "Asistente"; -$TotalWeightMustBeX = "La suma de todos los pesos de los componentes debe ser de %s"; -$MaxWeightNeedToBeProvided = "Un peso máximo tiene que ser indicado en las opciones de esta evaluación."; -$ExtensionCouldBeLoaded = "La extensión está disponible"; -$SupportedScormContentMakers = "Paquetes Scorm soportados"; -$DisableEndDate = "Deshabilitar fecha final"; -$ForumCategories = "Categorías de foro"; -$Copy = "Copiar"; -$ArchiveDirCleanup = "Limpieza del directorio archive"; -$ArchiveDirCleanupDescr = "Chamilo guarda una copia de los archivos temporales que genera (para los backups, las exportaciones, las copias, etc) dentro del directorio archive/. Pasado un tiempo, todo esto puede llegar a ocupar bastante espacio en el disco duro. Si hace clic en el siguiente botón ejecutará una limpieza manual de este directorio. Esta operación debería ser realizada regularmente mediante la utilidad cron de Linux, pero si esto no es posible en su entorno puede utilizar esta página para eliminar todos los archivos temporales cada cierto tiempo."; -$ArchiveDirCleanupProceedButton = "Ejecutar la limpieza"; -$ArchiveDirCleanupSucceeded = "El contenido del directorio archive/ ha sido eliminado."; -$ArchiveDirCleanupFailed = "Por alguna razón (quizá por falta de permisos), no se pudo limpiar la carpeta archive/. Puede limpiarla manualmente conectándose al servidor y eliminando todo el contenido de la carpeta chamilo/archive/, excepto el fichero .htaccess."; -$EnableStartTime = "Usar tiempo de publicación"; -$EnableEndTime = "Usar tiempo de fin de publicación"; -$LocalTimeUsingPortalTimezoneXIsY = "La hora local usando la zona horaria del portal (%s) es %s"; -$AllEvents = "Todos los eventos"; -$StartTest = "Iniciar la prueba"; -$ExportAsDOC = "Exportar como .doc"; -$Wrong = "Equivocado"; -$Certification = "Certificación"; -$CertificateOnlineLink = "Vínculo al certificado en línea"; -$NewExercises = "Nuevo ejercicio"; -$MyAverage = "Mi promedio"; -$AllAttempts = "Todos los intentos"; -$QuestionsToReview = "Preguntas que desea comprobar"; -$QuestionWithNoAnswer = "Preguntas sin responder"; -$ValidateAnswers = "Validar respuestas"; -$ReviewQuestions = "Revisar las preguntas seleccionadas"; -$YouTriedToResolveThisExerciseEarlier = "Ya intentó resolver esta pregunta anteriormente"; -$NoCookies = "Las cookies no están activadas en su navegador.\nChamilo utiliza \"cookies\" para almacenar sus datos de conexión, por lo que no le será posible entrar si las cookies no están habilitadas. Por favor, cambie la configuración de su navegador y recargue esta página."; -$NoJavascript = "Su navegador no tiene activado JavaScript.\nChamilo se sirve de JavaScript para proporcionar un interfaz más dinámico. Es probable que muchas prestaciones sigan funcionando pero otras no lo harán, especialmente las relacionadas con la usabilidad. Le recomendamos que cambie la configuración de su navegador y recargue esta página."; -$NoFlash = "Su navegador no tiene activado el soporte de Flash.\nChamilo sólo se apoya en Flash para algunas de sus funciones por lo que su ausencia no le impedirá continuar. Pero si quiere beneficiarse del conjunto de las herramientas de Chamilo, le recomendamos que instale-active el plugin de Flash y reinicialice su navegador."; -$ThereAreNoQuestionsForThisExercise = "En este ejercicio no hay preguntas disponibles"; -$Attempt = "Intento"; -$SaveForNow = "Guardar y continuar más tarde"; -$ContinueTest = "Continuar el ejercicio"; -$NoQuicktime = "No tiene instalado el plugin de QuickTime en su navegador. Puede seguir utilizando la plataforma, pero para conseguir reproducir un mayor número de tipos de archivos multimedia le recomendamos su instalación."; -$NoJavaSun = "No tiene instalado el plugin de Java de Sun en su navegador. Puede seguir utilizando la plataforma, pero perderá algunas de sus prestaciones."; -$NoJava = "Su navegador no tiene soporte para Java"; -$JavaSun24 = "Usted tiene instalada en su navegador una versión de Java incompatible con esta herramienta. Para poder utilizarla deberá instalar una versión de Java de Sun superior a la 24"; -$NoMessageAnywere = "Si no desea visualizar más este mensaje durante esta sesión pulse aquí"; -$IncludeAllVersions = "Buscar también en las versiones antiguas de cada página"; -$TotalHiddenPages = "Total de páginas ocultas"; -$TotalPagesEditedAtThisTime = "Total de páginas que están editándose en este momento"; -$TotalWikiUsers = "Total de usuarios que han participado en el Wiki"; -$StudentAddNewPages = "Los estudiantes pueden añadir nuevas páginas al Wiki"; -$DateCreateOldestWikiPage = "Fecha de creación de la página más antigua del Wiki"; -$DateEditLatestWikiVersion = "Fecha de la edición más reciente del Wiki"; -$AverageScoreAllPages = "Puntuación media de todas las páginas"; -$AverageMediaUserProgress = "Media del progreso estimado por los usuarios en sus páginas"; -$TotalIpAdress = "Total de direcciones IP diferentes que han contribuido alguna vez al Wiki"; -$Pages = "Páginas"; -$Versions = "Versiones"; -$EmptyPages = "Total de páginas vacías"; -$LockedDiscussPages = "Número de páginas de discusión bloqueadas"; -$HiddenDiscussPages = "Número de páginas de discusión ocultas"; -$TotalComments = "Total de comentarios realizados en las distintas versiones de las páginas"; -$TotalOnlyRatingByTeacher = "Total de páginas que sólo pueden ser puntuadas por un profesor"; -$TotalRatingPeers = "Total de páginas que pueden ser puntuadas por otros alumnos"; -$TotalTeacherAssignments = "Número de páginas de tareas propuestas por un profesor"; -$TotalStudentAssignments = "Número de páginas de tareas individuales de los alumnos"; -$TotalTask = "Número de tareas"; -$PortfolioMode = "Modo portafolios"; -$StandardMode = "Modo tarea estándar"; -$ContentPagesInfo = "Información sobre el contenido de las páginas"; -$InTheLastVersion = "En la última versión"; -$InAllVersions = "En todas las versiones"; -$NumContributions = "Número de contribuciones"; -$NumAccess = "Número de visitas"; -$NumWords = "Número de palabras"; -$NumlinksHtmlImagMedia = "Número de enlaces externos html insertados (texto, imágenes, etc.)"; -$NumWikilinks = "Número de enlaces Wiki"; -$NumImages = "Número de imágenes insertadas"; -$NumFlash = "Número de archivos flash insertados"; -$NumMp3 = "Número de archivos de audio mp3 insertados"; -$NumFlvVideo = "Número de archivos de video FLV insertados"; -$NumYoutubeVideo = "Número de videos de Youtube embebidos"; -$NumOtherAudioVideo = "Número de archivos de audio y video insertados (excepto mp3 y flv)"; -$NumTables = "Número de tablas insertadas"; -$Anchors = "Anclas"; -$NumProtectedPages = "Número de páginas protegidas"; -$Attempts = "Intentos"; -$SeeResults = "Ver resultados"; -$Loading = "Cargando"; -$AreYouSureToRestore = "Está seguro que desea restaurar este elemento?"; -$XQuestionsWithTotalScoreY = "%d preguntas, con un resultado máximo (todas preguntas) de %s."; -$ThisIsAutomaticEmailNoReply = "Este es un mensaje automático. Por favor no le de respuesta (será ignorada)."; -$UploadedDocuments = "Documentos enviados"; -$QuestionLowerCase = "Pregunta minúsculas"; -$QuestionsLowerCase = "Preguntas minúsculas"; -$BackToTestList = "Regreso a lista de ejercicios"; -$CategoryDescription = "Descripción de categoría"; -$BackToCategoryList = "Regreso a la lista de categorías"; -$AddCategoryNameAlreadyExists = "Este nombre de categoría ya existe. Por favor indique otro nombre."; -$CannotDeleteCategory = "No se pudo eliminar la categoría"; -$CannotDeleteCategoryError = "Error: no se pudo borrar la categoría"; -$CannotEditCategory = "No se pudo editar la categoría"; -$ModifyCategoryError = "No se pudo modificar la categoría"; -$AllCategories = "Todas categorías"; -$CreateQuestionOutsideExercice = "Crear pregunta fuera de cualquier ejercicio"; -$ChoiceQuestionType = "Escoger tipo de pregunta"; -$YesWithCategoriesSorted = "Sí, con categorías ordenadas"; -$YesWithCategoriesShuffled = "Sí, con categorías desordenadas"; -$ManageAllQuestions = "Gestionar todas las preguntas"; -$MustBeInATest = "Tiene que estar en un ejercicio"; -$PleaseSelectSomeRandomQuestion = "Por favor seleccione una pregunta aleatoria"; -$RemoveFromTest = "Quitar del ejercicio"; -$AddQuestionToTest = "Agregar pregunta al ejercicio"; -$QuestionByCategory = "Pregunta por categoría"; -$QuestionUpperCaseFirstLetter = "Pregunta con primera letra mayúscula"; -$QuestionCategory = "Categoría de preguntas"; -$AddACategory = "Añadir categoría"; -$AddTestCategory = "Añadir categoría de ejercicios"; -$AddCategoryDone = "Categoría añadida con éxito"; -$NbCategory = "Número de categorías"; -$DeleteCategoryAreYouSure = "¿Está segura que desea eliminar esta categoría?"; -$DeleteCategoryDone = "Categoría eliminada"; -$MofidfyCategoryDone = "Categoría modificada"; -$NotInAGroup = "No está en ningún grupo"; -$DoFilter = "Filtrar"; -$ByCategory = "Por categoría"; -$PersonalCalendar = "Calendario personal"; -$SkillsTree = "Árbol de competencias"; -$Skills = "Competencias"; -$SkillsProfile = "Perfil de competencias"; -$WithCertificate = "Con certificado"; -$AdminCalendar = "Calendario de admin"; -$CourseCalendar = "Calendario de curso"; -$Reports = "Informes"; -$ResultsNotRevised = "Resultados no revisados"; -$ResultNotRevised = "Resultado no revisado"; -$dateFormatShortNumber = "%d/%m/%Y"; -$dateTimeFormatLong24H = "%d de %B del %Y a las %Hh%M"; -$ActivateLegal = "Activar términos legales"; -$ShowALegalNoticeWhenEnteringTheCourse = "Mostrar una advertencia legal al entrar al curso"; -$GradingModelTitle = "Modelo de evaluación"; -$AllowTeacherChangeGradebookGradingModelTitle = "Los docentes pueden escoger el modelo de evaluación"; -$AllowTeacherChangeGradebookGradingModelComment = "Activando esta opción, permitirá a cada docente escoger el modelo de evaluación que se usa en su(s) curso(s). Este cambio se operará dentro de la herramienta de evaluaciones del curso."; -$NumberOfSubEvaluations = "Número de sub-evaluaciones"; -$AddNewModel = "Añadir nuevo modelo"; -$NumberOfStudentsWhoTryTheExercise = "Número de estudiantes quienes han intentado el ejercicio"; -$LowestScore = "Resultado mínimo obtenido"; -$HighestScore = "Resultado máximo obtenido"; -$ContainsAfile = "Contiene un fichero"; -$Discussions = "Discusiones"; -$ExerciseProgress = "Progreso ejercicio"; -$GradeModel = "Modelo de evaluación"; -$SelectGradebook = "Seleccionar evaluación"; -$ViewSkillsTree = "Ver árbol de competencias"; -$MySkills = "Mis competencias"; -$GroupParentship = "Parentesco del grupo"; -$NoParentship = "Sin parentesco"; -$NoCertificate = "Sin certificado"; -$AllowTextAssignments = "Permitir tareas de texto en línea"; -$SeeFile = "Ver archivo"; -$ShowDocumentPreviewTitle = "Mostrar vista previa de documento"; -$ShowDocumentPreviewComment = "Mostrar vista previa de documentos en la herramienta de documentos. Este modo permite evitar la carga de una nueva página para mostrar un documento, pero puede resultar inestable en antigüos navegadores o poco práctico en pantallas pequeñas."; -$YouAlreadySentAPaperYouCantUpload = "Ya envió una tarea, no puede subir otra."; -$CasMainActivateTitle = "Activar la autentificación CAS"; -$CasMainServerTitle = "Servidor CAS principal"; -$CasMainServerComment = "Es el servidor CAS principal que será usado para la autentificación (dirección IP o nombre)"; -$CasMainServerURITitle = "URI del servidor CAS principal"; -$CasMainServerURIComment = "El camino hasta el servicio CAS en el servidor"; -$CasMainPortTitle = "Puerto del servidor CAS principal"; -$CasMainPortComment = "El puerto en el cual uno se puede conectar al servidor CAS principal"; -$CasMainProtocolTitle = "Protocolo del servidor CAS principal"; -$CAS1Text = "CAS 1"; -$CAS2Text = "CAS 2"; -$SAMLText = "SAML"; -$CasMainProtocolComment = "Protocolo con el que nos conectamos al servidor CAS"; -$CasUserAddActivateTitle = "Activar registrar usuarios mediante CAS"; -$CasUserAddActivateComment = "Permite crear cuentas de usuarios con CAS"; -$CasUserAddLoginAttributeTitle = "Registrar el nombre de usuario"; -$CasUserAddLoginAttributeComment = "Registrar el nombre de usuario CAS cuando se registra un nuevo usuario por esta via"; -$CasUserAddEmailAttributeTitle = "Registrar el e-mail CAS"; -$CasUserAddEmailAttributeComment = "Registrar el e-mail CAS cuando se registra un nuevo usuario por esta via"; -$CasUserAddFirstnameAttributeTitle = "Registrar el nombre CAS"; -$CasUserAddFirstnameAttributeComment = "Registrar el nombre CAS cuando se registra un nuevo usuario por esta via"; -$CasUserAddLastnameAttributeTitle = "Registrar el apellido CAS"; -$CasUserAddLastnameAttributeComment = "Registrar el apellido CAS cuando se registra un nuevo usuario por esta via"; -$UserList = "Lista de usuarios"; -$SearchUsers = "Buscar usuarios"; -$Administration = "Administración"; -$AddAsAnnouncement = "Agregar como un anuncio"; -$SkillsAndGradebooks = "Competencias y evaluaciones"; -$AddSkill = "Añadir competencia"; -$ShowAdminToolbarTitle = "Mostrar barra de administración"; -$AcceptLegal = "Aceptar términos legales"; -$CourseLegalAgreement = "Términos legales para este curso"; -$RandomQuestionByCategory = "Preguntas al azar por categoría"; -$QuestionDisplayCategoryName = "Mostrar la categoría de pregunta"; -$ReviewAnswers = "Revisar mis respuestas"; -$TextWhenFinished = "Texto apareciendo al finalizar la prueba"; -$Validated = "Corregido"; -$NotValidated = "Sin corregir"; -$Revised = "Revisado"; -$SelectAQuestionToReview = "Seleccione una pregunta por revisar"; -$ReviewQuestionLater = "Marcar para revisar después"; -$NumberStudentWhoSelectedIt = "Número de estudiantes quienes la seleccionaron"; -$QuestionsAlreadyAnswered = "Preguntas ya respondidas"; -$SkillDoesNotExist = "No existe semejante competencia"; -$CheckYourGradingModelValues = "Compruebe sus valores de modelo de evaluación"; -$SkillsAchievedWhenAchievingThisGradebook = "Competencias obtenidas al lograr esta evaluación"; -$AddGradebook = "Añadir evaluación"; -$NoStudents = "No hay estudiantes"; -$NoData = "No hay datos disponibles"; -$IAmAHRM = "Soy responsable de recursos humanos"; -$SkillRootName = "Competencia absoluta"; -$Option = "Opción"; -$NoSVGImagesInImagesGalleryPath = "No existen imágenes SVG en su carpeta de galería de imágenes"; -$NoSVGImages = "No hay imágenes SVG"; -$NumberOfStudents = "Número de estudiantes"; -$NumberStudentsAccessingCourse = "Número de estudiantes quienes han accedido al curso"; -$PercentageStudentsAccessingCourse = "Porcentaje de estudiantes accediendo al curso"; -$NumberStudentsCompleteAllActivities = "Número de estudiantes quienes completaron todas las actividades (progreso de 100%)"; -$PercentageStudentsCompleteAllActivities = "Porcentaje de estudiantes quienes completaron todas las actividades (progreso de 100%)"; -$AverageOfActivitiesCompletedPerStudent = "Número promedio de actividades completadas por estudiante"; -$TotalTimeSpentInTheCourse = "Tiempo total permanecido en el curso"; -$AverageTimePerStudentInCourse = "Tiempo promedio permanecido en el curso, por estudiante"; -$NumberOfDocumentsInLearnpath = "Número de documentos en la lección"; -$NumberOfExercisesInLearnpath = "Número de ejercicios en la lección"; -$NumberOfLinksInLearnpath = "Número de enlaces en la lección"; -$NumberOfForumsInLearnpath = "Número de foros en la lección"; -$NumberOfAssignmentsInLearnpath = "Número de tareas en la lección"; -$NumberOfAnnouncementsInCourse = "Número de anuncios en el curso"; -$CurrentCoursesReport = "Informes de cursos actuales"; -$HideTocFrame = "Esconder zona de tabla de contenidos"; -$Updates = "Actualizaciones"; -$Teaching = "Enseñanza"; -$CoursesReporting = "Informes de cursos"; -$AdminReports = "Informes de admin"; -$ExamsReporting = "Informes de exámenes"; -$MyReporting = "Mis informes"; -$SearchSkills = "Buscar competencias"; -$SaveThisSearch = "Guardar esta búsqueda"; -$SkillProfiles = "Perfiles de competencias guardados"; -$Matches = "Correspondencias"; -$WelcomeUserXToTheSiteX = "%s, bienvenido al portal %s"; -$CheckUsersWithId = "Usar el ID de usuario del archivo para el registro"; -$WhoAndWhere = "Quien y donde"; -$CantUploadDeleteYourPaperFirst = "No puede subir esta tarea. Por favor elimine la tarea anterior primero."; -$MB = "MB"; -$ShowAdminToolbarComment = "Muestra a los usuarios, según su perfil, una barra global en la parte superior de la página. Esta barra, muy similar a las de Wordpress y Google, puede aumentar considerablemente su eficiencia al realizar actividades complejas y aumenta el espacio disponible para el contenido de aprendizaje."; -$SessionList = "Lista de sesiones"; -$StudentList = "Lista de estudiantes"; -$StudentsWhoAreTakingTheExerciseRightNow = "Estudiantes que realizan el ejercicio en este momento"; -$GroupReply = "Respuesta"; -$GroupReplies = "Respuestas"; -$ReportByQuestion = "Reporte por pregunta"; -$LiveResults = "Resultados en vivo"; -$SkillNotFound = "Competencia no encontrada"; -$IHaveThisSkill = "Tengo esta competencia"; -$Me = "Yo"; -$Vote = "Voto"; -$Votes = "Votos"; -$XStarsOutOf5 = "%s estrellas de 5"; -$Visit = "Visita"; -$Visits = "Visitas"; -$YourVote = "Su voto"; -$HottestCourses = "Cursos más populares"; -$SentAtX = "Enviado el: %s"; -$dateTimeFormatShort = "%d %b %Y a las %I:%M %p"; -$dateTimeFormatShortTimeFirst = "%I:%M %p, %d %b %Y"; -$LoginToVote = "Debe estar conectado para poder votar"; -$AddInMenu = "Insertar en el menú principal"; -$AllowUsersToChangeEmailWithNoPasswordTitle = "Permitir que los usuarios puedan cambiar su correo electrónico sin necesidad de solicitar la contraseña"; -$AllowUsersToChangeEmailWithNoPasswordComment = "Cuando se modifica la cuenta del usuario"; -$EnableHelpLinkTitle = "Habilitar el vínculo de ayuda"; -$EnableHelpLinkComment = "El vínculo de ayuda se encuentra en la parte superior derecha de la pantalla"; -$BackToAdmin = "Regresar a la administración"; -$AllowGlobalChatTitle = "Habilitar el chat global"; -$HeaderExtraContentTitle = "Contenido extra en la cabecera"; -$HeaderExtraContentComment = "Puede agregar código HTML como los meta tags"; -$FooterExtraContentTitle = "Contenido extra en el pie"; -$AllowGlobalChatComment = "Los usuarios pueden conversar entre si mediante un chat global"; -$FooterExtraContentComment = "Puede incluir contenido HTML como meta tags"; -$DoNotShow = "No mostrar"; -$ShowToAdminsOnly = "Mostrar solo a los administradores"; -$ShowToAdminsAndTeachers = "Mostrar a los administradores y profesores"; -$ShowToAllUsers = "Mostrar a todos los usuarios"; -$ImportGlossary = "Importar glosario"; -$ReplaceGlossary = "Reemplazar glosario"; -$CannotDeleteGlossary = "No es posible eliminar el glosario"; -$TermsImported = "Términos importados"; -$TermsNotImported = "Términos no importados"; -$ExportGlossaryAsCSV = "Exportar glosario en un archivo CSV"; -$SelectAnAction = "Seleccionar una acción"; -$LoginX = "Nombre de usuario: %s"; -$DatabaseXWillBeCreated = "La base de datos %s se creará"; -$ADatabaseWithTheSameNameAlreadyExists = "Una base de datos con el mismo nombre ya existe. El contenido de la base de datos se perderá."; -$UserXCantHaveAccessInTheDatabaseX = "El usuario %s no tiene acceso a la base de datos %s"; -$DatabaseXCantBeCreatedUserXDoestHaveEnoughPermissions = "La base de datos %s no puede ser creada, el usuario %s no tiene los permisos necesarios"; -$CopyOnlySessionItems = "Copiar solo los elementos de una sesión"; -$FirstLetterCourseTitle = "Primera letra del título del curso"; -$NumberOfPublishedExercises = "Nro de ejercicios publicados"; -$NumberOfPublishedLps = "Nro de Lecciones publicadas"; -$ChatConnected = "Chat (Conectado)"; -$ChatDisconnected = "Chat (Desconectado)"; -$AddCourseDescription = "Describir el curso"; -$ThingsToDo = "Primeras actividades sugeridas"; -$RecordAnswer = "Grabar respuesta"; -$UseTheMessageBelowToAddSomeComments = "Utilizar el siguiente campo de texto para escribir un comentario al profesor"; -$SendRecord = "Enviar grabación"; -$DownloadLatestRecord = "Descargar grabación"; -$OralExpression = "Expresión Oral"; -$UsersFoundInOtherPortals = "Usuarios encontrados en otros portales"; -$AddUserToMyURL = "Añadir el usuario a mi portal"; -$UsersDeleted = "Usuarios eliminados"; -$UsersAdded = "Usuarios añadidos"; -$PluginArea = "Área de plugins"; -$NoConfigurationSettingsForThisPlugin = "No hay opciones de configuración para este plugin"; -$CoursesDefaultCreationVisibilityTitle = "Visibilidad del curso por defecto"; -$CoursesDefaultCreationVisibilityComment = "Visibilidad por defecto del curso cuando se está creando un curso"; -$YouHaveEnteredTheCourseXInY = "Ud. ha ingresado al curso %s el %s"; -$LoginIsEmailTitle = "Usar el correo electrónico como nombre de usuario"; -$LoginIsEmailComment = "El correo electrónico será usado para ingresar al sistema"; -$CongratulationsYouPassedTheTest = "Felicitaciones ha aprobado el ejercicio."; -$YouDidNotReachTheMinimumScore = "No ha alcanzado el puntaje mínimo."; -$AllowBrowserSnifferTitle = "Activar el investigador de navegadores"; -$AllowBrowserSnifferComment = "Esto activará un investigador de las capacidades que soportan los navegadores que se conectan a Chamilo. Por lo tanto, mejorará la experiencia del usuario, adaptando las respuestas de la plataforma al tipo de navegador que se conecta, pero reducirá la velocidad de carga de la página inicial de los usuarios cada vez que entren a la plataforma."; -$EndTest = "Terminar ejercicio"; -$EnableWamiRecordTitle = "Activar Wami-recorder"; -$EnableWamiRecordComment = "Wami-recorder es una herramienta de grabación de voz sobre Flash"; -$EventType = "Tipo de evento"; -$WamiFlashDialog = "Se mostrará un cuadro de diálogo en el que se le pedirá permiso para poder acceder al micrófono, responda afirmativamente y cierre el cuadro de diálogo (si no desea que vuelva a aparecer, antes de cerrar marque la opción\nrecordar)"; -$WamiStartRecorder = "Inicie la grabación pulsando el micrófono y deténgala pulsándolo de nuevo. Cada vez que haga esto se generará un archivo."; -$WamiNeedFilename = "Antes de activar la grabación es necesario dar un nombre al archivo."; -$InputNameHere = "Escriba el nombre aquí"; -$Reload = "Recargar"; -$SelectGradeModel = "Seleccionar un modelo de calificación"; -$AllMustWeight100 = "La suma debe ser de 100"; -$Components = "Componentes"; -$ChangeSharedSetting = "Cambiar visibilidad de la configuración para los otros portales"; -$OnlyActiveWhenThereAreAnyComponents = "Esta opción está habilitada si tiene evaluaciones o categorías"; -$AllowHRSkillsManagementTitle = "Permitir al perfil RRHH administrar las competencias"; -$AllowHRSkillsManagementComment = "El usuario podrá crear y editar competencias"; -$GradebookDefaultWeightTitle = "Peso total por defecto en la herramienta \"Evaluaciones\""; -$GradebookDefaultWeightComment = "Este peso será utilizado en todos los cursos"; -$TimeSpentLastXDays = "Tiempo dedicado en los últimos %s días"; -$TimeSpentBetweenXAndY = "Tiempo dedicado entre el %s y el %s"; -$GoToCourse = "Ir al curso"; -$TeachersCanChangeScoreSettingsTitle = "Los profesores pueden cambiar la configuración de puntuación de las evaluaciones"; -$TeachersCanChangeScoreSettingsComment = "Al editar la configuración de las Evaluaciones"; -$SubTotal = "Total parcial"; -$Configure = "Configurar"; -$Regions = "Regiones"; -$CourseList = "Lista de cursos"; -$NumberAbbreviation = "N°"; -$FirstnameAndLastname = "Nombre y apellidos"; -$LastnameAndFirstname = "Apellidos y nombre"; -$Plugins = "Plugins"; -$Detailed = "Detallado"; -$ResourceLockedByGradebook = "Esta opción no está disponible porque la actividad está incluida en una evaluación que se encuentra bloqueada. Para desbloquear esta evaluación, comuníquese con el administrador de la plataforma."; -$GradebookLockedAlert = "Esta evaluación ha sido bloqueada y no puede ser desbloqueada. Si necesita realmente desbloquearla, por favor contacte el administrador de la plataforma, explicando su razón (sino podría ser considerado como un intento de fraude)."; -$GradebookEnableLockingTitle = "Activar bloqueo de Evaluaciones por los profesores"; -$GradebookEnableLockingComment = "Una vez activada, esta opción permitirá a los profesores bloquear cualquier evaluación dentro de su curso. Esto prohibirá al profesor cualquier modificación posterior de los resultados de sus alumnos en los recursos usados para esta evaluación: exámenes, lecciones, tareas, etc. El único rol autorizado a desbloquear una evaluación es el administrador. El profesor estará informado de esta posibilidad al intentar desbloquear la evaluación. El bloqueo como el desbloqueo estarán guardados en el registro de actividades importantes del sistema."; -$LdapDescriptionComment = "

        • LDAP authentication :
          See I. below to configure LDAP
          See II. below to activate LDAP authentication


        • Update user attributes, with LDAP data, after CAS authentication(see CAS configuration ) :
          See I. below to configure LDAP
          CAS manage user authentication, LDAP activation isn't required.


        I. LDAP configuration

        Edit file main/inc/conf/auth.conf.php
        -> Edit values of array $extldap_config

        Parameters are
        • base domain string (ex : 'base_dn' => 'DC=cblue,DC=be')
        • admin distinguished name (ex : 'admin_dn' =>'CN=admin,dc=cblue,dc=be')
        • admin password (ex : 'admin_password' => '123456')
        • ldap host (ex : 'host' => array('1.2.3.4', '2.3.4.5', '3.4.5.6'))
        • filter (ex : 'filter' => '')
        • port (ex : 'port' => 389)
        • protocol version (2 or 3) (ex : 'protocol_version' => 3)
        • user_search (ex : 'user_search' => 'sAMAccountName=%username%')
        • encoding (ex : 'encoding' => 'UTF-8')
        • update_userinfo (ex : 'update_userinfo' => true)
        -> To update correspondences between user and LDAP attributes, edit array $extldap_user_correspondance
        Array values are <chamilo_field> => >ldap_field>
        Array structure is explained in file main/auth/external_login/ldap.conf.php


        II. Activate LDAP authentication

        Edit file main/inc/conf/configuration.php
        -> Uncomment lines
        $extAuthSource["extldap"]["login"] =$_configuration['root_sys']."main/auth/external_login/login.ldap.php";
        $extAuthSource["extldap"]["newUser"] =$_configuration['root_sys'].$_configuration['code_append']."auth/external_login/newUser.ldap.php";

        N.B. : LDAP users use same fields than platform users to login.
        N.B. : LDAP activation adds a menu External authentication [LDAP] in "add or modify" user pages.
  • "; -$ShibbolethMainActivateTitle = "

    Autenticación Shibboleth

    "; +Una vez activada, una caja de búsqueda aparecerá en la lista de cursos de cada usuario. Buscar un término específico suministra una lista de documentos, ejercicios o temas de foro correspondientes, filtrados dependiendo de su disponibilidad para el usuario."; +$SpecificSearchFieldsAvailable = "Campos de búsqueda personalizados disponibles"; +$XapianModuleInstalled = "Módulo Xapian instalado"; +$ClickToSelectOrDragAndDropMultipleFilesOnTheUploadField = "Para enviar uno o más ficheros, tan sólo tendrá que arrastrarlos desde el escritorio de su ordenador hasta la caja inferior y el sistema hará el resto. Alternativamente, también podrá hacer clic en la caja inferior y seleccionar los ficheros que desee subir (puede usar CTRL + clic para seleccionar varios a un tiempo)."; +$Simple = "Simple"; +$Multiple = "Múltiple"; +$UploadFiles = "Arrastre aquí los archivos que desee enviar"; +$ImportExcelQuiz = "Importar ejercicio via Excel"; +$DownloadExcelTemplate = "Descargar plantilla Excel"; +$YouAreCurrentlyUsingXOfYourX = "Está utilizando %s MB (%s) de su total disponible de %s MB."; +$AverageIsCalculatedBasedInAllAttempts = "El promedio se basa en todos los intentos realizados"; +$AverageIsCalculatedBasedInTheLatestAttempts = "El promedio se basa en los últimos intentos realizados"; +$LatestAttemptAverageScore = "Promedio de los últimos resultados"; +$SupportedFormatsForIndex = "Formatos disponibles para la indexación"; +$Installed = "Instalado"; +$NotInstalled = "No instalado"; +$Settings = "Parámetros"; +$ProgramsNeededToConvertFiles = "Programas necesarios para indexar archivos de formatos ajenos"; +$YouAreUsingChamiloInAWindowsPlatformSadlyYouCantConvertDocumentsInOrderToSearchTheContentUsingThisTool = "Está usando Chamilo en una plataforma Windows. Lamenablemente, no puede convertir los documentos para indexarlos usando esta herramienta."; +$OnlyLettersAndNumbers = "Solo letras (a-z) y números (0-9)"; +$HideCoursesInSessionsTitle = "Ocultar cursos en la lista de sesiones"; +$HideCoursesInSessionsComment = "Cuando muestra los bloques de sesiones en la página de cursos, ocultar la lista de cursos dentro de la sesión (solo mostrarlos en la página específica de sesión)."; +$ShowGroupsToUsersTitle = "Mostrar las clases a los usuarios"; +$ShowGroupsToUsersComment = "Mostrar las clases a los usuarios. Las clases son una funcionalidad que permite subscribir/desuscribir grupos de usuarios dentro de una sesión o un curso directamente, reduciendo el trabajo administrativo. Cuando activa esta opción, los estudiantes pueden ver de que clase forman parte, a través de su interfaz de red social."; +$ExerciseWillBeActivatedFromXToY = "El ejercicio estará visible del %s al %s"; +$ExerciseAvailableFromX = "Ejercicio disponible desde el %s"; +$ExerciseAvailableUntilX = "Ejercicio disponible hasta el %s"; +$HomepageViewActivityBig = "Grande vista actividad (estilo iPad)"; +$CheckFilePermissions = "Verificar permisos de ficheros"; +$AddedToALP = "Añadido a una lección"; +$NotAvailable = "No disponible"; +$ToolSearch = "Búsqueda"; +$EnableQuizScenarioTitle = "Escenarización de ejercicios"; +$EnableQuizScenarioComment = "Al activar esta funcionalidad, hará disponible los ejercicios de tipo escenario, que proponen nuevas preguntas al estudiante en función de sus respuestas. El docente diseñará el escenario completo de la prueba, con todas sus posibilidades, a través de una interfaz sencilla pero extendida."; +$NanogongNoApplet = "No se puede encontrar el applet Nanogong"; +$NanogongRecordBeforeSave = "Antes de intentar enviar el archivo debe realizar la grabación"; +$NanogongGiveTitle = "No ha dado un nombre al archivo"; +$NanogongFailledToSubmit = "No se ha podido enviar la grabación"; +$NanogongSubmitted = "La grabación ha sido enviada"; +$RecordMyVoice = "Grabar mi voz"; +$PressRecordButton = "Para iniciar la grabación pulse el botón rojo"; +$VoiceRecord = "Grabación de voz"; +$BrowserNotSupportNanogongSend = "Su navegador no permite enviar su grabación a la plataforma, aunque sí podrá guardarla el el disco de su ordenador y enviarla más tarde. Para tener todas las prestaciones, le recomendamos usar navegadores avanzados como Firefox o Chrome."; +$FileExistRename = "Ya existe un archivo con el mismo nombre. Por favor, de un nuevo nombre al archivo."; +$EnableNanogongTitle = "Activar el grabador - reproductor de voz Nanogong"; +$EnableNanogongComment = "Nanogong es un grabador - reproductor de voz que le permite grabar su voz y enviarla a la plataforma o descargarla en su disco duro. También permite reproducir la grabación. Los estudiantes sólo necesitan un micrófono y unos altavoces, y aceptar la carga del applet cuando se cargue por primera vez. Es muy útil para que los estudiantes de idiomas puedan oir su voz después de oir la correcta pronunciación propuesta por el profesor en un archivo WAV."; +$GradebookAndAttendances = "Evaluaciones y asistencias"; +$ExerciseAndLPsAreInvisibleInTheNewCourse = "Los ejercicios y las lecciones han sido configurados como ocultos en los nuevos cursos que se creen. El docente tendrá que aprobar su publicación primero."; +$SelectADateRange = "Escoger un rango de fechas"; +$AreYouSureToLockedTheEvaluation = "Está seguro que desea bloquear la evaluación?"; +$AreYouSureToUnLockedTheEvaluation = "Está seguro que desea desbloquear la evaluación?"; +$EvaluationHasBeenUnLocked = "Evaluación desbloqueada."; +$EvaluationHasBeenLocked = "Evaluación bloqueada."; +$AllDone = "Días comprobados"; +$AllNotDone = "Días sin comprobar"; +$IfYourLPsHaveAudioFilesIncludedYouShouldSelectThemFromTheDocuments = "Si su lección tiene archivos de audio incluidos, debería seleccionarlos desde los documentos."; +$IfYouPlanToUpgradeFromOlderVersionYouMightWantToHaveAlookAtTheChangelog = "Si intenta actualizar desde una versión anterior de Chamilo, quizás desee tomar una mirada al registro de cambios para conocer las novedades y lo que se ha cambiado."; +$UplUploadFailedSizeIsZero = "Hubo un problema al subir su documento: el archivo recibido presentó un tamaño de 0 bytes en el servidor. Por favor verifique que su archivo local no esté dañado (trata de abrirlo con el software correspondiente) y pruebe nuevamente."; +$YouMustChooseARelationType = "Tiene que seleccionar un tipo de relación"; +$SelectARelationType = "Selección del tipo de relación"; +$AddUserToURL = "Agregar usuario a la URL"; +$CourseBelongURL = "Curso registrado en la URL"; +$AtLeastOneSessionAndOneURL = "Tiene que seleccionar por lo menos una sesión y una URL"; +$SelectURL = "Seleccionar una URL"; +$SessionsWereEdited = "Las sesiones fueron actualizadas."; +$URLDeleted = "URL eliminada."; +$CannotDeleteURL = "No es posible eliminar la URL"; +$CoursesInPlatform = "Cursos en la plataforma"; +$UsersEdited = "Usuarios actualizados."; +$CourseHome = "Página principal del Curso"; +$ComingSoon = "Próximamente ..."; +$DummyCourseOnlyOnTestServer = "Contenido del curso de pruebas - solo disponible en plataformas de pruebas."; +$ThereAreNotSelectedCoursesOrCoursesListIsEmpty = "No existen cursos seleccionados o la lista de cursos está vacía."; +$CodeTwiceInFile = "El código ha sido utilizado dos veces en el archivo. Los códigos de cursos deben ser únicos."; +$CodeExists = "El código ya existe"; +$UnkownCategoryCourseCode = "La categoría no ha sido encontrada"; +$LinkedCourseTitle = "Título del curso relacionado"; +$LinkedCourseCode = "Código del curso relacionado"; +$AssignUsersToSessionsAdministrator = "Asignar usuario al administrador de sesiones"; +$AssignedUsersListToSessionsAdministrator = "Asignar una lista de usuarios al administrador de sesiones"; +$GroupUpdated = "Clase actualizada."; +$GroupDeleted = "Clase eliminada."; +$CannotDeleteGroup = "Esta clase no pudo ser eliminada."; +$SomeGroupsNotDeleted = "Algunas clases no han podido ser eliminadas."; +$DontUnchek = "No desactivar"; +$Modified = "Editado"; +$SessionsList = "Lista de sesiones"; +$Promotion = "Promoción"; +$UpdateSession = "Actualizar sesión"; +$Path = "Ruta"; +$Over100 = "Sobre 100"; +$UnderMin = "Por debajo del mínimo."; +$SelectOptionExport = "Seleccione una opción de exporte"; +$FieldEdited = "Campo agregado."; +$LanguageParentNotExist = "El idioma padre no existe."; +$TheSubLanguageHasNotBeenRemoved = "El sub-idioma no ha sido eliminado."; +$ShowOrHide = "Mostrar/Ocultar"; +$StatusCanNotBeChangedToHumanResourcesManager = "El estado de este usuario no puede ser cambiado por el Administrador de Recursos Humanos."; +$FieldTaken = "Campo tomado"; +$AuthSourceNotAvailable = "Fuente de autentificación no disponible."; +$UsersSubscribedToSeveralCoursesBecauseOfVirtualCourses = "Usuarios registrados en diversos cursos a través de un curso virtual"; +$NoUrlForThisUser = "Este usuario no tiene una URL relacionada."; +$ExtraData = "Información extra"; +$ExercisesInLp = "Ejercicios en lecciones"; +$Id = "Id"; +$ThereWasAnError = "Hubo un error."; +$CantMoveToTheSameSession = "No es posible mover a la misma sesión."; +$StatsMoved = "Estadísticas trasladadas."; +$UserInformationOfThisCourse = "Información del usuario en este curso"; +$OriginCourse = "Curso de origen"; +$OriginSession = "Sesión de origen"; +$DestinyCourse = "Curso de destino"; +$DestinySession = "Sesión de destino"; +$CourseDoesNotExistInThisSession = "El curso no existe en esta sesión. La copia funcionará solo desde un curso en una sesión hacia el mismo curso en otra sesión."; +$UserNotRegistered = "Usuario no registrado."; +$ViewStats = "Ver estadísticas"; +$Responsable = "Responsable"; +$TheAttendanceSheetIsLocked = "La lista de asistencia está bloqueada."; +$Presence = "Asistencia"; +$ACourseCategoryWithThisNameAlreadyExists = "Una categoría de curso ya existe con el mismo nombre."; +$OpenIDRedirect = "Redirección OpenID"; +$Blogs = "Blogs"; +$SelectACourse = "Seleccione un curso"; +$PleaseSelectACourseOrASessionInTheLeftColumn = "Seleccione un curso o una sesión"; +$Others = "Otros"; +$BackToCourseDesriptionList = "Regresar a la descripción de curso"; +$Postpone = "Postergar"; +$NotHavePermission = "El usuario no tiene permiso de realizar la acción solicitada."; +$CourseCodeAlreadyExistExplained = "Cuando un código de curso se duplica, el sistema detecta un código de curso que ya existe y que impide la creación de un duplicado. Por favor, asegurarse de que no se duplica código del curso."; +$NewImage = "Nueva imagen"; +$Untitled = "Sin título"; +$CantDeleteReadonlyFiles = "No se puede eliminar los archivos que están configurados en modo de sólo lectura"; +$InvalideUserDetected = "Usuario no válido detectado."; +$InvalideGroupDetected = "Grupo no válido detectado"; +$OverviewOfFilesInThisZip = "Listado de archivos en este Zip"; +$TestLimitsAdded = "Límites de ejercicios agregados"; +$AddLimits = "Agregar límites"; +$Unlimited = "Sin límites"; +$LimitedTime = "Tiempo limitado"; +$LimitedAttempts = "Intentos limitados"; +$Times = "Tiempos"; +$Random = "Aleatorio"; +$ExerciseTimerControlMinutes = "Habilitar ejercicios con control de tiempo."; +$Numeric = "Numérico"; +$Acceptable = "Aceptable"; +$Hotspot = "Zona interactiva"; +$ChangeTheVisibilityOfTheCurrentImage = "Cambiar visibilidad de la imagen"; +$Steps = "Etapas"; +$OriginalValue = "Valor original"; +$ChooseAnAnswer = "Seleccione una respuesta"; +$ImportExercise = "Importar ejercicio"; +$MultipleChoiceMultipleAnswers = "Elecciones múltiples, respuestas múltiples"; +$MultipleChoiceUniqueAnswer = "Elección múltiple, respuesta única"; +$HotPotatoesFiles = "Archivos HotPotatoes"; +$OAR = "Zona por evitar"; +$TotalScoreTooBig = "Calificación total es demasiado grande"; +$InvalidQuestionType = "Tipo de pregunta no válido"; +$InsertQualificationCorrespondingToMaxScore = "Ingrese un puntaje que corresponda a la calificación máxima"; +$ThreadMoved = "Tema movido"; +$MigrateForum = "Migrar foro"; +$YouWillBeNotified = "Ud. será notificado"; +$MoveWarning = "Advertencia: la información dentro del Cuaderno de calificaciones puede ser afectada al mover el Cuaderno de Calificaciones"; +$CategoryMoved = "El cuaderno de calificaciones ha sido movido."; +$EvaluationMoved = "Una evaluación del cuaderno de calificaciones ha sido movido."; +$NoLinkItems = "No hay componentes relacionados."; +$NoUniqueScoreRanges = "No existe ningun rango posible de puntuaciones."; +$DidNotTakeTheExamAcronym = "El usuario no tomo el ejercicio."; +$DidNotTakeTheExam = "El usuario no tomo el ejercicio."; +$DeleteUser = "Eliminar usuario"; +$ResultDeleted = "Resultado eliminado"; +$ResultsDeleted = "Resultados eliminados"; +$OverWriteMax = "Sobrescribir el máximo valor."; +$ImportOverWriteScore = "El importe sobrescribirá la calificación"; +$NoDecimals = "Sin decimales"; +$NegativeValue = "Valor negativo"; +$ToExportMustLockEvaluation = "Para exportar, deberá bloquear la evaluación."; +$ShowLinks = "Mostrar enlaces"; +$TotalForThisCategory = "Total para esta categoría"; +$OpenDocument = "Abrir documento"; +$LockEvaluation = "Bloquear evaluación"; +$UnLockEvaluation = "Desbloquear evaluación."; +$TheEvaluationIsLocked = "La evaluación está bloqueada."; +$BackToEvaluation = "Regresar a la evaluación."; +$Uploaded = "Subido."; +$Saved = "Guardado."; +$Reset = "Reiniciar"; +$EmailSentFromLMS = "Correo electrónico enviado desde la plataforma"; +$InfoAboutLastDoneAdvanceAndNextAdvanceNotDone = "Información sobre el último paso terminado y el siguiente sin terminar."; +$LatexCode = "Código LaTeX"; +$LatexFormula = "Fórmula LaTeX"; +$AreYouSureToLockTheAttendance = "Está seguro de bloquear la asistencia?"; +$UnlockMessageInformation = "La asistencia no esta bloqueada, el profesor aún puede modificarlo."; +$LockAttendance = "Bloquear asistencia"; +$AreYouSureToUnlockTheAttendance = "¿Está seguro de querer desbloquear la asistencia?"; +$UnlockAttendance = "Desbloquear asistencia"; +$LockedAttendance = "Bloquear asistencia"; +$DecreaseFontSize = "Disminuir tamaño de la fuente"; +$ResetFontSize = "Restaurar tamaño de la fuente"; +$IncreaseFontSize = "Aumentar tamaño de la fuente"; +$LoggedInAsX = "Conectado como %s"; +$Quantity = "Cantidad"; +$AttachmentUpload = "Subir archivo adjunto"; +$CourseAutoRegister = "Curso de auto-registro"; +$ThematicAdvanceInformation = "La Temporalización de la unidad didáctica permite organizar su curso a través del tiempo."; +$RequestURIInfo = "La URL solicitada no tiene la definición de un dominio."; +$DiskFreeSpace = "Espacio libre en disco"; +$ProtectFolder = "Folder protegido"; +$SomeHTMLNotAllowed = "Algunos atributos HTML no son permitidos."; +$MyOtherGroups = "Mis otras clases"; +$XLSFileNotValid = "El archivo XLS no es válido"; +$YouAreRegisterToSessionX = "Ud. está registrado a la sesión: %s."; +$NextBis = "Siguiente"; +$Prev = "Anterior"; +$Configuration = "Configuración"; +$WelcomeToTheChamiloInstaller = "Bienvenido al instalador de Chamilo"; +$PHPVersionError = "Su versión de PHP no coincide con los requisitos para este software. Por favor, compruebe que tiene la versión más reciente y vuelva a intentarlo."; +$ExtensionSessionsNotAvailable = "Extensión Sessions no disponible"; +$ExtensionZlibNotAvailable = "Extensión Zlib no disponible"; +$ExtensionPCRENotAvailable = "Extensión PCRE no disponible"; +$ToGroup = "Para un grupo social"; +$XWroteY = "%s escribió:
    %s"; +$BackToGroup = "Regresar al grupo"; +$GoAttendance = "Ir a las asistencias"; +$GoAssessments = "Ir a las evaluaciones"; +$EditCurrentModule = "Editar módulo actual"; +$SearchFeatureTerms = "Términos para la búsqueda"; +$UserRoles = "Roles de usuario"; +$GroupRoles = "Roles de grupo"; +$StorePermissions = "Almacenar permisos"; +$PendingInvitation = "Invitación pendiente"; +$MaximunFileSizeXMB = "Tamaño máximo de archivo: %sMB."; +$MessageHasBeenSent = "Su mensaje ha sido enviado."; +$Tags = "Etiquetas"; +$ErrorSurveyTypeUnknown = "Tipo de encuesta desconocido"; +$SurveyUndetermined = "Encuesta no definida"; +$QuestionComment = "Comentario de la pregunta"; +$UnknowQuestion = "Pregunta desconocida"; +$DeleteSurveyGroup = "Eliminar un grupo de encuestas"; +$ErrorOccurred = "Un error ha ocurrido."; +$ClassesUnSubscribed = "Clases desinscritas."; +$NotAddedToCourse = "No agregado al curso"; +$UsersNotRegistered = "Usuarios que no se registraron."; +$ClearFilterResults = "Limpiar resultados"; +$SelectFilter = "Selecionar filtro"; +$MostLinkedPages = "Páginas más vinculadas"; +$DeadEndPages = "Páginas sin salida"; +$MostNewPages = "Páginas más recientes"; +$MostLongPages = "Páginas más largas"; +$HiddenPages = "Páginas ocultas"; +$MostDiscussPages = "Páginas más discutidas"; +$BestScoredPages = "Páginas con mejor puntuación"; +$MProgressPages = "Páginas con mayor progreso"; +$MostDiscussUsers = "Usuarios más discutidos"; +$RandomPage = "Página aleatoria"; +$DateExpiredNotBeLessDeadLine = "La fecha de caducidad no puede ser menor que la fecha límite"; +$NotRevised = "No se ha revisado"; +$DirExists = "Operación imposible, ya existe un directorio con el mismo nombre."; +$DocMv = "Documento movido"; +$ThereIsNoClassScheduledTodayTryPickingAnotherDay = "Intente otra fecha o añadir una hoja de asistencia hoy usando los iconos de acción."; +$AddToCalendar = "Añadir al calendario"; +$TotalWeight = "Peso total"; +$RandomPick = "Selección aleatoria"; +$SumOfActivitiesWeightMustBeEqualToTotalWeight = "La suma de pesos de todas las actividades tiene que ser igual al peso total definido en la configuración de esta evaluación, sino los alumnos no podrán alcanzar la puntuación mínima requerida para obtener su certificado."; +$TotalSumOfWeights = "La suma de pesos de todos los componentes de esta evaluación tiene que ser igual a este número."; +$ShowScoreAndRightAnswer = "Modo auto-evaluación: mostrar la puntuación y las respuestas esperadas"; +$DoNotShowScoreNorRightAnswer = "Modo examen: No mostrar nada (ni puntuación, ni respuestas)"; +$YouNeedToAddASessionCategoryFirst = "Necesita agregar una categoría de sesión"; +$YouHaveANewInvitationFromX = "Tiene una nueva solicitud de %s"; +$YouHaveANewMessageFromGroupX = "Tiene un nuevo mensaje en el grupo %s"; +$YouHaveANewMessageFromX = "Tiene un nuevo mensaje de %s"; +$SeeMessage = "Ver mensaje"; +$SeeInvitation = "Ver solicitud"; +$YouHaveReceivedThisNotificationBecauseYouAreSubscribedOrInvolvedInItToChangeYourNotificationPreferencesPleaseClickHereX = "Usted ha recibido esta notificación porque estás suscrito o participa en ella, para cambiar sus preferencias de notificación por favor haga click aquí: %s"; +$Replies = "Respuestas"; +$Reply = "Respuesta"; +$InstallationGuide = "Guía de instalación"; +$ChangesInLastVersion = "Cambios en la última versión"; +$ContributorsList = "Lista de contribuidores"; +$SecurityGuide = "Guía de seguridad"; +$OptimizationGuide = "Guía de optimización"; +$FreeBusyCalendar = "Calendario libre/ocupado"; +$LoadUsersExtraData = "Cargar los datos extra de usuarios"; +$Broken = "Roto"; +$CheckURL = "Verificar enlace"; +$PrerequisiteDeletedError = "Error: el elemento definido como prerequisito ha sido eliminado."; +$NoItem = "Todavía ningun elemento"; +$ProtectedPages = "Páginas protegidas"; +$LoadExtraData = "Cargar los datos de campos usuario adicionales (estos tienen que ser marcados como 'Filtro' para que aparezcan)."; +$CourseAssistant = "Asistente"; +$TotalWeightMustBeX = "La suma de todos los pesos de los componentes debe ser de %s"; +$MaxWeightNeedToBeProvided = "Un peso máximo tiene que ser indicado en las opciones de esta evaluación."; +$ExtensionCouldBeLoaded = "La extensión está disponible"; +$SupportedScormContentMakers = "Paquetes Scorm soportados"; +$DisableEndDate = "Deshabilitar fecha final"; +$ForumCategories = "Categorías de foro"; +$Copy = "Copiar"; +$ArchiveDirCleanup = "Limpieza del directorio archive"; +$ArchiveDirCleanupDescr = "Chamilo guarda una copia de los archivos temporales que genera (para los backups, las exportaciones, las copias, etc) dentro del directorio archive/. Pasado un tiempo, todo esto puede llegar a ocupar bastante espacio en el disco duro. Si hace clic en el siguiente botón ejecutará una limpieza manual de este directorio. Esta operación debería ser realizada regularmente mediante la utilidad cron de Linux, pero si esto no es posible en su entorno puede utilizar esta página para eliminar todos los archivos temporales cada cierto tiempo."; +$ArchiveDirCleanupProceedButton = "Ejecutar la limpieza"; +$ArchiveDirCleanupSucceeded = "El contenido del directorio archive/ ha sido eliminado."; +$ArchiveDirCleanupFailed = "Por alguna razón (quizá por falta de permisos), no se pudo limpiar la carpeta archive/. Puede limpiarla manualmente conectándose al servidor y eliminando todo el contenido de la carpeta chamilo/archive/, excepto el fichero .htaccess."; +$EnableStartTime = "Usar tiempo de publicación"; +$EnableEndTime = "Usar tiempo de fin de publicación"; +$LocalTimeUsingPortalTimezoneXIsY = "La hora local usando la zona horaria del portal (%s) es %s"; +$AllEvents = "Todos los eventos"; +$StartTest = "Iniciar la prueba"; +$ExportAsDOC = "Exportar como .doc"; +$Wrong = "Equivocado"; +$Certification = "Certificación"; +$CertificateOnlineLink = "Vínculo al certificado en línea"; +$NewExercises = "Nuevo ejercicio"; +$MyAverage = "Mi promedio"; +$AllAttempts = "Todos los intentos"; +$QuestionsToReview = "Preguntas que desea comprobar"; +$QuestionWithNoAnswer = "Preguntas sin responder"; +$ValidateAnswers = "Validar respuestas"; +$ReviewQuestions = "Revisar las preguntas seleccionadas"; +$YouTriedToResolveThisExerciseEarlier = "Ya intentó resolver esta pregunta anteriormente"; +$NoCookies = "Las cookies no están activadas en su navegador.\nChamilo utiliza \"cookies\" para almacenar sus datos de conexión, por lo que no le será posible entrar si las cookies no están habilitadas. Por favor, cambie la configuración de su navegador y recargue esta página."; +$NoJavascript = "Su navegador no tiene activado JavaScript.\nChamilo se sirve de JavaScript para proporcionar un interfaz más dinámico. Es probable que muchas prestaciones sigan funcionando pero otras no lo harán, especialmente las relacionadas con la usabilidad. Le recomendamos que cambie la configuración de su navegador y recargue esta página."; +$NoFlash = "Su navegador no tiene activado el soporte de Flash.\nChamilo sólo se apoya en Flash para algunas de sus funciones por lo que su ausencia no le impedirá continuar. Pero si quiere beneficiarse del conjunto de las herramientas de Chamilo, le recomendamos que instale-active el plugin de Flash y reinicialice su navegador."; +$ThereAreNoQuestionsForThisExercise = "En este ejercicio no hay preguntas disponibles"; +$Attempt = "Intento"; +$SaveForNow = "Guardar y continuar más tarde"; +$ContinueTest = "Continuar el ejercicio"; +$NoQuicktime = "No tiene instalado el plugin de QuickTime en su navegador. Puede seguir utilizando la plataforma, pero para conseguir reproducir un mayor número de tipos de archivos multimedia le recomendamos su instalación."; +$NoJavaSun = "No tiene instalado el plugin de Java de Sun en su navegador. Puede seguir utilizando la plataforma, pero perderá algunas de sus prestaciones."; +$NoJava = "Su navegador no tiene soporte para Java"; +$JavaSun24 = "Usted tiene instalada en su navegador una versión de Java incompatible con esta herramienta. Para poder utilizarla deberá instalar una versión de Java de Sun superior a la 24"; +$NoMessageAnywere = "Si no desea visualizar más este mensaje durante esta sesión pulse aquí"; +$IncludeAllVersions = "Buscar también en las versiones antiguas de cada página"; +$TotalHiddenPages = "Total de páginas ocultas"; +$TotalPagesEditedAtThisTime = "Total de páginas que están editándose en este momento"; +$TotalWikiUsers = "Total de usuarios que han participado en el Wiki"; +$StudentAddNewPages = "Los estudiantes pueden añadir nuevas páginas al Wiki"; +$DateCreateOldestWikiPage = "Fecha de creación de la página más antigua del Wiki"; +$DateEditLatestWikiVersion = "Fecha de la edición más reciente del Wiki"; +$AverageScoreAllPages = "Puntuación media de todas las páginas"; +$AverageMediaUserProgress = "Media del progreso estimado por los usuarios en sus páginas"; +$TotalIpAdress = "Total de direcciones IP diferentes que han contribuido alguna vez al Wiki"; +$Pages = "Páginas"; +$Versions = "Versiones"; +$EmptyPages = "Total de páginas vacías"; +$LockedDiscussPages = "Número de páginas de discusión bloqueadas"; +$HiddenDiscussPages = "Número de páginas de discusión ocultas"; +$TotalComments = "Total de comentarios realizados en las distintas versiones de las páginas"; +$TotalOnlyRatingByTeacher = "Total de páginas que sólo pueden ser puntuadas por un profesor"; +$TotalRatingPeers = "Total de páginas que pueden ser puntuadas por otros alumnos"; +$TotalTeacherAssignments = "Número de páginas de tareas propuestas por un profesor"; +$TotalStudentAssignments = "Número de páginas de tareas individuales de los alumnos"; +$TotalTask = "Número de tareas"; +$PortfolioMode = "Modo portafolios"; +$StandardMode = "Modo tarea estándar"; +$ContentPagesInfo = "Información sobre el contenido de las páginas"; +$InTheLastVersion = "En la última versión"; +$InAllVersions = "En todas las versiones"; +$NumContributions = "Número de contribuciones"; +$NumAccess = "Número de visitas"; +$NumWords = "Número de palabras"; +$NumlinksHtmlImagMedia = "Número de enlaces externos html insertados (texto, imágenes, etc.)"; +$NumWikilinks = "Número de enlaces Wiki"; +$NumImages = "Número de imágenes insertadas"; +$NumFlash = "Número de archivos flash insertados"; +$NumMp3 = "Número de archivos de audio mp3 insertados"; +$NumFlvVideo = "Número de archivos de video FLV insertados"; +$NumYoutubeVideo = "Número de videos de Youtube embebidos"; +$NumOtherAudioVideo = "Número de archivos de audio y video insertados (excepto mp3 y flv)"; +$NumTables = "Número de tablas insertadas"; +$Anchors = "Anclas"; +$NumProtectedPages = "Número de páginas protegidas"; +$Attempts = "Intentos"; +$SeeResults = "Ver resultados"; +$Loading = "Cargando"; +$AreYouSureToRestore = "Está seguro que desea restaurar este elemento?"; +$XQuestionsWithTotalScoreY = "%d preguntas, con un resultado máximo (todas preguntas) de %s."; +$ThisIsAutomaticEmailNoReply = "Este es un mensaje automático. Por favor no le de respuesta (será ignorada)."; +$UploadedDocuments = "Documentos enviados"; +$QuestionLowerCase = "Pregunta minúsculas"; +$QuestionsLowerCase = "Preguntas minúsculas"; +$BackToTestList = "Regreso a lista de ejercicios"; +$CategoryDescription = "Descripción de categoría"; +$BackToCategoryList = "Regreso a la lista de categorías"; +$AddCategoryNameAlreadyExists = "Este nombre de categoría ya existe. Por favor indique otro nombre."; +$CannotDeleteCategory = "No se pudo eliminar la categoría"; +$CannotDeleteCategoryError = "Error: no se pudo borrar la categoría"; +$CannotEditCategory = "No se pudo editar la categoría"; +$ModifyCategoryError = "No se pudo modificar la categoría"; +$AllCategories = "Todas categorías"; +$CreateQuestionOutsideExercice = "Crear pregunta fuera de cualquier ejercicio"; +$ChoiceQuestionType = "Escoger tipo de pregunta"; +$YesWithCategoriesSorted = "Sí, con categorías ordenadas"; +$YesWithCategoriesShuffled = "Sí, con categorías desordenadas"; +$ManageAllQuestions = "Gestionar todas las preguntas"; +$MustBeInATest = "Tiene que estar en un ejercicio"; +$PleaseSelectSomeRandomQuestion = "Por favor seleccione una pregunta aleatoria"; +$RemoveFromTest = "Quitar del ejercicio"; +$AddQuestionToTest = "Agregar pregunta al ejercicio"; +$QuestionByCategory = "Pregunta por categoría"; +$QuestionUpperCaseFirstLetter = "Pregunta con primera letra mayúscula"; +$QuestionCategory = "Categoría de preguntas"; +$AddACategory = "Añadir categoría"; +$AddTestCategory = "Añadir categoría de ejercicios"; +$AddCategoryDone = "Categoría añadida con éxito"; +$NbCategory = "Número de categorías"; +$DeleteCategoryAreYouSure = "¿Está segura que desea eliminar esta categoría?"; +$DeleteCategoryDone = "Categoría eliminada"; +$MofidfyCategoryDone = "Categoría modificada"; +$NotInAGroup = "No está en ningún grupo"; +$DoFilter = "Filtrar"; +$ByCategory = "Por categoría"; +$PersonalCalendar = "Calendario personal"; +$SkillsTree = "Árbol de competencias"; +$Skills = "Competencias"; +$SkillsProfile = "Perfil de competencias"; +$WithCertificate = "Con certificado"; +$AdminCalendar = "Calendario de admin"; +$CourseCalendar = "Calendario de curso"; +$Reports = "Informes"; +$ResultsNotRevised = "Resultados no revisados"; +$ResultNotRevised = "Resultado no revisado"; +$dateFormatShortNumber = "%d/%m/%Y"; +$dateTimeFormatLong24H = "%d de %B del %Y a las %Hh%M"; +$ActivateLegal = "Activar términos legales"; +$ShowALegalNoticeWhenEnteringTheCourse = "Mostrar una advertencia legal al entrar al curso"; +$GradingModelTitle = "Modelo de evaluación"; +$AllowTeacherChangeGradebookGradingModelTitle = "Los docentes pueden escoger el modelo de evaluación"; +$AllowTeacherChangeGradebookGradingModelComment = "Activando esta opción, permitirá a cada docente escoger el modelo de evaluación que se usa en su(s) curso(s). Este cambio se operará dentro de la herramienta de evaluaciones del curso."; +$NumberOfSubEvaluations = "Número de sub-evaluaciones"; +$AddNewModel = "Añadir nuevo modelo"; +$NumberOfStudentsWhoTryTheExercise = "Número de estudiantes quienes han intentado el ejercicio"; +$LowestScore = "Resultado mínimo obtenido"; +$HighestScore = "Resultado máximo obtenido"; +$ContainsAfile = "Contiene un fichero"; +$Discussions = "Discusiones"; +$ExerciseProgress = "Progreso ejercicio"; +$GradeModel = "Modelo de evaluación"; +$SelectGradebook = "Seleccionar evaluación"; +$ViewSkillsTree = "Ver árbol de competencias"; +$MySkills = "Mis competencias"; +$GroupParentship = "Parentesco del grupo"; +$NoParentship = "Sin parentesco"; +$NoCertificate = "Sin certificado"; +$AllowTextAssignments = "Permitir tareas de texto en línea"; +$SeeFile = "Ver archivo"; +$ShowDocumentPreviewTitle = "Mostrar vista previa de documento"; +$ShowDocumentPreviewComment = "Mostrar vista previa de documentos en la herramienta de documentos. Este modo permite evitar la carga de una nueva página para mostrar un documento, pero puede resultar inestable en antigüos navegadores o poco práctico en pantallas pequeñas."; +$YouAlreadySentAPaperYouCantUpload = "Ya envió una tarea, no puede subir otra."; +$CasMainActivateTitle = "Activar la autentificación CAS"; +$CasMainServerTitle = "Servidor CAS principal"; +$CasMainServerComment = "Es el servidor CAS principal que será usado para la autentificación (dirección IP o nombre)"; +$CasMainServerURITitle = "URI del servidor CAS principal"; +$CasMainServerURIComment = "El camino hasta el servicio CAS en el servidor"; +$CasMainPortTitle = "Puerto del servidor CAS principal"; +$CasMainPortComment = "El puerto en el cual uno se puede conectar al servidor CAS principal"; +$CasMainProtocolTitle = "Protocolo del servidor CAS principal"; +$CAS1Text = "CAS 1"; +$CAS2Text = "CAS 2"; +$SAMLText = "SAML"; +$CasMainProtocolComment = "Protocolo con el que nos conectamos al servidor CAS"; +$CasUserAddActivateTitle = "Activar registrar usuarios mediante CAS"; +$CasUserAddActivateComment = "Permite crear cuentas de usuarios con CAS"; +$CasUserAddLoginAttributeTitle = "Registrar el nombre de usuario"; +$CasUserAddLoginAttributeComment = "Registrar el nombre de usuario CAS cuando se registra un nuevo usuario por esta via"; +$CasUserAddEmailAttributeTitle = "Registrar el e-mail CAS"; +$CasUserAddEmailAttributeComment = "Registrar el e-mail CAS cuando se registra un nuevo usuario por esta via"; +$CasUserAddFirstnameAttributeTitle = "Registrar el nombre CAS"; +$CasUserAddFirstnameAttributeComment = "Registrar el nombre CAS cuando se registra un nuevo usuario por esta via"; +$CasUserAddLastnameAttributeTitle = "Registrar el apellido CAS"; +$CasUserAddLastnameAttributeComment = "Registrar el apellido CAS cuando se registra un nuevo usuario por esta via"; +$UserList = "Lista de usuarios"; +$SearchUsers = "Buscar usuarios"; +$Administration = "Administración"; +$AddAsAnnouncement = "Agregar como un anuncio"; +$SkillsAndGradebooks = "Competencias y evaluaciones"; +$AddSkill = "Añadir competencia"; +$ShowAdminToolbarTitle = "Mostrar barra de administración"; +$AcceptLegal = "Aceptar términos legales"; +$CourseLegalAgreement = "Términos legales para este curso"; +$RandomQuestionByCategory = "Preguntas al azar por categoría"; +$QuestionDisplayCategoryName = "Mostrar la categoría de pregunta"; +$ReviewAnswers = "Revisar mis respuestas"; +$TextWhenFinished = "Texto apareciendo al finalizar la prueba"; +$Validated = "Corregido"; +$NotValidated = "Sin corregir"; +$Revised = "Revisado"; +$SelectAQuestionToReview = "Seleccione una pregunta por revisar"; +$ReviewQuestionLater = "Marcar para revisar después"; +$NumberStudentWhoSelectedIt = "Número de estudiantes quienes la seleccionaron"; +$QuestionsAlreadyAnswered = "Preguntas ya respondidas"; +$SkillDoesNotExist = "No existe semejante competencia"; +$CheckYourGradingModelValues = "Compruebe sus valores de modelo de evaluación"; +$SkillsAchievedWhenAchievingThisGradebook = "Competencias obtenidas al lograr esta evaluación"; +$AddGradebook = "Añadir evaluación"; +$NoStudents = "No hay estudiantes"; +$NoData = "No hay datos disponibles"; +$IAmAHRM = "Soy responsable de recursos humanos"; +$SkillRootName = "Competencia absoluta"; +$Option = "Opción"; +$NoSVGImagesInImagesGalleryPath = "No existen imágenes SVG en su carpeta de galería de imágenes"; +$NoSVGImages = "No hay imágenes SVG"; +$NumberOfStudents = "Número de estudiantes"; +$NumberStudentsAccessingCourse = "Número de estudiantes quienes han accedido al curso"; +$PercentageStudentsAccessingCourse = "Porcentaje de estudiantes accediendo al curso"; +$NumberStudentsCompleteAllActivities = "Número de estudiantes quienes completaron todas las actividades (progreso de 100%)"; +$PercentageStudentsCompleteAllActivities = "Porcentaje de estudiantes quienes completaron todas las actividades (progreso de 100%)"; +$AverageOfActivitiesCompletedPerStudent = "Número promedio de actividades completadas por estudiante"; +$TotalTimeSpentInTheCourse = "Tiempo total permanecido en el curso"; +$AverageTimePerStudentInCourse = "Tiempo promedio permanecido en el curso, por estudiante"; +$NumberOfDocumentsInLearnpath = "Número de documentos en la lección"; +$NumberOfExercisesInLearnpath = "Número de ejercicios en la lección"; +$NumberOfLinksInLearnpath = "Número de enlaces en la lección"; +$NumberOfForumsInLearnpath = "Número de foros en la lección"; +$NumberOfAssignmentsInLearnpath = "Número de tareas en la lección"; +$NumberOfAnnouncementsInCourse = "Número de anuncios en el curso"; +$CurrentCoursesReport = "Informes de cursos actuales"; +$HideTocFrame = "Esconder zona de tabla de contenidos"; +$Updates = "Actualizaciones"; +$Teaching = "Enseñanza"; +$CoursesReporting = "Informes de cursos"; +$AdminReports = "Informes de admin"; +$ExamsReporting = "Informes de exámenes"; +$MyReporting = "Mis informes"; +$SearchSkills = "Buscar competencias"; +$SaveThisSearch = "Guardar esta búsqueda"; +$SkillProfiles = "Perfiles de competencias guardados"; +$Matches = "Correspondencias"; +$WelcomeUserXToTheSiteX = "%s, bienvenido al portal %s"; +$CheckUsersWithId = "Usar el ID de usuario del archivo para el registro"; +$WhoAndWhere = "Quien y donde"; +$CantUploadDeleteYourPaperFirst = "No puede subir esta tarea. Por favor elimine la tarea anterior primero."; +$MB = "MB"; +$ShowAdminToolbarComment = "Muestra a los usuarios, según su perfil, una barra global en la parte superior de la página. Esta barra, muy similar a las de Wordpress y Google, puede aumentar considerablemente su eficiencia al realizar actividades complejas y aumenta el espacio disponible para el contenido de aprendizaje."; +$SessionList = "Lista de sesiones"; +$StudentList = "Lista de estudiantes"; +$StudentsWhoAreTakingTheExerciseRightNow = "Estudiantes que realizan el ejercicio en este momento"; +$GroupReply = "Respuesta"; +$GroupReplies = "Respuestas"; +$ReportByQuestion = "Reporte por pregunta"; +$LiveResults = "Resultados en vivo"; +$SkillNotFound = "Competencia no encontrada"; +$IHaveThisSkill = "Tengo esta competencia"; +$Me = "Yo"; +$Vote = "Voto"; +$Votes = "Votos"; +$XStarsOutOf5 = "%s estrellas de 5"; +$Visit = "Visita"; +$Visits = "Visitas"; +$YourVote = "Su voto"; +$HottestCourses = "Cursos más populares"; +$SentAtX = "Enviado el: %s"; +$dateTimeFormatShort = "%d %b %Y a las %I:%M %p"; +$dateTimeFormatShortTimeFirst = "%I:%M %p, %d %b %Y"; +$LoginToVote = "Debe estar conectado para poder votar"; +$AddInMenu = "Insertar en el menú principal"; +$AllowUsersToChangeEmailWithNoPasswordTitle = "Permitir que los usuarios puedan cambiar su correo electrónico sin necesidad de solicitar la contraseña"; +$AllowUsersToChangeEmailWithNoPasswordComment = "Cuando se modifica la cuenta del usuario"; +$EnableHelpLinkTitle = "Habilitar el vínculo de ayuda"; +$EnableHelpLinkComment = "El vínculo de ayuda se encuentra en la parte superior derecha de la pantalla"; +$BackToAdmin = "Regresar a la administración"; +$AllowGlobalChatTitle = "Habilitar el chat global"; +$HeaderExtraContentTitle = "Contenido extra en la cabecera"; +$HeaderExtraContentComment = "Puede agregar código HTML como los meta tags"; +$FooterExtraContentTitle = "Contenido extra en el pie"; +$AllowGlobalChatComment = "Los usuarios pueden conversar entre si mediante un chat global"; +$FooterExtraContentComment = "Puede incluir contenido HTML como meta tags"; +$DoNotShow = "No mostrar"; +$ShowToAdminsOnly = "Mostrar solo a los administradores"; +$ShowToAdminsAndTeachers = "Mostrar a los administradores y profesores"; +$ShowToAllUsers = "Mostrar a todos los usuarios"; +$ImportGlossary = "Importar glosario"; +$ReplaceGlossary = "Reemplazar glosario"; +$CannotDeleteGlossary = "No es posible eliminar el glosario"; +$TermsImported = "Términos importados"; +$TermsNotImported = "Términos no importados"; +$ExportGlossaryAsCSV = "Exportar glosario en un archivo CSV"; +$SelectAnAction = "Seleccionar una acción"; +$LoginX = "Nombre de usuario: %s"; +$DatabaseXWillBeCreated = "La base de datos %s se creará"; +$ADatabaseWithTheSameNameAlreadyExists = "Una base de datos con el mismo nombre ya existe. El contenido de la base de datos se perderá."; +$UserXCantHaveAccessInTheDatabaseX = "El usuario %s no tiene acceso a la base de datos %s"; +$DatabaseXCantBeCreatedUserXDoestHaveEnoughPermissions = "La base de datos %s no puede ser creada, el usuario %s no tiene los permisos necesarios"; +$CopyOnlySessionItems = "Copiar solo los elementos de una sesión"; +$FirstLetterCourseTitle = "Primera letra del título del curso"; +$NumberOfPublishedExercises = "Nro de ejercicios publicados"; +$NumberOfPublishedLps = "Nro de Lecciones publicadas"; +$ChatConnected = "Chat (Conectado)"; +$ChatDisconnected = "Chat (Desconectado)"; +$AddCourseDescription = "Describir el curso"; +$ThingsToDo = "Primeras actividades sugeridas"; +$RecordAnswer = "Grabar respuesta"; +$UseTheMessageBelowToAddSomeComments = "Utilizar el siguiente campo de texto para escribir un comentario al profesor"; +$SendRecord = "Enviar grabación"; +$DownloadLatestRecord = "Descargar grabación"; +$OralExpression = "Expresión Oral"; +$UsersFoundInOtherPortals = "Usuarios encontrados en otros portales"; +$AddUserToMyURL = "Añadir el usuario a mi portal"; +$UsersDeleted = "Usuarios eliminados"; +$UsersAdded = "Usuarios añadidos"; +$PluginArea = "Área de plugins"; +$NoConfigurationSettingsForThisPlugin = "No hay opciones de configuración para este plugin"; +$CoursesDefaultCreationVisibilityTitle = "Visibilidad del curso por defecto"; +$CoursesDefaultCreationVisibilityComment = "Visibilidad por defecto del curso cuando se está creando un curso"; +$YouHaveEnteredTheCourseXInY = "Ud. ha ingresado al curso %s el %s"; +$LoginIsEmailTitle = "Usar el correo electrónico como nombre de usuario"; +$LoginIsEmailComment = "El correo electrónico será usado para ingresar al sistema"; +$CongratulationsYouPassedTheTest = "Felicitaciones ha aprobado el ejercicio."; +$YouDidNotReachTheMinimumScore = "No ha alcanzado el puntaje mínimo."; +$AllowBrowserSnifferTitle = "Activar el investigador de navegadores"; +$AllowBrowserSnifferComment = "Esto activará un investigador de las capacidades que soportan los navegadores que se conectan a Chamilo. Por lo tanto, mejorará la experiencia del usuario, adaptando las respuestas de la plataforma al tipo de navegador que se conecta, pero reducirá la velocidad de carga de la página inicial de los usuarios cada vez que entren a la plataforma."; +$EndTest = "Terminar ejercicio"; +$EnableWamiRecordTitle = "Activar Wami-recorder"; +$EnableWamiRecordComment = "Wami-recorder es una herramienta de grabación de voz sobre Flash"; +$EventType = "Tipo de evento"; +$WamiFlashDialog = "Se mostrará un cuadro de diálogo en el que se le pedirá permiso para poder acceder al micrófono, responda afirmativamente y cierre el cuadro de diálogo (si no desea que vuelva a aparecer, antes de cerrar marque la opción\nrecordar)"; +$WamiStartRecorder = "Inicie la grabación pulsando el micrófono y deténgala pulsándolo de nuevo. Cada vez que haga esto se generará un archivo."; +$WamiNeedFilename = "Antes de activar la grabación es necesario dar un nombre al archivo."; +$InputNameHere = "Escriba el nombre aquí"; +$Reload = "Recargar"; +$SelectGradeModel = "Seleccionar un modelo de calificación"; +$AllMustWeight100 = "La suma debe ser de 100"; +$Components = "Componentes"; +$ChangeSharedSetting = "Cambiar visibilidad de la configuración para los otros portales"; +$OnlyActiveWhenThereAreAnyComponents = "Esta opción está habilitada si tiene evaluaciones o categorías"; +$AllowHRSkillsManagementTitle = "Permitir al perfil RRHH administrar las competencias"; +$AllowHRSkillsManagementComment = "El usuario podrá crear y editar competencias"; +$GradebookDefaultWeightTitle = "Peso total por defecto en la herramienta \"Evaluaciones\""; +$GradebookDefaultWeightComment = "Este peso será utilizado en todos los cursos"; +$TimeSpentLastXDays = "Tiempo dedicado en los últimos %s días"; +$TimeSpentBetweenXAndY = "Tiempo dedicado entre el %s y el %s"; +$GoToCourse = "Ir al curso"; +$TeachersCanChangeScoreSettingsTitle = "Los profesores pueden cambiar la configuración de puntuación de las evaluaciones"; +$TeachersCanChangeScoreSettingsComment = "Al editar la configuración de las Evaluaciones"; +$SubTotal = "Total parcial"; +$Configure = "Configurar"; +$Regions = "Regiones"; +$CourseList = "Lista de cursos"; +$NumberAbbreviation = "N°"; +$FirstnameAndLastname = "Nombre y apellidos"; +$LastnameAndFirstname = "Apellidos y nombre"; +$Plugins = "Plugins"; +$Detailed = "Detallado"; +$ResourceLockedByGradebook = "Esta opción no está disponible porque la actividad está incluida en una evaluación que se encuentra bloqueada. Para desbloquear esta evaluación, comuníquese con el administrador de la plataforma."; +$GradebookLockedAlert = "Esta evaluación ha sido bloqueada y no puede ser desbloqueada. Si necesita realmente desbloquearla, por favor contacte el administrador de la plataforma, explicando su razón (sino podría ser considerado como un intento de fraude)."; +$GradebookEnableLockingTitle = "Activar bloqueo de Evaluaciones por los profesores"; +$GradebookEnableLockingComment = "Una vez activada, esta opción permitirá a los profesores bloquear cualquier evaluación dentro de su curso. Esto prohibirá al profesor cualquier modificación posterior de los resultados de sus alumnos en los recursos usados para esta evaluación: exámenes, lecciones, tareas, etc. El único rol autorizado a desbloquear una evaluación es el administrador. El profesor estará informado de esta posibilidad al intentar desbloquear la evaluación. El bloqueo como el desbloqueo estarán guardados en el registro de actividades importantes del sistema."; +$LdapDescriptionComment = "

    • LDAP authentication :
      See I. below to configure LDAP
      See II. below to activate LDAP authentication


    • Update user attributes, with LDAP data, after CAS authentication(see CAS configuration ) :
      See I. below to configure LDAP
      CAS manage user authentication, LDAP activation isn't required.


    I. LDAP configuration

    Edit file main/inc/conf/auth.conf.php
    -> Edit values of array $extldap_config

    Parameters are
    • base domain string (ex : 'base_dn' => 'DC=cblue,DC=be')
    • admin distinguished name (ex : 'admin_dn' =>'CN=admin,dc=cblue,dc=be')
    • admin password (ex : 'admin_password' => '123456')
    • ldap host (ex : 'host' => array('1.2.3.4', '2.3.4.5', '3.4.5.6'))
    • filter (ex : 'filter' => '')
    • port (ex : 'port' => 389)
    • protocol version (2 or 3) (ex : 'protocol_version' => 3)
    • user_search (ex : 'user_search' => 'sAMAccountName=%username%')
    • encoding (ex : 'encoding' => 'UTF-8')
    • update_userinfo (ex : 'update_userinfo' => true)
    -> To update correspondences between user and LDAP attributes, edit array $extldap_user_correspondance
    Array values are <chamilo_field> => >ldap_field>
    Array structure is explained in file main/auth/external_login/ldap.conf.php


    II. Activate LDAP authentication

    Edit file main/inc/conf/configuration.php
    -> Uncomment lines
    $extAuthSource["extldap"]["login"] =$_configuration['root_sys']."main/auth/external_login/login.ldap.php";
    $extAuthSource["extldap"]["newUser"] =$_configuration['root_sys'].$_configuration['code_append']."auth/external_login/newUser.ldap.php";

    N.B. : LDAP users use same fields than platform users to login.
    N.B. : LDAP activation adds a menu External authentication [LDAP] in "add or modify" user pages.
    "; +$ShibbolethMainActivateTitle = "

    Autenticación Shibboleth

    "; $ShibbolethMainActivateComment = "En primer lugar, tiene que configurar Shibboleth para su servidor web. Para configurarlo en Chamilo: @@ -7034,450 +7034,450 @@ Modificar valores de \$result con el nombre de los atributos de Shibboleth \$result->persistent_id = '-'; ... -Ir a Plug-in para añadir el botón 'Shibboleth Login' en su campus de Chamilo."; -$LdapDescriptionTitle = "

    Autentificacion LDAP

    "; -$FacebookMainActivateTitle = "Autenticación con Facebook"; +Ir a Plug-in para añadir el botón 'Shibboleth Login' en su campus de Chamilo."; +$LdapDescriptionTitle = "

    Autentificacion LDAP

    "; +$FacebookMainActivateTitle = "Autenticación con Facebook"; $FacebookMainActivateComment = "En primer lugar, se tiene que crear una aplicación de Facebook (ver https://developers.facebook.com/apps) con una cuenta de Facebook. En los parámetros de aplicaciones de Facebook, el valor de dirección URL del sitio debe tener \"una acción = fbconnect\" un parámetro GET (http://mychamilo.com/?action=fbconnect, por ejemplo). Entonces, editar el archivo main/auth/external_login/facebook.conf.php e ingresar en \"appId\" y \"secret\" los valores de \$facebook_config. -Ir a Plug-in para añadir un botón configurable \"Facebook Login\" para el campus de Chamilo."; -$AnnouncementForGroup = "Anuncios para un grupo"; -$AllGroups = "Todos los grupos"; -$LanguagePriority1Title = "Prioridad del idioma 1"; -$LanguagePriority2Title = "Prioridad del idioma 2"; -$LanguagePriority3Title = "Prioridad del idioma 3"; -$LanguagePriority4Title = "Prioridad del idioma 4"; -$LanguagePriority5Title = "Prioridad del idioma 5"; -$LanguagePriority1Comment = "El idioma con la más alta prioridad"; -$LanguagePriority2Comment = "Prioridad del idioma 2"; -$LanguagePriority3Comment = "Prioridad del idioma 3"; -$LanguagePriority4Comment = "Prioridad del idioma 4"; -$LanguagePriority5Comment = "La menor prioridad entre los idiomas"; -$UserLanguage = "Idioma del usuario"; -$UserSelectedLanguage = "Idioma del usuario seleccionado"; -$TeachersCanChangeGradeModelSettingsTitle = "Los profesores pueden cambiar el modelo de calificación dentro del cuaderno de evaluaciones"; -$TeachersCanChangeGradeModelSettingsComment = "Cuando se edita una evaluación"; -$GradebookDefaultGradeModelTitle = "Modelo de calificación por defecto"; -$GradebookDefaultGradeModelComment = "Este valor será seleccionado por defecto cuando se crea un curso"; -$GradebookEnableGradeModelTitle = "Habilitar el modelo de calificación en el cuaderno de evaluaciones"; -$GradebookEnableGradeModelComment = "Permite utilizar un modelo de calificacíón en el cuaderno de evaluaciones"; -$ConfirmToLockElement = "¿Está seguro de querer bloquear este elemento? Después de bloquear este elemento no podrá editar los resultados de los estudiantes. Para desbloquearlo deberá contactar con el administrador de la plataforma."; -$ConfirmToUnlockElement = "¿Está seguro de querer desbloquear este elemento?"; -$AllowSessionAdminsToSeeAllSessionsTitle = "Permitir a los administradores de sesión ver todas las sesiones"; -$AllowSessionAdminsToSeeAllSessionsComment = "Cuando esta opción está desactivada los administradores de sesión solamente podrán ver sus sesiones."; -$PassPercentage = "Porcentaje de éxito"; -$AllowSkillsToolTitle = "Habilitar la herramienta de competencias"; -$AllowSkillsToolComment = "Los usuarios pueden ver sus competencias en la red social y en un bloque en la página principal."; -$UnsubscribeFromPlatform = "Si desea darse de baja completamente en el Campus y que toda su información sea eliminada de nuestra base de datos pulse el botón inferior."; -$UnsubscribeFromPlatformConfirm = "Sí, quiero suprimir completamente esta cuenta. Ningún dato quedará en el servidor y no podré acceder de nuevo, salvo que cree una cuenta completamente nueva."; -$AllowPublicCertificatesTitle = "Permitir certificados públicos"; -$AllowPublicCertificatesComment = "Los certificados pueden ser vistos por personas no registradas en el portal."; -$DontForgetToSelectTheMediaFilesIfYourResourceNeedIt = "No olvide seleccionar los archivos multimedia si su recurso los necesita"; -$NoStudentCertificatesAvailableYet = "Aún no están disponibles los certificados de los estudiantes. Tenga en cuenta que para generar su certificado un estudiante tiene que ir a la herramienta evaluaciones y pulsar sobre el icono certificado, el cual sólo aparecerá cuando ha él haya conseguido los objetivos del curso."; -$CertificateExistsButNotPublic = "El certificado solicitado existe pero no es público, por lo que para poderlo ver tendrá que identificarse."; -$Default = "Defecto"; -$CourseTestWasCreated = "El curso test ha sido creado"; -$NoCategorySelected = "No hay una categoría seleccionada"; -$ReturnToCourseHomepage = "Volver a la página principal del curso"; -$ExerciseAverage = "Media del ejercicio"; -$WebCamClip = "Webcam Clip"; -$Snapshot = "Capturar"; -$TakeYourPhotos = "Haga sus fotos aquí"; -$LocalInputImage = "Imagen local"; -$ClipSent = "Imagen enviada"; -$Auto = "Automático"; -$Stop = "Parar"; -$EnableWebCamClipTitle = "Activar Webcam Clip"; -$EnableWebCamClipComment = "Webcam Clip permite a los usuarios capturar imágenes desde su webcam y enviarlas al servidor en formato jpeg"; -$ResizingAuto = "Presentación redimensionada automáticamente"; -$ResizingAutoComment = "La presentación se redimensionará automáticamente al tamaño de su pantalla. Esta es la opción que siempre se cargará por defecto cada vez que entre en la plataforma."; -$YouShouldCreateTermAndConditionsForAllAvailableLanguages = "Debe crear los Términos y Condiciones para todos los idiomas disponibles en la plataforma"; -$SelectAnAudioFileFromDocuments = "Seleccionar un archivo de audio desde los documentos"; -$ActivateEmailTemplateTitle = "Activar plantillas de correos"; -$ActivateEmailTemplateComment = "Use plantillas de correos para ciertos eventos y a usuarios específicos"; -$SystemManagement = "Administración del sistema"; -$RemoveOldDatabaseMessage = "Eliminar base de datos antigua"; -$RemoveOldTables = "Eliminar tablas antiguas"; -$TotalSpaceUsedByPortalXLimitIsYMB = "Espacio total usado por el portal %s limite es de %s MB"; -$EventMessageManagement = "Administración de los eventos"; -$ToBeWarnedUserList = "Lista de usuarios por ser alertados por email"; -$YouHaveSomeUnsavedChanges = "Tiene algunos cambios no guardados. ¿Desea abandonarlos?"; -$ActivateEvent = "Activar evento"; -$AvailableEventKeys = "Palabras claves de los eventos. Utilizarlos entre (( ))."; -$Events = "Eventos"; -$EventTypeName = "Nombre del tipo de evento"; -$HideCampusFromPublicPlatformsList = "Esconder el campus de la lista pública de plataformas"; -$ChamiloOfficialServicesProviders = "Proveedores oficiales de Chamilo"; -$NoNegativeScore = "Sin puntos negativos"; -$GlobalMultipleAnswer = "Respuesta múltiple global"; -$Zombies = "Zombies"; -$ActiveOnly = "Solo activo"; -$AuthenticationSource = "Fuente de autentificación"; -$RegisteredDate = "Fecha de registro"; -$NbInactiveSessions = "Número de sesiones inactivas"; -$AllQuestionsShort = "Todas"; -$FollowedSessions = "Sesiones seguidas"; -$FollowedCourses = "Cursos seguidos"; -$FollowedUsers = "Usuarios seguidos"; -$Timeline = "Línea del tiempo"; -$ExportToPDFOnlyHTMLAndImages = "Exportar páginas web e imágenes a PDF"; -$CourseCatalog = "Catálogo de cursos"; -$Go = "Ir"; -$ProblemsRecordingUploadYourOwnAudioFile = "Tiene problemas para grabar? Mande su propio fichero audio."; -$ImportThematic = "Importar avance temático"; -$ExportThematic = "Exportar avance temático"; -$DeleteAllThematic = "Eliminar todo el avance temático"; -$FilterTermsTitle = "Filtrar términos"; -$FilterTermsComment = "Proporcione una lista de términos, uno por línea, que serán filtrados para que no aparezcan en sus páginas web y correos electrónicos. Estos términos serán reemplazados por ***"; -$UseCustomPagesTitle = "Usar páginas personalizadas"; -$UseCustomPagesComment = "Activar esta funcionalidad para configurar páginas específicas de identificación (login) según el perfil del usuario"; -$StudentPageAfterLoginTitle = "Página del alumno después de identificarse"; -$StudentPageAfterLoginComment = "Esta página será la que vean todos los alumnos después de identificarse."; -$TeacherPageAfterLoginTitle = "Página del profesor después de identificarse"; -$TeacherPageAfterLoginComment = "Esta página será la que se cargue después de que un profesor se haya identificado"; -$DRHPageAfterLoginTitle = "Página del Director de Recursos Humanos tras haberse identificado"; -$DRHPageAfterLoginComment = "Esta página será la que se cargue después de que un Director de Recursos Humanos se haya identificado"; -$StudentAutosubscribeTitle = "Inscripción por el propio alumno"; -$StudentAutosubscribeComment = "Inscripción por el propio alumno"; -$TeacherAutosubscribeTitle = "Inscripción por el propio profesor"; -$TeacherAutosubscribeComment = "Inscripción por el propio profesor"; -$DRHAutosubscribeTitle = "Inscripción por el propio Director de Recursos Humanos"; -$DRHAutosubscribeComment = "Inscripción por el propio Director de Recursos Humanos"; -$ScormCumulativeSessionTimeTitle = "Tiempo acumulado de sesión para SCORM"; -$ScormCumulativeSessionTimeComment = "Cuando se activa el tiempo de una sesión para una secuencia de aprendizaje SCORM será acumulativo, de lo contrario, sólo se contará desde el momento en la última actualización."; -$SessionAdminPageAfterLoginTitle = "Página del administrador de sesiones después de identificarse"; -$SessionAdminPageAfterLoginComment = "Página que será cargada después de que un administrador de sesiones se haya identificado"; -$SessionadminAutosubscribeTitle = "Inscripción por el propio administrador de sesiones"; -$SessionadminAutosubscribeComment = "Un usuario podrá registrarse a sí mismo como administrador de sesiones"; -$ToolVisibleByDefaultAtCreationTitle = "Herramienta visible al crear un curso"; -$ToolVisibleByDefaultAtCreationComment = "Seleccione las herramientas que serán visibles cuando se crean los cursos"; -$casAddUserActivatePlatform = "Activar añadir usuarios Plataforma (parámetro de configuración interno de CAS)"; -$casAddUserActivateLDAP = "Activar añadir usuarios LDAP (parámetro de configuración interno de CAS)"; -$UpdateUserInfoCasWithLdapTitle = "Actualizar la información con LDAP (parámetro de configuración interno de CAS)"; -$UpdateUserInfoCasWithLdapComment = "Actualizar la información de usuario con LDAP (Parámetro de configuración CAS)"; -$InstallExecution = "Ejecución del proceso de instalación"; -$UpdateExecution = "Ejecución del proceso de actualización"; -$PleaseWaitThisCouldTakeAWhile = "Por favor espere. Esto podría tomar un tiempo..."; -$ThisPlatformWasUnableToSendTheEmailPleaseContactXForMoreInformation = "Esta plataforma no pudo enviar el correo electrónico. Para más información, por favor contacte con %s"; -$FirstLoginChangePassword = "Esta es su primera identificación. Por favor actualice su contraseña, sustituyéndola por otra que pueda recordar más fácilmente"; -$NeedContactAdmin = "Haga clic aquí para contactar con el administrador"; -$ShowAllUsers = "Mostrar todos los usuarios"; -$ShowUsersNotAddedInTheURL = "Mostrar usuarios no añadidos a la URL"; -$UserNotAddedInURL = "Usuarios no añadidos a la URL"; -$UsersRegisteredInNoSession = "Usuarios no registrados en ninguna sesión"; -$CommandLineInterpreter = "Intérprete de comandos en línea (CLI)"; -$PleaseVisitOurWebsite = "Visite nuestro sitio web http://www.chamilo.org"; -$SpaceUsedOnSystemCannotBeMeasuredOnWindows = "El espacio usado en el disco no puede ser medido en sistemas basados en Windows"; -$XOldTablesDeleted = "%d tablas antiguas eliminadas"; -$XOldDatabasesDeleted = "%d bases de datos antiguas eliminadas"; -$List = "Lista"; -$MarkAll = "Seleccionar todo"; -$UnmarkAll = "No seleccionar todo"; -$NotAuthorized = "No autorizado"; -$UnknownAction = "Acción desconocida"; -$First = "Primero"; -$Last = "Último"; -$YouAreNotAuthorized = "No está autorizado para hacer esto"; -$NoImplementation = "Implementación no disponible aún para esta acción"; -$CourseDescriptions = "Descripción del curso"; -$ReplaceExistingEntries = "Reemplazar las entradas existentes"; -$AddItems = "Elementos añadidos"; -$NotFound = "No encontrado"; -$SentSuccessfully = "Envío realizado"; -$SentFailed = "Envío fallido"; -$PortalSessionsLimitReached = "El límite de sesiones para este portal ha sido alcanzado"; -$ANewSessionWasCreated = "Una sesión ha sido creada"; -$Online = "Conectado"; -$Offline = "Desconectado"; -$TimelineItemText = "Texto"; -$TimelineItemMedia = "Media"; -$TimelineItemMediaCaption = "Título"; -$TimelineItemMediaCredit = "Derechos"; -$TimelineItemTitleSlide = "Título de la diapositiva"; -$SSOError = "Error Single Sign On"; -$Sent = "Enviado"; -$TimelineItem = "Elemento"; -$Listing = "Listado"; -$CourseRssTitle = "RSS del curso"; -$CourseRssDescription = "RSS para las notificaciones de todos los cursos"; -$AllowPublicCertificates = "Los certificados de los alumnos son públicos"; -$GlossaryTermUpdated = "Término actualizado"; -$DeleteAllGlossaryTerms = "Eliminar todos los términos"; -$PortalHomepageEdited = "Página principal del portal actualizada"; -$UserRegistrationTitle = "Registro de usuarios"; -$UserRegistrationComment = "Acciones que se ejecutarán cuando un usuario se registre en la plataforma"; -$ExtensionShouldBeLoaded = "Esta extensión debería ser cargada."; -$Disabled = "Desactivado"; -$Required = "Requerido"; -$CategorySaved = "Categoría guardada"; -$CategoryRemoved = "Categoría eliminada"; -$BrowserDoesNotSupportNanogongPlayer = "Su navegador no soporta el reproductor Nanogong"; -$ImportCSV = "Importar CSV"; -$DataTableLengthMenu = "Longitud de la tabla"; -$DataTableZeroRecords = "No se han encontrado registros"; -$MalformedUrl = "URL con formato incorrecto"; -$DataTableInfo = "Información"; -$DataTableInfoEmpty = "Vacía"; -$DataTableInfoFiltered = "Filtrado"; -$DataTableSearch = "Buscar"; -$HideColumn = "Ocultar columna"; -$DisplayColumn = "Mostrar columna"; -$LegalAgreementAccepted = "Condiciones legales aceptadas"; -$WorkEmailAlertActivateOnlyForTeachers = "Activar sólo para profesores el aviso por correo electrónico del envío de una nueva tarea"; -$WorkEmailAlertActivateOnlyForStudents = "Activar sólo para alumnos el aviso por correo electrónico del envío de una nueva tarea"; -$Uncategorized = "Sin categoría"; -$NaturalYear = "Año natural"; -$AutoWeight = "Auto-ponderación"; -$AutoWeightExplanation = "La ponderación automática permite ganar algo de tiempo. Esta funcionalidad distribuirá el peso total entre los elementos a bajo de manera equilibrada."; -$EditWeight = "Editar ponderación"; -$TheSkillHasBeenCreated = "La competencia ha sido creada"; -$CreateSkill = "Crear competencia"; -$CannotCreateSkill = "No se puede crear la competencia"; -$SkillEdit = "Editar competencia"; -$TheSkillHasBeenUpdated = "La competencia ha sido actualizada"; -$CannotUpdateSkill = "No se puede actualizar la competencia"; -$BadgesManagement = "Gestionar las insignias"; -$CurrentBadges = "Insignias actuales"; -$SaveBadge = "Guardar insignia"; -$BadgeMeasuresXPixelsInPNG = "Medidas de la insignia 200x200 píxeles en formato PNG"; -$SetTutor = "Hacer tutor"; -$UniqueAnswerImage = "Respuesta de imagen única"; -$TimeSpentByStudentsInCoursesGroupedByCode = "Tiempo dedicado por los estudiantes en los cursos, agrupados por código"; -$TestResultsByStudentsGroupesByCode = "Resultados de ejercicios por grupos de estudiantes, por código"; -$TestResultsByStudents = "Resultados de ejercicios por estudiante"; -$SystemCouldNotLogYouIn = "El sistema no ha podido identificarlo/a. Por favor contacte con su administrador."; -$ShibbolethLogin = "Login Shibboleth"; -$NewStatus = "Nuevo estatus"; -$Reason = "Razón"; -$RequestStatus = "Pedir nuevo estatus"; -$StatusRequestMessage = "Ha sido autentificado con los permisos por defecto. Si desea más permisos, puede pedirlos a través del siguiente formulario."; -$ReasonIsMandatory = "El campo 'razón' es obligatorio. Complételo antes de enviar su pedida."; -$RequestSubmitted = "Su pedida ha sido enviada."; -$RequestFailed = "No podemos completar esta pedida en este momento. Por favor contacte su administrador."; -$InternalLogin = "Login interno"; -$AlreadyLoggedIn = "Ya está conectado/a"; -$Draggable = "Arrastrable"; -$Incorrect = "Incorrecto"; -$YouNotYetAchievedCertificates = "Aún no ha logrado certificados"; -$SearchCertificates = "Buscar certificados"; -$TheUserXNotYetAchievedCertificates = "El usuario %s aún no ha logrado certificados"; -$CertificatesNotPublic = "Los certificados no son públicos"; -$MatchingDraggable = "Coincidencia arrastrable"; -$ForumThreadPeerScoring = "Tema evaluado por pares"; -$ForumThreadPeerScoringComment = "Si esta opción está seleccionada, requerirá que cada estudiante califique a 2 otros estudiantes para obtener un score superior a 0 en su propia evaluación."; -$ForumThreadPeerScoringStudentComment = "Para obtener su resultado en este tema de discusión, su participación tendrá que ser evaluada por lo mínimo por otro estudiante, y usted tendrá que evaluar por lo mínimo la participación de 2 otros estudiantes. Hasta que lo haya hecho, su resultado se mantendrá en 0 aquí y, de ser el caso, en los resultados de este tema de foro en la hoja de evaluación global del curso."; -$Readable = "Accesible en lectura"; -$NotReadable = "No accesible en lectura"; -$DefaultInstallAdminFirstname = "Juan"; -$DefaultInstallAdminLastname = "Pérez"; -$AttendanceUpdated = "Asistencias actualizadas"; -$HideHomeTopContentWhenLoggedInText = "Esconder el contenido de la página principal una vez ingresado"; -$HideHomeTopContentWhenLoggedInComment = "Esta opción le permite esconder el bloque de introducción en la página principal de la plataforma (para dejar solamente anuncios, por ejemplo), para todos los usuarios que ya han ingresado al sistema. El bloque de introducción general seguirá apareciendo para el público general."; -$HideGlobalAnnouncementsWhenNotLoggedInText = "Esconder anuncios globales para anónimos"; -$HideGlobalAnnouncementsWhenNotLoggedInComment = "Esconder los anuncios globales de la plataforma de los usuarios anónimos, de tal manera que se puedan dirigir estos anuncios solo para los usuarios registrados."; -$CourseCreationUsesTemplateText = "Usar plantilla para nuevos cursos"; -$CourseCreationUsesTemplateComment = "Configure este parámetro para usar el mismo curso plantilla (identificado por su ID numérico de la base de datos) para todos los cursos que se crearán en la plataforma en adelante. Ojo que si el uso de esta funcionalidad no está bien planificado, podría tener un impacto tremendo sobre el uso de espacio en disco (por ejemplo si el curso-plantilla contiene archivos muy pesados). El curso-plantilla se usará como si un profesor estuviera copiando un curso a través de la herramienta de mantenimiento de curso, por lo que ningun dato de alumno se copiará, solo el material creado por el profesor. Todas las demás reglas de copias de cursos aplican. Dejar este campo vacío (o en 0) desactiva la funcionalidad."; -$EnablePasswordStrengthCheckerText = "Validar complejidad de contraseña"; -$EnablePasswordStrengthCheckerComment = "Al activar esta opción, aparecerá un indicador de complejidad de contraseña cuando el usuario cambie su contraseña. Esto *NO* prohibe el ingreso de una mala contraseña. Solamente actua como una ayuda visual."; -$EnableCaptchaText = "CAPTCHA"; -$EnableCaptchaComment = "Al activar esta opción, aparecerá un CAPTCHA en el formulario de ingreso, para evitar los intentos de ingreso por fuerza bruta"; -$CaptchaNumberOfMistakesBeforeBlockingAccountText = "Margen de errores en CAPTCHA"; -$CaptchaNumberOfMistakesBeforeBlockingAccountComment = "Cuantas veces uno se puede equivocar al ingresar su usuario y contraseña con el CAPTCHA antes de que su cuenta quede congelada por un tiempo."; -$CaptchaTimeAccountIsLockedText = "Tiempo bloqueo CAPTCHA"; -$CaptchaTimeAccountIsLockedComment = "Si el usuario alcanza el máximo de veces que se puede equivocar de contraseña (con el CAPTCHA activado), su cuenta será congelada (bloqueada) por esta cantidad de minutos."; -$DRHAccessToAllSessionContentText = "Directores R.H. pueden acceder al contenido de sesiones"; -$DRHAccessToAllSessionContentComment = "Si activada, esta opción permite que un director de recursos humanos accedan a todo el contenido y los usuarios de las sesiones que esté siguiendo."; -$ShowGroupForaInGeneralToolText = "Mostrar los foros de grupo en el foro general"; -$ShowGroupForaInGeneralToolComment = "Mostrar los foros de grupo en la herramienta de foro a nivel del curso. Esta opción está habilitada por defecto (en este caso, las visibilidades individuales de cada foro de grupo siguen teniendo efecto como criterio adicional). Si está desactivada, los foros de grupo solo se verán en la herramienta de grupo, que estén visibles o no."; -$TutorsCanAssignStudentsToSessionsText = "Tutores pueden asignar estudiantes a sesiones"; -$TutorsCanAssignStudentsToSessionsComment = "Cuando está activada esta opción, los tutores de cursos dentro de las sesiones pueden inscribir nuevos usuarios a sus sesiones. Sino, esta opción solo está disponible para administradores y administradores de sesión."; -$UniqueAnswerImagePreferredSize200x150 = "Las imágenes se redimensionarán (hacia arriba o a bajo) a 200x150 pixeles. Para obtener un mejor resultado visual, recomendamos subir solamente imágenes de este tamaño."; -$AllowLearningPathReturnLinkTitle = "Mostrar el enlace de regreso de las lecciones"; -$AllowLearningPathReturnLinkComment = "Desactivar esta opción para esconder el botón 'Regresar a la página principal' dentro de las lecciones."; -$HideScormExportLinkTitle = "Esconder exportación SCORM"; -$HideScormExportLinkComment = "Activar esta opción para esconder la opción de exportación SCORM dentro de la lista de lecciones."; -$HideScormCopyLinkTitle = "Esconder enlace de copia de lecciones"; -$HideScormCopyLinkComment = "Activar esta opción para esconder la opción de copia dentro de la lista de lecciones."; -$HideScormPdfLinkTitle = "Esconder exportación a PDF de lecciones"; -$HideScormPdfLinkComment = "Activar esta opción para esconder la opción de exportación a PDF dentro de la lista de lecciones."; -$SessionDaysBeforeCoachAccessTitle = "Días de acceso previo a sesiones para tutores"; -$SessionDaysBeforeCoachAccessComment = "La cantidad de días previos al inicio de la sesión durante los cuales el tutor puede acceder a la sesión."; -$SessionDaysAfterCoachAccessTitle = "Días de acceso del tutor posterior al fin de la sesión"; -$SessionDaysAfterCoachAccessComment = "Cantidad por defecto de días posteriores a la fecha de fin de la sesión, durante los cuales el tutor puede seguir accediendo a esta sesión."; -$PdfLogoHeaderTitle = "Logo de cabecera PDF"; -$PdfLogoHeaderComment = "Activar para usar la imagen en css/themes/[su-css]/images/pdf_logo_header.png como el logo de cabecera de todas las exportaciones en formato PDF (en vez del logo normal del portal)"; -$OrderUserListByOfficialCodeTitle = "Ordenar usuarios por código oficial"; -$OrderUserListByOfficialCodeComment = "Usar el campo de código oficial para reordenar la mayoría de las listas de usuario en la plataforma, en vez de usar su nombre o apellido."; -$AlertManagerOnNewQuizTitle = "Notificación de respuesta de ejercicio por correo"; -$AlertManagerOnNewQuizComment = "Valor por defecto para el envío de un correo cuando un ejercicio ha sido completado por un alumno. Este parámetro viene por defecto para cada nuevo curso, pero el profesor puede cambiarlo en su propio curso individualmente."; -$ShowOfficialCodeInExerciseResultListTitle = "Mostrar el código oficial en los resultados de ejercicios"; -$ShowOfficialCodeInExerciseResultListComment = "Activar para mostrar el código oficial en los resultados de ejercicios."; -$HidePrivateCoursesFromCourseCatalogTitle = "Esconder los cursos privados del catálogo"; -$HidePrivateCoursesFromCourseCatalogComment = "Activar para esconder los cursos privados del catálogo de curso. Este parámetro tiene sentido cuando se usa el catálogo solo para permitir a los alumnos auto-inscribirse en los cursos (en este caso no tiene sentido mostrarles cursos a los cuales no pueden inscribirse)."; -$CoursesCatalogueShowSessionsTitle = "Catálogo de cursos y sesiones"; -$CoursesCatalogueShowSessionsComment = "Mostrar alternativamente solo los cursos, solo las sesiones, o ambos en el catálogo de cursos."; -$AutoDetectLanguageCustomPagesTitle = "Auto-detección de idiomas en custom pages"; -$AutoDetectLanguageCustomPagesComment = "Si usa los custom pages (páginas de bienvenida personalizadas), active este parámetro si desea activar el detector de idioma para presentar esta página de bienvenida en su idioma. Desactive para usar el idioma por defecto de la plataforma. A considerar si no tiene los términos de las páginas personalizadas traducidos para todos los idiomas, por ejemplo."; -$LearningPathShowReducedReportTitle = "Lecciones: mostrar reporte reducido"; -$LearningPathShowReducedReportComment = "Dentro de la herramienta de lecciones, cuando un usuario revisa su propio progreso (a través del icono de estadísticas), mostrar una versión más corta (menos detallada) del reporte de progreso."; -$AllowSessionCourseCopyForTeachersTitle = "Copia sesión-a-sesión para tutores"; -$AllowSessionCourseCopyForTeachersComment = "Activar esta opción para permitir a los tutores de cursos dentro de sesiones de copiar su contenido dentro de otro curso de otra sesión. Por defecto, esta funcionalidad está desactivada y solo los administradores de la plataforma pueden usarla."; -$HideLogoutButtonTitle = "Esconder el botón de logout"; -$HideLogoutButtonComment = "Activar para esconder el botón de logout. Esta opción es util únicamente en caso de uso de un método externo de login y logout, por ejemplo usando un mecanismo de Single Sign On de algún tipo."; -$RedirectAdminToCoursesListTitle = "Redirigir el admin a la lista de cursos"; -$RedirectAdminToCoursesListComment = "El comportamiento por defecto es de mandar el administrador directamente al panel de administración luego del login (mientras los profesores y alumnos van a la lista de cursos o la página principal de la plataforma). Activar para redirigir el administrador también a su lista de cursos."; -$CourseImagesInCoursesListTitle = "Iconos de cursos personalizados"; -$CourseImagesInCoursesListComment = "Usar las imágenes de cursos como iconos en las listas de cursos (en vez del icono verde por defecto)"; -$StudentPublicationSelectionForGradebookTitle = "Tareas consideradas para evaluaciones"; -$StudentPublicationSelectionForGradebookComment = "En la herramienta de tareas, los estudiantes pueden subir más de un archivo. En caso haya más de un archivo del mismo estudiante para una sola tarea, cual de estos debe ser considerado para la nota en las evaluaciones? Esto depende de su metodología. Seleccione 'primero' para poner el acento sobre la atención al detalle (como entregar a tiempo y el trabajo finalizado desde la primera vez). Use 'último' para poner el acento sobre el trabajo colaborativo y la adaptabilidad."; -$FilterCertificateByOfficialCodeTitle = "Certificados: filtro por código oficial"; -$FilterCertificateByOfficialCodeComment = "Añadir un filtro sobre los códigos oficiales de los estudiantes en la lista de certificados."; -$MaxCKeditorsOnExerciseResultsPageTitle = "Cantidad WYSIWYG en resultados de ejercicios"; -$MaxCKeditorsOnExerciseResultsPageComment = "Debido a la alta cantidad de preguntas que pueden aparecer en un ejercicio, la pantalla de corrección, que permite al profesor dejar comentarios en cada respuesta, puede demorar bastante en cargar. Configure este número a 5 para pedir a la plataforma de mostrar editores solo para ejercicios que contienen hasta 5 preguntas. Esto reducirá considerablemente el tiempo de carga de la página de correcciones (no afecta a los alumnos), pero eliminará los editores WYSIWYG en la página y dejará solo campos de comentarios en texto plano."; -$DocumentDefaultOptionIfFileExistsTitle = "Modo de subida de documentos por defecto"; -$DocumentDefaultOptionIfFileExistsComment = "Método de subida de documentos por defecto. Este parámetro puede ser cambiado al momento de subir documentos por cualquier usuario. Solo representa el valor por defecto de esta configuración."; -$GradebookCronTaskGenerationTitle = "Auto-generación de certificados por webservice"; -$GradebookCronTaskGenerationComment = "Cuando esta opción se encuentra habilitada, y cuando se usa el web service WSCertificatesList, el sistema verificará que todos los certificados pendientes han sido generados para los usuarios que han obtenido los resultados suficientes en todos los elementos definidos en las evaluaciones de todos los cursos y sesiones. Aunque esta opción quede muy práctica, puede generar una sobrecarga notable en portales con miles de usuarios. A usar con la debida precaución."; -$OpenBadgesBackpackUrlTitle = "OpenBadges: URL de backpack"; -$OpenBadgesBackpackUrlComment = "La URL de servidor de mochilas de OpenBadges que será usada para todos los usuarios que deseen exportar sus badges. Por defecto, se usa el repositorio abierto de la Fundación Mozilla: https://backpack.openbadges.org/"; -$CookieWarningTitle = "Cookies: Notificación de privacidad"; -$CookieWarningComment = "Activar esta opción para mostrar un banner en la parte superior de la página que pida al usuario de aprobar el uso de cookies en esta plataforma para permitir darle una experiencia de usuario normal. Este banner puede fácilmente ser aprobado y escondido por el usuario. Permite a Chamilo cumplir con las regulaciones de la Unión Europea en cuanto al uso de cookies."; -$CatalogueAllowSessionAutoSubscriptionComment = "Si esta opción está activada *y* el catálogo de sesiones está activado también, los usuarios podrán inscribirse inmediatamente a las sesiones activas usando un botón de inscripción, sin validación ninguna por terceros."; -$HideCourseGroupIfNoToolAvailableTitle = "Esconder grupos en ausencia de herramientas"; -$HideCourseGroupIfNoToolAvailableComment = "Si ninguna herramienta está disponible en un grupo y el usuario no está registrado al grupo mismo, esconder el grupo por completo en la lista de grupos."; -$CatalogueAllowSessionAutoSubscriptionTitle = "Auto-suscripción en el catálogo de sesiones"; -$SoapRegistrationDecodeUtf8Title = "Servicios web: decodificar UTF-8"; -$SoapRegistrationDecodeUtf8Comment = "Decodificar el UTF-8 de las llamadas por servicios web. Activar esta opción (pasada al parseador SOAP) si tiene problemas con la codificación de los títulos y nombres cuando se insertan o editan a través de servicios web."; -$AttendanceDeletionEnableTitle = "Asistencias: permitir borrado"; -$AttendanceDeletionEnableComment = "El comportamiento por defecto de Chamilo es de esconder las hojas de asistencias en vez de borrarlas, en caso el profesor lo haga por error. Activar esta opción si desea permitir al profesor de *realmente* borrar hojas de asistencias."; -$GravatarPicturesTitle = "Fotos Gravatar"; -$GravatarPicturesComment = "Activar esta opción para buscar en el repositorio de Gravatar para fotos de los usuarios actuales, cuando el usuario no tenga una foto subida localmente. Esta es una funcionalidad muy interesante para auto-llenar las fotos en su sitio web, en particular si sus usuarios son muy activos en internet. Las fotos de Gravatar pueden ser configuradas fácilmente en http://en.gravatar.com/ en base a una dirección de correo."; -$GravatarPicturesTypeTitle = "Tipo de Gravatar"; -$GravatarPicturesTypeComment = "Si la opción de Gravatar está activada y el usuario no tiene una foto configurada en Gravatar, esta opción permite elegir el tipo de avatar (pequeña representación gráfica) que Gravatar generará para cada usuario. Ver http://en.gravatar.com/site/implement/images#default-image para los distintos tipos de avatares."; -$SessionAdminPermissionsLimitTitle = "Limitar permisos de administradores de sesión"; -$SessionAdminPermissionsLimitComment = "Activar para solo permitir a los administradores de sesión de ver la opción 'Añadir usuarios' en el bloque de usuarios y la opción de 'Lista de sesiones' en el bloque de sesiones."; -$ShowSessionDescriptionTitle = "Mostrar descripción de sesión"; -$ShowSessionDescriptionComment = "Mostrar la descripción de la sesión en todos los lugares en los cuales esta opción está implementada (página de seguimiento de sesiones, etc)."; -$CertificateHideExportLinkStudentTitle = "Certificados: esconder exportación para estudiantes"; -$CertificateHideExportLinkStudentComment = "Al activar esta opción, los estudiantes no podrán exportar su certificado en PDF. Esta opción es disponible porque, dependiendo del tipo preciso de estructura HTML usada para la plantilla del certificado, el PDF generado puede tener defectos. En este caso, puede ser mejor solo permitir a los alumnos visualizar los certificados en HTML (es decir en su navegador)."; -$CertificateHideExportLinkTitle = "Certificados: esconder exportación PDF de todos"; -$CertificateHideExportLinkComment = "Activar para eliminar completamente la posibilidad de exportar certificados (para cualquier usuario). Si está activado, sobreescribe el valor configurado para el acceso a certificados para estudiantes."; -$DropboxHideCourseCoachTitle = "Compartir documentos: esconder tutor de curso"; -$DropboxHideCourseCoachComment = "Esconder el tutor del curso en la sesión en la herramienta de 'compartir documentos' si fue enviado por el tutor a estudiantes"; -$SSOForceRedirectTitle = "Single Sign On: forzar la redirección"; -$SSOForceRedirectComment = "Activar esta opción para forzar los usuarios a autentificarse en el portal maestro cuando se usa un método de Single Sign On externo. Solo activarlo cuando esté seguro que su procedimiento de Single Sign On esté correctamente configurado, sino podría impedirse a si mismo de volver a conectarse (en este caso, cambie los parámetros SSO dentro de la tabla settings_current a través de un acceso directo a la base de datos para desbloquearlo)."; -$SessionCourseOrderingTitle = "Ordenamiento manual de cursos en sesiones"; -$SessionCourseOrderingComment = "Activar esta opción para permitir a los administradores de sesiones reordenar los cursos dentro de una sesión manualmente. Si esta opción está desactivada, los cursos se ordenan por orden alfabético (sobre el título del curso)."; -$AddLPCategory = "Añadir categoría de lecciones"; -$WithOutCategory = "Sin categoría"; -$ItemsTheReferenceDependsOn = "Elementos de los cuales depende la referencia"; -$UseAsReference = "Usar como referencia"; -$Dependencies = "Elementos que dependen de la referencia"; -$SetAsRequirement = "Añadir como requerimiento"; -$AddSequence = "Añadir nueva secuencia"; -$ResourcesSequencing = "Secuencialización de recursos"; -$GamificationModeTitle = "Modo ludificación"; -$GamificationModeComment = "Activar el logro de estrellas en las lecciones"; -$LevelX = "Nivel %s"; -$SeeCourse = "Ver curso"; -$XPoints = "%s puntos"; -$FromXUntilY = "De %s a %s"; -$SubscribeUsersToLp = "Inscripción de usuarios a lección"; -$SubscribeGroupsToLp = "Inscripción de grupos a lección"; -$CreateForumForThisLearningPath = "Crear foro para esta lección"; -$ByDate = "Por fecha"; -$ByTag = "Por etiqueta"; -$GoToCourseInsideSession = "Ir al curso dentro de la sesión"; -$EnableGamificationMode = "Activar modo gamification"; -$MyCoursesSessionView = "Mis cursos, vista sesión"; -$DisableGamificationMode = "Desactivar modo gamification"; -$CatalogueShowOnlyCourses = "Mostrar solo los cursos"; -$CatalogueShowOnlySessions = "Mostrar solo las sesiones"; -$CatalogueShowCoursesAndSessions = "Mostrar ambos cursos y sesiones"; -$SequenceSelection = "Selección de secuencia"; -$SequenceConfiguration = "Configuración de la secuencia"; -$SequencePreview = "Vista previa de la secuencia"; -$DisplayDates = "Fechas mostradas"; -$AccessDates = "Fechas de acceso para estudiantes"; -$CoachDates = "Fechas de acceso para tutores"; -$ChatWithXUser = "Conversación con %s"; -$StartVideoChat = "Iniciar vídeollamada"; -$FieldTypeVideoUrl = "URL de video"; -$InsertAValidUrl = "Inserte una URL valida"; -$SeeInformation = "Ver información"; -$ShareWithYourFriends = "Comparte con tus amigos"; -$ChatRoomName = "Nombre de sala de chat"; -$TheVideoChatRoomXNameAlreadyExists = "La sala '%s' de chat ya existe"; -$ChatRoomNotCreated = "La creación de la sala de chat ha fallado"; -$TheXUserBrowserDoesNotSupportWebRTC = "El navegador de %s no soporta nativamente la transmisión por videoconferencia. Lo sentimos."; -$FromDateX = "Del %s"; -$UntilDateX = "Al %s"; -$GraphDependencyTree = "Árbol de dependencias"; -$CustomizeIcons = "Personalizar iconos"; -$ExportAllToPDF = "Exportar todo a PDF"; -$GradeGeneratedOnX = "Nota generada el %s"; -$ExerciseAvailableSinceX = "Ejercicio disponible desde el %s"; -$ExerciseIsActivatedFromXToY = "El ejercicio está habilitado del %s al %s"; -$SelectSomeOptions = "Seleccione alguna opción"; -$AddCustomCourseIntro = "Puede añadir una introducción a su curso en esta sección, dando clic en el icono de edición"; -$SocialGroup = "Grupo de red social"; -$RequiredSessions = "Sesiones requeridas"; -$DependentSessions = "Sesiones dependientes"; -$ByDuration = "Por duración"; -$ByDates = "Por fechas"; -$SendAnnouncementCopyToDRH = "Enviar una copia a los responsables RRHH de los estudiantes seleccionados"; -$PoweredByX = "Creado con %s"; -$AnnouncementErrorNoUserSelected = "Seleccione por lo mínimo un usuario. El anuncio no ha sido guardado."; -$NoDependencies = "Sin dependencias"; -$SendMailToStudent = "Avisar al estudiante por correo"; -$SendMailToHR = "Avisar al responsable RRHH por correo"; -$CourseFields = "Campos de cursos"; -$FieldTypeCheckbox = "Opciones en casillas"; -$FieldTypeInteger = "Valor entero"; -$FieldTypeFileImage = "Archivo de tipo imagen"; -$FieldTypeFloat = "Valor flotante"; -$DocumentsDefaultVisibilityDefinedInCourseTitle = "Visibilidad de documentos definida en curso"; -$DocumentsDefaultVisibilityDefinedInCourseComment = "La visibilidad por defecto de los documentos en los cursos"; -$HtmlPurifierWikiTitle = "HTMLPurifier en el wiki"; -$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"; -$RemoveTutorStatus = "Quitar el status de tutor"; -$ImportGradebookInCourse = "Importar las evaluaciones desde el curso base"; -$InstitutionAddressTitle = "Dirección de la institución"; -$InstitutionAddressComment = "Dirección"; -$LatestLoginInCourse = "Último acceso al curso"; -$LatestLoginInPlatform = "Último login en la plataforma"; -$FirstLoginInPlatform = "Primer login en la plataforma"; -$FirstLoginInCourse = "Primer acceso al curso"; -$QuotingToXUser = "Citando a %s"; -$LoadMoreComments = "Cargar más comentarios"; -$ShowProgress = "Mostrar progreso"; -$XPercent = "%s %%"; -$CheckRequirements = "Ver requerimientos"; -$ParentLanguageX = "Idioma padre: %s"; -$RegisterTermsOfSubLanguageForX = "Registre términos del sub-idioma para %s buscando un término y luego dando clic al botón de guardar para cada traducción. Luego tendrá que cambiar su perfil para usar el sub-idioma para ver los nuevos términos."; -$SeeSequences = "Ver secuencias"; -$SessionRequirements = "Requerimientos para la sesión"; -$IsRequirement = "Obligatorio para completar el curso"; -$ConsiderThisGradebookAsRequirementForASessionSequence = "Considerar este libro de calificaciones como requisito para una secuencia de sesión"; -$DistinctUsersLogins = "Logins de usuarios distintos"; -$AreYouSureToSubscribe = "¿Está seguro de suscribirse?"; -$CheckYourEmailAndFollowInstructions = "Revise su correo electrónico y siga las instrucciones."; -$LinkExpired = "Enlace expirado, por favor vuelva a iniciar el proceso."; -$ResetPasswordInstructions = "Instrucciones para el procedimiento de cambio de contraseña"; +Ir a Plug-in para añadir un botón configurable \"Facebook Login\" para el campus de Chamilo."; +$AnnouncementForGroup = "Anuncios para un grupo"; +$AllGroups = "Todos los grupos"; +$LanguagePriority1Title = "Prioridad del idioma 1"; +$LanguagePriority2Title = "Prioridad del idioma 2"; +$LanguagePriority3Title = "Prioridad del idioma 3"; +$LanguagePriority4Title = "Prioridad del idioma 4"; +$LanguagePriority5Title = "Prioridad del idioma 5"; +$LanguagePriority1Comment = "El idioma con la más alta prioridad"; +$LanguagePriority2Comment = "Prioridad del idioma 2"; +$LanguagePriority3Comment = "Prioridad del idioma 3"; +$LanguagePriority4Comment = "Prioridad del idioma 4"; +$LanguagePriority5Comment = "La menor prioridad entre los idiomas"; +$UserLanguage = "Idioma del usuario"; +$UserSelectedLanguage = "Idioma del usuario seleccionado"; +$TeachersCanChangeGradeModelSettingsTitle = "Los profesores pueden cambiar el modelo de calificación dentro del cuaderno de evaluaciones"; +$TeachersCanChangeGradeModelSettingsComment = "Cuando se edita una evaluación"; +$GradebookDefaultGradeModelTitle = "Modelo de calificación por defecto"; +$GradebookDefaultGradeModelComment = "Este valor será seleccionado por defecto cuando se crea un curso"; +$GradebookEnableGradeModelTitle = "Habilitar el modelo de calificación en el cuaderno de evaluaciones"; +$GradebookEnableGradeModelComment = "Permite utilizar un modelo de calificacíón en el cuaderno de evaluaciones"; +$ConfirmToLockElement = "¿Está seguro de querer bloquear este elemento? Después de bloquear este elemento no podrá editar los resultados de los estudiantes. Para desbloquearlo deberá contactar con el administrador de la plataforma."; +$ConfirmToUnlockElement = "¿Está seguro de querer desbloquear este elemento?"; +$AllowSessionAdminsToSeeAllSessionsTitle = "Permitir a los administradores de sesión ver todas las sesiones"; +$AllowSessionAdminsToSeeAllSessionsComment = "Cuando esta opción está desactivada los administradores de sesión solamente podrán ver sus sesiones."; +$PassPercentage = "Porcentaje de éxito"; +$AllowSkillsToolTitle = "Habilitar la herramienta de competencias"; +$AllowSkillsToolComment = "Los usuarios pueden ver sus competencias en la red social y en un bloque en la página principal."; +$UnsubscribeFromPlatform = "Si desea darse de baja completamente en el Campus y que toda su información sea eliminada de nuestra base de datos pulse el botón inferior."; +$UnsubscribeFromPlatformConfirm = "Sí, quiero suprimir completamente esta cuenta. Ningún dato quedará en el servidor y no podré acceder de nuevo, salvo que cree una cuenta completamente nueva."; +$AllowPublicCertificatesTitle = "Permitir certificados públicos"; +$AllowPublicCertificatesComment = "Los certificados pueden ser vistos por personas no registradas en el portal."; +$DontForgetToSelectTheMediaFilesIfYourResourceNeedIt = "No olvide seleccionar los archivos multimedia si su recurso los necesita"; +$NoStudentCertificatesAvailableYet = "Aún no están disponibles los certificados de los estudiantes. Tenga en cuenta que para generar su certificado un estudiante tiene que ir a la herramienta evaluaciones y pulsar sobre el icono certificado, el cual sólo aparecerá cuando ha él haya conseguido los objetivos del curso."; +$CertificateExistsButNotPublic = "El certificado solicitado existe pero no es público, por lo que para poderlo ver tendrá que identificarse."; +$Default = "Defecto"; +$CourseTestWasCreated = "El curso test ha sido creado"; +$NoCategorySelected = "No hay una categoría seleccionada"; +$ReturnToCourseHomepage = "Volver a la página principal del curso"; +$ExerciseAverage = "Media del ejercicio"; +$WebCamClip = "Webcam Clip"; +$Snapshot = "Capturar"; +$TakeYourPhotos = "Haga sus fotos aquí"; +$LocalInputImage = "Imagen local"; +$ClipSent = "Imagen enviada"; +$Auto = "Automático"; +$Stop = "Parar"; +$EnableWebCamClipTitle = "Activar Webcam Clip"; +$EnableWebCamClipComment = "Webcam Clip permite a los usuarios capturar imágenes desde su webcam y enviarlas al servidor en formato jpeg"; +$ResizingAuto = "Presentación redimensionada automáticamente"; +$ResizingAutoComment = "La presentación se redimensionará automáticamente al tamaño de su pantalla. Esta es la opción que siempre se cargará por defecto cada vez que entre en la plataforma."; +$YouShouldCreateTermAndConditionsForAllAvailableLanguages = "Debe crear los Términos y Condiciones para todos los idiomas disponibles en la plataforma"; +$SelectAnAudioFileFromDocuments = "Seleccionar un archivo de audio desde los documentos"; +$ActivateEmailTemplateTitle = "Activar plantillas de correos"; +$ActivateEmailTemplateComment = "Use plantillas de correos para ciertos eventos y a usuarios específicos"; +$SystemManagement = "Administración del sistema"; +$RemoveOldDatabaseMessage = "Eliminar base de datos antigua"; +$RemoveOldTables = "Eliminar tablas antiguas"; +$TotalSpaceUsedByPortalXLimitIsYMB = "Espacio total usado por el portal %s limite es de %s MB"; +$EventMessageManagement = "Administración de los eventos"; +$ToBeWarnedUserList = "Lista de usuarios por ser alertados por email"; +$YouHaveSomeUnsavedChanges = "Tiene algunos cambios no guardados. ¿Desea abandonarlos?"; +$ActivateEvent = "Activar evento"; +$AvailableEventKeys = "Palabras claves de los eventos. Utilizarlos entre (( ))."; +$Events = "Eventos"; +$EventTypeName = "Nombre del tipo de evento"; +$HideCampusFromPublicPlatformsList = "Esconder el campus de la lista pública de plataformas"; +$ChamiloOfficialServicesProviders = "Proveedores oficiales de Chamilo"; +$NoNegativeScore = "Sin puntos negativos"; +$GlobalMultipleAnswer = "Respuesta múltiple global"; +$Zombies = "Zombies"; +$ActiveOnly = "Solo activo"; +$AuthenticationSource = "Fuente de autentificación"; +$RegisteredDate = "Fecha de registro"; +$NbInactiveSessions = "Número de sesiones inactivas"; +$AllQuestionsShort = "Todas"; +$FollowedSessions = "Sesiones seguidas"; +$FollowedCourses = "Cursos seguidos"; +$FollowedUsers = "Usuarios seguidos"; +$Timeline = "Línea del tiempo"; +$ExportToPDFOnlyHTMLAndImages = "Exportar páginas web e imágenes a PDF"; +$CourseCatalog = "Catálogo de cursos"; +$Go = "Ir"; +$ProblemsRecordingUploadYourOwnAudioFile = "Tiene problemas para grabar? Mande su propio fichero audio."; +$ImportThematic = "Importar avance temático"; +$ExportThematic = "Exportar avance temático"; +$DeleteAllThematic = "Eliminar todo el avance temático"; +$FilterTermsTitle = "Filtrar términos"; +$FilterTermsComment = "Proporcione una lista de términos, uno por línea, que serán filtrados para que no aparezcan en sus páginas web y correos electrónicos. Estos términos serán reemplazados por ***"; +$UseCustomPagesTitle = "Usar páginas personalizadas"; +$UseCustomPagesComment = "Activar esta funcionalidad para configurar páginas específicas de identificación (login) según el perfil del usuario"; +$StudentPageAfterLoginTitle = "Página del alumno después de identificarse"; +$StudentPageAfterLoginComment = "Esta página será la que vean todos los alumnos después de identificarse."; +$TeacherPageAfterLoginTitle = "Página del profesor después de identificarse"; +$TeacherPageAfterLoginComment = "Esta página será la que se cargue después de que un profesor se haya identificado"; +$DRHPageAfterLoginTitle = "Página del Director de Recursos Humanos tras haberse identificado"; +$DRHPageAfterLoginComment = "Esta página será la que se cargue después de que un Director de Recursos Humanos se haya identificado"; +$StudentAutosubscribeTitle = "Inscripción por el propio alumno"; +$StudentAutosubscribeComment = "Inscripción por el propio alumno"; +$TeacherAutosubscribeTitle = "Inscripción por el propio profesor"; +$TeacherAutosubscribeComment = "Inscripción por el propio profesor"; +$DRHAutosubscribeTitle = "Inscripción por el propio Director de Recursos Humanos"; +$DRHAutosubscribeComment = "Inscripción por el propio Director de Recursos Humanos"; +$ScormCumulativeSessionTimeTitle = "Tiempo acumulado de sesión para SCORM"; +$ScormCumulativeSessionTimeComment = "Cuando se activa el tiempo de una sesión para una secuencia de aprendizaje SCORM será acumulativo, de lo contrario, sólo se contará desde el momento en la última actualización."; +$SessionAdminPageAfterLoginTitle = "Página del administrador de sesiones después de identificarse"; +$SessionAdminPageAfterLoginComment = "Página que será cargada después de que un administrador de sesiones se haya identificado"; +$SessionadminAutosubscribeTitle = "Inscripción por el propio administrador de sesiones"; +$SessionadminAutosubscribeComment = "Un usuario podrá registrarse a sí mismo como administrador de sesiones"; +$ToolVisibleByDefaultAtCreationTitle = "Herramienta visible al crear un curso"; +$ToolVisibleByDefaultAtCreationComment = "Seleccione las herramientas que serán visibles cuando se crean los cursos"; +$casAddUserActivatePlatform = "Activar añadir usuarios Plataforma (parámetro de configuración interno de CAS)"; +$casAddUserActivateLDAP = "Activar añadir usuarios LDAP (parámetro de configuración interno de CAS)"; +$UpdateUserInfoCasWithLdapTitle = "Actualizar la información con LDAP (parámetro de configuración interno de CAS)"; +$UpdateUserInfoCasWithLdapComment = "Actualizar la información de usuario con LDAP (Parámetro de configuración CAS)"; +$InstallExecution = "Ejecución del proceso de instalación"; +$UpdateExecution = "Ejecución del proceso de actualización"; +$PleaseWaitThisCouldTakeAWhile = "Por favor espere. Esto podría tomar un tiempo..."; +$ThisPlatformWasUnableToSendTheEmailPleaseContactXForMoreInformation = "Esta plataforma no pudo enviar el correo electrónico. Para más información, por favor contacte con %s"; +$FirstLoginChangePassword = "Esta es su primera identificación. Por favor actualice su contraseña, sustituyéndola por otra que pueda recordar más fácilmente"; +$NeedContactAdmin = "Haga clic aquí para contactar con el administrador"; +$ShowAllUsers = "Mostrar todos los usuarios"; +$ShowUsersNotAddedInTheURL = "Mostrar usuarios no añadidos a la URL"; +$UserNotAddedInURL = "Usuarios no añadidos a la URL"; +$UsersRegisteredInNoSession = "Usuarios no registrados en ninguna sesión"; +$CommandLineInterpreter = "Intérprete de comandos en línea (CLI)"; +$PleaseVisitOurWebsite = "Visite nuestro sitio web http://www.chamilo.org"; +$SpaceUsedOnSystemCannotBeMeasuredOnWindows = "El espacio usado en el disco no puede ser medido en sistemas basados en Windows"; +$XOldTablesDeleted = "%d tablas antiguas eliminadas"; +$XOldDatabasesDeleted = "%d bases de datos antiguas eliminadas"; +$List = "Lista"; +$MarkAll = "Seleccionar todo"; +$UnmarkAll = "No seleccionar todo"; +$NotAuthorized = "No autorizado"; +$UnknownAction = "Acción desconocida"; +$First = "Primero"; +$Last = "Último"; +$YouAreNotAuthorized = "No está autorizado para hacer esto"; +$NoImplementation = "Implementación no disponible aún para esta acción"; +$CourseDescriptions = "Descripción del curso"; +$ReplaceExistingEntries = "Reemplazar las entradas existentes"; +$AddItems = "Elementos añadidos"; +$NotFound = "No encontrado"; +$SentSuccessfully = "Envío realizado"; +$SentFailed = "Envío fallido"; +$PortalSessionsLimitReached = "El límite de sesiones para este portal ha sido alcanzado"; +$ANewSessionWasCreated = "Una sesión ha sido creada"; +$Online = "Conectado"; +$Offline = "Desconectado"; +$TimelineItemText = "Texto"; +$TimelineItemMedia = "Media"; +$TimelineItemMediaCaption = "Título"; +$TimelineItemMediaCredit = "Derechos"; +$TimelineItemTitleSlide = "Título de la diapositiva"; +$SSOError = "Error Single Sign On"; +$Sent = "Enviado"; +$TimelineItem = "Elemento"; +$Listing = "Listado"; +$CourseRssTitle = "RSS del curso"; +$CourseRssDescription = "RSS para las notificaciones de todos los cursos"; +$AllowPublicCertificates = "Los certificados de los alumnos son públicos"; +$GlossaryTermUpdated = "Término actualizado"; +$DeleteAllGlossaryTerms = "Eliminar todos los términos"; +$PortalHomepageEdited = "Página principal del portal actualizada"; +$UserRegistrationTitle = "Registro de usuarios"; +$UserRegistrationComment = "Acciones que se ejecutarán cuando un usuario se registre en la plataforma"; +$ExtensionShouldBeLoaded = "Esta extensión debería ser cargada."; +$Disabled = "Desactivado"; +$Required = "Requerido"; +$CategorySaved = "Categoría guardada"; +$CategoryRemoved = "Categoría eliminada"; +$BrowserDoesNotSupportNanogongPlayer = "Su navegador no soporta el reproductor Nanogong"; +$ImportCSV = "Importar CSV"; +$DataTableLengthMenu = "Longitud de la tabla"; +$DataTableZeroRecords = "No se han encontrado registros"; +$MalformedUrl = "URL con formato incorrecto"; +$DataTableInfo = "Información"; +$DataTableInfoEmpty = "Vacía"; +$DataTableInfoFiltered = "Filtrado"; +$DataTableSearch = "Buscar"; +$HideColumn = "Ocultar columna"; +$DisplayColumn = "Mostrar columna"; +$LegalAgreementAccepted = "Condiciones legales aceptadas"; +$WorkEmailAlertActivateOnlyForTeachers = "Activar sólo para profesores el aviso por correo electrónico del envío de una nueva tarea"; +$WorkEmailAlertActivateOnlyForStudents = "Activar sólo para alumnos el aviso por correo electrónico del envío de una nueva tarea"; +$Uncategorized = "Sin categoría"; +$NaturalYear = "Año natural"; +$AutoWeight = "Auto-ponderación"; +$AutoWeightExplanation = "La ponderación automática permite ganar algo de tiempo. Esta funcionalidad distribuirá el peso total entre los elementos a bajo de manera equilibrada."; +$EditWeight = "Editar ponderación"; +$TheSkillHasBeenCreated = "La competencia ha sido creada"; +$CreateSkill = "Crear competencia"; +$CannotCreateSkill = "No se puede crear la competencia"; +$SkillEdit = "Editar competencia"; +$TheSkillHasBeenUpdated = "La competencia ha sido actualizada"; +$CannotUpdateSkill = "No se puede actualizar la competencia"; +$BadgesManagement = "Gestionar las insignias"; +$CurrentBadges = "Insignias actuales"; +$SaveBadge = "Guardar insignia"; +$BadgeMeasuresXPixelsInPNG = "Medidas de la insignia 200x200 píxeles en formato PNG"; +$SetTutor = "Hacer tutor"; +$UniqueAnswerImage = "Respuesta de imagen única"; +$TimeSpentByStudentsInCoursesGroupedByCode = "Tiempo dedicado por los estudiantes en los cursos, agrupados por código"; +$TestResultsByStudentsGroupesByCode = "Resultados de ejercicios por grupos de estudiantes, por código"; +$TestResultsByStudents = "Resultados de ejercicios por estudiante"; +$SystemCouldNotLogYouIn = "El sistema no ha podido identificarlo/a. Por favor contacte con su administrador."; +$ShibbolethLogin = "Login Shibboleth"; +$NewStatus = "Nuevo estatus"; +$Reason = "Razón"; +$RequestStatus = "Pedir nuevo estatus"; +$StatusRequestMessage = "Ha sido autentificado con los permisos por defecto. Si desea más permisos, puede pedirlos a través del siguiente formulario."; +$ReasonIsMandatory = "El campo 'razón' es obligatorio. Complételo antes de enviar su pedida."; +$RequestSubmitted = "Su pedida ha sido enviada."; +$RequestFailed = "No podemos completar esta pedida en este momento. Por favor contacte su administrador."; +$InternalLogin = "Login interno"; +$AlreadyLoggedIn = "Ya está conectado/a"; +$Draggable = "Arrastrable"; +$Incorrect = "Incorrecto"; +$YouNotYetAchievedCertificates = "Aún no ha logrado certificados"; +$SearchCertificates = "Buscar certificados"; +$TheUserXNotYetAchievedCertificates = "El usuario %s aún no ha logrado certificados"; +$CertificatesNotPublic = "Los certificados no son públicos"; +$MatchingDraggable = "Coincidencia arrastrable"; +$ForumThreadPeerScoring = "Tema evaluado por pares"; +$ForumThreadPeerScoringComment = "Si esta opción está seleccionada, requerirá que cada estudiante califique a 2 otros estudiantes para obtener un score superior a 0 en su propia evaluación."; +$ForumThreadPeerScoringStudentComment = "Para obtener su resultado en este tema de discusión, su participación tendrá que ser evaluada por lo mínimo por otro estudiante, y usted tendrá que evaluar por lo mínimo la participación de 2 otros estudiantes. Hasta que lo haya hecho, su resultado se mantendrá en 0 aquí y, de ser el caso, en los resultados de este tema de foro en la hoja de evaluación global del curso."; +$Readable = "Accesible en lectura"; +$NotReadable = "No accesible en lectura"; +$DefaultInstallAdminFirstname = "Juan"; +$DefaultInstallAdminLastname = "Pérez"; +$AttendanceUpdated = "Asistencias actualizadas"; +$HideHomeTopContentWhenLoggedInText = "Esconder el contenido de la página principal una vez ingresado"; +$HideHomeTopContentWhenLoggedInComment = "Esta opción le permite esconder el bloque de introducción en la página principal de la plataforma (para dejar solamente anuncios, por ejemplo), para todos los usuarios que ya han ingresado al sistema. El bloque de introducción general seguirá apareciendo para el público general."; +$HideGlobalAnnouncementsWhenNotLoggedInText = "Esconder anuncios globales para anónimos"; +$HideGlobalAnnouncementsWhenNotLoggedInComment = "Esconder los anuncios globales de la plataforma de los usuarios anónimos, de tal manera que se puedan dirigir estos anuncios solo para los usuarios registrados."; +$CourseCreationUsesTemplateText = "Usar plantilla para nuevos cursos"; +$CourseCreationUsesTemplateComment = "Configure este parámetro para usar el mismo curso plantilla (identificado por su ID numérico de la base de datos) para todos los cursos que se crearán en la plataforma en adelante. Ojo que si el uso de esta funcionalidad no está bien planificado, podría tener un impacto tremendo sobre el uso de espacio en disco (por ejemplo si el curso-plantilla contiene archivos muy pesados). El curso-plantilla se usará como si un profesor estuviera copiando un curso a través de la herramienta de mantenimiento de curso, por lo que ningun dato de alumno se copiará, solo el material creado por el profesor. Todas las demás reglas de copias de cursos aplican. Dejar este campo vacío (o en 0) desactiva la funcionalidad."; +$EnablePasswordStrengthCheckerText = "Validar complejidad de contraseña"; +$EnablePasswordStrengthCheckerComment = "Al activar esta opción, aparecerá un indicador de complejidad de contraseña cuando el usuario cambie su contraseña. Esto *NO* prohibe el ingreso de una mala contraseña. Solamente actua como una ayuda visual."; +$EnableCaptchaText = "CAPTCHA"; +$EnableCaptchaComment = "Al activar esta opción, aparecerá un CAPTCHA en el formulario de ingreso, para evitar los intentos de ingreso por fuerza bruta"; +$CaptchaNumberOfMistakesBeforeBlockingAccountText = "Margen de errores en CAPTCHA"; +$CaptchaNumberOfMistakesBeforeBlockingAccountComment = "Cuantas veces uno se puede equivocar al ingresar su usuario y contraseña con el CAPTCHA antes de que su cuenta quede congelada por un tiempo."; +$CaptchaTimeAccountIsLockedText = "Tiempo bloqueo CAPTCHA"; +$CaptchaTimeAccountIsLockedComment = "Si el usuario alcanza el máximo de veces que se puede equivocar de contraseña (con el CAPTCHA activado), su cuenta será congelada (bloqueada) por esta cantidad de minutos."; +$DRHAccessToAllSessionContentText = "Directores R.H. pueden acceder al contenido de sesiones"; +$DRHAccessToAllSessionContentComment = "Si activada, esta opción permite que un director de recursos humanos accedan a todo el contenido y los usuarios de las sesiones que esté siguiendo."; +$ShowGroupForaInGeneralToolText = "Mostrar los foros de grupo en el foro general"; +$ShowGroupForaInGeneralToolComment = "Mostrar los foros de grupo en la herramienta de foro a nivel del curso. Esta opción está habilitada por defecto (en este caso, las visibilidades individuales de cada foro de grupo siguen teniendo efecto como criterio adicional). Si está desactivada, los foros de grupo solo se verán en la herramienta de grupo, que estén visibles o no."; +$TutorsCanAssignStudentsToSessionsText = "Tutores pueden asignar estudiantes a sesiones"; +$TutorsCanAssignStudentsToSessionsComment = "Cuando está activada esta opción, los tutores de cursos dentro de las sesiones pueden inscribir nuevos usuarios a sus sesiones. Sino, esta opción solo está disponible para administradores y administradores de sesión."; +$UniqueAnswerImagePreferredSize200x150 = "Las imágenes se redimensionarán (hacia arriba o a bajo) a 200x150 pixeles. Para obtener un mejor resultado visual, recomendamos subir solamente imágenes de este tamaño."; +$AllowLearningPathReturnLinkTitle = "Mostrar el enlace de regreso de las lecciones"; +$AllowLearningPathReturnLinkComment = "Desactivar esta opción para esconder el botón 'Regresar a la página principal' dentro de las lecciones."; +$HideScormExportLinkTitle = "Esconder exportación SCORM"; +$HideScormExportLinkComment = "Activar esta opción para esconder la opción de exportación SCORM dentro de la lista de lecciones."; +$HideScormCopyLinkTitle = "Esconder enlace de copia de lecciones"; +$HideScormCopyLinkComment = "Activar esta opción para esconder la opción de copia dentro de la lista de lecciones."; +$HideScormPdfLinkTitle = "Esconder exportación a PDF de lecciones"; +$HideScormPdfLinkComment = "Activar esta opción para esconder la opción de exportación a PDF dentro de la lista de lecciones."; +$SessionDaysBeforeCoachAccessTitle = "Días de acceso previo a sesiones para tutores"; +$SessionDaysBeforeCoachAccessComment = "La cantidad de días previos al inicio de la sesión durante los cuales el tutor puede acceder a la sesión."; +$SessionDaysAfterCoachAccessTitle = "Días de acceso del tutor posterior al fin de la sesión"; +$SessionDaysAfterCoachAccessComment = "Cantidad por defecto de días posteriores a la fecha de fin de la sesión, durante los cuales el tutor puede seguir accediendo a esta sesión."; +$PdfLogoHeaderTitle = "Logo de cabecera PDF"; +$PdfLogoHeaderComment = "Activar para usar la imagen en css/themes/[su-css]/images/pdf_logo_header.png como el logo de cabecera de todas las exportaciones en formato PDF (en vez del logo normal del portal)"; +$OrderUserListByOfficialCodeTitle = "Ordenar usuarios por código oficial"; +$OrderUserListByOfficialCodeComment = "Usar el campo de código oficial para reordenar la mayoría de las listas de usuario en la plataforma, en vez de usar su nombre o apellido."; +$AlertManagerOnNewQuizTitle = "Notificación de respuesta de ejercicio por correo"; +$AlertManagerOnNewQuizComment = "Valor por defecto para el envío de un correo cuando un ejercicio ha sido completado por un alumno. Este parámetro viene por defecto para cada nuevo curso, pero el profesor puede cambiarlo en su propio curso individualmente."; +$ShowOfficialCodeInExerciseResultListTitle = "Mostrar el código oficial en los resultados de ejercicios"; +$ShowOfficialCodeInExerciseResultListComment = "Activar para mostrar el código oficial en los resultados de ejercicios."; +$HidePrivateCoursesFromCourseCatalogTitle = "Esconder los cursos privados del catálogo"; +$HidePrivateCoursesFromCourseCatalogComment = "Activar para esconder los cursos privados del catálogo de curso. Este parámetro tiene sentido cuando se usa el catálogo solo para permitir a los alumnos auto-inscribirse en los cursos (en este caso no tiene sentido mostrarles cursos a los cuales no pueden inscribirse)."; +$CoursesCatalogueShowSessionsTitle = "Catálogo de cursos y sesiones"; +$CoursesCatalogueShowSessionsComment = "Mostrar alternativamente solo los cursos, solo las sesiones, o ambos en el catálogo de cursos."; +$AutoDetectLanguageCustomPagesTitle = "Auto-detección de idiomas en custom pages"; +$AutoDetectLanguageCustomPagesComment = "Si usa los custom pages (páginas de bienvenida personalizadas), active este parámetro si desea activar el detector de idioma para presentar esta página de bienvenida en su idioma. Desactive para usar el idioma por defecto de la plataforma. A considerar si no tiene los términos de las páginas personalizadas traducidos para todos los idiomas, por ejemplo."; +$LearningPathShowReducedReportTitle = "Lecciones: mostrar reporte reducido"; +$LearningPathShowReducedReportComment = "Dentro de la herramienta de lecciones, cuando un usuario revisa su propio progreso (a través del icono de estadísticas), mostrar una versión más corta (menos detallada) del reporte de progreso."; +$AllowSessionCourseCopyForTeachersTitle = "Copia sesión-a-sesión para tutores"; +$AllowSessionCourseCopyForTeachersComment = "Activar esta opción para permitir a los tutores de cursos dentro de sesiones de copiar su contenido dentro de otro curso de otra sesión. Por defecto, esta funcionalidad está desactivada y solo los administradores de la plataforma pueden usarla."; +$HideLogoutButtonTitle = "Esconder el botón de logout"; +$HideLogoutButtonComment = "Activar para esconder el botón de logout. Esta opción es util únicamente en caso de uso de un método externo de login y logout, por ejemplo usando un mecanismo de Single Sign On de algún tipo."; +$RedirectAdminToCoursesListTitle = "Redirigir el admin a la lista de cursos"; +$RedirectAdminToCoursesListComment = "El comportamiento por defecto es de mandar el administrador directamente al panel de administración luego del login (mientras los profesores y alumnos van a la lista de cursos o la página principal de la plataforma). Activar para redirigir el administrador también a su lista de cursos."; +$CourseImagesInCoursesListTitle = "Iconos de cursos personalizados"; +$CourseImagesInCoursesListComment = "Usar las imágenes de cursos como iconos en las listas de cursos (en vez del icono verde por defecto)"; +$StudentPublicationSelectionForGradebookTitle = "Tareas consideradas para evaluaciones"; +$StudentPublicationSelectionForGradebookComment = "En la herramienta de tareas, los estudiantes pueden subir más de un archivo. En caso haya más de un archivo del mismo estudiante para una sola tarea, cual de estos debe ser considerado para la nota en las evaluaciones? Esto depende de su metodología. Seleccione 'primero' para poner el acento sobre la atención al detalle (como entregar a tiempo y el trabajo finalizado desde la primera vez). Use 'último' para poner el acento sobre el trabajo colaborativo y la adaptabilidad."; +$FilterCertificateByOfficialCodeTitle = "Certificados: filtro por código oficial"; +$FilterCertificateByOfficialCodeComment = "Añadir un filtro sobre los códigos oficiales de los estudiantes en la lista de certificados."; +$MaxCKeditorsOnExerciseResultsPageTitle = "Cantidad WYSIWYG en resultados de ejercicios"; +$MaxCKeditorsOnExerciseResultsPageComment = "Debido a la alta cantidad de preguntas que pueden aparecer en un ejercicio, la pantalla de corrección, que permite al profesor dejar comentarios en cada respuesta, puede demorar bastante en cargar. Configure este número a 5 para pedir a la plataforma de mostrar editores solo para ejercicios que contienen hasta 5 preguntas. Esto reducirá considerablemente el tiempo de carga de la página de correcciones (no afecta a los alumnos), pero eliminará los editores WYSIWYG en la página y dejará solo campos de comentarios en texto plano."; +$DocumentDefaultOptionIfFileExistsTitle = "Modo de subida de documentos por defecto"; +$DocumentDefaultOptionIfFileExistsComment = "Método de subida de documentos por defecto. Este parámetro puede ser cambiado al momento de subir documentos por cualquier usuario. Solo representa el valor por defecto de esta configuración."; +$GradebookCronTaskGenerationTitle = "Auto-generación de certificados por webservice"; +$GradebookCronTaskGenerationComment = "Cuando esta opción se encuentra habilitada, y cuando se usa el web service WSCertificatesList, el sistema verificará que todos los certificados pendientes han sido generados para los usuarios que han obtenido los resultados suficientes en todos los elementos definidos en las evaluaciones de todos los cursos y sesiones. Aunque esta opción quede muy práctica, puede generar una sobrecarga notable en portales con miles de usuarios. A usar con la debida precaución."; +$OpenBadgesBackpackUrlTitle = "OpenBadges: URL de backpack"; +$OpenBadgesBackpackUrlComment = "La URL de servidor de mochilas de OpenBadges que será usada para todos los usuarios que deseen exportar sus badges. Por defecto, se usa el repositorio abierto de la Fundación Mozilla: https://backpack.openbadges.org/"; +$CookieWarningTitle = "Cookies: Notificación de privacidad"; +$CookieWarningComment = "Activar esta opción para mostrar un banner en la parte superior de la página que pida al usuario de aprobar el uso de cookies en esta plataforma para permitir darle una experiencia de usuario normal. Este banner puede fácilmente ser aprobado y escondido por el usuario. Permite a Chamilo cumplir con las regulaciones de la Unión Europea en cuanto al uso de cookies."; +$CatalogueAllowSessionAutoSubscriptionComment = "Si esta opción está activada *y* el catálogo de sesiones está activado también, los usuarios podrán inscribirse inmediatamente a las sesiones activas usando un botón de inscripción, sin validación ninguna por terceros."; +$HideCourseGroupIfNoToolAvailableTitle = "Esconder grupos en ausencia de herramientas"; +$HideCourseGroupIfNoToolAvailableComment = "Si ninguna herramienta está disponible en un grupo y el usuario no está registrado al grupo mismo, esconder el grupo por completo en la lista de grupos."; +$CatalogueAllowSessionAutoSubscriptionTitle = "Auto-suscripción en el catálogo de sesiones"; +$SoapRegistrationDecodeUtf8Title = "Servicios web: decodificar UTF-8"; +$SoapRegistrationDecodeUtf8Comment = "Decodificar el UTF-8 de las llamadas por servicios web. Activar esta opción (pasada al parseador SOAP) si tiene problemas con la codificación de los títulos y nombres cuando se insertan o editan a través de servicios web."; +$AttendanceDeletionEnableTitle = "Asistencias: permitir borrado"; +$AttendanceDeletionEnableComment = "El comportamiento por defecto de Chamilo es de esconder las hojas de asistencias en vez de borrarlas, en caso el profesor lo haga por error. Activar esta opción si desea permitir al profesor de *realmente* borrar hojas de asistencias."; +$GravatarPicturesTitle = "Fotos Gravatar"; +$GravatarPicturesComment = "Activar esta opción para buscar en el repositorio de Gravatar para fotos de los usuarios actuales, cuando el usuario no tenga una foto subida localmente. Esta es una funcionalidad muy interesante para auto-llenar las fotos en su sitio web, en particular si sus usuarios son muy activos en internet. Las fotos de Gravatar pueden ser configuradas fácilmente en http://en.gravatar.com/ en base a una dirección de correo."; +$GravatarPicturesTypeTitle = "Tipo de Gravatar"; +$GravatarPicturesTypeComment = "Si la opción de Gravatar está activada y el usuario no tiene una foto configurada en Gravatar, esta opción permite elegir el tipo de avatar (pequeña representación gráfica) que Gravatar generará para cada usuario. Ver http://en.gravatar.com/site/implement/images#default-image para los distintos tipos de avatares."; +$SessionAdminPermissionsLimitTitle = "Limitar permisos de administradores de sesión"; +$SessionAdminPermissionsLimitComment = "Activar para solo permitir a los administradores de sesión de ver la opción 'Añadir usuarios' en el bloque de usuarios y la opción de 'Lista de sesiones' en el bloque de sesiones."; +$ShowSessionDescriptionTitle = "Mostrar descripción de sesión"; +$ShowSessionDescriptionComment = "Mostrar la descripción de la sesión en todos los lugares en los cuales esta opción está implementada (página de seguimiento de sesiones, etc)."; +$CertificateHideExportLinkStudentTitle = "Certificados: esconder exportación para estudiantes"; +$CertificateHideExportLinkStudentComment = "Al activar esta opción, los estudiantes no podrán exportar su certificado en PDF. Esta opción es disponible porque, dependiendo del tipo preciso de estructura HTML usada para la plantilla del certificado, el PDF generado puede tener defectos. En este caso, puede ser mejor solo permitir a los alumnos visualizar los certificados en HTML (es decir en su navegador)."; +$CertificateHideExportLinkTitle = "Certificados: esconder exportación PDF de todos"; +$CertificateHideExportLinkComment = "Activar para eliminar completamente la posibilidad de exportar certificados (para cualquier usuario). Si está activado, sobreescribe el valor configurado para el acceso a certificados para estudiantes."; +$DropboxHideCourseCoachTitle = "Compartir documentos: esconder tutor de curso"; +$DropboxHideCourseCoachComment = "Esconder el tutor del curso en la sesión en la herramienta de 'compartir documentos' si fue enviado por el tutor a estudiantes"; +$SSOForceRedirectTitle = "Single Sign On: forzar la redirección"; +$SSOForceRedirectComment = "Activar esta opción para forzar los usuarios a autentificarse en el portal maestro cuando se usa un método de Single Sign On externo. Solo activarlo cuando esté seguro que su procedimiento de Single Sign On esté correctamente configurado, sino podría impedirse a si mismo de volver a conectarse (en este caso, cambie los parámetros SSO dentro de la tabla settings_current a través de un acceso directo a la base de datos para desbloquearlo)."; +$SessionCourseOrderingTitle = "Ordenamiento manual de cursos en sesiones"; +$SessionCourseOrderingComment = "Activar esta opción para permitir a los administradores de sesiones reordenar los cursos dentro de una sesión manualmente. Si esta opción está desactivada, los cursos se ordenan por orden alfabético (sobre el título del curso)."; +$AddLPCategory = "Añadir categoría de lecciones"; +$WithOutCategory = "Sin categoría"; +$ItemsTheReferenceDependsOn = "Elementos de los cuales depende la referencia"; +$UseAsReference = "Usar como referencia"; +$Dependencies = "Elementos que dependen de la referencia"; +$SetAsRequirement = "Añadir como requerimiento"; +$AddSequence = "Añadir nueva secuencia"; +$ResourcesSequencing = "Secuencialización de recursos"; +$GamificationModeTitle = "Modo ludificación"; +$GamificationModeComment = "Activar el logro de estrellas en las lecciones"; +$LevelX = "Nivel %s"; +$SeeCourse = "Ver curso"; +$XPoints = "%s puntos"; +$FromXUntilY = "De %s a %s"; +$SubscribeUsersToLp = "Inscripción de usuarios a lección"; +$SubscribeGroupsToLp = "Inscripción de grupos a lección"; +$CreateForumForThisLearningPath = "Crear foro para esta lección"; +$ByDate = "Por fecha"; +$ByTag = "Por etiqueta"; +$GoToCourseInsideSession = "Ir al curso dentro de la sesión"; +$EnableGamificationMode = "Activar modo gamification"; +$MyCoursesSessionView = "Mis cursos, vista sesión"; +$DisableGamificationMode = "Desactivar modo gamification"; +$CatalogueShowOnlyCourses = "Mostrar solo los cursos"; +$CatalogueShowOnlySessions = "Mostrar solo las sesiones"; +$CatalogueShowCoursesAndSessions = "Mostrar ambos cursos y sesiones"; +$SequenceSelection = "Selección de secuencia"; +$SequenceConfiguration = "Configuración de la secuencia"; +$SequencePreview = "Vista previa de la secuencia"; +$DisplayDates = "Fechas mostradas"; +$AccessDates = "Fechas de acceso para estudiantes"; +$CoachDates = "Fechas de acceso para tutores"; +$ChatWithXUser = "Conversación con %s"; +$StartVideoChat = "Iniciar vídeollamada"; +$FieldTypeVideoUrl = "URL de video"; +$InsertAValidUrl = "Inserte una URL valida"; +$SeeInformation = "Ver información"; +$ShareWithYourFriends = "Comparte con tus amigos"; +$ChatRoomName = "Nombre de sala de chat"; +$TheVideoChatRoomXNameAlreadyExists = "La sala '%s' de chat ya existe"; +$ChatRoomNotCreated = "La creación de la sala de chat ha fallado"; +$TheXUserBrowserDoesNotSupportWebRTC = "El navegador de %s no soporta nativamente la transmisión por videoconferencia. Lo sentimos."; +$FromDateX = "Del %s"; +$UntilDateX = "Al %s"; +$GraphDependencyTree = "Árbol de dependencias"; +$CustomizeIcons = "Personalizar iconos"; +$ExportAllToPDF = "Exportar todo a PDF"; +$GradeGeneratedOnX = "Nota generada el %s"; +$ExerciseAvailableSinceX = "Ejercicio disponible desde el %s"; +$ExerciseIsActivatedFromXToY = "El ejercicio está habilitado del %s al %s"; +$SelectSomeOptions = "Seleccione alguna opción"; +$AddCustomCourseIntro = "Puede añadir una introducción a su curso en esta sección, dando clic en el icono de edición"; +$SocialGroup = "Grupo de red social"; +$RequiredSessions = "Sesiones requeridas"; +$DependentSessions = "Sesiones dependientes"; +$ByDuration = "Por duración"; +$ByDates = "Por fechas"; +$SendAnnouncementCopyToDRH = "Enviar una copia a los responsables RRHH de los estudiantes seleccionados"; +$PoweredByX = "Creado con %s"; +$AnnouncementErrorNoUserSelected = "Seleccione por lo mínimo un usuario. El anuncio no ha sido guardado."; +$NoDependencies = "Sin dependencias"; +$SendMailToStudent = "Avisar al estudiante por correo"; +$SendMailToHR = "Avisar al responsable RRHH por correo"; +$CourseFields = "Campos de cursos"; +$FieldTypeCheckbox = "Opciones en casillas"; +$FieldTypeInteger = "Valor entero"; +$FieldTypeFileImage = "Archivo de tipo imagen"; +$FieldTypeFloat = "Valor flotante"; +$DocumentsDefaultVisibilityDefinedInCourseTitle = "Visibilidad de documentos definida en curso"; +$DocumentsDefaultVisibilityDefinedInCourseComment = "La visibilidad por defecto de los documentos en los cursos"; +$HtmlPurifierWikiTitle = "HTMLPurifier en el wiki"; +$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"; +$RemoveTutorStatus = "Quitar el status de tutor"; +$ImportGradebookInCourse = "Importar las evaluaciones desde el curso base"; +$InstitutionAddressTitle = "Dirección de la institución"; +$InstitutionAddressComment = "Dirección"; +$LatestLoginInCourse = "Último acceso al curso"; +$LatestLoginInPlatform = "Último login en la plataforma"; +$FirstLoginInPlatform = "Primer login en la plataforma"; +$FirstLoginInCourse = "Primer acceso al curso"; +$QuotingToXUser = "Citando a %s"; +$LoadMoreComments = "Cargar más comentarios"; +$ShowProgress = "Mostrar progreso"; +$XPercent = "%s %%"; +$CheckRequirements = "Ver requerimientos"; +$ParentLanguageX = "Idioma padre: %s"; +$RegisterTermsOfSubLanguageForX = "Registre términos del sub-idioma para %s buscando un término y luego dando clic al botón de guardar para cada traducción. Luego tendrá que cambiar su perfil para usar el sub-idioma para ver los nuevos términos."; +$SeeSequences = "Ver secuencias"; +$SessionRequirements = "Requerimientos para la sesión"; +$IsRequirement = "Obligatorio para completar el curso"; +$ConsiderThisGradebookAsRequirementForASessionSequence = "Considerar este libro de calificaciones como requisito para una secuencia de sesión"; +$DistinctUsersLogins = "Logins de usuarios distintos"; +$AreYouSureToSubscribe = "¿Está seguro de suscribirse?"; +$CheckYourEmailAndFollowInstructions = "Revise su correo electrónico y siga las instrucciones."; +$LinkExpired = "Enlace expirado, por favor vuelva a iniciar el proceso."; +$ResetPasswordInstructions = "Instrucciones para el procedimiento de cambio de contraseña"; $ResetPasswordCommentWithUrl = "Ha recibido este mensaje porque Usted (o alguien que intenta hacerse pasar por Ud) ha pedido que su contraseña sea generada nuevamente. Para configurar una nueva contraseña, necesita activarla. Para ello, por favor de clic en el siguiente enlace: %s. -Si no ha pedido un cambio de contraseña, puede ignorar este mensaje. No obstante, si vuelve a recibirlo repetidamente, por favor comuníquese con el administrador de su portal."; -$CronRemindCourseExpirationActivateTitle = "Cron de Recordatorio de Expiración de Curso"; -$CronRemindCourseExpirationActivateComment = "Habilitar el cron de envío de recordatorio de expiración de cursos"; -$CronRemindCourseExpirationFrequencyTitle = "Frecuencia del recordatorio de expiración de curso"; -$CronRemindCourseExpirationFrequencyComment = "Número de días antes de la expiración del curso a considerar para enviar el correo electrónico de recordatorio"; -$CronCourseFinishedActivateText = "Cron de finalización de curso"; -$CronCourseFinishedActivateComment = "Activar el cron de finalización de curso"; -$MailCronCourseFinishedSubject = "Fin del curso %s"; +Si no ha pedido un cambio de contraseña, puede ignorar este mensaje. No obstante, si vuelve a recibirlo repetidamente, por favor comuníquese con el administrador de su portal."; +$CronRemindCourseExpirationActivateTitle = "Cron de Recordatorio de Expiración de Curso"; +$CronRemindCourseExpirationActivateComment = "Habilitar el cron de envío de recordatorio de expiración de cursos"; +$CronRemindCourseExpirationFrequencyTitle = "Frecuencia del recordatorio de expiración de curso"; +$CronRemindCourseExpirationFrequencyComment = "Número de días antes de la expiración del curso a considerar para enviar el correo electrónico de recordatorio"; +$CronCourseFinishedActivateText = "Cron de finalización de curso"; +$CronCourseFinishedActivateComment = "Activar el cron de finalización de curso"; +$MailCronCourseFinishedSubject = "Fin del curso %s"; $MailCronCourseFinishedBody = "Estimado %s, Gracias por participar en el curso %s. Esperamos que hayas aprendido y disfrutado del curso. @@ -7486,186 +7486,186 @@ Puedes ver tu rendimiento a lo largo del curso en la sección Mi Avance. Saludos cordiales, -El equipo de %s"; -$GenerateDefaultContent = "Generar contenido por defecto"; -$ThanksForYourSubscription = "¡Gracias por su suscripción!"; -$XTeam = "El equipo de %s"; -$YouCanStartSubscribingToCoursesEnteringToXUrl = "Puede empezar a suscribirse a los cursos ingresando a %s"; -$VideoUrl = "URL de vídeo"; -$AddAttachment = "Añadir archivo adjunto"; -$FieldTypeOnlyLetters = "Texto de letras solamente"; -$FieldTypeAlphanumeric = "Texto de caracteres alfanuméricos"; -$OnlyLetters = "Sólo letras"; -$SelectFillTheBlankSeparator = "Marcador para los espacios en blanco"; -$RefreshBlanks = "Refrescar los blancos"; -$WordTofind = "Palabras por encontrar"; -$BlankInputSize = "Tamaño del espacio en blanco"; -$DateFormatLongNoDayJS = "dd 'de' MM 'de' yy"; -$TimeFormatNoSecJS = "HH'h':mm"; -$AtTime = "a las"; -$SendSubscriptionNotification = "Enviar notificación de suscripción por correo electrónico"; -$SendAnEmailWhenAUserBeingSubscribed = "Enviar un correo electrónico cuando un usuario está suscrito a la sesión"; -$SelectDate = "Seleccionar fecha"; -$OnlyLettersAndSpaces = "Sólo letras y espacios"; -$OnlyLettersAndNumbersAndSpaces = "Sólo letras, números y espacios"; -$FieldTypeLettersSpaces = "Texto de letras y espacios"; -$CronRemindCourseFinishedActivateTitle = "Enviar notificación de finalización de curso"; -$FieldTypeAlphanumericSpaces = "Texto de caracteres alfanuméricos y espacios"; -$CronRemindCourseFinishedActivateComment = "Enviar un correo electrónico a los estudiantes cuando su curso (o sesión) ha finalizado. Esto requiere tareas cron para ser configurado (ver directorio main/cron/)."; -$ThanksForRegisteringToSite = "Gracias por registrarse en %s."; -$AllowCoachFeedbackExercisesTitle = "Permitir a los tutores comentar la revisión de ejercicios"; -$AllowCoachFeedbackExercisesComment = "Permitir a los tutores editar comentarios durante la revisión de ejercicios"; -$PreventMultipleSimultaneousLoginTitle = "Prevenir logins simultáneos"; -$PreventMultipleSimultaneousLoginComment = "Impide la conexión simultánea de varios navegadores con la misma cuenta de usuario. Se trata de una buena opción si ofrece un campus virtual de pago, pero puede ser algo complejo si realiza pruebas ya que un solo navegador podrá conectarse para cada cuenta de usuario."; -$ShowAdditionalColumnsInStudentResultsPageTitle = "Columnas adicionales en evaluaciones"; -$ShowAdditionalColumnsInStudentResultsPageComment = "Muestra columnas adicionales en la vista estudiante de la herramienta de evaluaciones. Estas columnas dan el mejor resultado del salón, la posición corelativa del alumno frente a los demás, y el promedio de todas las notas del salón."; -$CourseCatalogIsPublicTitle = "Publicar catálogo de cursos"; -$CourseCatalogIsPublicComment = "Hace que el catálogo de cursos sea disponible para el público en general, sin necesidad de tener una cuenta en el portal."; -$ResetPasswordTokenTitle = "Llave de reinicio de contraseña"; -$ResetPasswordTokenComment = "Esta opción permite la generación de una llave de reinicio de contraseña que expira después de un rato y solo se puede usar una vez. La llave se envía por correo electrónico, y el usuario puede seguir el enlace para volver a generar su contraseña."; -$ResetPasswordTokenLimitTitle = "Clave de reinicio de contraseña: límite de tiempo"; -$ResetPasswordTokenLimitComment = "El número de segundos antes de que la llave generada se venza automáticamente y no pueda ser usada por nadie. En este caso, una nueva llave tiene que ser generada."; -$ViewMyCoursesListBySessionTitle = "Ver las sesiones por curso"; -$ViewMyCoursesListBySessionComment = "Activa una página \"Mis cursos\" adicional en la cual las sesiones aparecen como partes del curso, en vez de lo contrario."; -$DownloadCertificatePdf = "Descargar certificado en PDF"; -$EnterPassword = "Ingresar contraseña"; -$DownloadReportPdf = "Descargar reporte en PDF"; -$SkillXEnabled = "Competencia \"%s\" habilitada"; -$SkillXDisabled = "Competencia \"%s\" deshabilitada"; -$ShowFullSkillNameOnSkillWheelTitle = "Mostrar nombre completo de la competencias en rueda de competencias"; -$ShowFullSkillNameOnSkillWheelComment = "En la rueda de competencias, permite mostrar el nombre de la competencia cuando ésta tiene código corto."; -$DBPort = "Puerto"; -$CreatedBy = "Creado por"; -$DropboxHideGeneralCoachTitle = "Esconder tutor general en compartir documentos"; -$DropboxHideGeneralCoachComment = "Esconder el nombre del tutor general en la herramienta Compartir Documentos cuando es quien ha subido el documento."; -$UploadMyAssignment = "Enviar mi tarea"; -$Inserted = "Añadido"; -$YourBroswerDoesNotSupportWebRTC = "Su navegador no soporta nativamente la transmisión por videoconferencia."; -$OtherTeachers = "Otros profesores"; -$CourseCategory = "Categoría de curso"; -$VideoChatBetweenUserXAndUserY = "Videollamada entre %s y %s"; -$Enable = "Activar"; -$Disable = "Desactivar"; -$AvoidChangingPageAsThisWillCutYourCurrentVideoChatSession = "Evite cambiar de página ya que esto puede cortar tu videollamada actual"; -$ConnectingToPeer = "Conectando"; -$ConnectionEstablished = "Conexión establecida"; -$ConnectionFailed = "Conexión fallida"; -$ConnectionClosed = "Conexión cerrada"; -$LocalConnectionFailed = "Conexión local fallida"; -$RemoteConnectionFailed = "Conexión remota fallida"; -$ViewStudents = "Ver estudiantes"; -$Into = "dentro de"; -$Sequence = "Secuencia"; -$Invitee = "Invitado"; -$DateRange = "Rango de fechas"; -$EditIcon = "Éditar icono"; -$CustomIcon = "Icono personalizado"; -$CurrentIcon = "Icono actual"; -$GroupReporting = "Informe de grupos"; -$ConvertFormats = "Convertir formato"; -$AreYouSureToDeleteX = "¿Está seguro de querer borrar %s?"; -$AttachmentList = "Lista de archivos adjuntos"; -$SeeCourseInformationAndRequirements = "Ver información y requerimientos del curso"; -$DownloadAll = "Descargar todo"; -$DeletedDocuments = "Documentos borrados"; -$CourseListNotAvailable = "Lista de cursos no disponible"; -$CopyOfMessageSentToXUser = "Copia del mensaje enviado a %s"; -$Convert = "Convertir"; -$PortalLimitType = "Tipo de límite del portal"; -$PortalName = "Nombre del portal"; -$BestScore = "Mejor calificación"; -$AreYouSureToDeleteJS = "Está seguro de eliminar"; -$ConversionToSameFileFormat = "Conversión al mismo formato de archivo. Por favor, selecciones otro."; -$FileFormatNotSupported = "Formato de archivo no soportado."; -$FileConvertedFromXToY = "Archivo convertido de %s a %s"; -$XDays = "%s días"; -$SkillProfile = "Perfil de competencias"; -$AchievedSkills = "Competencias logradas"; -$BusinessCard = "Tarjeta personal"; -$BadgeDetails = "Detalles de la insignia"; -$TheUserXNotYetAchievedTheSkillX = "El usuario %s no ha obtenido la competencia \"%s\" todavía"; -$IssuedBadgeInformation = "Información de la insignia emitida"; -$RecipientDetails = "Datos del beneficiario"; -$SkillAcquiredAt = "Competencia adquirida el"; -$BasicSkills = "Competencias simples"; -$TimeXThroughCourseY = "%s en el curso %s"; -$ExportBadge = "Exportar la insignia"; -$SelectToSearch = "Seleccionar para buscar"; -$PlaceOnTheWheel = "Ubicar en la rueda"; -$Skill = "Competencia"; -$Argumentation = "Argumentación"; -$TheUserXHasAlreadyAchievedTheSkillY = "El usuario %s ya ha logrado la competencia %s"; -$SkillXAssignedToUserY = "La competencia %s ha sido asignada al usuario %s"; -$AssignSkill = "Asignar competencia"; -$AddressField = "Dirección"; -$Geolocalization = "Geolocalización"; -$RateTheSkillInPractice = "En una valoración de 1 a 10 ¿Qué tan bien se observa que esta persona podría poner esta competencia en práctica?"; -$AverageRatingX = "Promedio de la valoración %s"; -$AverageRating = "Promedio de la valoración"; -$GradebookTeacherResultsNotShown = "Los resultados de los profesores no se muestran ni están tomados en cuenta en los cálculos de la herramienta de evaluaciones."; -$SocialWallWriteNewPostToFriend = "Escribe algo interesante en el muro de tu amigo..."; -$EmptyTemplate = "Plantilla vacía"; -$BaseCourse = "Curso base"; -$BaseCourses = "Cursos base"; -$Square = "Cuadrado/rectángulo"; -$Ellipse = "Elipse"; -$Polygon = "Polígono"; -$HotspotStatus1 = "Dibuje una zona interactiva"; -$HotspotStatus2Polygon = "Use el botón derecho del ratón para cerrar el polígono"; -$HotspotStatus2Other = "Suelte el botón del ratón para guardar la zona interactiva"; -$HotspotStatus3 = "Zona interactiva guardada"; -$HotspotShowUserPoints = "Mostrar/Ocultar clicks"; -$ShowHotspots = "Mostrar/Ocultar zonas interactivas"; -$Triesleft = "Intentos restantes"; -$NextAnswer = "Haga clic sobre:"; -$CloseDelineation = "Cerrar delimitación"; -$Oar = "Zona de riesgo"; -$HotspotExerciseFinished = "Todas las zonas han sido seleccionadas. Ahora puede reasignar sus respuestas o pulsar el botón inferior y dar por finalizada la pregunta."; -$ClosePolygon = "Cerrar polígono"; -$DelineationStatus1 = "Use el botón derecho del ratón para cerrar la delimitación"; -$Beta = "Beta"; -$CropYourPicture = "Recorta tu foto"; -$DownloadBadge = "Descargar la insignia"; -$NoXMLFileFoundInTheZip = "No se encontró ningún archivo XML en el zip. Se requiere uno para este tipo de importación."; -$BakedBadgeProblem = "Ha ocurrido un problema al insertar la información de la insignia dentro de la imagen de la insignia, pero puede usar esta página como prueba de su logro."; -$ConfirmAssociateForumToLPItem = "Esta acción asociará un hilo de conversación de foro a este paso de la lección. ¿Desea proceder?"; -$ConfirmDissociateForumToLPItem = "Esta acción disociará el hilo de conversación de este paso de la lección. ¿Desea proceder?"; -$DissociateForumToLPItem = "Disociar el hilo de la conversación de este paso de lección"; -$AssociateForumToLPItem = "Asociar un hilo de conversación de foro a este paso de la lección"; -$ForumDissociated = "Foro disociado"; -$ClickOrDropOneFileHere = "Suelte un archivo aquí o haga clic"; -$ModuloPercentage = "Módulo:\t\t\t%"; -$LastXDays = "Últimos %s días"; -$ExportBadges = "Exportar insignias"; -$LanguagesDisableAllExceptDefault = "Desactivar todos los idiomas excepto el por defecto de la plataforma"; -$ThereAreUsersUsingThisLanguagesDisableItManually = "Hay usuarios que usan actualmente el idioma siguiente. Por favor, desactivar manualmente."; -$MessagingAllowSendPushNotificationTitle = "Permitir enviar notificaciones Push a la aplicación móvil de Chamilo Messaging"; -$MessagingAllowSendPushNotificationComment = "Enviar notificaciones Push a través de Google Cloud Messaging"; -$MessagingGDCProjectNumberTitle = "Número de proyecto de Google Developer Console"; -$MessagingGDCProjectNumberComment = "Necesita registrar un proyecto en Google Developer Console"; -$MessagingGDCApiKeyTitle = "API key de Google Developer Console para Google Cloud Messaging"; -$MessagingGDCApiKeyComment = "Necesita habilitar la API de Google Cloud Messaging y crear una credencial para Android"; -$Overwrite = "Sobreescribir"; -$TheLogoMustBeSizeXAndFormatY = "El logo debe ser de un tamaño de %s px y en el formato %s"; -$ResetToTheOriginalLogo = "Reseteado al logo original"; -$NewLogoUpdated = "Nuevo logo subido"; -$CurrentLogo = "Logo activo"; -$UpdateLogo = "Cambiar el logo"; -$FollowedStudentBosses = "Superiores de estudiante seguidos"; -$DatabaseManager = "Gestor de base de datos"; -$CourseTemplate = "Plantilla de curso"; -$PickACourseAsATemplateForThisNewCourse = "Elegir un curso como plantilla para este nuevo curso"; -$TeacherCanSelectCourseTemplateTitle = "El profesor puede seleccionar un curso como plantilla"; -$TeacherCanSelectCourseTemplateComment = "Permitir elegir un curso como plantilla para el nuevo curso que el profesor está creando"; -$TheForumAutoLaunchSettingIsOnStudentsWillBeRedirectToTheForumTool = "El parámetro de arranque automático del foro está activado. Los estudiantes serán redirigidos directamente a la herramienta de foro cuando entren a este curso."; -$RedirectToForumList = "Redirigir a la lista de foros"; -$EnableForumAutoLaunch = "Activar auto-arranque de foro"; -$NowDownloadYourCertificateClickHere = "Puedes descargar tu certificado haciendo clic aquí"; -$AdditionallyYouHaveObtainedTheFollowingSkills = "Adicionalmente, has obtenido las competencias siguientes"; -$IHaveObtainedSkillXOnY = "He logrado la competencia %s en %s"; -$AnotherAttempt = "Realizar otro intento"; -$RemainingXAttempts = "%s intentos restantes"; -$Map = "Mapa"; -$MyLocation = "Mi ubicación"; -$ShowCourseInUserLanguage = "Mostrar el curso en el idioma del usuario"; +El equipo de %s"; +$GenerateDefaultContent = "Generar contenido por defecto"; +$ThanksForYourSubscription = "¡Gracias por su suscripción!"; +$XTeam = "El equipo de %s"; +$YouCanStartSubscribingToCoursesEnteringToXUrl = "Puede empezar a suscribirse a los cursos ingresando a %s"; +$VideoUrl = "URL de vídeo"; +$AddAttachment = "Añadir archivo adjunto"; +$FieldTypeOnlyLetters = "Texto de letras solamente"; +$FieldTypeAlphanumeric = "Texto de caracteres alfanuméricos"; +$OnlyLetters = "Sólo letras"; +$SelectFillTheBlankSeparator = "Marcador para los espacios en blanco"; +$RefreshBlanks = "Refrescar los blancos"; +$WordTofind = "Palabras por encontrar"; +$BlankInputSize = "Tamaño del espacio en blanco"; +$DateFormatLongNoDayJS = "dd 'de' MM 'de' yy"; +$TimeFormatNoSecJS = "HH'h':mm"; +$AtTime = "a las"; +$SendSubscriptionNotification = "Enviar notificación de suscripción por correo electrónico"; +$SendAnEmailWhenAUserBeingSubscribed = "Enviar un correo electrónico cuando un usuario está suscrito a la sesión"; +$SelectDate = "Seleccionar fecha"; +$OnlyLettersAndSpaces = "Sólo letras y espacios"; +$OnlyLettersAndNumbersAndSpaces = "Sólo letras, números y espacios"; +$FieldTypeLettersSpaces = "Texto de letras y espacios"; +$CronRemindCourseFinishedActivateTitle = "Enviar notificación de finalización de curso"; +$FieldTypeAlphanumericSpaces = "Texto de caracteres alfanuméricos y espacios"; +$CronRemindCourseFinishedActivateComment = "Enviar un correo electrónico a los estudiantes cuando su curso (o sesión) ha finalizado. Esto requiere tareas cron para ser configurado (ver directorio main/cron/)."; +$ThanksForRegisteringToSite = "Gracias por registrarse en %s."; +$AllowCoachFeedbackExercisesTitle = "Permitir a los tutores comentar la revisión de ejercicios"; +$AllowCoachFeedbackExercisesComment = "Permitir a los tutores editar comentarios durante la revisión de ejercicios"; +$PreventMultipleSimultaneousLoginTitle = "Prevenir logins simultáneos"; +$PreventMultipleSimultaneousLoginComment = "Impide la conexión simultánea de varios navegadores con la misma cuenta de usuario. Se trata de una buena opción si ofrece un campus virtual de pago, pero puede ser algo complejo si realiza pruebas ya que un solo navegador podrá conectarse para cada cuenta de usuario."; +$ShowAdditionalColumnsInStudentResultsPageTitle = "Columnas adicionales en evaluaciones"; +$ShowAdditionalColumnsInStudentResultsPageComment = "Muestra columnas adicionales en la vista estudiante de la herramienta de evaluaciones. Estas columnas dan el mejor resultado del salón, la posición corelativa del alumno frente a los demás, y el promedio de todas las notas del salón."; +$CourseCatalogIsPublicTitle = "Publicar catálogo de cursos"; +$CourseCatalogIsPublicComment = "Hace que el catálogo de cursos sea disponible para el público en general, sin necesidad de tener una cuenta en el portal."; +$ResetPasswordTokenTitle = "Llave de reinicio de contraseña"; +$ResetPasswordTokenComment = "Esta opción permite la generación de una llave de reinicio de contraseña que expira después de un rato y solo se puede usar una vez. La llave se envía por correo electrónico, y el usuario puede seguir el enlace para volver a generar su contraseña."; +$ResetPasswordTokenLimitTitle = "Clave de reinicio de contraseña: límite de tiempo"; +$ResetPasswordTokenLimitComment = "El número de segundos antes de que la llave generada se venza automáticamente y no pueda ser usada por nadie. En este caso, una nueva llave tiene que ser generada."; +$ViewMyCoursesListBySessionTitle = "Ver las sesiones por curso"; +$ViewMyCoursesListBySessionComment = "Activa una página \"Mis cursos\" adicional en la cual las sesiones aparecen como partes del curso, en vez de lo contrario."; +$DownloadCertificatePdf = "Descargar certificado en PDF"; +$EnterPassword = "Ingresar contraseña"; +$DownloadReportPdf = "Descargar reporte en PDF"; +$SkillXEnabled = "Competencia \"%s\" habilitada"; +$SkillXDisabled = "Competencia \"%s\" deshabilitada"; +$ShowFullSkillNameOnSkillWheelTitle = "Mostrar nombre completo de la competencias en rueda de competencias"; +$ShowFullSkillNameOnSkillWheelComment = "En la rueda de competencias, permite mostrar el nombre de la competencia cuando ésta tiene código corto."; +$DBPort = "Puerto"; +$CreatedBy = "Creado por"; +$DropboxHideGeneralCoachTitle = "Esconder tutor general en compartir documentos"; +$DropboxHideGeneralCoachComment = "Esconder el nombre del tutor general en la herramienta Compartir Documentos cuando es quien ha subido el documento."; +$UploadMyAssignment = "Enviar mi tarea"; +$Inserted = "Añadido"; +$YourBroswerDoesNotSupportWebRTC = "Su navegador no soporta nativamente la transmisión por videoconferencia."; +$OtherTeachers = "Otros profesores"; +$CourseCategory = "Categoría de curso"; +$VideoChatBetweenUserXAndUserY = "Videollamada entre %s y %s"; +$Enable = "Activar"; +$Disable = "Desactivar"; +$AvoidChangingPageAsThisWillCutYourCurrentVideoChatSession = "Evite cambiar de página ya que esto puede cortar tu videollamada actual"; +$ConnectingToPeer = "Conectando"; +$ConnectionEstablished = "Conexión establecida"; +$ConnectionFailed = "Conexión fallida"; +$ConnectionClosed = "Conexión cerrada"; +$LocalConnectionFailed = "Conexión local fallida"; +$RemoteConnectionFailed = "Conexión remota fallida"; +$ViewStudents = "Ver estudiantes"; +$Into = "dentro de"; +$Sequence = "Secuencia"; +$Invitee = "Invitado"; +$DateRange = "Rango de fechas"; +$EditIcon = "Éditar icono"; +$CustomIcon = "Icono personalizado"; +$CurrentIcon = "Icono actual"; +$GroupReporting = "Informe de grupos"; +$ConvertFormats = "Convertir formato"; +$AreYouSureToDeleteX = "¿Está seguro de querer borrar %s?"; +$AttachmentList = "Lista de archivos adjuntos"; +$SeeCourseInformationAndRequirements = "Ver información y requerimientos del curso"; +$DownloadAll = "Descargar todo"; +$DeletedDocuments = "Documentos borrados"; +$CourseListNotAvailable = "Lista de cursos no disponible"; +$CopyOfMessageSentToXUser = "Copia del mensaje enviado a %s"; +$Convert = "Convertir"; +$PortalLimitType = "Tipo de límite del portal"; +$PortalName = "Nombre del portal"; +$BestScore = "Mejor calificación"; +$AreYouSureToDeleteJS = "Está seguro de eliminar"; +$ConversionToSameFileFormat = "Conversión al mismo formato de archivo. Por favor, selecciones otro."; +$FileFormatNotSupported = "Formato de archivo no soportado."; +$FileConvertedFromXToY = "Archivo convertido de %s a %s"; +$XDays = "%s días"; +$SkillProfile = "Perfil de competencias"; +$AchievedSkills = "Competencias logradas"; +$BusinessCard = "Tarjeta personal"; +$BadgeDetails = "Detalles de la insignia"; +$TheUserXNotYetAchievedTheSkillX = "El usuario %s no ha obtenido la competencia \"%s\" todavía"; +$IssuedBadgeInformation = "Información de la insignia emitida"; +$RecipientDetails = "Datos del beneficiario"; +$SkillAcquiredAt = "Competencia adquirida el"; +$BasicSkills = "Competencias simples"; +$TimeXThroughCourseY = "%s en el curso %s"; +$ExportBadge = "Exportar la insignia"; +$SelectToSearch = "Seleccionar para buscar"; +$PlaceOnTheWheel = "Ubicar en la rueda"; +$Skill = "Competencia"; +$Argumentation = "Argumentación"; +$TheUserXHasAlreadyAchievedTheSkillY = "El usuario %s ya ha logrado la competencia %s"; +$SkillXAssignedToUserY = "La competencia %s ha sido asignada al usuario %s"; +$AssignSkill = "Asignar competencia"; +$AddressField = "Dirección"; +$Geolocalization = "Geolocalización"; +$RateTheSkillInPractice = "En una valoración de 1 a 10 ¿Qué tan bien se observa que esta persona podría poner esta competencia en práctica?"; +$AverageRatingX = "Promedio de la valoración %s"; +$AverageRating = "Promedio de la valoración"; +$GradebookTeacherResultsNotShown = "Los resultados de los profesores no se muestran ni están tomados en cuenta en los cálculos de la herramienta de evaluaciones."; +$SocialWallWriteNewPostToFriend = "Escribe algo interesante en el muro de tu amigo..."; +$EmptyTemplate = "Plantilla vacía"; +$BaseCourse = "Curso base"; +$BaseCourses = "Cursos base"; +$Square = "Cuadrado/rectángulo"; +$Ellipse = "Elipse"; +$Polygon = "Polígono"; +$HotspotStatus1 = "Dibuje una zona interactiva"; +$HotspotStatus2Polygon = "Use el botón derecho del ratón para cerrar el polígono"; +$HotspotStatus2Other = "Suelte el botón del ratón para guardar la zona interactiva"; +$HotspotStatus3 = "Zona interactiva guardada"; +$HotspotShowUserPoints = "Mostrar/Ocultar clicks"; +$ShowHotspots = "Mostrar/Ocultar zonas interactivas"; +$Triesleft = "Intentos restantes"; +$NextAnswer = "Haga clic sobre:"; +$CloseDelineation = "Cerrar delimitación"; +$Oar = "Zona de riesgo"; +$HotspotExerciseFinished = "Todas las zonas han sido seleccionadas. Ahora puede reasignar sus respuestas o pulsar el botón inferior y dar por finalizada la pregunta."; +$ClosePolygon = "Cerrar polígono"; +$DelineationStatus1 = "Use el botón derecho del ratón para cerrar la delimitación"; +$Beta = "Beta"; +$CropYourPicture = "Recorta tu foto"; +$DownloadBadge = "Descargar la insignia"; +$NoXMLFileFoundInTheZip = "No se encontró ningún archivo XML en el zip. Se requiere uno para este tipo de importación."; +$BakedBadgeProblem = "Ha ocurrido un problema al insertar la información de la insignia dentro de la imagen de la insignia, pero puede usar esta página como prueba de su logro."; +$ConfirmAssociateForumToLPItem = "Esta acción asociará un hilo de conversación de foro a este paso de la lección. ¿Desea proceder?"; +$ConfirmDissociateForumToLPItem = "Esta acción disociará el hilo de conversación de este paso de la lección. ¿Desea proceder?"; +$DissociateForumToLPItem = "Disociar el hilo de la conversación de este paso de lección"; +$AssociateForumToLPItem = "Asociar un hilo de conversación de foro a este paso de la lección"; +$ForumDissociated = "Foro disociado"; +$ClickOrDropOneFileHere = "Suelte un archivo aquí o haga clic"; +$ModuloPercentage = "Módulo:\t\t\t%"; +$LastXDays = "Últimos %s días"; +$ExportBadges = "Exportar insignias"; +$LanguagesDisableAllExceptDefault = "Desactivar todos los idiomas excepto el por defecto de la plataforma"; +$ThereAreUsersUsingThisLanguagesDisableItManually = "Hay usuarios que usan actualmente el idioma siguiente. Por favor, desactivar manualmente."; +$MessagingAllowSendPushNotificationTitle = "Permitir enviar notificaciones Push a la aplicación móvil de Chamilo Messaging"; +$MessagingAllowSendPushNotificationComment = "Enviar notificaciones Push a través de Google Cloud Messaging"; +$MessagingGDCProjectNumberTitle = "Número de proyecto de Google Developer Console"; +$MessagingGDCProjectNumberComment = "Necesita registrar un proyecto en Google Developer Console"; +$MessagingGDCApiKeyTitle = "API key de Google Developer Console para Google Cloud Messaging"; +$MessagingGDCApiKeyComment = "Necesita habilitar la API de Google Cloud Messaging y crear una credencial para Android"; +$Overwrite = "Sobreescribir"; +$TheLogoMustBeSizeXAndFormatY = "El logo debe ser de un tamaño de %s px y en el formato %s"; +$ResetToTheOriginalLogo = "Reseteado al logo original"; +$NewLogoUpdated = "Nuevo logo subido"; +$CurrentLogo = "Logo activo"; +$UpdateLogo = "Cambiar el logo"; +$FollowedStudentBosses = "Superiores de estudiante seguidos"; +$DatabaseManager = "Gestor de base de datos"; +$CourseTemplate = "Plantilla de curso"; +$PickACourseAsATemplateForThisNewCourse = "Elegir un curso como plantilla para este nuevo curso"; +$TeacherCanSelectCourseTemplateTitle = "El profesor puede seleccionar un curso como plantilla"; +$TeacherCanSelectCourseTemplateComment = "Permitir elegir un curso como plantilla para el nuevo curso que el profesor está creando"; +$TheForumAutoLaunchSettingIsOnStudentsWillBeRedirectToTheForumTool = "El parámetro de arranque automático del foro está activado. Los estudiantes serán redirigidos directamente a la herramienta de foro cuando entren a este curso."; +$RedirectToForumList = "Redirigir a la lista de foros"; +$EnableForumAutoLaunch = "Activar auto-arranque de foro"; +$NowDownloadYourCertificateClickHere = "Puedes descargar tu certificado haciendo clic aquí"; +$AdditionallyYouHaveObtainedTheFollowingSkills = "Adicionalmente, has obtenido las competencias siguientes"; +$IHaveObtainedSkillXOnY = "He logrado la competencia %s en %s"; +$AnotherAttempt = "Realizar otro intento"; +$RemainingXAttempts = "%s intentos restantes"; +$Map = "Mapa"; +$MyLocation = "Mi ubicación"; +$ShowCourseInUserLanguage = "Mostrar el curso en el idioma del usuario"; ?> \ No newline at end of file diff --git a/main/template/default/user_portal/index.tpl b/main/template/default/user_portal/index.tpl new file mode 100644 index 0000000000..cadec8248a --- /dev/null +++ b/main/template/default/user_portal/index.tpl @@ -0,0 +1,3 @@ +{% for item in items %} + {{ item }} +{% endfor %} diff --git a/main/template/default/user_portal/index_grid.tpl b/main/template/default/user_portal/index_grid.tpl new file mode 100644 index 0000000000..a06823ec05 --- /dev/null +++ b/main/template/default/user_portal/index_grid.tpl @@ -0,0 +1,5 @@ +{% for item in items %} +
    + {{ item }} +
    +{% endfor %} diff --git a/main/template/default/user_portal/session.tpl b/main/template/default/user_portal/session.tpl index cb744544a9..9cfbcb3fa1 100644 --- a/main/template/default/user_portal/session.tpl +++ b/main/template/default/user_portal/session.tpl @@ -21,83 +21,83 @@ {% endif %}
    - {% if session.show_simple_session_info %} -
    -
    -

    - {{ session.title ~ session.notifications }} -

    + {% if session.show_simple_session_info %} +
    +
    +

    + {{ session.title ~ session.notifications }} +

    - {% if session.show_description %} -
    - {{ session.description }} -
    - {% endif %} + {% if session.show_description %} +
    + {{ session.description }} +
    + {% endif %} - {% if session.subtitle %} - {{ session.subtitle }} - {% endif %} + {% if session.subtitle %} + {{ session.subtitle }} + {% endif %} - {% if session.teachers %} -
    {{ "teacher.png"|icon(16) ~ session.teachers }}
    - {% endif %} + {% if session.teachers %} +
    {{ "teacher.png"|icon(16) ~ session.teachers }}
    + {% endif %} - {% if session.coaches %} -
    {{ "teacher.png"|icon(16) ~ session.coaches }}
    - {% endif %} -
    + {% if session.coaches %} +
    {{ "teacher.png"|icon(16) ~ session.coaches }}
    + {% endif %} +
    - {% if session.show_actions %} -
    - - {{ - + {% if session.show_actions %} +
    + + {{ + +
    + {% endif %} +
    + {% else %} +
    +
    + {% if session.subtitle %} +
    + {{ session.subtitle }}
    {% endif %} -
    - {% else %} -
    -
    - {% if session.subtitle %} -
    - {{ session.subtitle }} -
    - {% endif %} - {% if session.show_description %} -
    - {{ session.description }} -
    - {% endif %} -
    - {% for item in session.courses %} -
    -
    - {% if item.link %} - {{ item.icon }} - {% else %} - {{ item.icon }} - {% endif %} -
    -
    - {{ item.title }} + {% if session.show_description %} +
    + {{ session.description }} +
    + {% endif %} +
    + {% for item in session.courses %} +
    +
    + {% if item.link %} + {{ item.icon }} + {% else %} + {{ item.icon }} + {% endif %} +
    +
    + {{ item.title }} - {% if item.coaches|length > 0 %} - + {% if item.coaches|length > 0 %} + - {% for coach in item.coaches %} - {{ loop.index > 1 ? ' | ' }} + {% for coach in item.coaches %} + {{ loop.index > 1 ? ' | ' }} - - {{ coach.full_name }} - - {% endfor %} - {% endif %} -
    + + {{ coach.full_name }} + + {% endfor %} + {% endif %}
    - {% endfor %} -
    +
    + {% endfor %}
    - {% endif %} +
    + {% endif %}
    diff --git a/src/Chamilo/CoreBundle/EventListener/LegacyLoginListener.php b/src/Chamilo/CoreBundle/EventListener/LegacyLoginListener.php index b4076ce591..887ec20aa9 100644 --- a/src/Chamilo/CoreBundle/EventListener/LegacyLoginListener.php +++ b/src/Chamilo/CoreBundle/EventListener/LegacyLoginListener.php @@ -3,6 +3,8 @@ namespace Chamilo\CoreBundle\EventListener; +use Symfony\Component\HttpFoundation\RedirectResponse; +use Symfony\Component\HttpKernel\Event\FilterResponseEvent; use Symfony\Component\HttpKernel\Event\GetResponseEvent; use Symfony\Component\HttpKernel\KernelEvents; use Symfony\Component\EventDispatcher\EventSubscriberInterface; @@ -45,6 +47,7 @@ class LegacyLoginListener implements EventSubscriberInterface return; } + $token = $this->tokenStorage->getToken(); if ($token) { $isGranted = $this->container->get('security.authorization_checker')->isGranted('IS_AUTHENTICATED_FULLY'); @@ -67,23 +70,33 @@ class LegacyLoginListener implements EventSubscriberInterface } $languages = ['german' => 'de', 'english' => 'en', 'spanish' => 'es', 'french' => 'fr']; - if ($user && isset($languages[$user->getLanguage()])) { - $locale = $languages[$user->getLanguage()]; + $locale = isset($languages[$user->getLanguage()]) ? $languages[$user->getLanguage()] : ''; + if ($user && !empty($locale)) { + + error_log('legacyloginlistener'); + error_log($locale); $user->setLocale($locale); - $request->getSession()->set('_locale_user', $locale); + //$request->getSession()->set('_locale_user', $locale); // if no explicit locale has been set on this request, use one from the session - $request->setLocale($locale); $request->getSession()->set('_locale', $locale); + $request->setLocale($locale); } $token = new UsernamePasswordToken($user, null, "main", $user->getRoles()); $this->tokenStorage->setToken($token); //now the user is logged in + //now dispatch the login event $event = new InteractiveLoginEvent($request, $token); $this->container->get("event_dispatcher")->dispatch("security.interactive_login", $event); + + + $this->container->get("event_dispatcher")->addListener( + KernelEvents::RESPONSE, array($this, 'redirectUser') + ); + } } } @@ -98,7 +111,18 @@ class LegacyLoginListener implements EventSubscriberInterface { return array( // must be registered before the default Locale listener - KernelEvents::REQUEST => array(array('onKernelRequest', 17)), + KernelEvents::REQUEST => array(array('onKernelRequest', 15)), ); } + + /** + * @param FilterResponseEvent $event + */ + public function redirectUser(FilterResponseEvent $event) + { + $uri = $event->getRequest()->getUri(); + // on effectue la redirection + $response = new RedirectResponse($uri); + $event->setResponse($response); + } } diff --git a/src/Chamilo/CoreBundle/EventListener/LocaleListener.php b/src/Chamilo/CoreBundle/EventListener/LocaleListener.php new file mode 100644 index 0000000000..c8bb0108ab --- /dev/null +++ b/src/Chamilo/CoreBundle/EventListener/LocaleListener.php @@ -0,0 +1,89 @@ +defaultLocale = $defaultLocale; + $this->container = $container; + } + + /** + * @param GetResponseEvent $event + */ + public function onKernelRequest(GetResponseEvent $event) + { + $request = $event->getRequest(); + if (!$request->hasPreviousSession()) { + return; + } + + // try to see if the locale has been set as a _locale routing parameter + if ($locale = $request->attributes->get('_locale')) { + $request->getSession()->set('_locale', $locale); + } else { + $locale = $this->defaultLocale; + + // 2. Check user locale + // _locale_user is set when user logins the system check UserLocaleListener + $userLocale = $request->getSession()->get('_locale'); + if (!empty($userLocale)) { + $locale = $userLocale; + } + + // if no explicit locale has been set on this request, use one from the session + $request->setLocale($locale); + $request->getSession()->set('_locale', $locale); + } + } + + /** + * @return array + */ + public static function getSubscribedEvents() + { + return array( + // must be registered before the default Locale listener + KernelEvents::REQUEST => array(array('onKernelRequest', 15)), + ); + } +} diff --git a/src/Chamilo/CoreBundle/EventListener/UserLocaleListener.php b/src/Chamilo/CoreBundle/EventListener/UserLocaleListener.php index e4568f924f..de5d4384a1 100644 --- a/src/Chamilo/CoreBundle/EventListener/UserLocaleListener.php +++ b/src/Chamilo/CoreBundle/EventListener/UserLocaleListener.php @@ -51,18 +51,10 @@ class UserLocaleListener if ($token) { $user = $token->getUser(); - - if ($user && isset($languages[$user->getLanguage()])) { - $user->setLocale($languages[$user->getLanguage()]); - $event->getRequest()->setLocale($user->getLocale()); - $this->session->set('_locale', $user->getLocale()); - $this->session->set('_locale_user', $user->getLocale()); + $locale = isset($languages[$user->getLanguage()]) ? $languages[$user->getLanguage()] : ''; + if ($user && !empty($locale)) { + $this->session->set('_locale', $locale); } } - - /*if (null !== $user->getLocale()) { - $this->session->set('_locale', $user->getLocale()); - $this->session->set('_locale_user', $user->getLocale()); - }*/ } } diff --git a/src/Chamilo/CoreBundle/Resources/config/services.yml b/src/Chamilo/CoreBundle/Resources/config/services.yml index 51ce754ee1..58c0ff0368 100644 --- a/src/Chamilo/CoreBundle/Resources/config/services.yml +++ b/src/Chamilo/CoreBundle/Resources/config/services.yml @@ -145,7 +145,15 @@ services: arguments: ["@session"] tags: - { name: kernel.event_listener, event: security.interactive_login, method: onInteractiveLogin } -# - { name: kernel.event_listener, event: kernel.request, method: setLocaleForUnauthenticatedUser} + + chamilo_core.listener.locale: + class: Chamilo\CoreBundle\EventListener\LocaleListener + arguments: ["%kernel.default_locale%", "@service_container"] + tags: + - { name: kernel.event_subscriber } + + + # # # Settings listener # chamilo_core.listener.settings: @@ -177,7 +185,7 @@ services: # tags: # - { name: kernel.event_listener, event: theme.messages, method: onListMessages } # -# # Login listener - When user logs in + # Login listener - When user logs in # chamilo_core.listener.login_success_handler: # class: Chamilo\CoreBundle\EventListener\LoginSuccessHandler # arguments: [@router, @security.authorization_checker] diff --git a/src/Chamilo/CourseBundle/Entity/CQuiz.php b/src/Chamilo/CourseBundle/Entity/CQuiz.php index a1c510c544..ad4881674a 100644 --- a/src/Chamilo/CourseBundle/Entity/CQuiz.php +++ b/src/Chamilo/CourseBundle/Entity/CQuiz.php @@ -154,6 +154,12 @@ class CQuiz */ private $propagateNeg; + /** + * @var boolean + * @ORm\Column(name="save_correct_answers", type="boolean", nullable=false) + */ + private $saveCorrectAnswers; + /** * @var integer * @@ -564,6 +570,25 @@ class CQuiz return $this->propagateNeg; } + /** + * @param $saveCorrectAnswers boolean + * @return CQuiz + */ + public function setSaveCorrectAnswers($saveCorrectAnswers) + { + $this->saveCorrectAnswers = $saveCorrectAnswers; + + return $this; + } + + /** + * @return boolean + */ + public function getSaveCorrectAnswers() + { + return $this->saveCorrectAnswers; + } + /** * Set reviewAnswers * diff --git a/user_portal.php b/user_portal.php index 796d565c1a..cfc8376f57 100755 --- a/user_portal.php +++ b/user_portal.php @@ -185,13 +185,20 @@ if (api_get_setting('go_to_course_after_login') == 'true') { } } - -//Show the chamilo mascot +// Show the chamilo mascot if (empty($courseAndSessions['html']) && !isset($_GET['history'])) { $controller->tpl->assign('welcome_to_course_block', $controller->return_welcome_to_course_block()); } -$controller->tpl->assign('content', $courseAndSessions['html']); +$template = api_get_configuration_value('user_portal_tpl'); +if (empty($template)) { + $controller->tpl->assign('content', $courseAndSessions['html']); +} else { + $controller->tpl->assign('items', $courseAndSessions['items']); + $userPortalTemplate = $controller->tpl->get_template('user_portal/'.$template); + $content = $controller->tpl->fetch($userPortalTemplate); + $controller->tpl->assign('content', $content); +} if (api_get_setting('allow_browser_sniffer') == 'true') { if (isset($_SESSION['sniff_navigator']) && $_SESSION['sniff_navigator'] != "checked") { diff --git a/web/.htaccess b/web/.htaccess index 6502a479d8..e5bf491679 100644 --- a/web/.htaccess +++ b/web/.htaccess @@ -5,18 +5,6 @@ # to each configured DirectoryIndex file (e.g. index.php, index.html, index.pl). DirectoryIndex app.php -# By default, Apache does not evaluate symbolic links if you did not enable this -# feature in your server configuration. Uncomment the following line if you -# install assets as symlinks or if you experience problems related to symlinks -# when compiling LESS/Sass/CoffeScript assets. -# Options FollowSymlinks - -# Disabling MultiViews prevents unwanted negotiation, e.g. "/app" should not resolve -# to the front controller "/app.php" but be rewritten to "/app.php/app". - - Options -MultiViews - - RewriteEngine On @@ -30,10 +18,6 @@ DirectoryIndex app.php RewriteCond %{REQUEST_URI}::$1 ^(/.+)/(.*)::\2$ RewriteRule ^(.*) - [E=BASE:%1] - # Sets the HTTP_AUTHORIZATION header removed by Apache - RewriteCond %{HTTP:Authorization} . - RewriteRule ^ - [E=HTTP_AUTHORIZATION:%{HTTP:Authorization}] - # Redirect to URI without front controller to prevent duplicate content # (with and without `/app.php`). Only do this redirect on the initial # rewrite by Apache and not on subsequent cycles. Otherwise we would get an @@ -46,15 +30,15 @@ DirectoryIndex app.php # - use Apache >= 2.3.9 and replace all L flags by END flags and remove the # following RewriteCond (best solution) RewriteCond %{ENV:REDIRECT_STATUS} ^$ - RewriteRule ^app\.php(?:/(.*)|$) %{ENV:BASE}/$1 [R=301,L] + RewriteRule ^app\.php(/(.*)|$) %{ENV:BASE}/$2 [R=301,L] # If the requested filename exists, simply serve it. # We only want to let Apache serve files and not directories. RewriteCond %{REQUEST_FILENAME} -f - RewriteRule ^ - [L] + RewriteRule .? - [L] # Rewrite all other queries to the front controller. - RewriteRule ^ %{ENV:BASE}/app.php [L] + RewriteRule .? %{ENV:BASE}/app.php [L]