Merge branch 'MDL-40816_m25' of git://github.com/markn86/moodle into MOODLE_25_STABLE
[moodle.git] / repository / lib.php
blob137700bee74efc40a82645c6715382d20c6b4b50
1 <?php
2 // This file is part of Moodle - http://moodle.org/
3 //
4 // Moodle is free software: you can redistribute it and/or modify
5 // it under the terms of the GNU General Public License as published by
6 // the Free Software Foundation, either version 3 of the License, or
7 // (at your option) any later version.
8 //
9 // Moodle is distributed in the hope that it will be useful,
10 // but WITHOUT ANY WARRANTY; without even the implied warranty of
11 // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 // GNU General Public License for more details.
14 // You should have received a copy of the GNU General Public License
15 // along with Moodle. If not, see <http://www.gnu.org/licenses/>.
17 /**
18 * This file contains classes used to manage the repository plugins in Moodle
20 * @since 2.0
21 * @package core_repository
22 * @copyright 2009 Dongsheng Cai {@link http://dongsheng.org}
23 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
26 defined('MOODLE_INTERNAL') || die();
27 require_once($CFG->libdir . '/filelib.php');
28 require_once($CFG->libdir . '/formslib.php');
30 define('FILE_EXTERNAL', 1);
31 define('FILE_INTERNAL', 2);
32 define('FILE_REFERENCE', 4);
33 define('RENAME_SUFFIX', '_2');
35 /**
36 * This class is used to manage repository plugins
38 * A repository_type is a repository plug-in. It can be Box.net, Flick-r, ...
39 * A repository type can be edited, sorted and hidden. It is mandatory for an
40 * administrator to create a repository type in order to be able to create
41 * some instances of this type.
42 * Coding note:
43 * - a repository_type object is mapped to the "repository" database table
44 * - "typename" attibut maps the "type" database field. It is unique.
45 * - general "options" for a repository type are saved in the config_plugin table
46 * - when you delete a repository, all instances are deleted, and general
47 * options are also deleted from database
48 * - When you create a type for a plugin that can't have multiple instances, a
49 * instance is automatically created.
51 * @package core_repository
52 * @copyright 2009 Jerome Mouneyrac
53 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
55 class repository_type implements cacheable_object {
58 /**
59 * Type name (no whitespace) - A type name is unique
60 * Note: for a user-friendly type name see get_readablename()
61 * @var String
63 private $_typename;
66 /**
67 * Options of this type
68 * They are general options that any instance of this type would share
69 * e.g. API key
70 * These options are saved in config_plugin table
71 * @var array
73 private $_options;
76 /**
77 * Is the repository type visible or hidden
78 * If false (hidden): no instances can be created, edited, deleted, showned , used...
79 * @var boolean
81 private $_visible;
84 /**
85 * 0 => not ordered, 1 => first position, 2 => second position...
86 * A not order type would appear in first position (should never happened)
87 * @var integer
89 private $_sortorder;
91 /**
92 * Return if the instance is visible in a context
94 * @todo check if the context visibility has been overwritten by the plugin creator
95 * (need to create special functions to be overvwritten in repository class)
96 * @param stdClass $context context
97 * @return bool
99 public function get_contextvisibility($context) {
100 global $USER;
102 if ($context->contextlevel == CONTEXT_COURSE) {
103 return $this->_options['enablecourseinstances'];
106 if ($context->contextlevel == CONTEXT_USER) {
107 return $this->_options['enableuserinstances'];
110 //the context is SITE
111 return true;
117 * repository_type constructor
119 * @param int $typename
120 * @param array $typeoptions
121 * @param bool $visible
122 * @param int $sortorder (don't really need set, it will be during create() call)
124 public function __construct($typename = '', $typeoptions = array(), $visible = true, $sortorder = 0) {
125 global $CFG;
127 //set type attributs
128 $this->_typename = $typename;
129 $this->_visible = $visible;
130 $this->_sortorder = $sortorder;
132 //set options attribut
133 $this->_options = array();
134 $options = repository::static_function($typename, 'get_type_option_names');
135 //check that the type can be setup
136 if (!empty($options)) {
137 //set the type options
138 foreach ($options as $config) {
139 if (array_key_exists($config, $typeoptions)) {
140 $this->_options[$config] = $typeoptions[$config];
145 //retrieve visibility from option
146 if (array_key_exists('enablecourseinstances',$typeoptions)) {
147 $this->_options['enablecourseinstances'] = $typeoptions['enablecourseinstances'];
148 } else {
149 $this->_options['enablecourseinstances'] = 0;
152 if (array_key_exists('enableuserinstances',$typeoptions)) {
153 $this->_options['enableuserinstances'] = $typeoptions['enableuserinstances'];
154 } else {
155 $this->_options['enableuserinstances'] = 0;
161 * Get the type name (no whitespace)
162 * For a human readable name, use get_readablename()
164 * @return string the type name
166 public function get_typename() {
167 return $this->_typename;
171 * Return a human readable and user-friendly type name
173 * @return string user-friendly type name
175 public function get_readablename() {
176 return get_string('pluginname','repository_'.$this->_typename);
180 * Return general options
182 * @return array the general options
184 public function get_options() {
185 return $this->_options;
189 * Return visibility
191 * @return bool
193 public function get_visible() {
194 return $this->_visible;
198 * Return order / position of display in the file picker
200 * @return int
202 public function get_sortorder() {
203 return $this->_sortorder;
207 * Create a repository type (the type name must not already exist)
208 * @param bool $silent throw exception?
209 * @return mixed return int if create successfully, return false if
211 public function create($silent = false) {
212 global $DB;
214 //check that $type has been set
215 $timmedtype = trim($this->_typename);
216 if (empty($timmedtype)) {
217 throw new repository_exception('emptytype', 'repository');
220 //set sortorder as the last position in the list
221 if (!isset($this->_sortorder) || $this->_sortorder == 0 ) {
222 $sql = "SELECT MAX(sortorder) FROM {repository}";
223 $this->_sortorder = 1 + $DB->get_field_sql($sql);
226 //only create a new type if it doesn't already exist
227 $existingtype = $DB->get_record('repository', array('type'=>$this->_typename));
228 if (!$existingtype) {
229 //create the type
230 $newtype = new stdClass();
231 $newtype->type = $this->_typename;
232 $newtype->visible = $this->_visible;
233 $newtype->sortorder = $this->_sortorder;
234 $plugin_id = $DB->insert_record('repository', $newtype);
235 //save the options in DB
236 $this->update_options();
238 $instanceoptionnames = repository::static_function($this->_typename, 'get_instance_option_names');
240 //if the plugin type has no multiple instance (e.g. has no instance option name) so it wont
241 //be possible for the administrator to create a instance
242 //in this case we need to create an instance
243 if (empty($instanceoptionnames)) {
244 $instanceoptions = array();
245 if (empty($this->_options['pluginname'])) {
246 // when moodle trying to install some repo plugin automatically
247 // this option will be empty, get it from language string when display
248 $instanceoptions['name'] = '';
249 } else {
250 // when admin trying to add a plugin manually, he will type a name
251 // for it
252 $instanceoptions['name'] = $this->_options['pluginname'];
254 repository::static_function($this->_typename, 'create', $this->_typename, 0, get_system_context(), $instanceoptions);
256 //run plugin_init function
257 if (!repository::static_function($this->_typename, 'plugin_init')) {
258 if (!$silent) {
259 throw new repository_exception('cannotinitplugin', 'repository');
263 cache::make('core', 'repositories')->purge();
264 if(!empty($plugin_id)) {
265 // return plugin_id if create successfully
266 return $plugin_id;
267 } else {
268 return false;
271 } else {
272 if (!$silent) {
273 throw new repository_exception('existingrepository', 'repository');
275 // If plugin existed, return false, tell caller no new plugins were created.
276 return false;
282 * Update plugin options into the config_plugin table
284 * @param array $options
285 * @return bool
287 public function update_options($options = null) {
288 global $DB;
289 $classname = 'repository_' . $this->_typename;
290 $instanceoptions = repository::static_function($this->_typename, 'get_instance_option_names');
291 if (empty($instanceoptions)) {
292 // update repository instance name if this plugin type doesn't have muliti instances
293 $params = array();
294 $params['type'] = $this->_typename;
295 $instances = repository::get_instances($params);
296 $instance = array_pop($instances);
297 if ($instance) {
298 $DB->set_field('repository_instances', 'name', $options['pluginname'], array('id'=>$instance->id));
300 unset($options['pluginname']);
303 if (!empty($options)) {
304 $this->_options = $options;
307 foreach ($this->_options as $name => $value) {
308 set_config($name, $value, $this->_typename);
311 cache::make('core', 'repositories')->purge();
312 return true;
316 * Update visible database field with the value given as parameter
317 * or with the visible value of this object
318 * This function is private.
319 * For public access, have a look to switch_and_update_visibility()
321 * @param bool $visible
322 * @return bool
324 private function update_visible($visible = null) {
325 global $DB;
327 if (!empty($visible)) {
328 $this->_visible = $visible;
330 else if (!isset($this->_visible)) {
331 throw new repository_exception('updateemptyvisible', 'repository');
334 cache::make('core', 'repositories')->purge();
335 return $DB->set_field('repository', 'visible', $this->_visible, array('type'=>$this->_typename));
339 * Update database sortorder field with the value given as parameter
340 * or with the sortorder value of this object
341 * This function is private.
342 * For public access, have a look to move_order()
344 * @param int $sortorder
345 * @return bool
347 private function update_sortorder($sortorder = null) {
348 global $DB;
350 if (!empty($sortorder) && $sortorder!=0) {
351 $this->_sortorder = $sortorder;
353 //if sortorder is not set, we set it as the ;ast position in the list
354 else if (!isset($this->_sortorder) || $this->_sortorder == 0 ) {
355 $sql = "SELECT MAX(sortorder) FROM {repository}";
356 $this->_sortorder = 1 + $DB->get_field_sql($sql);
359 cache::make('core', 'repositories')->purge();
360 return $DB->set_field('repository', 'sortorder', $this->_sortorder, array('type'=>$this->_typename));
364 * Change order of the type with its adjacent upper or downer type
365 * (database fields are updated)
366 * Algorithm details:
367 * 1. retrieve all types in an array. This array is sorted by sortorder,
368 * and the array keys start from 0 to X (incremented by 1)
369 * 2. switch sortorder values of this type and its adjacent type
371 * @param string $move "up" or "down"
373 public function move_order($move) {
374 global $DB;
376 $types = repository::get_types(); // retrieve all types
378 // retrieve this type into the returned array
379 $i = 0;
380 while (!isset($indice) && $i<count($types)) {
381 if ($types[$i]->get_typename() == $this->_typename) {
382 $indice = $i;
384 $i++;
387 // retrieve adjacent indice
388 switch ($move) {
389 case "up":
390 $adjacentindice = $indice - 1;
391 break;
392 case "down":
393 $adjacentindice = $indice + 1;
394 break;
395 default:
396 throw new repository_exception('movenotdefined', 'repository');
399 //switch sortorder of this type and the adjacent type
400 //TODO: we could reset sortorder for all types. This is not as good in performance term, but
401 //that prevent from wrong behaviour on a screwed database. As performance are not important in this particular case
402 //it worth to change the algo.
403 if ($adjacentindice>=0 && !empty($types[$adjacentindice])) {
404 $DB->set_field('repository', 'sortorder', $this->_sortorder, array('type'=>$types[$adjacentindice]->get_typename()));
405 $this->update_sortorder($types[$adjacentindice]->get_sortorder());
410 * 1. Change visibility to the value chosen
411 * 2. Update the type
413 * @param bool $visible
414 * @return bool
416 public function update_visibility($visible = null) {
417 if (is_bool($visible)) {
418 $this->_visible = $visible;
419 } else {
420 $this->_visible = !$this->_visible;
422 return $this->update_visible();
427 * Delete a repository_type (general options are removed from config_plugin
428 * table, and all instances are deleted)
430 * @param bool $downloadcontents download external contents if exist
431 * @return bool
433 public function delete($downloadcontents = false) {
434 global $DB;
436 //delete all instances of this type
437 $params = array();
438 $params['context'] = array();
439 $params['onlyvisible'] = false;
440 $params['type'] = $this->_typename;
441 $instances = repository::get_instances($params);
442 foreach ($instances as $instance) {
443 $instance->delete($downloadcontents);
446 //delete all general options
447 foreach ($this->_options as $name => $value) {
448 set_config($name, null, $this->_typename);
451 cache::make('core', 'repositories')->purge();
452 try {
453 $DB->delete_records('repository', array('type' => $this->_typename));
454 } catch (dml_exception $ex) {
455 return false;
457 return true;
461 * Prepares the repository type to be cached. Implements method from cacheable_object interface.
463 * @return array
465 public function prepare_to_cache() {
466 return array(
467 'typename' => $this->_typename,
468 'typeoptions' => $this->_options,
469 'visible' => $this->_visible,
470 'sortorder' => $this->_sortorder
475 * Restores repository type from cache. Implements method from cacheable_object interface.
477 * @return array
479 public static function wake_from_cache($data) {
480 return new repository_type($data['typename'], $data['typeoptions'], $data['visible'], $data['sortorder']);
485 * This is the base class of the repository class.
487 * To create repository plugin, see: {@link http://docs.moodle.org/dev/Repository_plugins}
488 * See an example: {@link repository_boxnet}
490 * @package core_repository
491 * @copyright 2009 Dongsheng Cai {@link http://dongsheng.org}
492 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
494 abstract class repository implements cacheable_object {
495 /** Timeout in seconds for downloading the external file into moodle */
496 const GETFILE_TIMEOUT = 30;
497 /** Timeout in seconds for syncronising the external file size */
498 const SYNCFILE_TIMEOUT = 1;
499 /** Timeout in seconds for downloading an image file from external repository during syncronisation */
500 const SYNCIMAGE_TIMEOUT = 3;
502 // $disabled can be set to true to disable a plugin by force
503 // example: self::$disabled = true
504 /** @var bool force disable repository instance */
505 public $disabled = false;
506 /** @var int repository instance id */
507 public $id;
508 /** @var stdClass current context */
509 public $context;
510 /** @var array repository options */
511 public $options;
512 /** @var bool Whether or not the repository instance is editable */
513 public $readonly;
514 /** @var int return types */
515 public $returntypes;
516 /** @var stdClass repository instance database record */
517 public $instance;
518 /** @var string Type of repository (webdav, google_docs, dropbox, ...). Read from $this->get_typename(). */
519 protected $typename;
522 * Constructor
524 * @param int $repositoryid repository instance id
525 * @param int|stdClass $context a context id or context object
526 * @param array $options repository options
527 * @param int $readonly indicate this repo is readonly or not
529 public function __construct($repositoryid, $context = SYSCONTEXTID, $options = array(), $readonly = 0) {
530 global $DB;
531 $this->id = $repositoryid;
532 if (is_object($context)) {
533 $this->context = $context;
534 } else {
535 $this->context = context::instance_by_id($context);
537 $cache = cache::make('core', 'repositories');
538 if (($this->instance = $cache->get('i:'. $this->id)) === false) {
539 $this->instance = $DB->get_record_sql("SELECT i.*, r.type AS repositorytype, r.sortorder, r.visible
540 FROM {repository} r, {repository_instances} i
541 WHERE i.typeid = r.id and i.id = ?", array('id' => $this->id));
542 $cache->set('i:'. $this->id, $this->instance);
544 $this->readonly = $readonly;
545 $this->options = array();
547 if (is_array($options)) {
548 // The get_option() method will get stored options in database.
549 $options = array_merge($this->get_option(), $options);
550 } else {
551 $options = $this->get_option();
553 foreach ($options as $n => $v) {
554 $this->options[$n] = $v;
556 $this->name = $this->get_name();
557 $this->returntypes = $this->supported_returntypes();
558 $this->super_called = true;
562 * Get repository instance using repository id
564 * Note that this function does not check permission to access repository contents
566 * @throws repository_exception
568 * @param int $repositoryid repository instance ID
569 * @param context|int $context context instance or context ID where this repository will be used
570 * @param array $options additional repository options
571 * @return repository
573 public static function get_repository_by_id($repositoryid, $context, $options = array()) {
574 global $CFG, $DB;
575 $cache = cache::make('core', 'repositories');
576 if (!is_object($context)) {
577 $context = context::instance_by_id($context);
579 $cachekey = 'rep:'. $repositoryid. ':'. $context->id. ':'. serialize($options);
580 if ($repository = $cache->get($cachekey)) {
581 return $repository;
584 if (!$record = $cache->get('i:'. $repositoryid)) {
585 $sql = "SELECT i.*, r.type AS repositorytype, r.visible, r.sortorder
586 FROM {repository_instances} i
587 JOIN {repository} r ON r.id = i.typeid
588 WHERE i.id = ?";
589 if (!$record = $DB->get_record_sql($sql, array($repositoryid))) {
590 throw new repository_exception('invalidrepositoryid', 'repository');
592 $cache->set('i:'. $record->id, $record);
595 $type = $record->repositorytype;
596 if (file_exists($CFG->dirroot . "/repository/$type/lib.php")) {
597 require_once($CFG->dirroot . "/repository/$type/lib.php");
598 $classname = 'repository_' . $type;
599 $options['type'] = $type;
600 $options['typeid'] = $record->typeid;
601 $options['visible'] = $record->visible;
602 if (empty($options['name'])) {
603 $options['name'] = $record->name;
605 $repository = new $classname($repositoryid, $context, $options, $record->readonly);
606 if (empty($repository->super_called)) {
607 // to make sure the super construct is called
608 debugging('parent::__construct must be called by '.$type.' plugin.');
610 $cache->set($cachekey, $repository);
611 return $repository;
612 } else {
613 throw new repository_exception('invalidplugin', 'repository');
618 * Returns the type name of the repository.
620 * @return string type name of the repository.
621 * @since 2.5
623 public function get_typename() {
624 if (empty($this->typename)) {
625 $matches = array();
626 if (!preg_match("/^repository_(.*)$/", get_class($this), $matches)) {
627 throw new coding_exception('The class name of a repository should be repository_<typeofrepository>, '.
628 'e.g. repository_dropbox');
630 $this->typename = $matches[1];
632 return $this->typename;
636 * Get a repository type object by a given type name.
638 * @static
639 * @param string $typename the repository type name
640 * @return repository_type|bool
642 public static function get_type_by_typename($typename) {
643 global $DB;
644 $cache = cache::make('core', 'repositories');
645 if (($repositorytype = $cache->get('typename:'. $typename)) === false) {
646 $repositorytype = null;
647 if ($record = $DB->get_record('repository', array('type' => $typename))) {
648 $repositorytype = new repository_type($record->type, (array)get_config($record->type), $record->visible, $record->sortorder);
649 $cache->set('typeid:'. $record->id, $repositorytype);
651 $cache->set('typename:'. $typename, $repositorytype);
653 return $repositorytype;
657 * Get the repository type by a given repository type id.
659 * @static
660 * @param int $id the type id
661 * @return object
663 public static function get_type_by_id($id) {
664 global $DB;
665 $cache = cache::make('core', 'repositories');
666 if (($repositorytype = $cache->get('typeid:'. $id)) === false) {
667 $repositorytype = null;
668 if ($record = $DB->get_record('repository', array('id' => $id))) {
669 $repositorytype = new repository_type($record->type, (array)get_config($record->type), $record->visible, $record->sortorder);
670 $cache->set('typename:'. $record->type, $repositorytype);
672 $cache->set('typeid:'. $id, $repositorytype);
674 return $repositorytype;
678 * Return all repository types ordered by sortorder field
679 * first repository type in returnedarray[0], second repository type in returnedarray[1], ...
681 * @static
682 * @param bool $visible can return types by visiblity, return all types if null
683 * @return array Repository types
685 public static function get_types($visible=null) {
686 global $DB, $CFG;
687 $cache = cache::make('core', 'repositories');
688 if (!$visible) {
689 $typesnames = $cache->get('types');
690 } else {
691 $typesnames = $cache->get('typesvis');
693 $types = array();
694 if ($typesnames === false) {
695 $typesnames = array();
696 $vistypesnames = array();
697 if ($records = $DB->get_records('repository', null ,'sortorder')) {
698 foreach($records as $type) {
699 if (($repositorytype = $cache->get('typename:'. $type->type)) === false) {
700 // Create new instance of repository_type.
701 if (file_exists($CFG->dirroot . '/repository/'. $type->type .'/lib.php')) {
702 $repositorytype = new repository_type($type->type, (array)get_config($type->type), $type->visible, $type->sortorder);
703 $cache->set('typeid:'. $type->id, $repositorytype);
704 $cache->set('typename:'. $type->type, $repositorytype);
707 if ($repositorytype) {
708 if (empty($visible) || $repositorytype->get_visible()) {
709 $types[] = $repositorytype;
710 $vistypesnames[] = $repositorytype->get_typename();
712 $typesnames[] = $repositorytype->get_typename();
716 $cache->set('types', $typesnames);
717 $cache->set('typesvis', $vistypesnames);
718 } else {
719 foreach ($typesnames as $typename) {
720 $types[] = self::get_type_by_typename($typename);
723 return $types;
727 * Checks if user has a capability to view the current repository.
729 * @return bool true when the user can, otherwise throws an exception.
730 * @throws repository_exception when the user does not meet the requirements.
732 public final function check_capability() {
733 global $USER;
735 // The context we are on.
736 $currentcontext = $this->context;
738 // Ensure that the user can view the repository in the current context.
739 $can = has_capability('repository/'.$this->get_typename().':view', $currentcontext);
741 // Context in which the repository has been created.
742 $repocontext = context::instance_by_id($this->instance->contextid);
744 // Prevent access to private repositories when logged in as.
745 if ($can && session_is_loggedinas()) {
746 if ($this->contains_private_data() || $repocontext->contextlevel == CONTEXT_USER) {
747 $can = false;
751 // We are going to ensure that the current context was legit, and reliable to check
752 // the capability against. (No need to do that if we already cannot).
753 if ($can) {
754 if ($repocontext->contextlevel == CONTEXT_USER) {
755 // The repository is a user instance, ensure we're the right user to access it!
756 if ($repocontext->instanceid != $USER->id) {
757 $can = false;
759 } else if ($repocontext->contextlevel == CONTEXT_COURSE) {
760 // The repository is a course one. Let's check that we are on the right course.
761 if (in_array($currentcontext->contextlevel, array(CONTEXT_COURSE, CONTEXT_MODULE, CONTEXT_BLOCK))) {
762 $coursecontext = $currentcontext->get_course_context();
763 if ($coursecontext->instanceid != $repocontext->instanceid) {
764 $can = false;
766 } else {
767 // We are on a parent context, therefore it's legit to check the permissions
768 // in the current context.
770 } else {
771 // Nothing to check here, system instances can have different permissions on different
772 // levels. We do not want to prevent URL hack here, because it does not make sense to
773 // prevent a user to access a repository in a context if it's accessible in another one.
777 if ($can) {
778 return true;
781 throw new repository_exception('nopermissiontoaccess', 'repository');
785 * Check if file already exists in draft area.
787 * @static
788 * @param int $itemid of the draft area.
789 * @param string $filepath path to the file.
790 * @param string $filename file name.
791 * @return bool
793 public static function draftfile_exists($itemid, $filepath, $filename) {
794 global $USER;
795 $fs = get_file_storage();
796 $usercontext = context_user::instance($USER->id);
797 return $fs->file_exists($usercontext->id, 'user', 'draft', $itemid, $filepath, $filename);
801 * Parses the 'source' returned by moodle repositories and returns an instance of stored_file
803 * @param string $source
804 * @return stored_file|null
806 public static function get_moodle_file($source) {
807 $params = file_storage::unpack_reference($source, true);
808 $fs = get_file_storage();
809 return $fs->get_file($params['contextid'], $params['component'], $params['filearea'],
810 $params['itemid'], $params['filepath'], $params['filename']);
814 * Repository method to make sure that user can access particular file.
816 * This is checked when user tries to pick the file from repository to deal with
817 * potential parameter substitutions is request
819 * @param string $source
820 * @return bool whether the file is accessible by current user
822 public function file_is_accessible($source) {
823 if ($this->has_moodle_files()) {
824 try {
825 $params = file_storage::unpack_reference($source, true);
826 } catch (file_reference_exception $e) {
827 return false;
829 $browser = get_file_browser();
830 $context = context::instance_by_id($params['contextid']);
831 $file_info = $browser->get_file_info($context, $params['component'], $params['filearea'],
832 $params['itemid'], $params['filepath'], $params['filename']);
833 return !empty($file_info);
835 return true;
839 * This function is used to copy a moodle file to draft area.
841 * It DOES NOT check if the user is allowed to access this file because the actual file
842 * can be located in the area where user does not have access to but there is an alias
843 * to this file in the area where user CAN access it.
844 * {@link file_is_accessible} should be called for alias location before calling this function.
846 * @param string $source The metainfo of file, it is base64 encoded php serialized data
847 * @param stdClass|array $filerecord contains itemid, filepath, filename and optionally other
848 * attributes of the new file
849 * @param int $maxbytes maximum allowed size of file, -1 if unlimited. If size of file exceeds
850 * the limit, the file_exception is thrown.
851 * @param int $areamaxbytes the maximum size of the area. A file_exception is thrown if the
852 * new file will reach the limit.
853 * @return array The information about the created file
855 public function copy_to_area($source, $filerecord, $maxbytes = -1, $areamaxbytes = FILE_AREA_MAX_BYTES_UNLIMITED) {
856 global $USER;
857 $fs = get_file_storage();
859 if ($this->has_moodle_files() == false) {
860 throw new coding_exception('Only repository used to browse moodle files can use repository::copy_to_area()');
863 $user_context = context_user::instance($USER->id);
865 $filerecord = (array)$filerecord;
866 // make sure the new file will be created in user draft area
867 $filerecord['component'] = 'user';
868 $filerecord['filearea'] = 'draft';
869 $filerecord['contextid'] = $user_context->id;
870 $draftitemid = $filerecord['itemid'];
871 $new_filepath = $filerecord['filepath'];
872 $new_filename = $filerecord['filename'];
874 // the file needs to copied to draft area
875 $stored_file = self::get_moodle_file($source);
876 if ($maxbytes != -1 && $stored_file->get_filesize() > $maxbytes) {
877 throw new file_exception('maxbytes');
879 // Validate the size of the draft area.
880 if (file_is_draft_area_limit_reached($draftitemid, $areamaxbytes, $stored_file->get_filesize())) {
881 throw new file_exception('maxareabytes');
884 if (repository::draftfile_exists($draftitemid, $new_filepath, $new_filename)) {
885 // create new file
886 $unused_filename = repository::get_unused_filename($draftitemid, $new_filepath, $new_filename);
887 $filerecord['filename'] = $unused_filename;
888 $fs->create_file_from_storedfile($filerecord, $stored_file);
889 $event = array();
890 $event['event'] = 'fileexists';
891 $event['newfile'] = new stdClass;
892 $event['newfile']->filepath = $new_filepath;
893 $event['newfile']->filename = $unused_filename;
894 $event['newfile']->url = moodle_url::make_draftfile_url($draftitemid, $new_filepath, $unused_filename)->out();
895 $event['existingfile'] = new stdClass;
896 $event['existingfile']->filepath = $new_filepath;
897 $event['existingfile']->filename = $new_filename;
898 $event['existingfile']->url = moodle_url::make_draftfile_url($draftitemid, $new_filepath, $new_filename)->out();
899 return $event;
900 } else {
901 $fs->create_file_from_storedfile($filerecord, $stored_file);
902 $info = array();
903 $info['itemid'] = $draftitemid;
904 $info['file'] = $new_filename;
905 $info['title'] = $new_filename;
906 $info['contextid'] = $user_context->id;
907 $info['url'] = moodle_url::make_draftfile_url($draftitemid, $new_filepath, $new_filename)->out();
908 $info['filesize'] = $stored_file->get_filesize();
909 return $info;
914 * Get an unused filename from the current draft area.
916 * Will check if the file ends with ([0-9]) and increase the number.
918 * @static
919 * @param int $itemid draft item ID.
920 * @param string $filepath path to the file.
921 * @param string $filename name of the file.
922 * @return string an unused file name.
924 public static function get_unused_filename($itemid, $filepath, $filename) {
925 global $USER;
926 $contextid = context_user::instance($USER->id)->id;
927 $fs = get_file_storage();
928 return $fs->get_unused_filename($contextid, 'user', 'draft', $itemid, $filepath, $filename);
932 * Append a suffix to filename.
934 * @static
935 * @param string $filename
936 * @return string
937 * @deprecated since 2.5
939 public static function append_suffix($filename) {
940 debugging('The function repository::append_suffix() has been deprecated. Use repository::get_unused_filename() instead.',
941 DEBUG_DEVELOPER);
942 $pathinfo = pathinfo($filename);
943 if (empty($pathinfo['extension'])) {
944 return $filename . RENAME_SUFFIX;
945 } else {
946 return $pathinfo['filename'] . RENAME_SUFFIX . '.' . $pathinfo['extension'];
951 * Return all types that you a user can create/edit and which are also visible
952 * Note: Mostly used in order to know if at least one editable type can be set
954 * @static
955 * @param stdClass $context the context for which we want the editable types
956 * @return array types
958 public static function get_editable_types($context = null) {
960 if (empty($context)) {
961 $context = get_system_context();
964 $types= repository::get_types(true);
965 $editabletypes = array();
966 foreach ($types as $type) {
967 $instanceoptionnames = repository::static_function($type->get_typename(), 'get_instance_option_names');
968 if (!empty($instanceoptionnames)) {
969 if ($type->get_contextvisibility($context)) {
970 $editabletypes[]=$type;
974 return $editabletypes;
978 * Return repository instances
980 * @static
981 * @param array $args Array containing the following keys:
982 * currentcontext : instance of context (default system context)
983 * context : array of instances of context (default empty array)
984 * onlyvisible : bool (default true)
985 * type : string return instances of this type only
986 * accepted_types : string|array return instances that contain files of those types (*, web_image, .pdf, ...)
987 * return_types : int combination of FILE_INTERNAL & FILE_EXTERNAL & FILE_REFERENCE.
988 * 0 means every type. The default is FILE_INTERNAL | FILE_EXTERNAL.
989 * userid : int if specified, instances belonging to other users will not be returned
991 * @return array repository instances
993 public static function get_instances($args = array()) {
994 global $DB, $CFG, $USER;
996 // Fill $args attributes with default values unless specified
997 if (!isset($args['currentcontext']) || !($args['currentcontext'] instanceof context)) {
998 $current_context = context_system::instance();
999 } else {
1000 $current_context = $args['currentcontext'];
1002 $args['currentcontext'] = $current_context->id;
1003 $contextids = array();
1004 if (!empty($args['context'])) {
1005 foreach ($args['context'] as $context) {
1006 $contextids[] = $context->id;
1009 $args['context'] = $contextids;
1010 if (!isset($args['onlyvisible'])) {
1011 $args['onlyvisible'] = true;
1013 if (!isset($args['return_types'])) {
1014 $args['return_types'] = FILE_INTERNAL | FILE_EXTERNAL;
1016 if (!isset($args['type'])) {
1017 $args['type'] = null;
1019 if (empty($args['disable_types']) || !is_array($args['disable_types'])) {
1020 $args['disable_types'] = null;
1022 if (empty($args['userid']) || !is_numeric($args['userid'])) {
1023 $args['userid'] = null;
1025 if (!isset($args['accepted_types']) || (is_array($args['accepted_types']) && in_array('*', $args['accepted_types']))) {
1026 $args['accepted_types'] = '*';
1028 ksort($args);
1029 $cachekey = 'all:'. serialize($args);
1031 // Check if we have cached list of repositories with the same query
1032 $cache = cache::make('core', 'repositories');
1033 if (($cachedrepositories = $cache->get($cachekey)) !== false) {
1034 // convert from cacheable_object_array to array
1035 $repositories = array();
1036 foreach ($cachedrepositories as $repository) {
1037 $repositories[$repository->id] = $repository;
1039 return $repositories;
1042 // Prepare DB SQL query to retrieve repositories
1043 $params = array();
1044 $sql = "SELECT i.*, r.type AS repositorytype, r.sortorder, r.visible
1045 FROM {repository} r, {repository_instances} i
1046 WHERE i.typeid = r.id ";
1048 if ($args['disable_types']) {
1049 list($types, $p) = $DB->get_in_or_equal($args['disable_types'], SQL_PARAMS_NAMED, 'distype', false);
1050 $sql .= " AND r.type $types";
1051 $params = array_merge($params, $p);
1054 if ($args['userid']) {
1055 $sql .= " AND (i.userid = 0 or i.userid = :userid)";
1056 $params['userid'] = $args['userid'];
1059 if ($args['context']) {
1060 list($ctxsql, $p2) = $DB->get_in_or_equal($args['context'], SQL_PARAMS_NAMED, 'ctx');
1061 $sql .= " AND i.contextid $ctxsql";
1062 $params = array_merge($params, $p2);
1065 if ($args['onlyvisible'] == true) {
1066 $sql .= " AND r.visible = 1";
1069 if ($args['type'] !== null) {
1070 $sql .= " AND r.type = :type";
1071 $params['type'] = $args['type'];
1073 $sql .= " ORDER BY r.sortorder, i.name";
1075 if (!$records = $DB->get_records_sql($sql, $params)) {
1076 $records = array();
1079 $repositories = array();
1080 // Sortorder should be unique, which is not true if we use $record->sortorder
1081 // and there are multiple instances of any repository type
1082 $sortorder = 1;
1083 foreach ($records as $record) {
1084 $cache->set('i:'. $record->id, $record);
1085 if (!file_exists($CFG->dirroot . '/repository/'. $record->repositorytype.'/lib.php')) {
1086 continue;
1088 $repository = self::get_repository_by_id($record->id, $current_context);
1089 $repository->options['sortorder'] = $sortorder++;
1091 $is_supported = true;
1093 // check mimetypes
1094 if ($args['accepted_types'] !== '*' and $repository->supported_filetypes() !== '*') {
1095 $accepted_ext = file_get_typegroup('extension', $args['accepted_types']);
1096 $supported_ext = file_get_typegroup('extension', $repository->supported_filetypes());
1097 $valid_ext = array_intersect($accepted_ext, $supported_ext);
1098 $is_supported = !empty($valid_ext);
1100 // Check return values.
1101 if (!empty($args['return_types']) && !($repository->supported_returntypes() & $args['return_types'])) {
1102 $is_supported = false;
1105 if (!$args['onlyvisible'] || ($repository->is_visible() && !$repository->disabled)) {
1106 // check capability in current context
1107 $capability = has_capability('repository/'.$record->repositorytype.':view', $current_context);
1108 if ($record->repositorytype == 'coursefiles') {
1109 // coursefiles plugin needs managefiles permission
1110 $capability = $capability && has_capability('moodle/course:managefiles', $current_context);
1112 if ($is_supported && $capability) {
1113 $repositories[$repository->id] = $repository;
1117 $cache->set($cachekey, new cacheable_object_array($repositories));
1118 return $repositories;
1122 * Get single repository instance for administrative actions
1124 * Do not use this function to access repository contents, because it
1125 * does not set the current context
1127 * @see repository::get_repository_by_id()
1129 * @static
1130 * @param integer $id repository instance id
1131 * @return repository
1133 public static function get_instance($id) {
1134 return self::get_repository_by_id($id, context_system::instance());
1138 * Call a static function. Any additional arguments than plugin and function will be passed through.
1140 * @static
1141 * @param string $plugin repository plugin name
1142 * @param string $function funciton name
1143 * @return mixed
1145 public static function static_function($plugin, $function) {
1146 global $CFG;
1148 //check that the plugin exists
1149 $typedirectory = $CFG->dirroot . '/repository/'. $plugin . '/lib.php';
1150 if (!file_exists($typedirectory)) {
1151 //throw new repository_exception('invalidplugin', 'repository');
1152 return false;
1155 $pname = null;
1156 if (is_object($plugin) || is_array($plugin)) {
1157 $plugin = (object)$plugin;
1158 $pname = $plugin->name;
1159 } else {
1160 $pname = $plugin;
1163 $args = func_get_args();
1164 if (count($args) <= 2) {
1165 $args = array();
1166 } else {
1167 array_shift($args);
1168 array_shift($args);
1171 require_once($typedirectory);
1172 return call_user_func_array(array('repository_' . $plugin, $function), $args);
1176 * Scan file, throws exception in case of infected file.
1178 * Please note that the scanning engine must be able to access the file,
1179 * permissions of the file are not modified here!
1181 * @static
1182 * @param string $thefile
1183 * @param string $filename name of the file
1184 * @param bool $deleteinfected
1186 public static function antivir_scan_file($thefile, $filename, $deleteinfected) {
1187 global $CFG;
1189 if (!is_readable($thefile)) {
1190 // this should not happen
1191 return;
1194 if (empty($CFG->runclamonupload) or empty($CFG->pathtoclam)) {
1195 // clam not enabled
1196 return;
1199 $CFG->pathtoclam = trim($CFG->pathtoclam);
1201 if (!file_exists($CFG->pathtoclam) or !is_executable($CFG->pathtoclam)) {
1202 // misconfigured clam - use the old notification for now
1203 require("$CFG->libdir/uploadlib.php");
1204 $notice = get_string('clamlost', 'moodle', $CFG->pathtoclam);
1205 clam_message_admins($notice);
1206 return;
1209 $clamparam = ' --stdout ';
1210 // If we are dealing with clamdscan, clamd is likely run as a different user
1211 // that might not have permissions to access your file.
1212 // To make clamdscan work, we use --fdpass parameter that passes the file
1213 // descriptor permissions to clamd, which allows it to scan given file
1214 // irrespective of directory and file permissions.
1215 if (basename($CFG->pathtoclam) == 'clamdscan') {
1216 $clamparam .= '--fdpass ';
1218 // execute test
1219 $cmd = escapeshellcmd($CFG->pathtoclam).$clamparam.escapeshellarg($thefile);
1220 exec($cmd, $output, $return);
1222 if ($return == 0) {
1223 // perfect, no problem found
1224 return;
1226 } else if ($return == 1) {
1227 // infection found
1228 if ($deleteinfected) {
1229 unlink($thefile);
1231 throw new moodle_exception('virusfounduser', 'moodle', '', array('filename'=>$filename));
1233 } else {
1234 //unknown problem
1235 require("$CFG->libdir/uploadlib.php");
1236 $notice = get_string('clamfailed', 'moodle', get_clam_error_code($return));
1237 $notice .= "\n\n". implode("\n", $output);
1238 clam_message_admins($notice);
1239 if ($CFG->clamfailureonupload === 'actlikevirus') {
1240 if ($deleteinfected) {
1241 unlink($thefile);
1243 throw new moodle_exception('virusfounduser', 'moodle', '', array('filename'=>$filename));
1244 } else {
1245 return;
1251 * Repository method to serve the referenced file
1253 * @see send_stored_file
1255 * @param stored_file $storedfile the file that contains the reference
1256 * @param int $lifetime Number of seconds before the file should expire from caches (default 24 hours)
1257 * @param int $filter 0 (default)=no filtering, 1=all files, 2=html files only
1258 * @param bool $forcedownload If true (default false), forces download of file rather than view in browser/plugin
1259 * @param array $options additional options affecting the file serving
1261 public function send_file($storedfile, $lifetime=86400 , $filter=0, $forcedownload=false, array $options = null) {
1262 if ($this->has_moodle_files()) {
1263 $fs = get_file_storage();
1264 $params = file_storage::unpack_reference($storedfile->get_reference(), true);
1265 $srcfile = null;
1266 if (is_array($params)) {
1267 $srcfile = $fs->get_file($params['contextid'], $params['component'], $params['filearea'],
1268 $params['itemid'], $params['filepath'], $params['filename']);
1270 if (empty($options)) {
1271 $options = array();
1273 if (!isset($options['filename'])) {
1274 $options['filename'] = $storedfile->get_filename();
1276 if (!$srcfile) {
1277 send_file_not_found();
1278 } else {
1279 send_stored_file($srcfile, $lifetime, $filter, $forcedownload, $options);
1281 } else {
1282 throw new coding_exception("Repository plugin must implement send_file() method.");
1287 * Return reference file life time
1289 * @param string $ref
1290 * @return int
1292 public function get_reference_file_lifetime($ref) {
1293 // One day
1294 return 60 * 60 * 24;
1298 * Decide whether or not the file should be synced
1300 * @param stored_file $storedfile
1301 * @return bool
1303 public function sync_individual_file(stored_file $storedfile) {
1304 return true;
1308 * Return human readable reference information
1310 * @param string $reference value of DB field files_reference.reference
1311 * @param int $filestatus status of the file, 0 - ok, 666 - source missing
1312 * @return string
1314 public function get_reference_details($reference, $filestatus = 0) {
1315 if ($this->has_moodle_files()) {
1316 $fileinfo = null;
1317 $params = file_storage::unpack_reference($reference, true);
1318 if (is_array($params)) {
1319 $context = context::instance_by_id($params['contextid'], IGNORE_MISSING);
1320 if ($context) {
1321 $browser = get_file_browser();
1322 $fileinfo = $browser->get_file_info($context, $params['component'], $params['filearea'], $params['itemid'], $params['filepath'], $params['filename']);
1325 if (empty($fileinfo)) {
1326 if ($filestatus == 666) {
1327 if (is_siteadmin() || ($context && has_capability('moodle/course:managefiles', $context))) {
1328 return get_string('lostsource', 'repository',
1329 $params['contextid']. '/'. $params['component']. '/'. $params['filearea']. '/'. $params['itemid']. $params['filepath']. $params['filename']);
1330 } else {
1331 return get_string('lostsource', 'repository', '');
1334 return get_string('undisclosedsource', 'repository');
1335 } else {
1336 return $fileinfo->get_readable_fullname();
1339 return '';
1343 * Cache file from external repository by reference
1344 * {@link repository::get_file_reference()}
1345 * {@link repository::get_file()}
1346 * Invoked at MOODLE/repository/repository_ajax.php
1348 * @param string $reference this reference is generated by
1349 * repository::get_file_reference()
1350 * @param stored_file $storedfile created file reference
1352 public function cache_file_by_reference($reference, $storedfile) {
1356 * Returns information about file in this repository by reference
1358 * This function must be implemented for repositories supporting FILE_REFERENCE, it is called
1359 * for existing aliases when the lifetime of the previous syncronisation has expired.
1361 * Returns null if file not found or is not readable or timeout occured during request.
1362 * Note that this function may be run for EACH file that needs to be synchronised at the
1363 * moment. If anything is being downloaded or requested from external sources there
1364 * should be a small timeout. The synchronisation is performed to update the size of
1365 * the file and/or to update image and re-generated image preview. There is nothing
1366 * fatal if syncronisation fails but it is fatal if syncronisation takes too long
1367 * and hangs the script generating a page.
1369 * If get_file_by_reference() returns filesize just the record in {files} table is being updated.
1370 * If filepath, handle or content are returned - the file is also stored in moodle filepool
1371 * (recommended for images to generate the thumbnails). For non-image files it is not
1372 * recommended to download them to moodle during syncronisation since it may take
1373 * unnecessary long time.
1375 * @param stdClass $reference record from DB table {files_reference}
1376 * @return stdClass|null contains one of the following:
1377 * - 'filesize' and optionally 'contenthash'
1378 * - 'filepath'
1379 * - 'handle'
1380 * - 'content'
1382 public function get_file_by_reference($reference) {
1383 if ($this->has_moodle_files() && isset($reference->reference)) {
1384 $fs = get_file_storage();
1385 $params = file_storage::unpack_reference($reference->reference, true);
1386 if (!is_array($params) || !($storedfile = $fs->get_file($params['contextid'],
1387 $params['component'], $params['filearea'], $params['itemid'], $params['filepath'],
1388 $params['filename']))) {
1389 return null;
1391 return (object)array(
1392 'contenthash' => $storedfile->get_contenthash(),
1393 'filesize' => $storedfile->get_filesize()
1396 return null;
1400 * Return the source information
1402 * The result of the function is stored in files.source field. It may be analysed
1403 * when the source file is lost or repository may use it to display human-readable
1404 * location of reference original.
1406 * This method is called when file is picked for the first time only. When file
1407 * (either copy or a reference) is already in moodle and it is being picked
1408 * again to another file area (also as a copy or as a reference), the value of
1409 * files.source is copied.
1411 * @param string $source the value that repository returned in listing as 'source'
1412 * @return string|null
1414 public function get_file_source_info($source) {
1415 if ($this->has_moodle_files()) {
1416 return $this->get_reference_details($source, 0);
1418 return $source;
1422 * Move file from download folder to file pool using FILE API
1424 * @todo MDL-28637
1425 * @static
1426 * @param string $thefile file path in download folder
1427 * @param stdClass $record
1428 * @return array containing the following keys:
1429 * icon
1430 * file
1431 * id
1432 * url
1434 public static function move_to_filepool($thefile, $record) {
1435 global $DB, $CFG, $USER, $OUTPUT;
1437 // scan for viruses if possible, throws exception if problem found
1438 self::antivir_scan_file($thefile, $record->filename, empty($CFG->repository_no_delete)); //TODO: MDL-28637 this repository_no_delete is a bloody hack!
1440 $fs = get_file_storage();
1441 // If file name being used.
1442 if (repository::draftfile_exists($record->itemid, $record->filepath, $record->filename)) {
1443 $draftitemid = $record->itemid;
1444 $new_filename = repository::get_unused_filename($draftitemid, $record->filepath, $record->filename);
1445 $old_filename = $record->filename;
1446 // Create a tmp file.
1447 $record->filename = $new_filename;
1448 $newfile = $fs->create_file_from_pathname($record, $thefile);
1449 $event = array();
1450 $event['event'] = 'fileexists';
1451 $event['newfile'] = new stdClass;
1452 $event['newfile']->filepath = $record->filepath;
1453 $event['newfile']->filename = $new_filename;
1454 $event['newfile']->url = moodle_url::make_draftfile_url($draftitemid, $record->filepath, $new_filename)->out();
1456 $event['existingfile'] = new stdClass;
1457 $event['existingfile']->filepath = $record->filepath;
1458 $event['existingfile']->filename = $old_filename;
1459 $event['existingfile']->url = moodle_url::make_draftfile_url($draftitemid, $record->filepath, $old_filename)->out();
1460 return $event;
1462 if ($file = $fs->create_file_from_pathname($record, $thefile)) {
1463 if (empty($CFG->repository_no_delete)) {
1464 $delete = unlink($thefile);
1465 unset($CFG->repository_no_delete);
1467 return array(
1468 'url'=>moodle_url::make_draftfile_url($file->get_itemid(), $file->get_filepath(), $file->get_filename())->out(),
1469 'id'=>$file->get_itemid(),
1470 'file'=>$file->get_filename(),
1471 'icon' => $OUTPUT->pix_url(file_extension_icon($thefile, 32))->out(),
1473 } else {
1474 return null;
1479 * Builds a tree of files This function is then called recursively.
1481 * @static
1482 * @todo take $search into account, and respect a threshold for dynamic loading
1483 * @param file_info $fileinfo an object returned by file_browser::get_file_info()
1484 * @param string $search searched string
1485 * @param bool $dynamicmode no recursive call is done when in dynamic mode
1486 * @param array $list the array containing the files under the passed $fileinfo
1487 * @return int the number of files found
1489 public static function build_tree($fileinfo, $search, $dynamicmode, &$list) {
1490 global $CFG, $OUTPUT;
1492 $filecount = 0;
1493 $children = $fileinfo->get_children();
1495 foreach ($children as $child) {
1496 $filename = $child->get_visible_name();
1497 $filesize = $child->get_filesize();
1498 $filesize = $filesize ? display_size($filesize) : '';
1499 $filedate = $child->get_timemodified();
1500 $filedate = $filedate ? userdate($filedate) : '';
1501 $filetype = $child->get_mimetype();
1503 if ($child->is_directory()) {
1504 $path = array();
1505 $level = $child->get_parent();
1506 while ($level) {
1507 $params = $level->get_params();
1508 $path[] = array($params['filepath'], $level->get_visible_name());
1509 $level = $level->get_parent();
1512 $tmp = array(
1513 'title' => $child->get_visible_name(),
1514 'size' => 0,
1515 'date' => $filedate,
1516 'path' => array_reverse($path),
1517 'thumbnail' => $OUTPUT->pix_url(file_folder_icon(90))->out(false)
1520 //if ($dynamicmode && $child->is_writable()) {
1521 // $tmp['children'] = array();
1522 //} else {
1523 // if folder name matches search, we send back all files contained.
1524 $_search = $search;
1525 if ($search && stristr($tmp['title'], $search) !== false) {
1526 $_search = false;
1528 $tmp['children'] = array();
1529 $_filecount = repository::build_tree($child, $_search, $dynamicmode, $tmp['children']);
1530 if ($search && $_filecount) {
1531 $tmp['expanded'] = 1;
1536 if (!$search || $_filecount || (stristr($tmp['title'], $search) !== false)) {
1537 $filecount += $_filecount;
1538 $list[] = $tmp;
1541 } else { // not a directory
1542 // skip the file, if we're in search mode and it's not a match
1543 if ($search && (stristr($filename, $search) === false)) {
1544 continue;
1546 $params = $child->get_params();
1547 $source = serialize(array($params['contextid'], $params['component'], $params['filearea'], $params['itemid'], $params['filepath'], $params['filename']));
1548 $list[] = array(
1549 'title' => $filename,
1550 'size' => $filesize,
1551 'date' => $filedate,
1552 //'source' => $child->get_url(),
1553 'source' => base64_encode($source),
1554 'icon'=>$OUTPUT->pix_url(file_file_icon($child, 24))->out(false),
1555 'thumbnail'=>$OUTPUT->pix_url(file_file_icon($child, 90))->out(false),
1557 $filecount++;
1561 return $filecount;
1565 * Display a repository instance list (with edit/delete/create links)
1567 * @static
1568 * @param stdClass $context the context for which we display the instance
1569 * @param string $typename if set, we display only one type of instance
1571 public static function display_instances_list($context, $typename = null) {
1572 global $CFG, $USER, $OUTPUT;
1574 $output = $OUTPUT->box_start('generalbox');
1575 //if the context is SYSTEM, so we call it from administration page
1576 $admin = ($context->id == SYSCONTEXTID) ? true : false;
1577 if ($admin) {
1578 $baseurl = new moodle_url('/'.$CFG->admin.'/repositoryinstance.php', array('sesskey'=>sesskey()));
1579 $output .= $OUTPUT->heading(get_string('siteinstances', 'repository'));
1580 } else {
1581 $baseurl = new moodle_url('/repository/manage_instances.php', array('contextid'=>$context->id, 'sesskey'=>sesskey()));
1584 $namestr = get_string('name');
1585 $pluginstr = get_string('plugin', 'repository');
1586 $settingsstr = get_string('settings');
1587 $deletestr = get_string('delete');
1588 // Retrieve list of instances. In administration context we want to display all
1589 // instances of a type, even if this type is not visible. In course/user context we
1590 // want to display only visible instances, but for every type types. The repository::get_instances()
1591 // third parameter displays only visible type.
1592 $params = array();
1593 $params['context'] = array($context);
1594 $params['currentcontext'] = $context;
1595 $params['return_types'] = 0;
1596 $params['onlyvisible'] = !$admin;
1597 $params['type'] = $typename;
1598 $instances = repository::get_instances($params);
1599 $instancesnumber = count($instances);
1600 $alreadyplugins = array();
1602 $table = new html_table();
1603 $table->head = array($namestr, $pluginstr, $settingsstr, $deletestr);
1604 $table->align = array('left', 'left', 'center','center');
1605 $table->data = array();
1607 $updowncount = 1;
1609 foreach ($instances as $i) {
1610 $settings = '';
1611 $delete = '';
1613 $type = repository::get_type_by_id($i->options['typeid']);
1615 if ($type->get_contextvisibility($context)) {
1616 if (!$i->readonly) {
1618 $settingurl = new moodle_url($baseurl);
1619 $settingurl->param('type', $i->options['type']);
1620 $settingurl->param('edit', $i->id);
1621 $settings .= html_writer::link($settingurl, $settingsstr);
1623 $deleteurl = new moodle_url($baseurl);
1624 $deleteurl->param('delete', $i->id);
1625 $deleteurl->param('type', $i->options['type']);
1626 $delete .= html_writer::link($deleteurl, $deletestr);
1630 $type = repository::get_type_by_id($i->options['typeid']);
1631 $table->data[] = array(format_string($i->name), $type->get_readablename(), $settings, $delete);
1633 //display a grey row if the type is defined as not visible
1634 if (isset($type) && !$type->get_visible()) {
1635 $table->rowclasses[] = 'dimmed_text';
1636 } else {
1637 $table->rowclasses[] = '';
1640 if (!in_array($i->name, $alreadyplugins)) {
1641 $alreadyplugins[] = $i->name;
1644 $output .= html_writer::table($table);
1645 $instancehtml = '<div>';
1646 $addable = 0;
1648 //if no type is set, we can create all type of instance
1649 if (!$typename) {
1650 $instancehtml .= '<h3>';
1651 $instancehtml .= get_string('createrepository', 'repository');
1652 $instancehtml .= '</h3><ul>';
1653 $types = repository::get_editable_types($context);
1654 foreach ($types as $type) {
1655 if (!empty($type) && $type->get_visible()) {
1656 // If the user does not have the permission to view the repository, it won't be displayed in
1657 // the list of instances. Hiding the link to create new instances will prevent the
1658 // user from creating them without being able to find them afterwards, which looks like a bug.
1659 if (!has_capability('repository/'.$type->get_typename().':view', $context)) {
1660 continue;
1662 $instanceoptionnames = repository::static_function($type->get_typename(), 'get_instance_option_names');
1663 if (!empty($instanceoptionnames)) {
1664 $baseurl->param('new', $type->get_typename());
1665 $instancehtml .= '<li><a href="'.$baseurl->out().'">'.get_string('createxxinstance', 'repository', get_string('pluginname', 'repository_'.$type->get_typename())). '</a></li>';
1666 $baseurl->remove_params('new');
1667 $addable++;
1671 $instancehtml .= '</ul>';
1673 } else {
1674 $instanceoptionnames = repository::static_function($typename, 'get_instance_option_names');
1675 if (!empty($instanceoptionnames)) { //create a unique type of instance
1676 $addable = 1;
1677 $baseurl->param('new', $typename);
1678 $output .= $OUTPUT->single_button($baseurl, get_string('createinstance', 'repository'), 'get');
1679 $baseurl->remove_params('new');
1683 if ($addable) {
1684 $instancehtml .= '</div>';
1685 $output .= $instancehtml;
1688 $output .= $OUTPUT->box_end();
1690 //print the list + creation links
1691 print($output);
1695 * Prepare file reference information
1697 * @param string $source
1698 * @return string file referece
1700 public function get_file_reference($source) {
1701 if ($this->has_moodle_files() && ($this->supported_returntypes() & FILE_REFERENCE)) {
1702 $params = file_storage::unpack_reference($source);
1703 if (!is_array($params)) {
1704 throw new repository_exception('invalidparams', 'repository');
1706 return file_storage::pack_reference($params);
1708 return $source;
1712 * Decide where to save the file, can be overwriten by subclass
1714 * @param string $filename file name
1715 * @return file path
1717 public function prepare_file($filename) {
1718 global $CFG;
1719 $dir = make_temp_directory('download/'.get_class($this).'/');
1720 while (empty($filename) || file_exists($dir.$filename)) {
1721 $filename = uniqid('', true).'_'.time().'.tmp';
1723 return $dir.$filename;
1727 * Does this repository used to browse moodle files?
1729 * @return bool
1731 public function has_moodle_files() {
1732 return false;
1736 * Return file URL, for most plugins, the parameter is the original
1737 * url, but some plugins use a file id, so we need this function to
1738 * convert file id to original url.
1740 * @param string $url the url of file
1741 * @return string
1743 public function get_link($url) {
1744 return $url;
1748 * Downloads a file from external repository and saves it in temp dir
1750 * Function get_file() must be implemented by repositories that support returntypes
1751 * FILE_INTERNAL or FILE_REFERENCE. It is invoked to pick up the file and copy it
1752 * to moodle. This function is not called for moodle repositories, the function
1753 * {@link repository::copy_to_area()} is used instead.
1755 * This function can be overridden by subclass if the files.reference field contains
1756 * not just URL or if request should be done differently.
1758 * @see curl
1759 * @throws file_exception when error occured
1761 * @param string $url the content of files.reference field, in this implementaion
1762 * it is asssumed that it contains the string with URL of the file
1763 * @param string $filename filename (without path) to save the downloaded file in the
1764 * temporary directory, if omitted or file already exists the new filename will be generated
1765 * @return array with elements:
1766 * path: internal location of the file
1767 * url: URL to the source (from parameters)
1769 public function get_file($url, $filename = '') {
1770 $path = $this->prepare_file($filename);
1771 $c = new curl;
1772 $result = $c->download_one($url, null, array('filepath' => $path, 'timeout' => self::GETFILE_TIMEOUT));
1773 if ($result !== true) {
1774 throw new moodle_exception('errorwhiledownload', 'repository', '', $result);
1776 return array('path'=>$path, 'url'=>$url);
1780 * Downloads the file from external repository and saves it in moodle filepool.
1781 * This function is different from {@link repository::sync_external_file()} because it has
1782 * bigger request timeout and always downloads the content.
1784 * This function is invoked when we try to unlink the file from the source and convert
1785 * a reference into a true copy.
1787 * @throws exception when file could not be imported
1789 * @param stored_file $file
1790 * @param int $maxbytes throw an exception if file size is bigger than $maxbytes (0 means no limit)
1792 public function import_external_file_contents(stored_file $file, $maxbytes = 0) {
1793 if (!$file->is_external_file()) {
1794 // nothing to import if the file is not a reference
1795 return;
1796 } else if ($file->get_repository_id() != $this->id) {
1797 // error
1798 debugging('Repository instance id does not match');
1799 return;
1800 } else if ($this->has_moodle_files()) {
1801 // files that are references to local files are already in moodle filepool
1802 // just validate the size
1803 if ($maxbytes > 0 && $file->get_filesize() > $maxbytes) {
1804 throw new file_exception('maxbytes');
1806 return;
1807 } else {
1808 if ($maxbytes > 0 && $file->get_filesize() > $maxbytes) {
1809 // note that stored_file::get_filesize() also calls synchronisation
1810 throw new file_exception('maxbytes');
1812 $fs = get_file_storage();
1813 $contentexists = $fs->content_exists($file->get_contenthash());
1814 if ($contentexists && $file->get_filesize() && $file->get_contenthash() === sha1('')) {
1815 // even when 'file_storage::content_exists()' returns true this may be an empty
1816 // content for the file that was not actually downloaded
1817 $contentexists = false;
1819 $now = time();
1820 if ($file->get_referencelastsync() + $file->get_referencelifetime() >= $now &&
1821 !$file->get_status() &&
1822 $contentexists) {
1823 // we already have the content in moodle filepool and it was synchronised recently.
1824 // Repositories may overwrite it if they want to force synchronisation anyway!
1825 return;
1826 } else {
1827 // attempt to get a file
1828 try {
1829 $fileinfo = $this->get_file($file->get_reference());
1830 if (isset($fileinfo['path'])) {
1831 list($contenthash, $filesize, $newfile) = $fs->add_file_to_pool($fileinfo['path']);
1832 // set this file and other similar aliases synchronised
1833 $lifetime = $this->get_reference_file_lifetime($file->get_reference());
1834 $file->set_synchronized($contenthash, $filesize, 0, $lifetime);
1835 } else {
1836 throw new moodle_exception('errorwhiledownload', 'repository', '', '');
1838 } catch (Exception $e) {
1839 if ($contentexists) {
1840 // better something than nothing. We have a copy of file. It's sync time
1841 // has expired but it is still very likely that it is the last version
1842 } else {
1843 throw($e);
1851 * Return size of a file in bytes.
1853 * @param string $source encoded and serialized data of file
1854 * @return int file size in bytes
1856 public function get_file_size($source) {
1857 // TODO MDL-33297 remove this function completely?
1858 $browser = get_file_browser();
1859 $params = unserialize(base64_decode($source));
1860 $contextid = clean_param($params['contextid'], PARAM_INT);
1861 $fileitemid = clean_param($params['itemid'], PARAM_INT);
1862 $filename = clean_param($params['filename'], PARAM_FILE);
1863 $filepath = clean_param($params['filepath'], PARAM_PATH);
1864 $filearea = clean_param($params['filearea'], PARAM_AREA);
1865 $component = clean_param($params['component'], PARAM_COMPONENT);
1866 $context = context::instance_by_id($contextid);
1867 $file_info = $browser->get_file_info($context, $component, $filearea, $fileitemid, $filepath, $filename);
1868 if (!empty($file_info)) {
1869 $filesize = $file_info->get_filesize();
1870 } else {
1871 $filesize = null;
1873 return $filesize;
1877 * Return is the instance is visible
1878 * (is the type visible ? is the context enable ?)
1880 * @return bool
1882 public function is_visible() {
1883 $type = repository::get_type_by_id($this->options['typeid']);
1884 $instanceoptions = repository::static_function($type->get_typename(), 'get_instance_option_names');
1886 if ($type->get_visible()) {
1887 //if the instance is unique so it's visible, otherwise check if the instance has a enabled context
1888 if (empty($instanceoptions) || $type->get_contextvisibility(context::instance_by_id($this->instance->contextid))) {
1889 return true;
1893 return false;
1897 * Can the instance be edited by the current user?
1899 * The property $readonly must not be used within this method because
1900 * it only controls if the options from self::get_instance_option_names()
1901 * can be edited.
1903 * @return bool true if the user can edit the instance.
1904 * @since 2.5
1906 public final function can_be_edited_by_user() {
1907 global $USER;
1909 // We need to be able to explore the repository.
1910 try {
1911 $this->check_capability();
1912 } catch (repository_exception $e) {
1913 return false;
1916 $repocontext = context::instance_by_id($this->instance->contextid);
1917 if ($repocontext->contextlevel == CONTEXT_USER && $repocontext->instanceid != $USER->id) {
1918 // If the context of this instance is a user context, we need to be this user.
1919 return false;
1920 } else if ($repocontext->contextlevel == CONTEXT_MODULE && !has_capability('moodle/course:update', $repocontext)) {
1921 // We need to have permissions on the course to edit the instance.
1922 return false;
1923 } else if ($repocontext->contextlevel == CONTEXT_SYSTEM && !has_capability('moodle/site:config', $repocontext)) {
1924 // Do not meet the requirements for the context system.
1925 return false;
1928 return true;
1932 * Return the name of this instance, can be overridden.
1934 * @return string
1936 public function get_name() {
1937 if ($name = $this->instance->name) {
1938 return $name;
1939 } else {
1940 return get_string('pluginname', 'repository_' . $this->get_typename());
1945 * Is this repository accessing private data?
1947 * This function should return true for the repositories which access external private
1948 * data from a user. This is the case for repositories such as Dropbox, Google Docs or Box.net
1949 * which authenticate the user and then store the auth token.
1951 * Of course, many repositories store 'private data', but we only want to set
1952 * contains_private_data() to repositories which are external to Moodle and shouldn't be accessed
1953 * to by the users having the capability to 'login as' someone else. For instance, the repository
1954 * 'Private files' is not considered as private because it's part of Moodle.
1956 * You should not set contains_private_data() to true on repositories which allow different types
1957 * of instances as the levels other than 'user' are, by definition, not private. Also
1958 * the user instances will be protected when they need to.
1960 * @return boolean True when the repository accesses private external data.
1961 * @since 2.5
1963 public function contains_private_data() {
1964 return true;
1968 * What kind of files will be in this repository?
1970 * @return array return '*' means this repository support any files, otherwise
1971 * return mimetypes of files, it can be an array
1973 public function supported_filetypes() {
1974 // return array('text/plain', 'image/gif');
1975 return '*';
1979 * Tells how the file can be picked from this repository
1981 * Maximum value is FILE_INTERNAL | FILE_EXTERNAL | FILE_REFERENCE
1983 * @return int
1985 public function supported_returntypes() {
1986 return (FILE_INTERNAL | FILE_EXTERNAL);
1990 * Provide repository instance information for Ajax
1992 * @return stdClass
1994 final public function get_meta() {
1995 global $CFG, $OUTPUT;
1996 $meta = new stdClass();
1997 $meta->id = $this->id;
1998 $meta->name = format_string($this->get_name());
1999 $meta->type = $this->get_typename();
2000 $meta->icon = $OUTPUT->pix_url('icon', 'repository_'.$meta->type)->out(false);
2001 $meta->supported_types = file_get_typegroup('extension', $this->supported_filetypes());
2002 $meta->return_types = $this->supported_returntypes();
2003 $meta->sortorder = $this->options['sortorder'];
2004 return $meta;
2008 * Create an instance for this plug-in
2010 * @static
2011 * @param string $type the type of the repository
2012 * @param int $userid the user id
2013 * @param stdClass $context the context
2014 * @param array $params the options for this instance
2015 * @param int $readonly whether to create it readonly or not (defaults to not)
2016 * @return mixed
2018 public static function create($type, $userid, $context, $params, $readonly=0) {
2019 global $CFG, $DB;
2020 $params = (array)$params;
2021 require_once($CFG->dirroot . '/repository/'. $type . '/lib.php');
2022 $classname = 'repository_' . $type;
2023 if ($repo = $DB->get_record('repository', array('type'=>$type))) {
2024 $record = new stdClass();
2025 $record->name = $params['name'];
2026 $record->typeid = $repo->id;
2027 $record->timecreated = time();
2028 $record->timemodified = time();
2029 $record->contextid = $context->id;
2030 $record->readonly = $readonly;
2031 $record->userid = $userid;
2032 $id = $DB->insert_record('repository_instances', $record);
2033 cache::make('core', 'repositories')->purge();
2034 $options = array();
2035 $configs = call_user_func($classname . '::get_instance_option_names');
2036 if (!empty($configs)) {
2037 foreach ($configs as $config) {
2038 if (isset($params[$config])) {
2039 $options[$config] = $params[$config];
2040 } else {
2041 $options[$config] = null;
2046 if (!empty($id)) {
2047 unset($options['name']);
2048 $instance = repository::get_instance($id);
2049 $instance->set_option($options);
2050 return $id;
2051 } else {
2052 return null;
2054 } else {
2055 return null;
2060 * delete a repository instance
2062 * @param bool $downloadcontents
2063 * @return bool
2065 final public function delete($downloadcontents = false) {
2066 global $DB;
2067 if ($downloadcontents) {
2068 $this->convert_references_to_local();
2070 cache::make('core', 'repositories')->purge();
2071 try {
2072 $DB->delete_records('repository_instances', array('id'=>$this->id));
2073 $DB->delete_records('repository_instance_config', array('instanceid'=>$this->id));
2074 } catch (dml_exception $ex) {
2075 return false;
2077 return true;
2081 * Delete all the instances associated to a context.
2083 * This method is intended to be a callback when deleting
2084 * a course or a user to delete all the instances associated
2085 * to their context. The usual way to delete a single instance
2086 * is to use {@link self::delete()}.
2088 * @param int $contextid context ID.
2089 * @param boolean $downloadcontents true to convert references to hard copies.
2090 * @return void
2092 final public static function delete_all_for_context($contextid, $downloadcontents = true) {
2093 global $DB;
2094 $repoids = $DB->get_fieldset_select('repository_instances', 'id', 'contextid = :contextid', array('contextid' => $contextid));
2095 if ($downloadcontents) {
2096 foreach ($repoids as $repoid) {
2097 $repo = repository::get_repository_by_id($repoid, $contextid);
2098 $repo->convert_references_to_local();
2101 cache::make('core', 'repositories')->purge();
2102 $DB->delete_records_list('repository_instances', 'id', $repoids);
2103 $DB->delete_records_list('repository_instance_config', 'instanceid', $repoids);
2107 * Hide/Show a repository
2109 * @param string $hide
2110 * @return bool
2112 final public function hide($hide = 'toggle') {
2113 global $DB;
2114 if ($entry = $DB->get_record('repository', array('id'=>$this->id))) {
2115 if ($hide === 'toggle' ) {
2116 if (!empty($entry->visible)) {
2117 $entry->visible = 0;
2118 } else {
2119 $entry->visible = 1;
2121 } else {
2122 if (!empty($hide)) {
2123 $entry->visible = 0;
2124 } else {
2125 $entry->visible = 1;
2128 return $DB->update_record('repository', $entry);
2130 return false;
2134 * Save settings for repository instance
2135 * $repo->set_option(array('api_key'=>'f2188bde132', 'name'=>'dongsheng'));
2137 * @param array $options settings
2138 * @return bool
2140 public function set_option($options = array()) {
2141 global $DB;
2143 if (!empty($options['name'])) {
2144 $r = new stdClass();
2145 $r->id = $this->id;
2146 $r->name = $options['name'];
2147 $DB->update_record('repository_instances', $r);
2148 unset($options['name']);
2150 foreach ($options as $name=>$value) {
2151 if ($id = $DB->get_field('repository_instance_config', 'id', array('name'=>$name, 'instanceid'=>$this->id))) {
2152 $DB->set_field('repository_instance_config', 'value', $value, array('id'=>$id));
2153 } else {
2154 $config = new stdClass();
2155 $config->instanceid = $this->id;
2156 $config->name = $name;
2157 $config->value = $value;
2158 $DB->insert_record('repository_instance_config', $config);
2161 cache::make('core', 'repositories')->purge();
2162 return true;
2166 * Get settings for repository instance
2168 * @param string $config
2169 * @return array Settings
2171 public function get_option($config = '') {
2172 global $DB;
2173 $cache = cache::make('core', 'repositories');
2174 if (($entries = $cache->get('ops:'. $this->id)) === false) {
2175 $entries = $DB->get_records('repository_instance_config', array('instanceid' => $this->id));
2176 $cache->set('ops:'. $this->id, $entries);
2178 $ret = array();
2179 if (empty($entries)) {
2180 return $ret;
2182 foreach($entries as $entry) {
2183 $ret[$entry->name] = $entry->value;
2185 if (!empty($config)) {
2186 if (isset($ret[$config])) {
2187 return $ret[$config];
2188 } else {
2189 return null;
2191 } else {
2192 return $ret;
2197 * Filter file listing to display specific types
2199 * @param array $value
2200 * @return bool
2202 public function filter(&$value) {
2203 $accepted_types = optional_param_array('accepted_types', '', PARAM_RAW);
2204 if (isset($value['children'])) {
2205 if (!empty($value['children'])) {
2206 $value['children'] = array_filter($value['children'], array($this, 'filter'));
2208 return true; // always return directories
2209 } else {
2210 if ($accepted_types == '*' or empty($accepted_types)
2211 or (is_array($accepted_types) and in_array('*', $accepted_types))) {
2212 return true;
2213 } else {
2214 foreach ($accepted_types as $ext) {
2215 if (preg_match('#'.$ext.'$#i', $value['title'])) {
2216 return true;
2221 return false;
2225 * Given a path, and perhaps a search, get a list of files.
2227 * See details on {@link http://docs.moodle.org/dev/Repository_plugins}
2229 * @param string $path this parameter can a folder name, or a identification of folder
2230 * @param string $page the page number of file list
2231 * @return array the list of files, including meta infomation, containing the following keys
2232 * manage, url to manage url
2233 * client_id
2234 * login, login form
2235 * repo_id, active repository id
2236 * login_btn_action, the login button action
2237 * login_btn_label, the login button label
2238 * total, number of results
2239 * perpage, items per page
2240 * page
2241 * pages, total pages
2242 * issearchresult, is it a search result?
2243 * list, file list
2244 * path, current path and parent path
2246 public function get_listing($path = '', $page = '') {
2251 * Prepare the breadcrumb.
2253 * @param array $breadcrumb contains each element of the breadcrumb.
2254 * @return array of breadcrumb elements.
2255 * @since 2.3.3
2257 protected static function prepare_breadcrumb($breadcrumb) {
2258 global $OUTPUT;
2259 $foldericon = $OUTPUT->pix_url(file_folder_icon(24))->out(false);
2260 $len = count($breadcrumb);
2261 for ($i = 0; $i < $len; $i++) {
2262 if (is_array($breadcrumb[$i]) && !isset($breadcrumb[$i]['icon'])) {
2263 $breadcrumb[$i]['icon'] = $foldericon;
2264 } else if (is_object($breadcrumb[$i]) && !isset($breadcrumb[$i]->icon)) {
2265 $breadcrumb[$i]->icon = $foldericon;
2268 return $breadcrumb;
2272 * Prepare the file/folder listing.
2274 * @param array $list of files and folders.
2275 * @return array of files and folders.
2276 * @since 2.3.3
2278 protected static function prepare_list($list) {
2279 global $OUTPUT;
2280 $foldericon = $OUTPUT->pix_url(file_folder_icon(24))->out(false);
2282 // Reset the array keys because non-numeric keys will create an object when converted to JSON.
2283 $list = array_values($list);
2285 $len = count($list);
2286 for ($i = 0; $i < $len; $i++) {
2287 if (is_object($list[$i])) {
2288 $file = (array)$list[$i];
2289 $converttoobject = true;
2290 } else {
2291 $file =& $list[$i];
2292 $converttoobject = false;
2294 if (isset($file['size'])) {
2295 $file['size'] = (int)$file['size'];
2296 $file['size_f'] = display_size($file['size']);
2298 if (isset($file['license']) && get_string_manager()->string_exists($file['license'], 'license')) {
2299 $file['license_f'] = get_string($file['license'], 'license');
2301 if (isset($file['image_width']) && isset($file['image_height'])) {
2302 $a = array('width' => $file['image_width'], 'height' => $file['image_height']);
2303 $file['dimensions'] = get_string('imagesize', 'repository', (object)$a);
2305 foreach (array('date', 'datemodified', 'datecreated') as $key) {
2306 if (!isset($file[$key]) && isset($file['date'])) {
2307 $file[$key] = $file['date'];
2309 if (isset($file[$key])) {
2310 // must be UNIX timestamp
2311 $file[$key] = (int)$file[$key];
2312 if (!$file[$key]) {
2313 unset($file[$key]);
2314 } else {
2315 $file[$key.'_f'] = userdate($file[$key], get_string('strftimedatetime', 'langconfig'));
2316 $file[$key.'_f_s'] = userdate($file[$key], get_string('strftimedatetimeshort', 'langconfig'));
2320 $isfolder = (array_key_exists('children', $file) || (isset($file['type']) && $file['type'] == 'folder'));
2321 $filename = null;
2322 if (isset($file['title'])) {
2323 $filename = $file['title'];
2325 else if (isset($file['fullname'])) {
2326 $filename = $file['fullname'];
2328 if (!isset($file['mimetype']) && !$isfolder && $filename) {
2329 $file['mimetype'] = get_mimetype_description(array('filename' => $filename));
2331 if (!isset($file['icon'])) {
2332 if ($isfolder) {
2333 $file['icon'] = $foldericon;
2334 } else if ($filename) {
2335 $file['icon'] = $OUTPUT->pix_url(file_extension_icon($filename, 24))->out(false);
2339 // Recursively loop over children.
2340 if (isset($file['children'])) {
2341 $file['children'] = self::prepare_list($file['children']);
2344 // Convert the array back to an object.
2345 if ($converttoobject) {
2346 $list[$i] = (object)$file;
2349 return $list;
2353 * Prepares list of files before passing it to AJAX, makes sure data is in the correct
2354 * format and stores formatted values.
2356 * @param array|stdClass $listing result of get_listing() or search() or file_get_drafarea_files()
2357 * @return array
2359 public static function prepare_listing($listing) {
2360 $wasobject = false;
2361 if (is_object($listing)) {
2362 $listing = (array) $listing;
2363 $wasobject = true;
2366 // Prepare the breadcrumb, passed as 'path'.
2367 if (isset($listing['path']) && is_array($listing['path'])) {
2368 $listing['path'] = self::prepare_breadcrumb($listing['path']);
2371 // Prepare the listing of objects.
2372 if (isset($listing['list']) && is_array($listing['list'])) {
2373 $listing['list'] = self::prepare_list($listing['list']);
2376 // Convert back to an object.
2377 if ($wasobject) {
2378 $listing = (object) $listing;
2380 return $listing;
2384 * Search files in repository
2385 * When doing global search, $search_text will be used as
2386 * keyword.
2388 * @param string $search_text search key word
2389 * @param int $page page
2390 * @return mixed see {@link repository::get_listing()}
2392 public function search($search_text, $page = 0) {
2393 $list = array();
2394 $list['list'] = array();
2395 return false;
2399 * Logout from repository instance
2400 * By default, this function will return a login form
2402 * @return string
2404 public function logout(){
2405 return $this->print_login();
2409 * To check whether the user is logged in.
2411 * @return bool
2413 public function check_login(){
2414 return true;
2419 * Show the login screen, if required
2421 * @return string
2423 public function print_login(){
2424 return $this->get_listing();
2428 * Show the search screen, if required
2430 * @return string
2432 public function print_search() {
2433 global $PAGE;
2434 $renderer = $PAGE->get_renderer('core', 'files');
2435 return $renderer->repository_default_searchform();
2439 * For oauth like external authentication, when external repository direct user back to moodle,
2440 * this funciton will be called to set up token and token_secret
2442 public function callback() {
2446 * is it possible to do glboal search?
2448 * @return bool
2450 public function global_search() {
2451 return false;
2455 * Defines operations that happen occasionally on cron
2457 * @return bool
2459 public function cron() {
2460 return true;
2464 * function which is run when the type is created (moodle administrator add the plugin)
2466 * @return bool success or fail?
2468 public static function plugin_init() {
2469 return true;
2473 * Edit/Create Admin Settings Moodle form
2475 * @param moodleform $mform Moodle form (passed by reference)
2476 * @param string $classname repository class name
2478 public static function type_config_form($mform, $classname = 'repository') {
2479 $instnaceoptions = call_user_func(array($classname, 'get_instance_option_names'), $mform, $classname);
2480 if (empty($instnaceoptions)) {
2481 // this plugin has only one instance
2482 // so we need to give it a name
2483 // it can be empty, then moodle will look for instance name from language string
2484 $mform->addElement('text', 'pluginname', get_string('pluginname', 'repository'), array('size' => '40'));
2485 $mform->addElement('static', 'pluginnamehelp', '', get_string('pluginnamehelp', 'repository'));
2486 $mform->setType('pluginname', PARAM_TEXT);
2491 * Validate Admin Settings Moodle form
2493 * @static
2494 * @param moodleform $mform Moodle form (passed by reference)
2495 * @param array $data array of ("fieldname"=>value) of submitted data
2496 * @param array $errors array of ("fieldname"=>errormessage) of errors
2497 * @return array array of errors
2499 public static function type_form_validation($mform, $data, $errors) {
2500 return $errors;
2505 * Edit/Create Instance Settings Moodle form
2507 * @param moodleform $mform Moodle form (passed by reference)
2509 public static function instance_config_form($mform) {
2513 * Return names of the general options.
2514 * By default: no general option name
2516 * @return array
2518 public static function get_type_option_names() {
2519 return array('pluginname');
2523 * Return names of the instance options.
2524 * By default: no instance option name
2526 * @return array
2528 public static function get_instance_option_names() {
2529 return array();
2533 * Validate repository plugin instance form
2535 * @param moodleform $mform moodle form
2536 * @param array $data form data
2537 * @param array $errors errors
2538 * @return array errors
2540 public static function instance_form_validation($mform, $data, $errors) {
2541 return $errors;
2545 * Create a shorten filename
2547 * @param string $str filename
2548 * @param int $maxlength max file name length
2549 * @return string short filename
2551 public function get_short_filename($str, $maxlength) {
2552 if (textlib::strlen($str) >= $maxlength) {
2553 return trim(textlib::substr($str, 0, $maxlength)).'...';
2554 } else {
2555 return $str;
2560 * Overwrite an existing file
2562 * @param int $itemid
2563 * @param string $filepath
2564 * @param string $filename
2565 * @param string $newfilepath
2566 * @param string $newfilename
2567 * @return bool
2569 public static function overwrite_existing_draftfile($itemid, $filepath, $filename, $newfilepath, $newfilename) {
2570 global $USER;
2571 $fs = get_file_storage();
2572 $user_context = context_user::instance($USER->id);
2573 if ($file = $fs->get_file($user_context->id, 'user', 'draft', $itemid, $filepath, $filename)) {
2574 if ($tempfile = $fs->get_file($user_context->id, 'user', 'draft', $itemid, $newfilepath, $newfilename)) {
2575 // Remember original file source field.
2576 $source = @unserialize($file->get_source());
2577 if ($tempfile->is_external_file()) {
2578 // New file is a reference. Check that existing file does not have any other files referencing to it
2579 if (isset($source->original) && $fs->search_references_count($source->original)) {
2580 return (object)array('error' => get_string('errordoublereference', 'repository'));
2583 // delete existing file to release filename
2584 $file->delete();
2585 // create new file
2586 $newfile = $fs->create_file_from_storedfile(array('filepath'=>$filepath, 'filename'=>$filename), $tempfile);
2587 // Preserve original file location (stored in source field) for handling references
2588 if (isset($source->original)) {
2589 if (!($newfilesource = @unserialize($newfile->get_source()))) {
2590 $newfilesource = new stdClass();
2592 $newfilesource->original = $source->original;
2593 $newfile->set_source(serialize($newfilesource));
2595 // remove temp file
2596 $tempfile->delete();
2597 return true;
2600 return false;
2604 * Updates a file in draft filearea.
2606 * This function can only update fields filepath, filename, author, license.
2607 * If anything (except filepath) is updated, timemodified is set to current time.
2608 * If filename or filepath is updated the file unconnects from it's origin
2609 * and therefore all references to it will be converted to copies when
2610 * filearea is saved.
2612 * @param int $draftid
2613 * @param string $filepath path to the directory containing the file, or full path in case of directory
2614 * @param string $filename name of the file, or '.' in case of directory
2615 * @param array $updatedata array of fields to change (only filename, filepath, license and/or author can be updated)
2616 * @throws moodle_exception if for any reason file can not be updated (file does not exist, target already exists, etc.)
2618 public static function update_draftfile($draftid, $filepath, $filename, $updatedata) {
2619 global $USER;
2620 $fs = get_file_storage();
2621 $usercontext = context_user::instance($USER->id);
2622 // make sure filename and filepath are present in $updatedata
2623 $updatedata = $updatedata + array('filepath' => $filepath, 'filename' => $filename);
2624 $filemodified = false;
2625 if (!$file = $fs->get_file($usercontext->id, 'user', 'draft', $draftid, $filepath, $filename)) {
2626 if ($filename === '.') {
2627 throw new moodle_exception('foldernotfound', 'repository');
2628 } else {
2629 throw new moodle_exception('filenotfound', 'error');
2632 if (!$file->is_directory()) {
2633 // This is a file
2634 if ($updatedata['filepath'] !== $filepath || $updatedata['filename'] !== $filename) {
2635 // Rename/move file: check that target file name does not exist.
2636 if ($fs->file_exists($usercontext->id, 'user', 'draft', $draftid, $updatedata['filepath'], $updatedata['filename'])) {
2637 throw new moodle_exception('fileexists', 'repository');
2639 if (($filesource = @unserialize($file->get_source())) && isset($filesource->original)) {
2640 unset($filesource->original);
2641 $file->set_source(serialize($filesource));
2643 $file->rename($updatedata['filepath'], $updatedata['filename']);
2644 // timemodified is updated only when file is renamed and not updated when file is moved.
2645 $filemodified = $filemodified || ($updatedata['filename'] !== $filename);
2647 if (array_key_exists('license', $updatedata) && $updatedata['license'] !== $file->get_license()) {
2648 // Update license and timemodified.
2649 $file->set_license($updatedata['license']);
2650 $filemodified = true;
2652 if (array_key_exists('author', $updatedata) && $updatedata['author'] !== $file->get_author()) {
2653 // Update author and timemodified.
2654 $file->set_author($updatedata['author']);
2655 $filemodified = true;
2657 // Update timemodified:
2658 if ($filemodified) {
2659 $file->set_timemodified(time());
2661 } else {
2662 // This is a directory - only filepath can be updated for a directory (it was moved).
2663 if ($updatedata['filepath'] === $filepath) {
2664 // nothing to update
2665 return;
2667 if ($fs->file_exists($usercontext->id, 'user', 'draft', $draftid, $updatedata['filepath'], '.')) {
2668 // bad luck, we can not rename if something already exists there
2669 throw new moodle_exception('folderexists', 'repository');
2671 $xfilepath = preg_quote($filepath, '|');
2672 if (preg_match("|^$xfilepath|", $updatedata['filepath'])) {
2673 // we can not move folder to it's own subfolder
2674 throw new moodle_exception('folderrecurse', 'repository');
2677 // If directory changed the name, update timemodified.
2678 $filemodified = (basename(rtrim($file->get_filepath(), '/')) !== basename(rtrim($updatedata['filepath'], '/')));
2680 // Now update directory and all children.
2681 $files = $fs->get_area_files($usercontext->id, 'user', 'draft', $draftid);
2682 foreach ($files as $f) {
2683 if (preg_match("|^$xfilepath|", $f->get_filepath())) {
2684 $path = preg_replace("|^$xfilepath|", $updatedata['filepath'], $f->get_filepath());
2685 if (($filesource = @unserialize($f->get_source())) && isset($filesource->original)) {
2686 // unset original so the references are not shown any more
2687 unset($filesource->original);
2688 $f->set_source(serialize($filesource));
2690 $f->rename($path, $f->get_filename());
2691 if ($filemodified && $f->get_filepath() === $updatedata['filepath'] && $f->get_filename() === $filename) {
2692 $f->set_timemodified(time());
2700 * Delete a temp file from draft area
2702 * @param int $draftitemid
2703 * @param string $filepath
2704 * @param string $filename
2705 * @return bool
2707 public static function delete_tempfile_from_draft($draftitemid, $filepath, $filename) {
2708 global $USER;
2709 $fs = get_file_storage();
2710 $user_context = context_user::instance($USER->id);
2711 if ($file = $fs->get_file($user_context->id, 'user', 'draft', $draftitemid, $filepath, $filename)) {
2712 $file->delete();
2713 return true;
2714 } else {
2715 return false;
2720 * Find all external files in this repo and import them
2722 public function convert_references_to_local() {
2723 $fs = get_file_storage();
2724 $files = $fs->get_external_files($this->id);
2725 foreach ($files as $storedfile) {
2726 $fs->import_external_file($storedfile);
2731 * Called from phpunit between tests, resets whatever was cached
2733 public static function reset_caches() {
2734 self::sync_external_file(null, true);
2738 * Performs synchronisation of reference to an external file if the previous one has expired.
2740 * @param stored_file $file
2741 * @param bool $resetsynchistory whether to reset all history of sync (used by phpunit)
2742 * @return bool success
2744 public static function sync_external_file($file, $resetsynchistory = false) {
2745 global $DB;
2746 // TODO MDL-25290 static should be replaced with MUC code.
2747 static $synchronized = array();
2748 if ($resetsynchistory) {
2749 $synchronized = array();
2752 $fs = get_file_storage();
2754 if (!$file || !$file->get_referencefileid()) {
2755 return false;
2757 if (array_key_exists($file->get_id(), $synchronized)) {
2758 return $synchronized[$file->get_id()];
2761 // remember that we already cached in current request to prevent from querying again
2762 $synchronized[$file->get_id()] = false;
2764 if (!$reference = $DB->get_record('files_reference', array('id'=>$file->get_referencefileid()))) {
2765 return false;
2768 if (!empty($reference->lastsync) and ($reference->lastsync + $reference->lifetime > time())) {
2769 $synchronized[$file->get_id()] = true;
2770 return true;
2773 if (!$repository = self::get_repository_by_id($reference->repositoryid, SYSCONTEXTID)) {
2774 return false;
2777 if (!$repository->sync_individual_file($file)) {
2778 return false;
2781 $lifetime = $repository->get_reference_file_lifetime($reference);
2782 $fileinfo = $repository->get_file_by_reference($reference);
2783 if ($fileinfo === null) {
2784 // does not exist any more - set status to missing
2785 $file->set_missingsource($lifetime);
2786 $synchronized[$file->get_id()] = true;
2787 return true;
2790 $contenthash = null;
2791 $filesize = null;
2792 if (!empty($fileinfo->filesize)) {
2793 // filesize returned
2794 if (!empty($fileinfo->contenthash) && $fs->content_exists($fileinfo->contenthash)) {
2795 // contenthash is specified and valid
2796 $contenthash = $fileinfo->contenthash;
2797 } else if ($fileinfo->filesize == $file->get_filesize()) {
2798 // we don't know the new contenthash but the filesize did not change,
2799 // assume the contenthash did not change either
2800 $contenthash = $file->get_contenthash();
2801 } else {
2802 // we can't save empty contenthash so generate contenthash from empty string
2803 $fs->add_string_to_pool('');
2804 $contenthash = sha1('');
2806 $filesize = $fileinfo->filesize;
2807 } else if (!empty($fileinfo->filepath)) {
2808 // File path returned
2809 list($contenthash, $filesize, $newfile) = $fs->add_file_to_pool($fileinfo->filepath);
2810 } else if (!empty($fileinfo->handle) && is_resource($fileinfo->handle)) {
2811 // File handle returned
2812 $contents = '';
2813 while (!feof($fileinfo->handle)) {
2814 $contents .= fread($handle, 8192);
2816 fclose($fileinfo->handle);
2817 list($contenthash, $filesize, $newfile) = $fs->add_string_to_pool($content);
2818 } else if (isset($fileinfo->content)) {
2819 // File content returned
2820 list($contenthash, $filesize, $newfile) = $fs->add_string_to_pool($fileinfo->content);
2823 if (!isset($contenthash) or !isset($filesize)) {
2824 return false;
2827 // update files table
2828 $file->set_synchronized($contenthash, $filesize, 0, $lifetime);
2829 $synchronized[$file->get_id()] = true;
2830 return true;
2834 * Build draft file's source field
2836 * {@link file_restore_source_field_from_draft_file()}
2837 * XXX: This is a hack for file manager (MDL-28666)
2838 * For newly created draft files we have to construct
2839 * source filed in php serialized data format.
2840 * File manager needs to know the original file information before copying
2841 * to draft area, so we append these information in mdl_files.source field
2843 * @param string $source
2844 * @return string serialised source field
2846 public static function build_source_field($source) {
2847 $sourcefield = new stdClass;
2848 $sourcefield->source = $source;
2849 return serialize($sourcefield);
2853 * Prepares the repository to be cached. Implements method from cacheable_object interface.
2855 * @return array
2857 public function prepare_to_cache() {
2858 return array(
2859 'class' => get_class($this),
2860 'id' => $this->id,
2861 'ctxid' => $this->context->id,
2862 'options' => $this->options,
2863 'readonly' => $this->readonly
2868 * Restores the repository from cache. Implements method from cacheable_object interface.
2870 * @return array
2872 public static function wake_from_cache($data) {
2873 $classname = $data['class'];
2874 return new $classname($data['id'], $data['ctxid'], $data['options'], $data['readonly']);
2879 * Exception class for repository api
2881 * @since 2.0
2882 * @package core_repository
2883 * @copyright 2009 Dongsheng Cai {@link http://dongsheng.org}
2884 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
2886 class repository_exception extends moodle_exception {
2890 * This is a class used to define a repository instance form
2892 * @since 2.0
2893 * @package core_repository
2894 * @copyright 2009 Dongsheng Cai {@link http://dongsheng.org}
2895 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
2897 final class repository_instance_form extends moodleform {
2898 /** @var stdClass repository instance */
2899 protected $instance;
2900 /** @var string repository plugin type */
2901 protected $plugin;
2904 * Added defaults to moodle form
2906 protected function add_defaults() {
2907 $mform =& $this->_form;
2908 $strrequired = get_string('required');
2910 $mform->addElement('hidden', 'edit', ($this->instance) ? $this->instance->id : 0);
2911 $mform->setType('edit', PARAM_INT);
2912 $mform->addElement('hidden', 'new', $this->plugin);
2913 $mform->setType('new', PARAM_ALPHANUMEXT);
2914 $mform->addElement('hidden', 'plugin', $this->plugin);
2915 $mform->setType('plugin', PARAM_PLUGIN);
2916 $mform->addElement('hidden', 'typeid', $this->typeid);
2917 $mform->setType('typeid', PARAM_INT);
2918 $mform->addElement('hidden', 'contextid', $this->contextid);
2919 $mform->setType('contextid', PARAM_INT);
2921 $mform->addElement('text', 'name', get_string('name'), 'maxlength="100" size="30"');
2922 $mform->addRule('name', $strrequired, 'required', null, 'client');
2923 $mform->setType('name', PARAM_TEXT);
2927 * Define moodle form elements
2929 public function definition() {
2930 global $CFG;
2931 // type of plugin, string
2932 $this->plugin = $this->_customdata['plugin'];
2933 $this->typeid = $this->_customdata['typeid'];
2934 $this->contextid = $this->_customdata['contextid'];
2935 $this->instance = (isset($this->_customdata['instance'])
2936 && is_subclass_of($this->_customdata['instance'], 'repository'))
2937 ? $this->_customdata['instance'] : null;
2939 $mform =& $this->_form;
2941 $this->add_defaults();
2943 // Add instance config options.
2944 $result = repository::static_function($this->plugin, 'instance_config_form', $mform);
2945 if ($result === false) {
2946 // Remove the name element if no other config options.
2947 $mform->removeElement('name');
2949 if ($this->instance) {
2950 $data = array();
2951 $data['name'] = $this->instance->name;
2952 if (!$this->instance->readonly) {
2953 // and set the data if we have some.
2954 foreach ($this->instance->get_instance_option_names() as $config) {
2955 if (!empty($this->instance->options[$config])) {
2956 $data[$config] = $this->instance->options[$config];
2957 } else {
2958 $data[$config] = '';
2962 $this->set_data($data);
2965 if ($result === false) {
2966 $mform->addElement('cancel');
2967 } else {
2968 $this->add_action_buttons(true, get_string('save','repository'));
2973 * Validate moodle form data
2975 * @param array $data form data
2976 * @param array $files files in form
2977 * @return array errors
2979 public function validation($data, $files) {
2980 global $DB;
2981 $errors = array();
2982 $plugin = $this->_customdata['plugin'];
2983 $instance = (isset($this->_customdata['instance'])
2984 && is_subclass_of($this->_customdata['instance'], 'repository'))
2985 ? $this->_customdata['instance'] : null;
2987 if (!$instance) {
2988 $errors = repository::static_function($plugin, 'instance_form_validation', $this, $data, $errors);
2989 } else {
2990 $errors = $instance->instance_form_validation($this, $data, $errors);
2993 $sql = "SELECT count('x')
2994 FROM {repository_instances} i, {repository} r
2995 WHERE r.type=:plugin AND r.id=i.typeid AND i.name=:name AND i.contextid=:contextid";
2996 $params = array('name' => $data['name'], 'plugin' => $this->plugin, 'contextid' => $this->contextid);
2997 if ($instance) {
2998 $sql .= ' AND i.id != :instanceid';
2999 $params['instanceid'] = $instance->id;
3001 if ($DB->count_records_sql($sql, $params) > 0) {
3002 $errors['name'] = get_string('erroruniquename', 'repository');
3005 return $errors;
3010 * This is a class used to define a repository type setting form
3012 * @since 2.0
3013 * @package core_repository
3014 * @copyright 2009 Dongsheng Cai {@link http://dongsheng.org}
3015 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
3017 final class repository_type_form extends moodleform {
3018 /** @var stdClass repository instance */
3019 protected $instance;
3020 /** @var string repository plugin name */
3021 protected $plugin;
3022 /** @var string action */
3023 protected $action;
3026 * Definition of the moodleform
3028 public function definition() {
3029 global $CFG;
3030 // type of plugin, string
3031 $this->plugin = $this->_customdata['plugin'];
3032 $this->instance = (isset($this->_customdata['instance'])
3033 && is_a($this->_customdata['instance'], 'repository_type'))
3034 ? $this->_customdata['instance'] : null;
3036 $this->action = $this->_customdata['action'];
3037 $this->pluginname = $this->_customdata['pluginname'];
3038 $mform =& $this->_form;
3039 $strrequired = get_string('required');
3041 $mform->addElement('hidden', 'action', $this->action);
3042 $mform->setType('action', PARAM_TEXT);
3043 $mform->addElement('hidden', 'repos', $this->plugin);
3044 $mform->setType('repos', PARAM_PLUGIN);
3046 // let the plugin add its specific fields
3047 $classname = 'repository_' . $this->plugin;
3048 require_once($CFG->dirroot . '/repository/' . $this->plugin . '/lib.php');
3049 //add "enable course/user instances" checkboxes if multiple instances are allowed
3050 $instanceoptionnames = repository::static_function($this->plugin, 'get_instance_option_names');
3052 $result = call_user_func(array($classname, 'type_config_form'), $mform, $classname);
3054 if (!empty($instanceoptionnames)) {
3055 $sm = get_string_manager();
3056 $component = 'repository';
3057 if ($sm->string_exists('enablecourseinstances', 'repository_' . $this->plugin)) {
3058 $component .= ('_' . $this->plugin);
3060 $mform->addElement('checkbox', 'enablecourseinstances', get_string('enablecourseinstances', $component));
3061 $mform->setType('enablecourseinstances', PARAM_BOOL);
3063 $component = 'repository';
3064 if ($sm->string_exists('enableuserinstances', 'repository_' . $this->plugin)) {
3065 $component .= ('_' . $this->plugin);
3067 $mform->addElement('checkbox', 'enableuserinstances', get_string('enableuserinstances', $component));
3068 $mform->setType('enableuserinstances', PARAM_BOOL);
3071 // set the data if we have some.
3072 if ($this->instance) {
3073 $data = array();
3074 $option_names = call_user_func(array($classname,'get_type_option_names'));
3075 if (!empty($instanceoptionnames)){
3076 $option_names[] = 'enablecourseinstances';
3077 $option_names[] = 'enableuserinstances';
3080 $instanceoptions = $this->instance->get_options();
3081 foreach ($option_names as $config) {
3082 if (!empty($instanceoptions[$config])) {
3083 $data[$config] = $instanceoptions[$config];
3084 } else {
3085 $data[$config] = '';
3088 // XXX: set plugin name for plugins which doesn't have muliti instances
3089 if (empty($instanceoptionnames)){
3090 $data['pluginname'] = $this->pluginname;
3092 $this->set_data($data);
3095 $this->add_action_buttons(true, get_string('save','repository'));
3099 * Validate moodle form data
3101 * @param array $data moodle form data
3102 * @param array $files
3103 * @return array errors
3105 public function validation($data, $files) {
3106 $errors = array();
3107 $plugin = $this->_customdata['plugin'];
3108 $instance = (isset($this->_customdata['instance'])
3109 && is_subclass_of($this->_customdata['instance'], 'repository'))
3110 ? $this->_customdata['instance'] : null;
3111 if (!$instance) {
3112 $errors = repository::static_function($plugin, 'type_form_validation', $this, $data, $errors);
3113 } else {
3114 $errors = $instance->type_form_validation($this, $data, $errors);
3117 return $errors;
3122 * Generate all options needed by filepicker
3124 * @param array $args including following keys
3125 * context
3126 * accepted_types
3127 * return_types
3129 * @return array the list of repository instances, including meta infomation, containing the following keys
3130 * externallink
3131 * repositories
3132 * accepted_types
3134 function initialise_filepicker($args) {
3135 global $CFG, $USER, $PAGE, $OUTPUT;
3136 static $templatesinitialized = array();
3137 require_once($CFG->libdir . '/licenselib.php');
3139 $return = new stdClass();
3140 $licenses = array();
3141 if (!empty($CFG->licenses)) {
3142 $array = explode(',', $CFG->licenses);
3143 foreach ($array as $license) {
3144 $l = new stdClass();
3145 $l->shortname = $license;
3146 $l->fullname = get_string($license, 'license');
3147 $licenses[] = $l;
3150 if (!empty($CFG->sitedefaultlicense)) {
3151 $return->defaultlicense = $CFG->sitedefaultlicense;
3154 $return->licenses = $licenses;
3156 $return->author = fullname($USER);
3158 if (empty($args->context)) {
3159 $context = $PAGE->context;
3160 } else {
3161 $context = $args->context;
3163 $disable_types = array();
3164 if (!empty($args->disable_types)) {
3165 $disable_types = $args->disable_types;
3168 $user_context = context_user::instance($USER->id);
3170 list($context, $course, $cm) = get_context_info_array($context->id);
3171 $contexts = array($user_context, get_system_context());
3172 if (!empty($course)) {
3173 // adding course context
3174 $contexts[] = context_course::instance($course->id);
3176 $externallink = (int)get_config(null, 'repositoryallowexternallinks');
3177 $repositories = repository::get_instances(array(
3178 'context'=>$contexts,
3179 'currentcontext'=> $context,
3180 'accepted_types'=>$args->accepted_types,
3181 'return_types'=>$args->return_types,
3182 'disable_types'=>$disable_types
3185 $return->repositories = array();
3187 if (empty($externallink)) {
3188 $return->externallink = false;
3189 } else {
3190 $return->externallink = true;
3193 $return->userprefs = array();
3194 $return->userprefs['recentrepository'] = get_user_preferences('filepicker_recentrepository', '');
3195 $return->userprefs['recentlicense'] = get_user_preferences('filepicker_recentlicense', '');
3196 $return->userprefs['recentviewmode'] = get_user_preferences('filepicker_recentviewmode', '');
3198 user_preference_allow_ajax_update('filepicker_recentrepository', PARAM_INT);
3199 user_preference_allow_ajax_update('filepicker_recentlicense', PARAM_SAFEDIR);
3200 user_preference_allow_ajax_update('filepicker_recentviewmode', PARAM_INT);
3203 // provided by form element
3204 $return->accepted_types = file_get_typegroup('extension', $args->accepted_types);
3205 $return->return_types = $args->return_types;
3206 $templates = array();
3207 foreach ($repositories as $repository) {
3208 $meta = $repository->get_meta();
3209 // Please note that the array keys for repositories are used within
3210 // JavaScript a lot, the key NEEDS to be the repository id.
3211 $return->repositories[$repository->id] = $meta;
3212 // Register custom repository template if it has one
3213 if(method_exists($repository, 'get_upload_template') && !array_key_exists('uploadform_' . $meta->type, $templatesinitialized)) {
3214 $templates['uploadform_' . $meta->type] = $repository->get_upload_template();
3215 $templatesinitialized['uploadform_' . $meta->type] = true;
3218 if (!array_key_exists('core', $templatesinitialized)) {
3219 // we need to send each filepicker template to the browser just once
3220 $fprenderer = $PAGE->get_renderer('core', 'files');
3221 $templates = array_merge($templates, $fprenderer->filepicker_js_templates());
3222 $templatesinitialized['core'] = true;
3224 if (sizeof($templates)) {
3225 $PAGE->requires->js_init_call('M.core_filepicker.set_templates', array($templates), true);
3227 return $return;
3231 * Small function to walk an array to attach repository ID
3233 * @param array $value
3234 * @param string $key
3235 * @param int $id
3237 function repository_attach_id(&$value, $key, $id){
3238 $value['repo_id'] = $id;