3 // This file is part of Moodle - http://moodle.org/
5 // Moodle is free software: you can redistribute it and/or modify
6 // it under the terms of the GNU General Public License as published by
7 // the Free Software Foundation, either version 3 of the License, or
8 // (at your option) any later version.
10 // Moodle is distributed in the hope that it will be useful,
11 // but WITHOUT ANY WARRANTY; without even the implied warranty of
12 // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
13 // GNU General Public License for more details.
15 // You should have received a copy of the GNU General Public License
16 // along with Moodle. If not, see <http://www.gnu.org/licenses/>.
19 * Defines classes used for plugins management
21 * This library provides a unified interface to various plugin types in
22 * Moodle. It is mainly used by the plugins management admin page and the
23 * plugins check page during the upgrade.
27 * @copyright 2011 David Mudrak <david@moodle.com>
28 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
31 defined('MOODLE_INTERNAL') || die();
34 * Singleton class providing general plugins management functionality
36 class plugin_manager {
38 /** the plugin is shipped with standard Moodle distribution */
39 const PLUGIN_SOURCE_STANDARD = 'std';
40 /** the plugin is added extension */
41 const PLUGIN_SOURCE_EXTENSION = 'ext';
43 /** the plugin uses neither database nor capabilities, no versions */
44 const PLUGIN_STATUS_NODB = 'nodb';
45 /** the plugin is up-to-date */
46 const PLUGIN_STATUS_UPTODATE = 'uptodate';
47 /** the plugin is about to be installed */
48 const PLUGIN_STATUS_NEW = 'new';
49 /** the plugin is about to be upgraded */
50 const PLUGIN_STATUS_UPGRADE = 'upgrade';
51 /** the standard plugin is about to be deleted */
52 const PLUGIN_STATUS_DELETE = 'delete';
53 /** the version at the disk is lower than the one already installed */
54 const PLUGIN_STATUS_DOWNGRADE = 'downgrade';
55 /** the plugin is installed but missing from disk */
56 const PLUGIN_STATUS_MISSING = 'missing';
58 /** @var plugin_manager holds the singleton instance */
59 protected static $singletoninstance;
60 /** @var array of raw plugins information */
61 protected $pluginsinfo = null;
62 /** @var array of raw subplugins information */
63 protected $subpluginsinfo = null;
66 * Direct initiation not allowed, use the factory method {@link self::instance()}
68 protected function __construct() {
72 * Sorry, this is singleton
74 protected function __clone() {
78 * Factory method for this class
80 * @return plugin_manager the singleton instance
82 public static function instance() {
83 if (is_null(self::$singletoninstance)) {
84 self::$singletoninstance = new self();
86 return self::$singletoninstance;
91 * @param bool $phpunitreset
93 public static function reset_caches($phpunitreset = false) {
95 self::$singletoninstance = null;
100 * Returns the result of {@link core_component::get_plugin_types()} ordered for humans
102 * @see self::reorder_plugin_types()
103 * @param bool $fullpaths false means relative paths from dirroot
104 * @return array (string)name => (string)location
106 public function get_plugin_types($fullpaths = true) {
107 return $this->reorder_plugin_types(core_component::get_plugin_types($fullpaths));
111 * Returns list of known plugins of the given type
113 * This method returns the subset of the tree returned by {@link self::get_plugins()}.
114 * If the given type is not known, empty array is returned.
116 * @param string $type plugin type, e.g. 'mod' or 'workshopallocation'
117 * @param bool $disablecache force reload, cache can be used otherwise
118 * @return array (string)plugin name (e.g. 'workshop') => corresponding subclass of {@link plugininfo_base}
120 public function get_plugins_of_type($type, $disablecache=false) {
122 $plugins = $this->get_plugins($disablecache);
124 if (!isset($plugins[$type])) {
128 return $plugins[$type];
132 * Returns a tree of known plugins and information about them
134 * @param bool $disablecache force reload, cache can be used otherwise
135 * @return array 2D array. The first keys are plugin type names (e.g. qtype);
136 * the second keys are the plugin local name (e.g. multichoice); and
137 * the values are the corresponding objects extending {@link plugininfo_base}
139 public function get_plugins($disablecache=false) {
142 if ($disablecache or is_null($this->pluginsinfo)) {
143 // Hack: include mod and editor subplugin management classes first,
144 // the adminlib.php is supposed to contain extra admin settings too.
145 require_once($CFG->libdir.'/adminlib.php');
146 foreach (core_component::get_plugin_types_with_subplugins() as $type => $ignored) {
147 foreach (core_component::get_plugin_list($type) as $dir) {
148 if (file_exists("$dir/adminlib.php")) {
149 include_once("$dir/adminlib.php");
153 $this->pluginsinfo = array();
154 $plugintypes = $this->get_plugin_types();
155 foreach ($plugintypes as $plugintype => $plugintyperootdir) {
156 if (in_array($plugintype, array('base', 'general'))) {
157 throw new coding_exception('Illegal usage of reserved word for plugin type');
159 if (class_exists('plugininfo_' . $plugintype)) {
160 $plugintypeclass = 'plugininfo_' . $plugintype;
162 $plugintypeclass = 'plugininfo_general';
164 if (!in_array('plugininfo_base', class_parents($plugintypeclass))) {
165 throw new coding_exception('Class ' . $plugintypeclass . ' must extend plugininfo_base');
167 $plugins = call_user_func(array($plugintypeclass, 'get_plugins'), $plugintype, $plugintyperootdir, $plugintypeclass);
168 $this->pluginsinfo[$plugintype] = $plugins;
171 if (empty($CFG->disableupdatenotifications) and !during_initial_install()) {
172 // append the information about available updates provided by {@link available_update_checker()}
173 $provider = available_update_checker::instance();
174 foreach ($this->pluginsinfo as $plugintype => $plugins) {
175 foreach ($plugins as $plugininfoholder) {
176 $plugininfoholder->check_available_updates($provider);
182 return $this->pluginsinfo;
186 * Returns list of all known subplugins of the given plugin
188 * For plugins that do not provide subplugins (i.e. there is no support for it),
189 * empty array is returned.
191 * @param string $component full component name, e.g. 'mod_workshop'
192 * @param bool $disablecache force reload, cache can be used otherwise
193 * @return array (string) component name (e.g. 'workshopallocation_random') => subclass of {@link plugininfo_base}
195 public function get_subplugins_of_plugin($component, $disablecache=false) {
197 $pluginfo = $this->get_plugin_info($component, $disablecache);
199 if (is_null($pluginfo)) {
203 $subplugins = $this->get_subplugins($disablecache);
205 if (!isset($subplugins[$pluginfo->component])) {
211 foreach ($subplugins[$pluginfo->component] as $subdata) {
212 foreach ($this->get_plugins_of_type($subdata->type) as $subpluginfo) {
213 $list[$subpluginfo->component] = $subpluginfo;
221 * Returns list of plugins that define their subplugins and the information
222 * about them from the db/subplugins.php file.
224 * @param bool $disablecache force reload, cache can be used otherwise
225 * @return array with keys like 'mod_quiz', and values the data from the
226 * corresponding db/subplugins.php file.
228 public function get_subplugins($disablecache=false) {
230 if ($disablecache or is_null($this->subpluginsinfo)) {
231 $this->subpluginsinfo = array();
232 foreach (core_component::get_plugin_types_with_subplugins() as $type => $ignored) {
233 foreach (core_component::get_plugin_list($type) as $component => $ownerdir) {
234 $componentsubplugins = array();
235 if (file_exists($ownerdir . '/db/subplugins.php')) {
236 $subplugins = array();
237 include($ownerdir . '/db/subplugins.php');
238 foreach ($subplugins as $subplugintype => $subplugintyperootdir) {
239 $subplugin = new stdClass();
240 $subplugin->type = $subplugintype;
241 $subplugin->typerootdir = $subplugintyperootdir;
242 $componentsubplugins[$subplugintype] = $subplugin;
244 $this->subpluginsinfo[$type . '_' . $component] = $componentsubplugins;
250 return $this->subpluginsinfo;
254 * Returns the name of the plugin that defines the given subplugin type
256 * If the given subplugin type is not actually a subplugin, returns false.
258 * @param string $subplugintype the name of subplugin type, eg. workshopform or quiz
259 * @return false|string the name of the parent plugin, eg. mod_workshop
261 public function get_parent_of_subplugin($subplugintype) {
264 foreach ($this->get_subplugins() as $pluginname => $subplugintypes) {
265 if (isset($subplugintypes[$subplugintype])) {
266 $parent = $pluginname;
275 * Returns a localized name of a given plugin
277 * @param string $component name of the plugin, eg mod_workshop or auth_ldap
280 public function plugin_name($component) {
282 $pluginfo = $this->get_plugin_info($component);
284 if (is_null($pluginfo)) {
285 throw new moodle_exception('err_unknown_plugin', 'core_plugin', '', array('plugin' => $component));
288 return $pluginfo->displayname;
292 * Returns a localized name of a plugin typed in singular form
294 * Most plugin types define their names in core_plugin lang file. In case of subplugins,
295 * we try to ask the parent plugin for the name. In the worst case, we will return
296 * the value of the passed $type parameter.
298 * @param string $type the type of the plugin, e.g. mod or workshopform
301 public function plugintype_name($type) {
303 if (get_string_manager()->string_exists('type_' . $type, 'core_plugin')) {
304 // for most plugin types, their names are defined in core_plugin lang file
305 return get_string('type_' . $type, 'core_plugin');
307 } else if ($parent = $this->get_parent_of_subplugin($type)) {
308 // if this is a subplugin, try to ask the parent plugin for the name
309 if (get_string_manager()->string_exists('subplugintype_' . $type, $parent)) {
310 return $this->plugin_name($parent) . ' / ' . get_string('subplugintype_' . $type, $parent);
312 return $this->plugin_name($parent) . ' / ' . $type;
321 * Returns a localized name of a plugin type in plural form
323 * Most plugin types define their names in core_plugin lang file. In case of subplugins,
324 * we try to ask the parent plugin for the name. In the worst case, we will return
325 * the value of the passed $type parameter.
327 * @param string $type the type of the plugin, e.g. mod or workshopform
330 public function plugintype_name_plural($type) {
332 if (get_string_manager()->string_exists('type_' . $type . '_plural', 'core_plugin')) {
333 // for most plugin types, their names are defined in core_plugin lang file
334 return get_string('type_' . $type . '_plural', 'core_plugin');
336 } else if ($parent = $this->get_parent_of_subplugin($type)) {
337 // if this is a subplugin, try to ask the parent plugin for the name
338 if (get_string_manager()->string_exists('subplugintype_' . $type . '_plural', $parent)) {
339 return $this->plugin_name($parent) . ' / ' . get_string('subplugintype_' . $type . '_plural', $parent);
341 return $this->plugin_name($parent) . ' / ' . $type;
350 * Returns information about the known plugin, or null
352 * @param string $component frankenstyle component name.
353 * @param bool $disablecache force reload, cache can be used otherwise
354 * @return plugininfo_base|null the corresponding plugin information.
356 public function get_plugin_info($component, $disablecache=false) {
357 list($type, $name) = $this->normalize_component($component);
358 $plugins = $this->get_plugins($disablecache);
359 if (isset($plugins[$type][$name])) {
360 return $plugins[$type][$name];
367 * Check to see if the current version of the plugin seems to be a checkout of an external repository.
369 * @see available_update_deployer::plugin_external_source()
370 * @param string $component frankenstyle component name
371 * @return false|string
373 public function plugin_external_source($component) {
375 $plugininfo = $this->get_plugin_info($component);
377 if (is_null($plugininfo)) {
381 $pluginroot = $plugininfo->rootdir;
383 if (is_dir($pluginroot.'/.git')) {
387 if (is_dir($pluginroot.'/CVS')) {
391 if (is_dir($pluginroot.'/.svn')) {
399 * Get a list of any other plugins that require this one.
400 * @param string $component frankenstyle component name.
401 * @return array of frankensyle component names that require this one.
403 public function other_plugins_that_require($component) {
405 foreach ($this->get_plugins() as $type => $plugins) {
406 foreach ($plugins as $plugin) {
407 $required = $plugin->get_other_required_plugins();
408 if (isset($required[$component])) {
409 $others[] = $plugin->component;
417 * Check a dependencies list against the list of installed plugins.
418 * @param array $dependencies compenent name to required version or ANY_VERSION.
419 * @return bool true if all the dependencies are satisfied.
421 public function are_dependencies_satisfied($dependencies) {
422 foreach ($dependencies as $component => $requiredversion) {
423 $otherplugin = $this->get_plugin_info($component);
424 if (is_null($otherplugin)) {
428 if ($requiredversion != ANY_VERSION and $otherplugin->versiondisk < $requiredversion) {
437 * Checks all dependencies for all installed plugins
439 * This is used by install and upgrade. The array passed by reference as the second
440 * argument is populated with the list of plugins that have failed dependencies (note that
441 * a single plugin can appear multiple times in the $failedplugins).
443 * @param int $moodleversion the version from version.php.
444 * @param array $failedplugins to return the list of plugins with non-satisfied dependencies
445 * @return bool true if all the dependencies are satisfied for all plugins.
447 public function all_plugins_ok($moodleversion, &$failedplugins = array()) {
450 foreach ($this->get_plugins() as $type => $plugins) {
451 foreach ($plugins as $plugin) {
453 if (!$plugin->is_core_dependency_satisfied($moodleversion)) {
455 $failedplugins[] = $plugin->component;
458 if (!$this->are_dependencies_satisfied($plugin->get_other_required_plugins())) {
460 $failedplugins[] = $plugin->component;
469 * Is it possible to uninstall the given plugin?
471 * False is returned if the plugininfo subclass declares the uninstall should
472 * not be allowed via {@link plugininfo_base::is_uninstall_allowed()} or if the
473 * core vetoes it (e.g. becase the plugin or some of its subplugins is required
474 * by some other installed plugin).
476 * @param string $component full frankenstyle name, e.g. mod_foobar
479 public function can_uninstall_plugin($component) {
481 $pluginfo = $this->get_plugin_info($component);
483 if (is_null($pluginfo)) {
487 if (!$this->common_uninstall_check($pluginfo)) {
491 // If it has subplugins, check they can be uninstalled too.
492 $subplugins = $this->get_subplugins_of_plugin($pluginfo->component);
493 foreach ($subplugins as $subpluginfo) {
494 if (!$this->common_uninstall_check($subpluginfo)) {
497 // Check if there are some other plugins requiring this subplugin
498 // (but the parent and siblings).
499 foreach ($this->other_plugins_that_require($subpluginfo->component) as $requiresme) {
500 $ismyparent = ($pluginfo->component === $requiresme);
501 $ismysibling = in_array($requiresme, array_keys($subplugins));
502 if (!$ismyparent and !$ismysibling) {
508 // Check if there are some other plugins requiring this plugin
509 // (but its subplugins).
510 foreach ($this->other_plugins_that_require($pluginfo->component) as $requiresme) {
511 $ismysubplugin = in_array($requiresme, array_keys($subplugins));
512 if (!$ismysubplugin) {
521 * Returns uninstall URL if exists.
523 * @param string $component
524 * @return moodle_url uninstall URL, null if uninstall not supported
526 public function get_uninstall_url($component) {
527 if (!$this->can_uninstall_plugin($component)) {
531 $pluginfo = $this->get_plugin_info($component);
533 if (is_null($pluginfo)) {
537 return $pluginfo->get_uninstall_url();
541 * Uninstall the given plugin.
543 * Automatically cleans-up all remaining configuration data, log records, events,
544 * files from the file pool etc.
546 * In the future, the functionality of {@link uninstall_plugin()} function may be moved
547 * into this method and all the code should be refactored to use it. At the moment, we
548 * mimic this future behaviour by wrapping that function call.
550 * @param string $component
551 * @param progress_trace $progress traces the process
552 * @return bool true on success, false on errors/problems
554 public function uninstall_plugin($component, progress_trace $progress) {
556 $pluginfo = $this->get_plugin_info($component);
558 if (is_null($pluginfo)) {
562 // Give the pluginfo class a chance to execute some steps.
563 $result = $pluginfo->uninstall($progress);
568 // Call the legacy core function to uninstall the plugin.
570 uninstall_plugin($pluginfo->type, $pluginfo->name);
571 $progress->output(ob_get_clean());
577 * Checks if there are some plugins with a known available update
579 * @return bool true if there is at least one available update
581 public function some_plugins_updatable() {
582 foreach ($this->get_plugins() as $type => $plugins) {
583 foreach ($plugins as $plugin) {
584 if ($plugin->available_updates()) {
594 * Check to see if the given plugin folder can be removed by the web server process.
596 * @param string $component full frankenstyle component
599 public function is_plugin_folder_removable($component) {
601 $pluginfo = $this->get_plugin_info($component);
603 if (is_null($pluginfo)) {
607 // To be able to remove the plugin folder, its parent must be writable, too.
608 if (!is_writable(dirname($pluginfo->rootdir))) {
612 // Check that the folder and all its content is writable (thence removable).
613 return $this->is_directory_removable($pluginfo->rootdir);
617 * Defines a list of all plugins that were originally shipped in the standard Moodle distribution,
618 * but are not anymore and are deleted during upgrades.
620 * The main purpose of this list is to hide missing plugins during upgrade.
622 * @param string $type plugin type
623 * @param string $name plugin name
626 public static function is_deleted_standard_plugin($type, $name) {
628 // Example of the array structure:
630 // 'block' => array('admin', 'admin_tree'),
631 // 'mod' => array('assignment'),
633 // Do not include plugins that were removed during upgrades to versions that are
634 // not supported as source versions for upgrade any more. For example, at MOODLE_23_STABLE
635 // branch, listed should be no plugins that were removed at 1.9.x - 2.1.x versions as
636 // Moodle 2.3 supports upgrades from 2.2.x only.
638 'qformat' => array('blackboard'),
639 'enrol' => array('authorize'),
642 if (!isset($plugins[$type])) {
645 return in_array($name, $plugins[$type]);
649 * Defines a white list of all plugins shipped in the standard Moodle distribution
651 * @param string $type
652 * @return false|array array of standard plugins or false if the type is unknown
654 public static function standard_plugins_list($type) {
655 $standard_plugins = array(
657 'assignment' => array(
658 'offline', 'online', 'upload', 'uploadsingle'
661 'assignsubmission' => array(
662 'comments', 'file', 'onlinetext'
665 'assignfeedback' => array(
666 'comments', 'file', 'offline'
670 'cas', 'db', 'email', 'fc', 'imap', 'ldap', 'manual', 'mnet',
671 'nntp', 'nologin', 'none', 'pam', 'pop3', 'radius',
672 'shibboleth', 'webservice'
676 'activity_modules', 'admin_bookmarks', 'badges', 'blog_menu',
677 'blog_recent', 'blog_tags', 'calendar_month',
678 'calendar_upcoming', 'comments', 'community',
679 'completionstatus', 'course_list', 'course_overview',
680 'course_summary', 'feedback', 'glossary_random', 'html',
681 'login', 'mentees', 'messages', 'mnet_hosts', 'myprofile',
682 'navigation', 'news_items', 'online_users', 'participants',
683 'private_files', 'quiz_results', 'recent_activity',
684 'rss_client', 'search_forums', 'section_links',
685 'selfcompletion', 'settings', 'site_main_menu',
686 'social_activities', 'tag_flickr', 'tag_youtube', 'tags'
690 'exportimscp', 'importhtml', 'print'
693 'cachelock' => array(
697 'cachestore' => array(
698 'file', 'memcache', 'memcached', 'mongodb', 'session', 'static'
701 'coursereport' => array(
705 'datafield' => array(
706 'checkbox', 'date', 'file', 'latlong', 'menu', 'multimenu',
707 'number', 'picture', 'radiobutton', 'text', 'textarea', 'url'
710 'datapreset' => array(
715 'textarea', 'tinymce'
719 'category', 'cohort', 'database', 'flatfile',
720 'guest', 'imsenterprise', 'ldap', 'manual', 'meta', 'mnet',
725 'activitynames', 'algebra', 'censor', 'emailprotect',
726 'emoticon', 'mediaplugin', 'multilang', 'tex', 'tidy',
727 'urltolink', 'data', 'glossary'
731 'scorm', 'singleactivity', 'social', 'topics', 'weeks'
734 'gradeexport' => array(
735 'ods', 'txt', 'xls', 'xml'
738 'gradeimport' => array(
742 'gradereport' => array(
743 'grader', 'outcomes', 'overview', 'user'
746 'gradingform' => array(
754 'email', 'jabber', 'popup'
757 'mnetservice' => array(
762 'assign', 'assignment', 'book', 'chat', 'choice', 'data', 'feedback', 'folder',
763 'forum', 'glossary', 'imscp', 'label', 'lesson', 'lti', 'page',
764 'quiz', 'resource', 'scorm', 'survey', 'url', 'wiki', 'workshop'
767 'plagiarism' => array(
770 'portfolio' => array(
771 'boxnet', 'download', 'flickr', 'googledocs', 'mahara', 'picasa'
774 'profilefield' => array(
775 'checkbox', 'datetime', 'menu', 'text', 'textarea'
778 'qbehaviour' => array(
779 'adaptive', 'adaptivenopenalty', 'deferredcbm',
780 'deferredfeedback', 'immediatecbm', 'immediatefeedback',
781 'informationitem', 'interactive', 'interactivecountback',
782 'manualgraded', 'missing'
786 'aiken', 'blackboard_six', 'examview', 'gift',
787 'learnwise', 'missingword', 'multianswer', 'webct',
792 'calculated', 'calculatedmulti', 'calculatedsimple',
793 'description', 'essay', 'match', 'missingtype', 'multianswer',
794 'multichoice', 'numerical', 'random', 'randomsamatch',
795 'shortanswer', 'truefalse'
799 'grading', 'overview', 'responses', 'statistics'
802 'quizaccess' => array(
803 'delaybetweenattempts', 'ipaddress', 'numattempts', 'openclosedate',
804 'password', 'safebrowser', 'securewindow', 'timelimit'
808 'backups', 'completion', 'configlog', 'courseoverview',
809 'log', 'loglive', 'outline', 'participation', 'progress', 'questioninstances', 'security', 'stats', 'performance'
812 'repository' => array(
813 'alfresco', 'areafiles', 'boxnet', 'coursefiles', 'dropbox', 'equella', 'filesystem',
814 'flickr', 'flickr_public', 'googledocs', 'local', 'merlot',
815 'picasa', 'recent', 'skydrive', 's3', 'upload', 'url', 'user', 'webdav',
816 'wikimedia', 'youtube'
819 'scormreport' => array(
827 'ctrlhelp', 'dragmath', 'managefiles', 'moodleemoticon', 'moodleimage',
828 'moodlemedia', 'moodlenolink', 'pdw', 'spellchecker', 'wrap'
832 'afterburner', 'anomaly', 'arialist', 'base', 'binarius', 'bootstrapbase',
833 'boxxie', 'brick', 'canvas', 'clean', 'formal_white', 'formfactor',
834 'fusion', 'leatherbound', 'magazine', 'mymobile', 'nimble',
835 'nonzero', 'overlay', 'serenity', 'sky_high', 'splash',
836 'standard', 'standardold'
840 'assignmentupgrade', 'behat', 'capability', 'customlang',
841 'dbtransfer', 'generator', 'health', 'innodb', 'installaddon',
842 'langimport', 'multilangupgrade', 'phpunit', 'profiling',
843 'qeupgradehelper', 'replace', 'spamcleaner', 'timezoneimport',
844 'unittest', 'uploadcourse', 'uploaduser', 'unsuproles', 'xmldb'
847 'webservice' => array(
848 'amf', 'rest', 'soap', 'xmlrpc'
851 'workshopallocation' => array(
852 'manual', 'random', 'scheduled'
855 'workshopeval' => array(
859 'workshopform' => array(
860 'accumulative', 'comments', 'numerrors', 'rubric'
864 if (isset($standard_plugins[$type])) {
865 return $standard_plugins[$type];
872 * Wrapper for the core function {@link core_component::normalize_component()}.
874 * This is here just to make it possible to mock it in unit tests.
876 * @param string $component
879 protected function normalize_component($component) {
880 return core_component::normalize_component($component);
884 * Reorders plugin types into a sequence to be displayed
886 * For technical reasons, plugin types returned by {@link core_component::get_plugin_types()} are
887 * in a certain order that does not need to fit the expected order for the display.
888 * Particularly, activity modules should be displayed first as they represent the
889 * real heart of Moodle. They should be followed by other plugin types that are
890 * used to build the courses (as that is what one expects from LMS). After that,
891 * other supportive plugin types follow.
893 * @param array $types associative array
894 * @return array same array with altered order of items
896 protected function reorder_plugin_types(array $types) {
898 'mod' => $types['mod'],
899 'block' => $types['block'],
900 'qtype' => $types['qtype'],
901 'qbehaviour' => $types['qbehaviour'],
902 'qformat' => $types['qformat'],
903 'filter' => $types['filter'],
904 'enrol' => $types['enrol'],
906 foreach ($types as $type => $path) {
907 if (!isset($fix[$type])) {
915 * Check if the given directory can be removed by the web server process.
917 * This recursively checks that the given directory and all its contents
920 * @param string $fullpath
923 protected function is_directory_removable($fullpath) {
925 if (!is_writable($fullpath)) {
929 if (is_dir($fullpath)) {
930 $handle = opendir($fullpath);
937 while ($filename = readdir($handle)) {
939 if ($filename === '.' or $filename === '..') {
943 $subfilepath = $fullpath.'/'.$filename;
945 if (is_dir($subfilepath)) {
946 $result = $result && $this->is_directory_removable($subfilepath);
949 $result = $result && is_writable($subfilepath);
959 * Helper method that implements common uninstall prerequisities
961 * @param plugininfo_base $pluginfo
964 protected function common_uninstall_check(plugininfo_base $pluginfo) {
966 if (!$pluginfo->is_uninstall_allowed()) {
967 // The plugin's plugininfo class declares it should not be uninstalled.
971 if ($pluginfo->get_status() === plugin_manager::PLUGIN_STATUS_NEW) {
972 // The plugin is not installed. It should be either installed or removed from the disk.
973 // Relying on this temporary state may be tricky.
977 if (is_null($pluginfo->get_uninstall_url())) {
978 // Backwards compatibility.
979 debugging('plugininfo_base subclasses should use is_uninstall_allowed() instead of returning null in get_uninstall_url()',
990 * General exception thrown by the {@link available_update_checker} class
992 class available_update_checker_exception extends moodle_exception {
995 * @param string $errorcode exception description identifier
996 * @param mixed $debuginfo debugging data to display
998 public function __construct($errorcode, $debuginfo=null) {
999 parent::__construct($errorcode, 'core_plugin', '', null, print_r($debuginfo, true));
1005 * Singleton class that handles checking for available updates
1007 class available_update_checker {
1009 /** @var available_update_checker holds the singleton instance */
1010 protected static $singletoninstance;
1011 /** @var null|int the timestamp of when the most recent response was fetched */
1012 protected $recentfetch = null;
1013 /** @var null|array the recent response from the update notification provider */
1014 protected $recentresponse = null;
1015 /** @var null|string the numerical version of the local Moodle code */
1016 protected $currentversion = null;
1017 /** @var null|string the release info of the local Moodle code */
1018 protected $currentrelease = null;
1019 /** @var null|string branch of the local Moodle code */
1020 protected $currentbranch = null;
1021 /** @var array of (string)frankestyle => (string)version list of additional plugins deployed at this site */
1022 protected $currentplugins = array();
1025 * Direct initiation not allowed, use the factory method {@link self::instance()}
1027 protected function __construct() {
1031 * Sorry, this is singleton
1033 protected function __clone() {
1037 * Factory method for this class
1039 * @return available_update_checker the singleton instance
1041 public static function instance() {
1042 if (is_null(self::$singletoninstance)) {
1043 self::$singletoninstance = new self();
1045 return self::$singletoninstance;
1050 * @param bool $phpunitreset
1052 public static function reset_caches($phpunitreset = false) {
1053 if ($phpunitreset) {
1054 self::$singletoninstance = null;
1059 * Returns the timestamp of the last execution of {@link fetch()}
1061 * @return int|null null if it has never been executed or we don't known
1063 public function get_last_timefetched() {
1065 $this->restore_response();
1067 if (!empty($this->recentfetch)) {
1068 return $this->recentfetch;
1076 * Fetches the available update status from the remote site
1078 * @throws available_update_checker_exception
1080 public function fetch() {
1081 $response = $this->get_response();
1082 $this->validate_response($response);
1083 $this->store_response($response);
1087 * Returns the available update information for the given component
1089 * This method returns null if the most recent response does not contain any information
1090 * about it. The returned structure is an array of available updates for the given
1091 * component. Each update info is an object with at least one property called
1092 * 'version'. Other possible properties are 'release', 'maturity', 'url' and 'downloadurl'.
1094 * For the 'core' component, the method returns real updates only (those with higher version).
1095 * For all other components, the list of all known remote updates is returned and the caller
1096 * (usually the {@link plugin_manager}) is supposed to make the actual comparison of versions.
1098 * @param string $component frankenstyle
1099 * @param array $options with supported keys 'minmaturity' and/or 'notifybuilds'
1100 * @return null|array null or array of available_update_info objects
1102 public function get_update_info($component, array $options = array()) {
1104 if (!isset($options['minmaturity'])) {
1105 $options['minmaturity'] = 0;
1108 if (!isset($options['notifybuilds'])) {
1109 $options['notifybuilds'] = false;
1112 if ($component == 'core') {
1113 $this->load_current_environment();
1116 $this->restore_response();
1118 if (empty($this->recentresponse['updates'][$component])) {
1123 foreach ($this->recentresponse['updates'][$component] as $info) {
1124 $update = new available_update_info($component, $info);
1125 if (isset($update->maturity) and ($update->maturity < $options['minmaturity'])) {
1128 if ($component == 'core') {
1129 if ($update->version <= $this->currentversion) {
1132 if (empty($options['notifybuilds']) and $this->is_same_release($update->release)) {
1136 $updates[] = $update;
1139 if (empty($updates)) {
1147 * The method being run via cron.php
1149 public function cron() {
1152 if (!$this->cron_autocheck_enabled()) {
1153 $this->cron_mtrace('Automatic check for available updates not enabled, skipping.');
1157 $now = $this->cron_current_timestamp();
1159 if ($this->cron_has_fresh_fetch($now)) {
1160 $this->cron_mtrace('Recently fetched info about available updates is still fresh enough, skipping.');
1164 if ($this->cron_has_outdated_fetch($now)) {
1165 $this->cron_mtrace('Outdated or missing info about available updates, forced fetching ... ', '');
1166 $this->cron_execute();
1170 $offset = $this->cron_execution_offset();
1171 $start = mktime(1, 0, 0, date('n', $now), date('j', $now), date('Y', $now)); // 01:00 AM today local time
1172 if ($now > $start + $offset) {
1173 $this->cron_mtrace('Regular daily check for available updates ... ', '');
1174 $this->cron_execute();
1179 /// end of public API //////////////////////////////////////////////////////
1182 * Makes cURL request to get data from the remote site
1184 * @return string raw request result
1185 * @throws available_update_checker_exception
1187 protected function get_response() {
1189 require_once($CFG->libdir.'/filelib.php');
1191 $curl = new curl(array('proxy' => true));
1192 $response = $curl->post($this->prepare_request_url(), $this->prepare_request_params(), $this->prepare_request_options());
1193 $curlerrno = $curl->get_errno();
1194 if (!empty($curlerrno)) {
1195 throw new available_update_checker_exception('err_response_curl', 'cURL error '.$curlerrno.': '.$curl->error);
1197 $curlinfo = $curl->get_info();
1198 if ($curlinfo['http_code'] != 200) {
1199 throw new available_update_checker_exception('err_response_http_code', $curlinfo['http_code']);
1205 * Makes sure the response is valid, has correct API format etc.
1207 * @param string $response raw response as returned by the {@link self::get_response()}
1208 * @throws available_update_checker_exception
1210 protected function validate_response($response) {
1212 $response = $this->decode_response($response);
1214 if (empty($response)) {
1215 throw new available_update_checker_exception('err_response_empty');
1218 if (empty($response['status']) or $response['status'] !== 'OK') {
1219 throw new available_update_checker_exception('err_response_status', $response['status']);
1222 if (empty($response['apiver']) or $response['apiver'] !== '1.2') {
1223 throw new available_update_checker_exception('err_response_format_version', $response['apiver']);
1226 if (empty($response['forbranch']) or $response['forbranch'] !== moodle_major_version(true)) {
1227 throw new available_update_checker_exception('err_response_target_version', $response['forbranch']);
1232 * Decodes the raw string response from the update notifications provider
1234 * @param string $response as returned by {@link self::get_response()}
1235 * @return array decoded response structure
1237 protected function decode_response($response) {
1238 return json_decode($response, true);
1242 * Stores the valid fetched response for later usage
1244 * This implementation uses the config_plugins table as the permanent storage.
1246 * @param string $response raw valid data returned by {@link self::get_response()}
1248 protected function store_response($response) {
1250 set_config('recentfetch', time(), 'core_plugin');
1251 set_config('recentresponse', $response, 'core_plugin');
1253 $this->restore_response(true);
1257 * Loads the most recent raw response record we have fetched
1259 * After this method is called, $this->recentresponse is set to an array. If the
1260 * array is empty, then either no data have been fetched yet or the fetched data
1261 * do not have expected format (and thence they are ignored and a debugging
1262 * message is displayed).
1264 * This implementation uses the config_plugins table as the permanent storage.
1266 * @param bool $forcereload reload even if it was already loaded
1268 protected function restore_response($forcereload = false) {
1270 if (!$forcereload and !is_null($this->recentresponse)) {
1271 // we already have it, nothing to do
1275 $config = get_config('core_plugin');
1277 if (!empty($config->recentresponse) and !empty($config->recentfetch)) {
1279 $this->validate_response($config->recentresponse);
1280 $this->recentfetch = $config->recentfetch;
1281 $this->recentresponse = $this->decode_response($config->recentresponse);
1282 } catch (available_update_checker_exception $e) {
1283 // The server response is not valid. Behave as if no data were fetched yet.
1284 // This may happen when the most recent update info (cached locally) has been
1285 // fetched with the previous branch of Moodle (like during an upgrade from 2.x
1286 // to 2.y) or when the API of the response has changed.
1287 $this->recentresponse = array();
1291 $this->recentresponse = array();
1296 * Compares two raw {@link $recentresponse} records and returns the list of changed updates
1298 * This method is used to populate potential update info to be sent to site admins.
1302 * @throws available_update_checker_exception
1303 * @return array parts of $new['updates'] that have changed
1305 protected function compare_responses(array $old, array $new) {
1311 if (!array_key_exists('updates', $new)) {
1312 throw new available_update_checker_exception('err_response_format');
1316 return $new['updates'];
1319 if (!array_key_exists('updates', $old)) {
1320 throw new available_update_checker_exception('err_response_format');
1325 foreach ($new['updates'] as $newcomponent => $newcomponentupdates) {
1326 if (empty($old['updates'][$newcomponent])) {
1327 $changes[$newcomponent] = $newcomponentupdates;
1330 foreach ($newcomponentupdates as $newcomponentupdate) {
1332 foreach ($old['updates'][$newcomponent] as $oldcomponentupdate) {
1333 if ($newcomponentupdate['version'] == $oldcomponentupdate['version']) {
1338 if (!isset($changes[$newcomponent])) {
1339 $changes[$newcomponent] = array();
1341 $changes[$newcomponent][] = $newcomponentupdate;
1350 * Returns the URL to send update requests to
1352 * During the development or testing, you can set $CFG->alternativeupdateproviderurl
1353 * to a custom URL that will be used. Otherwise the standard URL will be returned.
1355 * @return string URL
1357 protected function prepare_request_url() {
1360 if (!empty($CFG->config_php_settings['alternativeupdateproviderurl'])) {
1361 return $CFG->config_php_settings['alternativeupdateproviderurl'];
1363 return 'https://download.moodle.org/api/1.2/updates.php';
1368 * Sets the properties currentversion, currentrelease, currentbranch and currentplugins
1370 * @param bool $forcereload
1372 protected function load_current_environment($forcereload=false) {
1375 if (!is_null($this->currentversion) and !$forcereload) {
1383 require($CFG->dirroot.'/version.php');
1384 $this->currentversion = $version;
1385 $this->currentrelease = $release;
1386 $this->currentbranch = moodle_major_version(true);
1388 $pluginman = plugin_manager::instance();
1389 foreach ($pluginman->get_plugins() as $type => $plugins) {
1390 foreach ($plugins as $plugin) {
1391 if (!$plugin->is_standard()) {
1392 $this->currentplugins[$plugin->component] = $plugin->versiondisk;
1399 * Returns the list of HTTP params to be sent to the updates provider URL
1401 * @return array of (string)param => (string)value
1403 protected function prepare_request_params() {
1406 $this->load_current_environment();
1407 $this->restore_response();
1410 $params['format'] = 'json';
1412 if (isset($this->recentresponse['ticket'])) {
1413 $params['ticket'] = $this->recentresponse['ticket'];
1416 if (isset($this->currentversion)) {
1417 $params['version'] = $this->currentversion;
1419 throw new coding_exception('Main Moodle version must be already known here');
1422 if (isset($this->currentbranch)) {
1423 $params['branch'] = $this->currentbranch;
1425 throw new coding_exception('Moodle release must be already known here');
1429 foreach ($this->currentplugins as $plugin => $version) {
1430 $plugins[] = $plugin.'@'.$version;
1432 if (!empty($plugins)) {
1433 $params['plugins'] = implode(',', $plugins);
1440 * Returns the list of cURL options to use when fetching available updates data
1442 * @return array of (string)param => (string)value
1444 protected function prepare_request_options() {
1448 'CURLOPT_SSL_VERIFYHOST' => 2, // this is the default in {@link curl} class but just in case
1449 'CURLOPT_SSL_VERIFYPEER' => true,
1456 * Returns the current timestamp
1458 * @return int the timestamp
1460 protected function cron_current_timestamp() {
1465 * Output cron debugging info
1468 * @param string $msg output message
1469 * @param string $eol end of line
1471 protected function cron_mtrace($msg, $eol = PHP_EOL) {
1476 * Decide if the autocheck feature is disabled in the server setting
1478 * @return bool true if autocheck enabled, false if disabled
1480 protected function cron_autocheck_enabled() {
1483 if (empty($CFG->updateautocheck)) {
1491 * Decide if the recently fetched data are still fresh enough
1493 * @param int $now current timestamp
1494 * @return bool true if no need to re-fetch, false otherwise
1496 protected function cron_has_fresh_fetch($now) {
1497 $recent = $this->get_last_timefetched();
1499 if (empty($recent)) {
1503 if ($now < $recent) {
1504 $this->cron_mtrace('The most recent fetch is reported to be in the future, this is weird!');
1508 if ($now - $recent > 24 * HOURSECS) {
1516 * Decide if the fetch is outadated or even missing
1518 * @param int $now current timestamp
1519 * @return bool false if no need to re-fetch, true otherwise
1521 protected function cron_has_outdated_fetch($now) {
1522 $recent = $this->get_last_timefetched();
1524 if (empty($recent)) {
1528 if ($now < $recent) {
1529 $this->cron_mtrace('The most recent fetch is reported to be in the future, this is weird!');
1533 if ($now - $recent > 48 * HOURSECS) {
1541 * Returns the cron execution offset for this site
1543 * The main {@link self::cron()} is supposed to run every night in some random time
1544 * between 01:00 and 06:00 AM (local time). The exact moment is defined by so called
1545 * execution offset, that is the amount of time after 01:00 AM. The offset value is
1546 * initially generated randomly and then used consistently at the site. This way, the
1547 * regular checks against the download.moodle.org server are spread in time.
1549 * @return int the offset number of seconds from range 1 sec to 5 hours
1551 protected function cron_execution_offset() {
1554 if (empty($CFG->updatecronoffset)) {
1555 set_config('updatecronoffset', rand(1, 5 * HOURSECS));
1558 return $CFG->updatecronoffset;
1562 * Fetch available updates info and eventually send notification to site admins
1564 protected function cron_execute() {
1567 $this->restore_response();
1568 $previous = $this->recentresponse;
1570 $this->restore_response(true);
1571 $current = $this->recentresponse;
1572 $changes = $this->compare_responses($previous, $current);
1573 $notifications = $this->cron_notifications($changes);
1574 $this->cron_notify($notifications);
1575 $this->cron_mtrace('done');
1576 } catch (available_update_checker_exception $e) {
1577 $this->cron_mtrace('FAILED!');
1582 * Given the list of changes in available updates, pick those to send to site admins
1584 * @param array $changes as returned by {@link self::compare_responses()}
1585 * @return array of available_update_info objects to send to site admins
1587 protected function cron_notifications(array $changes) {
1590 $notifications = array();
1591 $pluginman = plugin_manager::instance();
1592 $plugins = $pluginman->get_plugins(true);
1594 foreach ($changes as $component => $componentchanges) {
1595 if (empty($componentchanges)) {
1598 $componentupdates = $this->get_update_info($component,
1599 array('minmaturity' => $CFG->updateminmaturity, 'notifybuilds' => $CFG->updatenotifybuilds));
1600 if (empty($componentupdates)) {
1603 // notify only about those $componentchanges that are present in $componentupdates
1604 // to respect the preferences
1605 foreach ($componentchanges as $componentchange) {
1606 foreach ($componentupdates as $componentupdate) {
1607 if ($componentupdate->version == $componentchange['version']) {
1608 if ($component == 'core') {
1609 // In case of 'core', we already know that the $componentupdate
1610 // is a real update with higher version ({@see self::get_update_info()}).
1611 // We just perform additional check for the release property as there
1612 // can be two Moodle releases having the same version (e.g. 2.4.0 and 2.5dev shortly
1613 // after the release). We can do that because we have the release info
1614 // always available for the core.
1615 if ((string)$componentupdate->release === (string)$componentchange['release']) {
1616 $notifications[] = $componentupdate;
1619 // Use the plugin_manager to check if the detected $componentchange
1620 // is a real update with higher version. That is, the $componentchange
1621 // is present in the array of {@link available_update_info} objects
1622 // returned by the plugin's available_updates() method.
1623 list($plugintype, $pluginname) = core_component::normalize_component($component);
1624 if (!empty($plugins[$plugintype][$pluginname])) {
1625 $availableupdates = $plugins[$plugintype][$pluginname]->available_updates();
1626 if (!empty($availableupdates)) {
1627 foreach ($availableupdates as $availableupdate) {
1628 if ($availableupdate->version == $componentchange['version']) {
1629 $notifications[] = $componentupdate;
1640 return $notifications;
1644 * Sends the given notifications to site admins via messaging API
1646 * @param array $notifications array of available_update_info objects to send
1648 protected function cron_notify(array $notifications) {
1651 if (empty($notifications)) {
1655 $admins = get_admins();
1657 if (empty($admins)) {
1661 $this->cron_mtrace('sending notifications ... ', '');
1663 $text = get_string('updatenotifications', 'core_admin') . PHP_EOL;
1664 $html = html_writer::tag('h1', get_string('updatenotifications', 'core_admin')) . PHP_EOL;
1666 $coreupdates = array();
1667 $pluginupdates = array();
1669 foreach ($notifications as $notification) {
1670 if ($notification->component == 'core') {
1671 $coreupdates[] = $notification;
1673 $pluginupdates[] = $notification;
1677 if (!empty($coreupdates)) {
1678 $text .= PHP_EOL . get_string('updateavailable', 'core_admin') . PHP_EOL;
1679 $html .= html_writer::tag('h2', get_string('updateavailable', 'core_admin')) . PHP_EOL;
1680 $html .= html_writer::start_tag('ul') . PHP_EOL;
1681 foreach ($coreupdates as $coreupdate) {
1682 $html .= html_writer::start_tag('li');
1683 if (isset($coreupdate->release)) {
1684 $text .= get_string('updateavailable_release', 'core_admin', $coreupdate->release);
1685 $html .= html_writer::tag('strong', get_string('updateavailable_release', 'core_admin', $coreupdate->release));
1687 if (isset($coreupdate->version)) {
1688 $text .= ' '.get_string('updateavailable_version', 'core_admin', $coreupdate->version);
1689 $html .= ' '.get_string('updateavailable_version', 'core_admin', $coreupdate->version);
1691 if (isset($coreupdate->maturity)) {
1692 $text .= ' ('.get_string('maturity'.$coreupdate->maturity, 'core_admin').')';
1693 $html .= ' ('.get_string('maturity'.$coreupdate->maturity, 'core_admin').')';
1696 $html .= html_writer::end_tag('li') . PHP_EOL;
1699 $html .= html_writer::end_tag('ul') . PHP_EOL;
1701 $a = array('url' => $CFG->wwwroot.'/'.$CFG->admin.'/index.php');
1702 $text .= get_string('updateavailabledetailslink', 'core_admin', $a) . PHP_EOL;
1703 $a = array('url' => html_writer::link($CFG->wwwroot.'/'.$CFG->admin.'/index.php', $CFG->wwwroot.'/'.$CFG->admin.'/index.php'));
1704 $html .= html_writer::tag('p', get_string('updateavailabledetailslink', 'core_admin', $a)) . PHP_EOL;
1707 if (!empty($pluginupdates)) {
1708 $text .= PHP_EOL . get_string('updateavailableforplugin', 'core_admin') . PHP_EOL;
1709 $html .= html_writer::tag('h2', get_string('updateavailableforplugin', 'core_admin')) . PHP_EOL;
1711 $html .= html_writer::start_tag('ul') . PHP_EOL;
1712 foreach ($pluginupdates as $pluginupdate) {
1713 $html .= html_writer::start_tag('li');
1714 $text .= get_string('pluginname', $pluginupdate->component);
1715 $html .= html_writer::tag('strong', get_string('pluginname', $pluginupdate->component));
1717 $text .= ' ('.$pluginupdate->component.')';
1718 $html .= ' ('.$pluginupdate->component.')';
1720 $text .= ' '.get_string('updateavailable', 'core_plugin', $pluginupdate->version);
1721 $html .= ' '.get_string('updateavailable', 'core_plugin', $pluginupdate->version);
1724 $html .= html_writer::end_tag('li') . PHP_EOL;
1727 $html .= html_writer::end_tag('ul') . PHP_EOL;
1729 $a = array('url' => $CFG->wwwroot.'/'.$CFG->admin.'/plugins.php');
1730 $text .= get_string('updateavailabledetailslink', 'core_admin', $a) . PHP_EOL;
1731 $a = array('url' => html_writer::link($CFG->wwwroot.'/'.$CFG->admin.'/plugins.php', $CFG->wwwroot.'/'.$CFG->admin.'/plugins.php'));
1732 $html .= html_writer::tag('p', get_string('updateavailabledetailslink', 'core_admin', $a)) . PHP_EOL;
1735 $a = array('siteurl' => $CFG->wwwroot);
1736 $text .= get_string('updatenotificationfooter', 'core_admin', $a) . PHP_EOL;
1737 $a = array('siteurl' => html_writer::link($CFG->wwwroot, $CFG->wwwroot));
1738 $html .= html_writer::tag('footer', html_writer::tag('p', get_string('updatenotificationfooter', 'core_admin', $a),
1739 array('style' => 'font-size:smaller; color:#333;')));
1741 foreach ($admins as $admin) {
1742 $message = new stdClass();
1743 $message->component = 'moodle';
1744 $message->name = 'availableupdate';
1745 $message->userfrom = get_admin();
1746 $message->userto = $admin;
1747 $message->subject = get_string('updatenotificationsubject', 'core_admin', array('siteurl' => $CFG->wwwroot));
1748 $message->fullmessage = $text;
1749 $message->fullmessageformat = FORMAT_PLAIN;
1750 $message->fullmessagehtml = $html;
1751 $message->smallmessage = get_string('updatenotifications', 'core_admin');
1752 $message->notification = 1;
1753 message_send($message);
1758 * Compare two release labels and decide if they are the same
1760 * @param string $remote release info of the available update
1761 * @param null|string $local release info of the local code, defaults to $release defined in version.php
1762 * @return boolean true if the releases declare the same minor+major version
1764 protected function is_same_release($remote, $local=null) {
1766 if (is_null($local)) {
1767 $this->load_current_environment();
1768 $local = $this->currentrelease;
1771 $pattern = '/^([0-9\.\+]+)([^(]*)/';
1773 preg_match($pattern, $remote, $remotematches);
1774 preg_match($pattern, $local, $localmatches);
1776 $remotematches[1] = str_replace('+', '', $remotematches[1]);
1777 $localmatches[1] = str_replace('+', '', $localmatches[1]);
1779 if ($remotematches[1] === $localmatches[1] and rtrim($remotematches[2]) === rtrim($localmatches[2])) {
1789 * Defines the structure of objects returned by {@link available_update_checker::get_update_info()}
1791 class available_update_info {
1793 /** @var string frankenstyle component name */
1795 /** @var int the available version of the component */
1797 /** @var string|null optional release name */
1798 public $release = null;
1799 /** @var int|null optional maturity info, eg {@link MATURITY_STABLE} */
1800 public $maturity = null;
1801 /** @var string|null optional URL of a page with more info about the update */
1803 /** @var string|null optional URL of a ZIP package that can be downloaded and installed */
1804 public $download = null;
1805 /** @var string|null of self::download is set, then this must be the MD5 hash of the ZIP */
1806 public $downloadmd5 = null;
1809 * Creates new instance of the class
1811 * The $info array must provide at least the 'version' value and optionally all other
1812 * values to populate the object's properties.
1814 * @param string $name the frankenstyle component name
1815 * @param array $info associative array with other properties
1817 public function __construct($name, array $info) {
1818 $this->component = $name;
1819 foreach ($info as $k => $v) {
1820 if (property_exists('available_update_info', $k) and $k != 'component') {
1829 * Implements a communication bridge to the mdeploy.php utility
1831 class available_update_deployer {
1833 const HTTP_PARAM_PREFIX = 'updteautodpldata_'; // Hey, even Google has not heard of such a prefix! So it MUST be safe :-p
1834 const HTTP_PARAM_CHECKER = 'datapackagesize'; // Name of the parameter that holds the number of items in the received data items
1836 /** @var available_update_deployer holds the singleton instance */
1837 protected static $singletoninstance;
1838 /** @var moodle_url URL of a page that includes the deployer UI */
1839 protected $callerurl;
1840 /** @var moodle_url URL to return after the deployment */
1841 protected $returnurl;
1844 * Direct instantiation not allowed, use the factory method {@link self::instance()}
1846 protected function __construct() {
1850 * Sorry, this is singleton
1852 protected function __clone() {
1856 * Factory method for this class
1858 * @return available_update_deployer the singleton instance
1860 public static function instance() {
1861 if (is_null(self::$singletoninstance)) {
1862 self::$singletoninstance = new self();
1864 return self::$singletoninstance;
1868 * Reset caches used by this script
1870 * @param bool $phpunitreset is this called as a part of PHPUnit reset?
1872 public static function reset_caches($phpunitreset = false) {
1873 if ($phpunitreset) {
1874 self::$singletoninstance = null;
1879 * Is automatic deployment enabled?
1883 public function enabled() {
1886 if (!empty($CFG->disableupdateautodeploy)) {
1887 // The feature is prohibited via config.php
1891 return get_config('updateautodeploy');
1895 * Sets some base properties of the class to make it usable.
1897 * @param moodle_url $callerurl the base URL of a script that will handle the class'es form data
1898 * @param moodle_url $returnurl the final URL to return to when the deployment is finished
1900 public function initialize(moodle_url $callerurl, moodle_url $returnurl) {
1902 if (!$this->enabled()) {
1903 throw new coding_exception('Unable to initialize the deployer, the feature is not enabled.');
1906 $this->callerurl = $callerurl;
1907 $this->returnurl = $returnurl;
1911 * Has the deployer been initialized?
1913 * Initialized deployer means that the following properties were set:
1914 * callerurl, returnurl
1918 public function initialized() {
1920 if (!$this->enabled()) {
1924 if (empty($this->callerurl)) {
1928 if (empty($this->returnurl)) {
1936 * Returns a list of reasons why the deployment can not happen
1938 * If the returned array is empty, the deployment seems to be possible. The returned
1939 * structure is an associative array with keys representing individual impediments.
1940 * Possible keys are: missingdownloadurl, missingdownloadmd5, notwritable.
1942 * @param available_update_info $info
1945 public function deployment_impediments(available_update_info $info) {
1947 $impediments = array();
1949 if (empty($info->download)) {
1950 $impediments['missingdownloadurl'] = true;
1953 if (empty($info->downloadmd5)) {
1954 $impediments['missingdownloadmd5'] = true;
1957 if (!empty($info->download) and !$this->update_downloadable($info->download)) {
1958 $impediments['notdownloadable'] = true;
1961 if (!$this->component_writable($info->component)) {
1962 $impediments['notwritable'] = true;
1965 return $impediments;
1969 * Check to see if the current version of the plugin seems to be a checkout of an external repository.
1971 * @see plugin_manager::plugin_external_source()
1972 * @param available_update_info $info
1973 * @return false|string
1975 public function plugin_external_source(available_update_info $info) {
1977 $paths = core_component::get_plugin_types();
1978 list($plugintype, $pluginname) = core_component::normalize_component($info->component);
1979 $pluginroot = $paths[$plugintype].'/'.$pluginname;
1981 if (is_dir($pluginroot.'/.git')) {
1985 if (is_dir($pluginroot.'/CVS')) {
1989 if (is_dir($pluginroot.'/.svn')) {
1997 * Prepares a renderable widget to confirm installation of an available update.
1999 * @param available_update_info $info component version to deploy
2000 * @return renderable
2002 public function make_confirm_widget(available_update_info $info) {
2004 if (!$this->initialized()) {
2005 throw new coding_exception('Illegal method call - deployer not initialized.');
2008 $params = $this->data_to_params(array(
2009 'updateinfo' => (array)$info, // see http://www.php.net/manual/en/language.types.array.php#language.types.array.casting
2012 $widget = new single_button(
2013 new moodle_url($this->callerurl, $params),
2014 get_string('updateavailableinstall', 'core_admin'),
2022 * Prepares a renderable widget to execute installation of an available update.
2024 * @param available_update_info $info component version to deploy
2025 * @param moodle_url $returnurl URL to return after the installation execution
2026 * @return renderable
2028 public function make_execution_widget(available_update_info $info, moodle_url $returnurl = null) {
2031 if (!$this->initialized()) {
2032 throw new coding_exception('Illegal method call - deployer not initialized.');
2035 $pluginrootpaths = core_component::get_plugin_types();
2037 list($plugintype, $pluginname) = core_component::normalize_component($info->component);
2039 if (empty($pluginrootpaths[$plugintype])) {
2040 throw new coding_exception('Unknown plugin type root location', $plugintype);
2043 list($passfile, $password) = $this->prepare_authorization();
2045 if (is_null($returnurl)) {
2046 $returnurl = new moodle_url('/admin');
2048 $returnurl = $returnurl;
2053 'type' => $plugintype,
2054 'name' => $pluginname,
2055 'typeroot' => $pluginrootpaths[$plugintype],
2056 'package' => $info->download,
2057 'md5' => $info->downloadmd5,
2058 'dataroot' => $CFG->dataroot,
2059 'dirroot' => $CFG->dirroot,
2060 'passfile' => $passfile,
2061 'password' => $password,
2062 'returnurl' => $returnurl->out(false),
2065 if (!empty($CFG->proxyhost)) {
2066 // MDL-36973 - Beware - we should call just !is_proxybypass() here. But currently, our
2067 // cURL wrapper class does not do it. So, to have consistent behaviour, we pass proxy
2068 // setting regardless the $CFG->proxybypass setting. Once the {@link curl} class is
2069 // fixed, the condition should be amended.
2070 if (true or !is_proxybypass($info->download)) {
2071 if (empty($CFG->proxyport)) {
2072 $params['proxy'] = $CFG->proxyhost;
2074 $params['proxy'] = $CFG->proxyhost.':'.$CFG->proxyport;
2077 if (!empty($CFG->proxyuser) and !empty($CFG->proxypassword)) {
2078 $params['proxyuserpwd'] = $CFG->proxyuser.':'.$CFG->proxypassword;
2081 if (!empty($CFG->proxytype)) {
2082 $params['proxytype'] = $CFG->proxytype;
2087 $widget = new single_button(
2088 new moodle_url('/mdeploy.php', $params),
2089 get_string('updateavailableinstall', 'core_admin'),
2097 * Returns array of data objects passed to this tool.
2101 public function submitted_data() {
2103 $data = $this->params_to_data($_POST);
2105 if (empty($data) or empty($data[self::HTTP_PARAM_CHECKER])) {
2109 if (!empty($data['updateinfo']) and is_object($data['updateinfo'])) {
2110 $updateinfo = $data['updateinfo'];
2111 if (!empty($updateinfo->component) and !empty($updateinfo->version)) {
2112 $data['updateinfo'] = new available_update_info($updateinfo->component, (array)$updateinfo);
2116 if (!empty($data['callerurl'])) {
2117 $data['callerurl'] = new moodle_url($data['callerurl']);
2120 if (!empty($data['returnurl'])) {
2121 $data['returnurl'] = new moodle_url($data['returnurl']);
2128 * Handles magic getters and setters for protected properties.
2130 * @param string $name method name, e.g. set_returnurl()
2131 * @param array $arguments arguments to be passed to the array
2133 public function __call($name, array $arguments = array()) {
2135 if (substr($name, 0, 4) === 'set_') {
2136 $property = substr($name, 4);
2137 if (empty($property)) {
2138 throw new coding_exception('Invalid property name (empty)');
2140 if (empty($arguments)) {
2141 $arguments = array(true); // Default value for flag-like properties.
2143 // Make sure it is a protected property.
2144 $isprotected = false;
2145 $reflection = new ReflectionObject($this);
2146 foreach ($reflection->getProperties(ReflectionProperty::IS_PROTECTED) as $reflectionproperty) {
2147 if ($reflectionproperty->getName() === $property) {
2148 $isprotected = true;
2152 if (!$isprotected) {
2153 throw new coding_exception('Unable to set property - it does not exist or it is not protected');
2155 $value = reset($arguments);
2156 $this->$property = $value;
2160 if (substr($name, 0, 4) === 'get_') {
2161 $property = substr($name, 4);
2162 if (empty($property)) {
2163 throw new coding_exception('Invalid property name (empty)');
2165 if (!empty($arguments)) {
2166 throw new coding_exception('No parameter expected');
2168 // Make sure it is a protected property.
2169 $isprotected = false;
2170 $reflection = new ReflectionObject($this);
2171 foreach ($reflection->getProperties(ReflectionProperty::IS_PROTECTED) as $reflectionproperty) {
2172 if ($reflectionproperty->getName() === $property) {
2173 $isprotected = true;
2177 if (!$isprotected) {
2178 throw new coding_exception('Unable to get property - it does not exist or it is not protected');
2180 return $this->$property;
2185 * Generates a random token and stores it in a file in moodledata directory.
2187 * @return array of the (string)filename and (string)password in this order
2189 public function prepare_authorization() {
2192 make_upload_directory('mdeploy/auth/');
2197 while (!$success and $attempts < 5) {
2200 $passfile = $this->generate_passfile();
2201 $password = $this->generate_password();
2204 $filepath = $CFG->dataroot.'/mdeploy/auth/'.$passfile;
2206 if (!file_exists($filepath)) {
2207 $success = file_put_contents($filepath, $password . PHP_EOL . $now . PHP_EOL, LOCK_EX);
2212 return array($passfile, $password);
2215 throw new moodle_exception('unable_prepare_authorization', 'core_plugin');
2219 // End of external API
2222 * Prepares an array of HTTP parameters that can be passed to another page.
2224 * @param array|object $data associative array or an object holding the data, data JSON-able
2225 * @return array suitable as a param for moodle_url
2227 protected function data_to_params($data) {
2229 // Append some our own data
2230 if (!empty($this->callerurl)) {
2231 $data['callerurl'] = $this->callerurl->out(false);
2233 if (!empty($this->returnurl)) {
2234 $data['returnurl'] = $this->returnurl->out(false);
2237 // Finally append the count of items in the package.
2238 $data[self::HTTP_PARAM_CHECKER] = count($data);
2242 foreach ($data as $name => $value) {
2243 $transname = self::HTTP_PARAM_PREFIX.$name;
2244 $transvalue = json_encode($value);
2245 $params[$transname] = $transvalue;
2252 * Converts HTTP parameters passed to the script into native PHP data
2254 * @param array $params such as $_REQUEST or $_POST
2255 * @return array data passed for this class
2257 protected function params_to_data(array $params) {
2259 if (empty($params)) {
2264 foreach ($params as $name => $value) {
2265 if (strpos($name, self::HTTP_PARAM_PREFIX) === 0) {
2266 $realname = substr($name, strlen(self::HTTP_PARAM_PREFIX));
2267 $realvalue = json_decode($value);
2268 $data[$realname] = $realvalue;
2276 * Returns a random string to be used as a filename of the password storage.
2280 protected function generate_passfile() {
2281 return clean_param(uniqid('mdeploy_', true), PARAM_FILE);
2285 * Returns a random string to be used as the authorization token
2289 protected function generate_password() {
2290 return complex_random_string();
2294 * Checks if the given component's directory is writable
2296 * For the purpose of the deployment, the web server process has to have
2297 * write access to all files in the component's directory (recursively) and for the
2300 * @see worker::move_directory_source_precheck()
2301 * @param string $component normalized component name
2304 protected function component_writable($component) {
2306 list($plugintype, $pluginname) = core_component::normalize_component($component);
2308 $directory = core_component::get_plugin_directory($plugintype, $pluginname);
2310 if (is_null($directory)) {
2311 throw new coding_exception('Unknown component location', $component);
2314 return $this->directory_writable($directory);
2318 * Checks if the mdeploy.php will be able to fetch the ZIP from the given URL
2320 * This is mainly supposed to check if the transmission over HTTPS would
2321 * work. That is, if the CA certificates are present at the server.
2323 * @param string $downloadurl the URL of the ZIP package to download
2326 protected function update_downloadable($downloadurl) {
2329 $curloptions = array(
2330 'CURLOPT_SSL_VERIFYHOST' => 2, // this is the default in {@link curl} class but just in case
2331 'CURLOPT_SSL_VERIFYPEER' => true,
2334 $curl = new curl(array('proxy' => true));
2335 $result = $curl->head($downloadurl, $curloptions);
2336 $errno = $curl->get_errno();
2337 if (empty($errno)) {
2345 * Checks if the directory and all its contents (recursively) is writable
2347 * @param string $path full path to a directory
2350 private function directory_writable($path) {
2352 if (!is_writable($path)) {
2356 if (is_dir($path)) {
2357 $handle = opendir($path);
2364 while ($filename = readdir($handle)) {
2365 $filepath = $path.'/'.$filename;
2367 if ($filename === '.' or $filename === '..') {
2371 if (is_dir($filepath)) {
2372 $result = $result && $this->directory_writable($filepath);
2375 $result = $result && is_writable($filepath);
2387 * Factory class producing required subclasses of {@link plugininfo_base}
2389 class plugininfo_default_factory {
2392 * Makes a new instance of the plugininfo class
2394 * @param string $type the plugin type, eg. 'mod'
2395 * @param string $typerootdir full path to the location of all the plugins of this type
2396 * @param string $name the plugin name, eg. 'workshop'
2397 * @param string $namerootdir full path to the location of the plugin
2398 * @param string $typeclass the name of class that holds the info about the plugin
2399 * @return plugininfo_base the instance of $typeclass
2401 public static function make($type, $typerootdir, $name, $namerootdir, $typeclass) {
2402 $plugin = new $typeclass();
2403 $plugin->type = $type;
2404 $plugin->typerootdir = $typerootdir;
2405 $plugin->name = $name;
2406 $plugin->rootdir = $namerootdir;
2408 $plugin->init_display_name();
2409 $plugin->load_disk_version();
2410 $plugin->load_db_version();
2411 $plugin->load_required_main_version();
2412 $plugin->init_is_standard();
2420 * Base class providing access to the information about a plugin
2422 * @property-read string component the component name, type_name
2424 abstract class plugininfo_base {
2426 /** @var string the plugintype name, eg. mod, auth or workshopform */
2428 /** @var string full path to the location of all the plugins of this type */
2429 public $typerootdir;
2430 /** @var string the plugin name, eg. assignment, ldap */
2432 /** @var string the localized plugin name */
2433 public $displayname;
2434 /** @var string the plugin source, one of plugin_manager::PLUGIN_SOURCE_xxx constants */
2436 /** @var fullpath to the location of this plugin */
2438 /** @var int|string the version of the plugin's source code */
2439 public $versiondisk;
2440 /** @var int|string the version of the installed plugin */
2442 /** @var int|float|string required version of Moodle core */
2443 public $versionrequires;
2444 /** @var array other plugins that this one depends on, lazy-loaded by {@link get_other_required_plugins()} */
2445 public $dependencies;
2446 /** @var int number of instances of the plugin - not supported yet */
2448 /** @var int order of the plugin among other plugins of the same type - not supported yet */
2450 /** @var array|null array of {@link available_update_info} for this plugin */
2451 public $availableupdates;
2454 * Gathers and returns the information about all plugins of the given type
2456 * @param string $type the name of the plugintype, eg. mod, auth or workshopform
2457 * @param string $typerootdir full path to the location of the plugin dir
2458 * @param string $typeclass the name of the actually called class
2459 * @return array of plugintype classes, indexed by the plugin name
2461 public static function get_plugins($type, $typerootdir, $typeclass) {
2463 // get the information about plugins at the disk
2464 $plugins = core_component::get_plugin_list($type);
2466 foreach ($plugins as $pluginname => $pluginrootdir) {
2467 $ondisk[$pluginname] = plugininfo_default_factory::make($type, $typerootdir,
2468 $pluginname, $pluginrootdir, $typeclass);
2474 * Sets {@link $displayname} property to a localized name of the plugin
2476 public function init_display_name() {
2477 if (!get_string_manager()->string_exists('pluginname', $this->component)) {
2478 $this->displayname = '[pluginname,' . $this->component . ']';
2480 $this->displayname = get_string('pluginname', $this->component);
2485 * Magic method getter, redirects to read only values.
2487 * @param string $name
2490 public function __get($name) {
2492 case 'component': return $this->type . '_' . $this->name;
2495 debugging('Invalid plugin property accessed! '.$name);
2501 * Return the full path name of a file within the plugin.
2503 * No check is made to see if the file exists.
2505 * @param string $relativepath e.g. 'version.php'.
2506 * @return string e.g. $CFG->dirroot . '/mod/quiz/version.php'.
2508 public function full_path($relativepath) {
2509 if (empty($this->rootdir)) {
2512 return $this->rootdir . '/' . $relativepath;
2516 * Load the data from version.php.
2518 * @param bool $disablecache do not attempt to obtain data from the cache
2519 * @return stdClass the object called $plugin defined in version.php
2521 protected function load_version_php($disablecache=false) {
2523 $cache = cache::make('core', 'plugininfo_base');
2525 $versionsphp = $cache->get('versions_php');
2527 if (!$disablecache and $versionsphp !== false and isset($versionsphp[$this->component])) {
2528 return $versionsphp[$this->component];
2531 $versionfile = $this->full_path('version.php');
2533 $plugin = new stdClass();
2534 if (is_readable($versionfile)) {
2535 include($versionfile);
2537 $versionsphp[$this->component] = $plugin;
2538 $cache->set('versions_php', $versionsphp);
2544 * Sets {@link $versiondisk} property to a numerical value representing the
2545 * version of the plugin's source code.
2547 * If the value is null after calling this method, either the plugin
2548 * does not use versioning (typically does not have any database
2549 * data) or is missing from disk.
2551 public function load_disk_version() {
2552 $plugin = $this->load_version_php();
2553 if (isset($plugin->version)) {
2554 $this->versiondisk = $plugin->version;
2559 * Sets {@link $versionrequires} property to a numerical value representing
2560 * the version of Moodle core that this plugin requires.
2562 public function load_required_main_version() {
2563 $plugin = $this->load_version_php();
2564 if (isset($plugin->requires)) {
2565 $this->versionrequires = $plugin->requires;
2570 * Initialise {@link $dependencies} to the list of other plugins (in any)
2571 * that this one requires to be installed.
2573 protected function load_other_required_plugins() {
2574 $plugin = $this->load_version_php();
2575 if (!empty($plugin->dependencies)) {
2576 $this->dependencies = $plugin->dependencies;
2578 $this->dependencies = array(); // By default, no dependencies.
2583 * Get the list of other plugins that this plugin requires to be installed.
2585 * @return array with keys the frankenstyle plugin name, and values either
2586 * a version string (like '2011101700') or the constant ANY_VERSION.
2588 public function get_other_required_plugins() {
2589 if (is_null($this->dependencies)) {
2590 $this->load_other_required_plugins();
2592 return $this->dependencies;
2596 * Is this is a subplugin?
2600 public function is_subplugin() {
2601 return ($this->get_parent_plugin() !== false);
2605 * If I am a subplugin, return the name of my parent plugin.
2607 * @return string|bool false if not a subplugin, name of the parent otherwise
2609 public function get_parent_plugin() {
2610 return $this->get_plugin_manager()->get_parent_of_subplugin($this->type);
2614 * Sets {@link $versiondb} property to a numerical value representing the
2615 * currently installed version of the plugin.
2617 * If the value is null after calling this method, either the plugin
2618 * does not use versioning (typically does not have any database
2619 * data) or has not been installed yet.
2621 public function load_db_version() {
2622 if ($ver = self::get_version_from_config_plugins($this->component)) {
2623 $this->versiondb = $ver;
2628 * Sets {@link $source} property to one of plugin_manager::PLUGIN_SOURCE_xxx
2631 * If the property's value is null after calling this method, then
2632 * the type of the plugin has not been recognized and you should throw
2635 public function init_is_standard() {
2637 $standard = plugin_manager::standard_plugins_list($this->type);
2639 if ($standard !== false) {
2640 $standard = array_flip($standard);
2641 if (isset($standard[$this->name])) {
2642 $this->source = plugin_manager::PLUGIN_SOURCE_STANDARD;
2643 } else if (!is_null($this->versiondb) and is_null($this->versiondisk)
2644 and plugin_manager::is_deleted_standard_plugin($this->type, $this->name)) {
2645 $this->source = plugin_manager::PLUGIN_SOURCE_STANDARD; // to be deleted
2647 $this->source = plugin_manager::PLUGIN_SOURCE_EXTENSION;
2653 * Returns true if the plugin is shipped with the official distribution
2654 * of the current Moodle version, false otherwise.
2658 public function is_standard() {
2659 return $this->source === plugin_manager::PLUGIN_SOURCE_STANDARD;
2663 * Returns true if the the given Moodle version is enough to run this plugin
2665 * @param string|int|double $moodleversion
2668 public function is_core_dependency_satisfied($moodleversion) {
2670 if (empty($this->versionrequires)) {
2674 return (double)$this->versionrequires <= (double)$moodleversion;
2679 * Returns the status of the plugin
2681 * @return string one of plugin_manager::PLUGIN_STATUS_xxx constants
2683 public function get_status() {
2685 if (is_null($this->versiondb) and is_null($this->versiondisk)) {
2686 return plugin_manager::PLUGIN_STATUS_NODB;
2688 } else if (is_null($this->versiondb) and !is_null($this->versiondisk)) {
2689 return plugin_manager::PLUGIN_STATUS_NEW;
2691 } else if (!is_null($this->versiondb) and is_null($this->versiondisk)) {
2692 if (plugin_manager::is_deleted_standard_plugin($this->type, $this->name)) {
2693 return plugin_manager::PLUGIN_STATUS_DELETE;
2695 return plugin_manager::PLUGIN_STATUS_MISSING;
2698 } else if ((string)$this->versiondb === (string)$this->versiondisk) {
2699 return plugin_manager::PLUGIN_STATUS_UPTODATE;
2701 } else if ($this->versiondb < $this->versiondisk) {
2702 return plugin_manager::PLUGIN_STATUS_UPGRADE;
2704 } else if ($this->versiondb > $this->versiondisk) {
2705 return plugin_manager::PLUGIN_STATUS_DOWNGRADE;
2708 // $version = pi(); and similar funny jokes - hopefully Donald E. Knuth will never contribute to Moodle ;-)
2709 throw new coding_exception('Unable to determine plugin state, check the plugin versions');
2714 * Returns the information about plugin availability
2716 * True means that the plugin is enabled. False means that the plugin is
2717 * disabled. Null means that the information is not available, or the
2718 * plugin does not support configurable availability or the availability
2719 * can not be changed.
2723 public function is_enabled() {
2728 * Populates the property {@link $availableupdates} with the information provided by
2729 * available update checker
2731 * @param available_update_checker $provider the class providing the available update info
2733 public function check_available_updates(available_update_checker $provider) {
2736 if (isset($CFG->updateminmaturity)) {
2737 $minmaturity = $CFG->updateminmaturity;
2739 // this can happen during the very first upgrade to 2.3
2740 $minmaturity = MATURITY_STABLE;
2743 $this->availableupdates = $provider->get_update_info($this->component,
2744 array('minmaturity' => $minmaturity));
2748 * If there are updates for this plugin available, returns them.
2750 * Returns array of {@link available_update_info} objects, if some update
2751 * is available. Returns null if there is no update available or if the update
2752 * availability is unknown.
2754 * @return array|null
2756 public function available_updates() {
2758 if (empty($this->availableupdates) or !is_array($this->availableupdates)) {
2764 foreach ($this->availableupdates as $availableupdate) {
2765 if ($availableupdate->version > $this->versiondisk) {
2766 $updates[] = $availableupdate;
2770 if (empty($updates)) {
2778 * Returns the node name used in admin settings menu for this plugin settings (if applicable)
2780 * @return null|string node name or null if plugin does not create settings node (default)
2782 public function get_settings_section_name() {
2787 * Returns the URL of the plugin settings screen
2789 * Null value means that the plugin either does not have the settings screen
2790 * or its location is not available via this library.
2792 * @return null|moodle_url
2794 public function get_settings_url() {
2795 $section = $this->get_settings_section_name();
2796 if ($section === null) {
2799 $settings = admin_get_root()->locate($section);
2800 if ($settings && $settings instanceof admin_settingpage) {
2801 return new moodle_url('/admin/settings.php', array('section' => $section));
2802 } else if ($settings && $settings instanceof admin_externalpage) {
2803 return new moodle_url($settings->url);
2810 * Loads plugin settings to the settings tree
2812 * This function usually includes settings.php file in plugins folder.
2813 * Alternatively it can create a link to some settings page (instance of admin_externalpage)
2815 * @param part_of_admin_tree $adminroot
2816 * @param string $parentnodename
2817 * @param bool $hassiteconfig whether the current user has moodle/site:config capability
2819 public function load_settings(part_of_admin_tree $adminroot, $parentnodename, $hassiteconfig) {
2823 * Should there be a way to uninstall the plugin via the administration UI
2825 * By default, uninstallation is allowed for all non-standard add-ons. Subclasses
2826 * may want to override this to allow uninstallation of all plugins (simply by
2827 * returning true unconditionally). Subplugins follow their parent plugin's
2828 * decision by default.
2830 * Note that even if true is returned, the core may still prohibit the uninstallation,
2831 * e.g. in case there are other plugins that depend on this one.
2835 public function is_uninstall_allowed() {
2837 if ($this->is_subplugin()) {
2838 return $this->get_plugin_manager()->get_plugin_info($this->get_parent_plugin())->is_uninstall_allowed();
2841 if ($this->is_standard()) {
2849 * Optional extra warning before uninstallation, for example number of uses in courses.
2853 public function get_uninstall_extra_warning() {
2858 * Returns the URL of the screen where this plugin can be uninstalled
2860 * Visiting that URL must be safe, that is a manual confirmation is needed
2861 * for actual uninstallation of the plugin. By default, URL to a common
2862 * uninstalling tool is returned.
2864 * @return moodle_url
2866 public function get_uninstall_url() {
2867 return $this->get_default_uninstall_url();
2871 * Returns relative directory of the plugin with heading '/'
2875 public function get_dir() {
2878 return substr($this->rootdir, strlen($CFG->dirroot));
2882 * Hook method to implement certain steps when uninstalling the plugin.
2884 * This hook is called by {@link plugin_manager::uninstall_plugin()} so
2885 * it is basically usable only for those plugin types that use the default
2886 * uninstall tool provided by {@link self::get_default_uninstall_url()}.
2888 * @param progress_trace $progress traces the process
2889 * @return bool true on success, false on failure
2891 public function uninstall(progress_trace $progress) {
2896 * Returns URL to a script that handles common plugin uninstall procedure.
2898 * This URL is suitable for plugins that do not have their own UI
2901 * @return moodle_url
2903 protected final function get_default_uninstall_url() {
2904 return new moodle_url('/admin/plugins.php', array(
2905 'sesskey' => sesskey(),
2906 'uninstall' => $this->component,
2912 * Provides access to plugin versions from the {config_plugins} table
2914 * @param string $plugin plugin name
2915 * @param bool $disablecache do not attempt to obtain data from the cache
2916 * @return int|bool the stored value or false if not found
2918 protected function get_version_from_config_plugins($plugin, $disablecache=false) {
2921 $cache = cache::make('core', 'plugininfo_base');
2923 $pluginversions = $cache->get('versions_db');
2925 if ($pluginversions === false or $disablecache) {
2927 $pluginversions = $DB->get_records_menu('config_plugins', array('name' => 'version'), 'plugin', 'plugin,value');
2928 } catch (dml_exception $e) {
2930 $pluginversions = array();
2932 $cache->set('versions_db', $pluginversions);
2935 if (isset($pluginversions[$plugin])) {
2936 return $pluginversions[$plugin];
2943 * Provides access to the plugin_manager singleton.
2945 * @return plugin_manmager
2947 protected function get_plugin_manager() {
2948 return plugin_manager::instance();
2954 * General class for all plugin types that do not have their own class
2956 class plugininfo_general extends plugininfo_base {
2961 * Class for page side blocks
2963 class plugininfo_block extends plugininfo_base {
2965 public static function get_plugins($type, $typerootdir, $typeclass) {
2967 // get the information about blocks at the disk
2968 $blocks = parent::get_plugins($type, $typerootdir, $typeclass);
2970 // add blocks missing from disk
2971 $blocksinfo = self::get_blocks_info();
2972 foreach ($blocksinfo as $blockname => $blockinfo) {
2973 if (isset($blocks[$blockname])) {
2976 $plugin = new $typeclass();
2977 $plugin->type = $type;
2978 $plugin->typerootdir = $typerootdir;
2979 $plugin->name = $blockname;
2980 $plugin->rootdir = null;
2981 $plugin->displayname = $blockname;
2982 $plugin->versiondb = $blockinfo->version;
2983 $plugin->init_is_standard();
2985 $blocks[$blockname] = $plugin;
2992 * Magic method getter, redirects to read only values.
2994 * For block plugins pretends the object has 'visible' property for compatibility
2995 * with plugins developed for Moodle version below 2.4
2997 * @param string $name
3000 public function __get($name) {
3001 if ($name === 'visible') {
3002 debugging('This is now an instance of plugininfo_block, please use $block->is_enabled() instead of $block->visible', DEBUG_DEVELOPER);
3003 return ($this->is_enabled() !== false);
3005 return parent::__get($name);
3008 public function init_display_name() {
3010 if (get_string_manager()->string_exists('pluginname', 'block_' . $this->name)) {
3011 $this->displayname = get_string('pluginname', 'block_' . $this->name);
3013 } else if (($block = block_instance($this->name)) !== false) {
3014 $this->displayname = $block->get_title();
3017 parent::init_display_name();
3021 public function load_db_version() {
3024 $blocksinfo = self::get_blocks_info();
3025 if (isset($blocksinfo[$this->name]->version)) {
3026 $this->versiondb = $blocksinfo[$this->name]->version;
3030 public function is_enabled() {
3032 $blocksinfo = self::get_blocks_info();
3033 if (isset($blocksinfo[$this->name]->visible)) {
3034 if ($blocksinfo[$this->name]->visible) {
3040 return parent::is_enabled();
3044 public function get_settings_section_name() {
3045 return 'blocksetting' . $this->name;
3048 public function load_settings(part_of_admin_tree $adminroot, $parentnodename, $hassiteconfig) {
3049 global $CFG, $USER, $DB, $OUTPUT, $PAGE; // in case settings.php wants to refer to them
3050 $ADMIN = $adminroot; // may be used in settings.php
3051 $block = $this; // also can be used inside settings.php
3052 $section = $this->get_settings_section_name();
3054 if (!$hassiteconfig || (($blockinstance = block_instance($this->name)) === false)) {
3059 if ($blockinstance->has_config()) {
3060 if (file_exists($this->full_path('settings.php'))) {
3061 $settings = new admin_settingpage($section, $this->displayname,
3062 'moodle/site:config', $this->is_enabled() === false);
3063 include($this->full_path('settings.php')); // this may also set $settings to null
3065 $blocksinfo = self::get_blocks_info();
3066 $settingsurl = new moodle_url('/admin/block.php', array('block' => $blocksinfo[$this->name]->id));
3067 $settings = new admin_externalpage($section, $this->displayname,
3068 $settingsurl, 'moodle/site:config', $this->is_enabled() === false);
3072 $ADMIN->add($parentnodename, $settings);
3076 public function is_uninstall_allowed() {
3081 * Warnign with number of block instances.
3085 public function get_uninstall_extra_warning() {
3088 if (!$count = $DB->count_records('block_instances', array('blockname'=>$this->name))) {
3092 return '<p>'.get_string('uninstallextraconfirmblock', 'core_plugin', array('instances'=>$count)).'</p>';
3096 * Provides access to the records in {block} table
3098 * @param bool $disablecache do not attempt to obtain data from the cache
3099 * @return array array of stdClasses
3101 protected static function get_blocks_info($disablecache=false) {
3104 $cache = cache::make('core', 'plugininfo_block');
3106 $blocktypes = $cache->get('blocktypes');
3108 if ($blocktypes === false or $disablecache) {
3110 $blocktypes = $DB->get_records('block', null, 'name', 'name,id,version,visible');
3111 } catch (dml_exception $e) {
3113 $blocktypes = array();
3115 $cache->set('blocktypes', $blocktypes);
3124 * Class for text filters
3126 class plugininfo_filter extends plugininfo_base {
3128 public static function get_plugins($type, $typerootdir, $typeclass) {
3133 // get the list of filters in /filter location
3134 $installed = filter_get_all_installed();
3136 foreach ($installed as $name => $displayname) {
3137 $plugin = new $typeclass();
3138 $plugin->type = $type;
3139 $plugin->typerootdir = $typerootdir;
3140 $plugin->name = $name;
3141 $plugin->rootdir = "$CFG->dirroot/filter/$name";
3142 $plugin->displayname = $displayname;
3144 $plugin->load_disk_version();
3145 $plugin->load_db_version();
3146 $plugin->load_required_main_version();
3147 $plugin->init_is_standard();
3149 $filters[$plugin->name] = $plugin;
3152 // Do not mess with filter registration here!
3154 $globalstates = self::get_global_states();
3156 // make sure that all registered filters are installed, just in case
3157 foreach ($globalstates as $name => $info) {
3158 if (!isset($filters[$name])) {
3159 // oops, there is a record in filter_active but the filter is not installed
3160 $plugin = new $typeclass();
3161 $plugin->type = $type;
3162 $plugin->typerootdir = $typerootdir;
3163 $plugin->name = $name;
3164 $plugin->rootdir = "$CFG->dirroot/filter/$name";
3165 $plugin->displayname = $name;
3167 $plugin->load_db_version();
3169 if (is_null($plugin->versiondb)) {
3170 // this is a hack to stimulate 'Missing from disk' error
3171 // because $plugin->versiondisk will be null !== false
3172 $plugin->versiondb = false;
3175 $filters[$plugin->name] = $plugin;
3182 public function init_display_name() {
3183 // do nothing, the name is set in self::get_plugins()
3186 public function is_enabled() {
3188 $globalstates = self::get_global_states();
3190 foreach ($globalstates as $name => $info) {
3191 if ($name === $this->name) {
3192 if ($info->active == TEXTFILTER_DISABLED) {
3195 // it may be 'On' or 'Off, but available'
3204 public function get_settings_section_name() {
3205 return 'filtersetting' . $this->name;
3208 public function load_settings(part_of_admin_tree $adminroot, $parentnodename, $hassiteconfig) {
3209 global $CFG, $USER, $DB, $OUTPUT, $PAGE; // in case settings.php wants to refer to them
3210 $ADMIN = $adminroot; // may be used in settings.php
3211 $filter = $this; // also can be used inside settings.php
3214 if ($hassiteconfig && file_exists($this->full_path('filtersettings.php'))) {
3215 $section = $this->get_settings_section_name();
3216 $settings = new admin_settingpage($section, $this->displayname,
3217 'moodle/site:config', $this->is_enabled() === false);
3218 include($this->full_path('filtersettings.php')); // this may also set $settings to null
3221 $ADMIN->add($parentnodename, $settings);
3225 public function is_uninstall_allowed() {
3229 public function get_uninstall_url() {
3230 return new moodle_url('/admin/filters.php', array('sesskey' => sesskey(), 'filterpath' => $this->name, 'action' => 'delete'));
3234 * Provides access to the results of {@link filter_get_global_states()}
3235 * but indexed by the normalized filter name
3237 * The legacy filter name is available as ->legacyname property.
3239 * @param bool $disablecache do not attempt to obtain data from the cache
3242 protected static function get_global_states($disablecache=false) {
3245 $cache = cache::make('core', 'plugininfo_filter');
3247 $globalstates = $cache->get('globalstates');
3249 if ($globalstates === false or $disablecache) {
3251 if (!$DB->get_manager()->table_exists('filter_active')) {
3252 // Not installed yet.
3253 $cache->set('globalstates', array());
3257 $globalstates = array();
3259 foreach (filter_get_global_states() as $name => $info) {
3260 if (strpos($name, '/') !== false) {
3261 // Skip existing before upgrade to new names.
3265 $filterinfo = new stdClass();
3266 $filterinfo->active = $info->active;
3267 $filterinfo->sortorder = $info->sortorder;
3268 $globalstates[$name] = $filterinfo;
3271 $cache->set('globalstates', $globalstates);
3274 return $globalstates;
3280 * Class for activity modules
3282 class plugininfo_mod extends plugininfo_base {
3284 public static function get_plugins($type, $typerootdir, $typeclass) {
3286 // get the information about plugins at the disk
3287 $modules = parent::get_plugins($type, $typerootdir, $typeclass);
3289 // add modules missing from disk
3290 $modulesinfo = self::get_modules_info();
3291 foreach ($modulesinfo as $modulename => $moduleinfo) {
3292 if (isset($modules[$modulename])) {
3295 $plugin = new $typeclass();
3296 $plugin->type = $type;
3297 $plugin->typerootdir = $typerootdir;
3298 $plugin->name = $modulename;
3299 $plugin->rootdir = null;
3300 $plugin->displayname = $modulename;
3301 $plugin->versiondb = $moduleinfo->version;
3302 $plugin->init_is_standard();
3304 $modules[$modulename] = $plugin;
3311 * Magic method getter, redirects to read only values.
3313 * For module plugins we pretend the object has 'visible' property for compatibility
3314 * with plugins developed for Moodle version below 2.4
3316 * @param string $name
3319 public function __get($name) {
3320 if ($name === 'visible') {
3321 debugging('This is now an instance of plugininfo_mod, please use $module->is_enabled() instead of $module->visible', DEBUG_DEVELOPER);
3322 return ($this->is_enabled() !== false);
3324 return parent::__get($name);
3327 public function init_display_name() {
3328 if (get_string_manager()->string_exists('pluginname', $this->component)) {
3329 $this->displayname = get_string('pluginname', $this->component);
3331 $this->displayname = get_string('modulename', $this->component);
3336 * Load the data from version.php.
3338 * @param bool $disablecache do not attempt to obtain data from the cache
3339 * @return object the data object defined in version.php.
3341 protected function load_version_php($disablecache=false) {
3343 $cache = cache::make('core', 'plugininfo_base');
3345 $versionsphp = $cache->get('versions_php');
3347 if (!$disablecache and $versionsphp !== false and isset($versionsphp[$this->component])) {
3348 return $versionsphp[$this->component];
3351 $versionfile = $this->full_path('version.php');
3353 $module = new stdClass();
3354 $plugin = new stdClass();
3355 if (is_readable($versionfile)) {
3356 include($versionfile);
3358 if (!isset($module->version) and isset($plugin->version)) {
3361 $versionsphp[$this->component] = $module;
3362 $cache->set('versions_php', $versionsphp);
3367 public function load_db_version() {
3370 $modulesinfo = self::get_modules_info();
3371 if (isset($modulesinfo[$this->name]->version)) {
3372 $this->versiondb = $modulesinfo[$this->name]->version;
3376 public function is_enabled() {
3378 $modulesinfo = self::get_modules_info();
3379 if (isset($modulesinfo[$this->name]->visible)) {
3380 if ($modulesinfo[$this->name]->visible) {
3386 return parent::is_enabled();
3390 public function get_settings_section_name() {
3391 return 'modsetting' . $this->name;
3394 public function load_settings(part_of_admin_tree $adminroot, $parentnodename, $hassiteconfig) {
3395 global $CFG, $USER, $DB, $OUTPUT, $PAGE; // in case settings.php wants to refer to them
3396 $ADMIN = $adminroot; // may be used in settings.php
3397 $module = $this; // also can be used inside settings.php
3398 $section = $this->get_settings_section_name();
3400 $modulesinfo = self::get_modules_info();
3402 if ($hassiteconfig && isset($modulesinfo[$this->name]) && file_exists($this->full_path('settings.php'))) {
3403 $settings = new admin_settingpage($section, $this->displayname,
3404 'moodle/site:config', $this->is_enabled() === false);
3405 include($this->full_path('settings.php')); // this may also set $settings to null
3408 $ADMIN->add($parentnodename, $settings);
3413 * Allow all activity modules but Forum to be uninstalled.
3415 * This exception for the Forum has been hard-coded in Moodle since ages,
3416 * we may want to re-think it one day.
3418 public function is_uninstall_allowed() {
3419 if ($this->name === 'forum') {
3427 * Return warning with number of activities and number of affected courses.
3431 public function get_uninstall_extra_warning() {
3434 if (!$module = $DB->get_record('modules', array('name'=>$this->name))) {
3438 if (!$count = $DB->count_records('course_modules', array('module'=>$module->id))) {
3442 $sql = "SELECT COUNT('x')
3445 FROM {course_modules}
3449 $courses = $DB->count_records_sql($sql, array('mid'=>$module->id));
3451 return '<p>'.get_string('uninstallextraconfirmmod', 'core_plugin', array('instances'=>$count, 'courses'=>$courses)).'</p>';
3455 * Provides access to the records in {modules} table
3457 * @param bool $disablecache do not attempt to obtain data from the cache
3458 * @return array array of stdClasses
3460 protected static function get_modules_info($disablecache=false) {
3463 $cache = cache::make('core', 'plugininfo_mod');
3465 $modulesinfo = $cache->get('modulesinfo');
3467 if ($modulesinfo === false or $disablecache) {
3469 $modulesinfo = $DB->get_records('modules', null, 'name', 'name,id,version,visible');
3470 } catch (dml_exception $e) {
3472 $modulesinfo = array();
3474 $cache->set('modulesinfo', $modulesinfo);
3477 return $modulesinfo;
3483 * Class for question behaviours.
3485 class plugininfo_qbehaviour extends plugininfo_base {
3487 public function is_uninstall_allowed() {
3491 public function get_uninstall_url() {
3492 return new moodle_url('/admin/qbehaviours.php',
3493 array('delete' => $this->name, 'sesskey' => sesskey()));
3499 * Class for question types
3501 class plugininfo_qtype extends plugininfo_base {
3503 public function is_uninstall_allowed() {
3507 public function get_uninstall_url() {
3508 return new moodle_url('/admin/qtypes.php',
3509 array('delete' => $this->name, 'sesskey' => sesskey()));
3512 public function get_settings_section_name() {
3513 return 'qtypesetting' . $this->name;
3516 public function load_settings(part_of_admin_tree $adminroot, $parentnodename, $hassiteconfig) {
3517 global $CFG, $USER, $DB, $OUTPUT, $PAGE; // in case settings.php wants to refer to them
3518 $ADMIN = $adminroot; // may be used in settings.php
3519 $qtype = $this; // also can be used inside settings.php
3520 $section = $this->get_settings_section_name();
3523 $systemcontext = context_system::instance();
3524 if (($hassiteconfig || has_capability('moodle/question:config', $systemcontext)) &&
3525 file_exists($this->full_path('settings.php'))) {
3526 $settings = new admin_settingpage($section, $this->displayname,
3527 'moodle/question:config', $this->is_enabled() === false);
3528 include($this->full_path('settings.php')); // this may also set $settings to null
3531 $ADMIN->add($parentnodename, $settings);
3538 * Class for authentication plugins
3540 class plugininfo_auth extends plugininfo_base {
3542 public function is_enabled() {
3545 if (in_array($this->name, array('nologin', 'manual'))) {
3546 // these two are always enabled and can't be disabled
3550 $enabled = array_flip(explode(',', $CFG->auth));
3552 return isset($enabled[$this->name]);
3555 public function get_settings_section_name() {
3556 return 'authsetting' . $this->name;
3559 public function load_settings(part_of_admin_tree $adminroot, $parentnodename, $hassiteconfig) {
3560 global $CFG, $USER, $DB, $OUTPUT, $PAGE; // in case settings.php wants to refer to them
3561 $ADMIN = $adminroot; // may be used in settings.php
3562 $auth = $this; // also to be used inside settings.php
3563 $section = $this->get_settings_section_name();
3566 if ($hassiteconfig) {
3567 if (file_exists($this->full_path('settings.php'))) {
3568 // TODO: finish implementation of common settings - locking, etc.
3569 $settings = new admin_settingpage($section, $this->displayname,
3570 'moodle/site:config', $this->is_enabled() === false);
3571 include($this->full_path('settings.php')); // this may also set $settings to null
3573 $settingsurl = new moodle_url('/admin/auth_config.php', array('auth' => $this->name));
3574 $settings = new admin_externalpage($section, $this->displayname,
3575 $settingsurl, 'moodle/site:config', $this->is_enabled() === false);
3579 $ADMIN->add($parentnodename, $settings);
3586 * Class for enrolment plugins
3588 class plugininfo_enrol extends plugininfo_base {
3590 public function is_enabled() {
3593 // We do not actually need whole enrolment classes here so we do not call
3594 // {@link enrol_get_plugins()}. Note that this may produce slightly different