MDL-77656 quiz editing: customisable numbers only in unshuffled sections
[moodle.git] / webservice / lib.php
blob503deaf98098eb167670ce7e90ab2d12d11114c1
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/>.
18 /**
19 * Web services utility functions and classes
21 * @package core_webservice
22 * @copyright 2009 Jerome Mouneyrac <jerome@moodle.com>
23 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
26 use core_external\external_api;
27 use core_external\external_multiple_structure;
28 use core_external\external_settings;
29 use core_external\external_single_structure;
30 use core_external\external_value;
32 /**
33 * WEBSERVICE_AUTHMETHOD_USERNAME - username/password authentication (also called simple authentication)
35 define('WEBSERVICE_AUTHMETHOD_USERNAME', 0);
37 /**
38 * WEBSERVICE_AUTHMETHOD_PERMANENT_TOKEN - most common token authentication (external app, mobile app...)
40 define('WEBSERVICE_AUTHMETHOD_PERMANENT_TOKEN', 1);
42 /**
43 * WEBSERVICE_AUTHMETHOD_SESSION_TOKEN - token for embedded application (requires Moodle session)
45 define('WEBSERVICE_AUTHMETHOD_SESSION_TOKEN', 2);
47 /**
48 * General web service library
50 * @package core_webservice
51 * @copyright 2010 Jerome Mouneyrac <jerome@moodle.com>
52 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
54 class webservice {
55 /**
56 * Only update token last access once per this many seconds. (This constant controls update of
57 * the external tokens last access field. There is a similar define LASTACCESS_UPDATE_SECS
58 * which controls update of the web site last access fields.)
60 * @var int
62 const TOKEN_LASTACCESS_UPDATE_SECS = 60;
64 /**
65 * Authenticate user (used by download/upload file scripts)
67 * @param string $token
68 * @return array - contains the authenticated user, token and service objects
70 public function authenticate_user($token) {
71 global $DB, $CFG;
73 // web service must be enabled to use this script
74 if (!$CFG->enablewebservices) {
75 throw new webservice_access_exception('Web services are not enabled in Advanced features.');
78 // Obtain token record
79 if (!$token = $DB->get_record('external_tokens', array('token' => $token))) {
80 //client may want to display login form => moodle_exception
81 throw new moodle_exception('invalidtoken', 'webservice');
84 $loginfaileddefaultparams = array(
85 'other' => array(
86 'method' => WEBSERVICE_AUTHMETHOD_PERMANENT_TOKEN,
87 'reason' => null,
88 'tokenid' => $token->id
92 // Validate token date
93 if ($token->validuntil and $token->validuntil < time()) {
94 $params = $loginfaileddefaultparams;
95 $params['other']['reason'] = 'token_expired';
96 $event = \core\event\webservice_login_failed::create($params);
97 $event->add_record_snapshot('external_tokens', $token);
98 $event->trigger();
99 $DB->delete_records('external_tokens', array('token' => $token->token));
100 throw new webservice_access_exception('Invalid token - token expired - check validuntil time for the token');
103 // Check ip
104 if ($token->iprestriction and !address_in_subnet(getremoteaddr(), $token->iprestriction)) {
105 $params = $loginfaileddefaultparams;
106 $params['other']['reason'] = 'ip_restricted';
107 $event = \core\event\webservice_login_failed::create($params);
108 $event->add_record_snapshot('external_tokens', $token);
109 $event->trigger();
110 throw new webservice_access_exception('Invalid token - IP:' . getremoteaddr()
111 . ' is not supported');
114 //retrieve user link to the token
115 $user = $DB->get_record('user', array('id' => $token->userid, 'deleted' => 0), '*', MUST_EXIST);
117 // let enrol plugins deal with new enrolments if necessary
118 enrol_check_plugins($user, false);
120 // setup user session to check capability
121 \core\session\manager::set_user($user);
122 set_login_session_preferences();
124 //assumes that if sid is set then there must be a valid associated session no matter the token type
125 if ($token->sid) {
126 if (!\core\session\manager::session_exists($token->sid)) {
127 $DB->delete_records('external_tokens', array('sid' => $token->sid));
128 throw new webservice_access_exception('Invalid session based token - session not found or expired');
132 // Cannot authenticate unless maintenance access is granted.
133 $hasmaintenanceaccess = has_capability('moodle/site:maintenanceaccess', context_system::instance(), $user);
134 if (!empty($CFG->maintenance_enabled) and !$hasmaintenanceaccess) {
135 //this is usually temporary, client want to implement code logic => moodle_exception
136 throw new moodle_exception('sitemaintenance', 'admin');
139 //retrieve web service record
140 $service = $DB->get_record('external_services', array('id' => $token->externalserviceid, 'enabled' => 1));
141 if (empty($service)) {
142 // will throw exception if no token found
143 throw new webservice_access_exception('Web service is not available (it doesn\'t exist or might be disabled)');
146 //check if there is any required system capability
147 if ($service->requiredcapability and !has_capability($service->requiredcapability, context_system::instance(), $user)) {
148 throw new webservice_access_exception('The capability ' . $service->requiredcapability . ' is required.');
151 //specific checks related to user restricted service
152 if ($service->restrictedusers) {
153 $authoriseduser = $DB->get_record('external_services_users', array('externalserviceid' => $service->id, 'userid' => $user->id));
155 if (empty($authoriseduser)) {
156 throw new webservice_access_exception(
157 'The user is not allowed for this service. First you need to allow this user on the '
158 . $service->name . '\'s allowed users administration page.');
161 if (!empty($authoriseduser->validuntil) and $authoriseduser->validuntil < time()) {
162 throw new webservice_access_exception('Invalid service - service expired - check validuntil time for this allowed user');
165 if (!empty($authoriseduser->iprestriction) and !address_in_subnet(getremoteaddr(), $authoriseduser->iprestriction)) {
166 throw new webservice_access_exception('Invalid service - IP:' . getremoteaddr()
167 . ' is not supported - check this allowed user');
171 //only confirmed user should be able to call web service
172 if (empty($user->confirmed)) {
173 $params = $loginfaileddefaultparams;
174 $params['other']['reason'] = 'user_unconfirmed';
175 $event = \core\event\webservice_login_failed::create($params);
176 $event->add_record_snapshot('external_tokens', $token);
177 $event->trigger();
178 throw new moodle_exception('usernotconfirmed', 'moodle', '', $user->username);
181 //check the user is suspended
182 if (!empty($user->suspended)) {
183 $params = $loginfaileddefaultparams;
184 $params['other']['reason'] = 'user_suspended';
185 $event = \core\event\webservice_login_failed::create($params);
186 $event->add_record_snapshot('external_tokens', $token);
187 $event->trigger();
188 throw new moodle_exception('wsaccessusersuspended', 'moodle', '', $user->username);
191 //check if the auth method is nologin (in this case refuse connection)
192 if ($user->auth == 'nologin') {
193 $params = $loginfaileddefaultparams;
194 $params['other']['reason'] = 'nologin';
195 $event = \core\event\webservice_login_failed::create($params);
196 $event->add_record_snapshot('external_tokens', $token);
197 $event->trigger();
198 throw new moodle_exception('wsaccessusernologin', 'moodle', '', $user->username);
201 //Check if the user password is expired
202 $auth = get_auth_plugin($user->auth);
203 if (!empty($auth->config->expiration) and $auth->config->expiration == 1) {
204 $days2expire = $auth->password_expire($user->username);
205 if (intval($days2expire) < 0) {
206 $params = $loginfaileddefaultparams;
207 $params['other']['reason'] = 'password_expired';
208 $event = \core\event\webservice_login_failed::create($params);
209 $event->add_record_snapshot('external_tokens', $token);
210 $event->trigger();
211 throw new moodle_exception('passwordisexpired', 'webservice');
215 // log token access
216 self::update_token_lastaccess($token);
218 return array('user' => $user, 'token' => $token, 'service' => $service);
222 * Updates the last access time for a token.
224 * @param \stdClass $token Token object (must include id, lastaccess fields)
225 * @param int $time Time of access (0 = use current time)
226 * @throws dml_exception If database error
228 public static function update_token_lastaccess($token, int $time = 0) {
229 global $DB;
231 if (!$time) {
232 $time = time();
235 // Only update the field if it is a different time from previous request,
236 // so as not to waste database effort.
237 if ($time >= $token->lastaccess + self::TOKEN_LASTACCESS_UPDATE_SECS) {
238 $DB->set_field('external_tokens', 'lastaccess', $time, array('id' => $token->id));
243 * Allow user to call a service
245 * @param stdClass $user a user
247 public function add_ws_authorised_user($user) {
248 global $DB;
249 $user->timecreated = time();
250 $DB->insert_record('external_services_users', $user);
254 * Disallow a user to call a service
256 * @param stdClass $user a user
257 * @param int $serviceid
259 public function remove_ws_authorised_user($user, $serviceid) {
260 global $DB;
261 $DB->delete_records('external_services_users',
262 array('externalserviceid' => $serviceid, 'userid' => $user->id));
266 * Update allowed user settings (ip restriction, valid until...)
268 * @param stdClass $user
270 public function update_ws_authorised_user($user) {
271 global $DB;
272 $DB->update_record('external_services_users', $user);
276 * Return list of allowed users with their options (ip/timecreated / validuntil...)
277 * for a given service
279 * @param int $serviceid the service id to search against
280 * @return array $users
282 public function get_ws_authorised_users($serviceid) {
283 global $DB, $CFG;
285 $params = array($CFG->siteguest, $serviceid);
287 $userfields = \core_user\fields::for_identity(context_system::instance())->with_name()->excluding('id');
288 $fieldsql = $userfields->get_sql('u');
290 $sql = " SELECT u.id as id, esu.id as serviceuserid {$fieldsql->selects},
291 esu.iprestriction as iprestriction, esu.validuntil as validuntil,
292 esu.timecreated as timecreated
293 FROM {user} u
294 JOIN {external_services_users} esu ON esu.userid = u.id
295 {$fieldsql->joins}
296 WHERE u.id <> ? AND u.deleted = 0 AND u.confirmed = 1
297 AND esu.externalserviceid = ?";
299 $users = $DB->get_records_sql($sql, array_merge($fieldsql->params, $params));
301 return $users;
305 * Return an authorised user with their options (ip/timecreated / validuntil...)
307 * @param int $serviceid the service id to search against
308 * @param int $userid the user to search against
309 * @return stdClass
311 public function get_ws_authorised_user($serviceid, $userid) {
312 global $DB, $CFG;
313 $params = array($CFG->siteguest, $serviceid, $userid);
314 $sql = " SELECT u.id as id, esu.id as serviceuserid, u.email as email, u.firstname as firstname,
315 u.lastname as lastname,
316 esu.iprestriction as iprestriction, esu.validuntil as validuntil,
317 esu.timecreated as timecreated
318 FROM {user} u, {external_services_users} esu
319 WHERE u.id <> ? AND u.deleted = 0 AND u.confirmed = 1
320 AND esu.userid = u.id
321 AND esu.externalserviceid = ?
322 AND u.id = ?";
323 $user = $DB->get_record_sql($sql, $params);
324 return $user;
328 * Generate all tokens of a specific user
330 * @param int $userid user id
332 public function generate_user_ws_tokens($userid) {
333 global $CFG, $DB;
335 // generate a token for non admin if web service are enable and the user has the capability to create a token
336 if (!is_siteadmin() && has_capability('moodle/webservice:createtoken', context_system::instance(), $userid) && !empty($CFG->enablewebservices)) {
337 // for every service than the user is authorised on, create a token (if it doesn't already exist)
339 // get all services which are set to all user (no restricted to specific users)
340 $norestrictedservices = $DB->get_records('external_services', array('restrictedusers' => 0));
341 $serviceidlist = array();
342 foreach ($norestrictedservices as $service) {
343 $serviceidlist[] = $service->id;
346 // get all services which are set to the current user (the current user is specified in the restricted user list)
347 $servicesusers = $DB->get_records('external_services_users', array('userid' => $userid));
348 foreach ($servicesusers as $serviceuser) {
349 if (!in_array($serviceuser->externalserviceid,$serviceidlist)) {
350 $serviceidlist[] = $serviceuser->externalserviceid;
354 // get all services which already have a token set for the current user
355 $usertokens = $DB->get_records('external_tokens', array('userid' => $userid, 'tokentype' => EXTERNAL_TOKEN_PERMANENT));
356 $tokenizedservice = array();
357 foreach ($usertokens as $token) {
358 $tokenizedservice[] = $token->externalserviceid;
361 // create a token for the service which have no token already
362 foreach ($serviceidlist as $serviceid) {
363 if (!in_array($serviceid, $tokenizedservice)) {
364 // create the token for this service
365 $newtoken = new stdClass();
366 $newtoken->token = md5(uniqid(rand(),1));
367 // check that the user has capability on this service
368 $newtoken->tokentype = EXTERNAL_TOKEN_PERMANENT;
369 $newtoken->userid = $userid;
370 $newtoken->externalserviceid = $serviceid;
371 // TODO MDL-31190 find a way to get the context - UPDATE FOLLOWING LINE
372 $newtoken->contextid = context_system::instance()->id;
373 $newtoken->creatorid = $userid;
374 $newtoken->timecreated = time();
375 // Generate the private token, it must be transmitted only via https.
376 $newtoken->privatetoken = random_string(64);
378 $DB->insert_record('external_tokens', $newtoken);
387 * Return all tokens of a specific user
388 * + the service state (enabled/disabled)
389 * + the authorised user mode (restricted/not restricted)
391 * @param int $userid user id
392 * @return array
394 public function get_user_ws_tokens($userid) {
395 global $DB;
396 //here retrieve token list (including linked users firstname/lastname and linked services name)
397 $sql = "SELECT
398 t.id, t.creatorid, t.token, u.firstname, u.lastname, s.id as wsid, s.name, s.enabled, s.restrictedusers, t.validuntil
399 FROM
400 {external_tokens} t, {user} u, {external_services} s
401 WHERE
402 t.userid=? AND t.tokentype = ".EXTERNAL_TOKEN_PERMANENT." AND s.id = t.externalserviceid AND t.userid = u.id";
403 $tokens = $DB->get_records_sql($sql, array( $userid));
404 return $tokens;
408 * Return a token that has been created by the user (i.e. to created by an admin)
409 * If no tokens exist an exception is thrown
411 * The returned value is a stdClass:
412 * ->id token id
413 * ->token
414 * ->firstname user firstname
415 * ->lastname
416 * ->name service name
418 * @param int $userid user id
419 * @param int $tokenid token id
420 * @return stdClass
422 public function get_created_by_user_ws_token($userid, $tokenid) {
423 global $DB;
424 $sql = "SELECT
425 t.id, t.token, u.firstname, u.lastname, s.name
426 FROM
427 {external_tokens} t, {user} u, {external_services} s
428 WHERE
429 t.creatorid=? AND t.id=? AND t.tokentype = "
430 . EXTERNAL_TOKEN_PERMANENT
431 . " AND s.id = t.externalserviceid AND t.userid = u.id";
432 //must be the token creator
433 $token = $DB->get_record_sql($sql, array($userid, $tokenid), MUST_EXIST);
434 return $token;
438 * Return a token of an arbitrary user by tokenid, including details of the associated user and the service name.
439 * If no tokens exist an exception is thrown
441 * The returned value is a stdClass:
442 * ->id token id
443 * ->token
444 * ->firstname user firstname
445 * ->lastname
446 * ->name service name
448 * @param int $tokenid token id
449 * @return stdClass
451 public function get_token_by_id_with_details($tokenid) {
452 global $DB;
453 $sql = "SELECT t.id, t.token, u.id AS userid, u.firstname, u.lastname, s.name, t.creatorid
454 FROM {external_tokens} t, {user} u, {external_services} s
455 WHERE t.id=? AND t.tokentype = ? AND s.id = t.externalserviceid AND t.userid = u.id";
456 $token = $DB->get_record_sql($sql, array($tokenid, EXTERNAL_TOKEN_PERMANENT), MUST_EXIST);
457 return $token;
461 * Return a database token record for a token id
463 * @param int $tokenid token id
464 * @return object token
466 public function get_token_by_id($tokenid) {
467 global $DB;
468 return $DB->get_record('external_tokens', array('id' => $tokenid));
472 * Delete a token
474 * @param int $tokenid token id
476 public function delete_user_ws_token($tokenid) {
477 global $DB;
478 $DB->delete_records('external_tokens', array('id'=>$tokenid));
482 * Delete all the tokens belonging to a user.
484 * @param int $userid the user id whose tokens must be deleted
486 public static function delete_user_ws_tokens($userid) {
487 global $DB;
488 $DB->delete_records('external_tokens', array('userid' => $userid));
492 * Delete a service
493 * Also delete function references and authorised user references.
495 * @param int $serviceid service id
497 public function delete_service($serviceid) {
498 global $DB;
499 $DB->delete_records('external_services_users', array('externalserviceid' => $serviceid));
500 $DB->delete_records('external_services_functions', array('externalserviceid' => $serviceid));
501 $DB->delete_records('external_tokens', array('externalserviceid' => $serviceid));
502 $DB->delete_records('external_services', array('id' => $serviceid));
506 * Get a full database token record for a given token value
508 * @param string $token
509 * @throws moodle_exception if there is multiple result
511 public function get_user_ws_token($token) {
512 global $DB;
513 return $DB->get_record('external_tokens', array('token'=>$token), '*', MUST_EXIST);
517 * Get the functions list of a service list (by id)
519 * @param array $serviceids service ids
520 * @return array of functions
522 public function get_external_functions($serviceids) {
523 global $DB;
524 if (!empty($serviceids)) {
525 list($serviceids, $params) = $DB->get_in_or_equal($serviceids);
526 $sql = "SELECT f.*
527 FROM {external_functions} f
528 WHERE f.name IN (SELECT sf.functionname
529 FROM {external_services_functions} sf
530 WHERE sf.externalserviceid $serviceids)
531 ORDER BY f.name ASC";
532 $functions = $DB->get_records_sql($sql, $params);
533 } else {
534 $functions = array();
536 return $functions;
540 * Get the functions of a service list (by shortname). It can return only enabled functions if required.
542 * @param array $serviceshortnames service shortnames
543 * @param bool $enabledonly if true then only return functions for services that have been enabled
544 * @return array functions
546 public function get_external_functions_by_enabled_services($serviceshortnames, $enabledonly = true) {
547 global $DB;
548 if (!empty($serviceshortnames)) {
549 $enabledonlysql = $enabledonly?' AND s.enabled = 1 ':'';
550 list($serviceshortnames, $params) = $DB->get_in_or_equal($serviceshortnames);
551 $sql = "SELECT f.*
552 FROM {external_functions} f
553 WHERE f.name IN (SELECT sf.functionname
554 FROM {external_services_functions} sf, {external_services} s
555 WHERE s.shortname $serviceshortnames
556 AND sf.externalserviceid = s.id
557 " . $enabledonlysql . ")";
558 $functions = $DB->get_records_sql($sql, $params);
559 } else {
560 $functions = array();
562 return $functions;
566 * Get functions not included in a service
568 * @param int $serviceid service id
569 * @return array functions
571 public function get_not_associated_external_functions($serviceid) {
572 global $DB;
573 $select = "name NOT IN (SELECT s.functionname
574 FROM {external_services_functions} s
575 WHERE s.externalserviceid = :sid
578 $functions = $DB->get_records_select('external_functions',
579 $select, array('sid' => $serviceid), 'name');
581 return $functions;
585 * Get list of required capabilities of a service, sorted by functions
586 * Example of returned value:
587 * Array
589 * [core_group_create_groups] => Array
591 * [0] => moodle/course:managegroups
594 * [core_enrol_get_enrolled_users] => Array
596 * [0] => moodle/user:viewdetails
597 * [1] => moodle/user:viewhiddendetails
598 * [2] => moodle/course:useremail
599 * [3] => moodle/user:update
600 * [4] => moodle/site:accessallgroups
603 * @param int $serviceid service id
604 * @return array
606 public function get_service_required_capabilities($serviceid) {
607 $functions = $this->get_external_functions(array($serviceid));
608 $requiredusercaps = array();
609 foreach ($functions as $function) {
610 $functioncaps = explode(',', $function->capabilities);
611 if (!empty($functioncaps) and !empty($functioncaps[0])) {
612 foreach ($functioncaps as $functioncap) {
613 $requiredusercaps[$function->name][] = trim($functioncap);
617 return $requiredusercaps;
621 * Get user capabilities (with context)
622 * Only useful for documentation purpose
623 * WARNING: do not use this "broken" function. It was created in the goal to display some capabilities
624 * required by users. In theory we should not need to display this kind of information
625 * as the front end does not display it itself. In pratice,
626 * admins would like the info, for more info you can follow: MDL-29962
628 * @deprecated since Moodle 3.11 in MDL-67748 without a replacement.
629 * @todo MDL-70187 Please delete this method completely in Moodle 4.3, thank you.
630 * @param int $userid user id
631 * @return array
633 public function get_user_capabilities($userid) {
634 global $DB;
636 debugging('webservice::get_user_capabilities() has been deprecated.', DEBUG_DEVELOPER);
638 //retrieve the user capabilities
639 $sql = "SELECT DISTINCT rc.id, rc.capability FROM {role_capabilities} rc, {role_assignments} ra
640 WHERE rc.roleid=ra.roleid AND ra.userid= ? AND rc.permission = ?";
641 $dbusercaps = $DB->get_records_sql($sql, array($userid, CAP_ALLOW));
642 $usercaps = array();
643 foreach ($dbusercaps as $usercap) {
644 $usercaps[$usercap->capability] = true;
646 return $usercaps;
650 * Get missing user capabilities for the given service's functions.
652 * Every external function can declare some required capabilities to allow for easier setup of the web services.
653 * However, that is supposed to be used for informational admin report only. There is no automatic evaluation of
654 * the declared capabilities and the context of the capability evaluation is ignored. Also, actual capability
655 * evaluation is much more complex as it allows for overrides etc.
657 * Returned are capabilities that the given users do not seem to have assigned anywhere at the site and that should
658 * be checked by the admin.
660 * Do not use this method for anything else, particularly not for any security related checks. See MDL-29962 for the
661 * background of why we have this - there are arguments for dropping this feature completely.
663 * @param array $users List of users to check, consisting of objects, arrays or integer ids.
664 * @param int $serviceid The id of the external service to check.
665 * @return array List of missing capabilities: (int)userid => array of (string)capabilitynames
667 public function get_missing_capabilities_by_users(array $users, int $serviceid): array {
668 global $DB;
670 // The following are default capabilities for all authenticated users and we will assume them granted.
671 $commoncaps = get_default_capabilities('user');
673 // Get the list of additional capabilities required by the service.
674 $servicecaps = [];
675 foreach ($this->get_service_required_capabilities($serviceid) as $service => $caps) {
676 foreach ($caps as $cap) {
677 if (empty($commoncaps[$cap])) {
678 $servicecaps[$cap] = true;
683 // Bail out early if there's nothing to process.
684 if (empty($users) || empty($servicecaps)) {
685 return [];
688 // Prepare a list of user ids we want to check.
689 $userids = [];
690 foreach ($users as $user) {
691 if (is_object($user) && isset($user->id)) {
692 $userids[$user->id] = true;
693 } else if (is_array($user) && isset($user['id'])) {
694 $userids[$user['id']] = true;
695 } else {
696 throw new coding_exception('Unexpected format of users list in webservice::get_missing_capabilities_by_users().');
700 // Prepare a matrix of missing capabilities x users - consider them all missing by default.
701 foreach (array_keys($userids) as $userid) {
702 foreach (array_keys($servicecaps) as $capname) {
703 $matrix[$userid][$capname] = true;
707 list($capsql, $capparams) = $DB->get_in_or_equal(array_keys($servicecaps), SQL_PARAMS_NAMED, 'paramcap');
708 list($usersql, $userparams) = $DB->get_in_or_equal(array_keys($userids), SQL_PARAMS_NAMED, 'paramuser');
710 $sql = "SELECT c.name AS capability, u.id AS userid
711 FROM {capabilities} c
712 JOIN {role_capabilities} rc ON c.name = rc.capability
713 JOIN {role_assignments} ra ON ra.roleid = rc.roleid
714 JOIN {user} u ON ra.userid = u.id
715 WHERE rc.permission = :capallow
716 AND c.name {$capsql}
717 AND u.id {$usersql}";
719 $params = $capparams + $userparams + [
720 'capallow' => CAP_ALLOW,
723 $rs = $DB->get_recordset_sql($sql, $params);
725 foreach ($rs as $record) {
726 // If there was a potential role assignment found that might grant the user the given capability,
727 // remove it from the matrix. Again, we ignore all the contexts, prohibits, prevents and other details
728 // of the permissions evaluations. See the function docblock for details.
729 unset($matrix[$record->userid][$record->capability]);
732 $rs->close();
734 foreach ($matrix as $userid => $caps) {
735 $matrix[$userid] = array_keys($caps);
736 if (empty($matrix[$userid])) {
737 unset($matrix[$userid]);
741 return $matrix;
745 * Get an external service for a given service id
747 * @param int $serviceid service id
748 * @param int $strictness IGNORE_MISSING, MUST_EXIST...
749 * @return stdClass external service
751 public function get_external_service_by_id($serviceid, $strictness=IGNORE_MISSING) {
752 global $DB;
753 $service = $DB->get_record('external_services',
754 array('id' => $serviceid), '*', $strictness);
755 return $service;
759 * Get an external service for a given shortname
761 * @param string $shortname service shortname
762 * @param int $strictness IGNORE_MISSING, MUST_EXIST...
763 * @return stdClass external service
765 public function get_external_service_by_shortname($shortname, $strictness=IGNORE_MISSING) {
766 global $DB;
767 $service = $DB->get_record('external_services',
768 array('shortname' => $shortname), '*', $strictness);
769 return $service;
773 * Get an external function for a given function id
775 * @param int $functionid function id
776 * @param int $strictness IGNORE_MISSING, MUST_EXIST...
777 * @return stdClass external function
779 public function get_external_function_by_id($functionid, $strictness=IGNORE_MISSING) {
780 global $DB;
781 $function = $DB->get_record('external_functions',
782 array('id' => $functionid), '*', $strictness);
783 return $function;
787 * Add a function to a service
789 * @param string $functionname function name
790 * @param int $serviceid service id
792 public function add_external_function_to_service($functionname, $serviceid) {
793 global $DB;
794 $addedfunction = new stdClass();
795 $addedfunction->externalserviceid = $serviceid;
796 $addedfunction->functionname = $functionname;
797 $DB->insert_record('external_services_functions', $addedfunction);
801 * Add a service
802 * It generates the timecreated field automatically.
804 * @param stdClass $service
805 * @return serviceid integer
807 public function add_external_service($service) {
808 global $DB;
809 $service->timecreated = time();
810 $serviceid = $DB->insert_record('external_services', $service);
811 return $serviceid;
815 * Update a service
816 * It modifies the timemodified automatically.
818 * @param stdClass $service
820 public function update_external_service($service) {
821 global $DB;
822 $service->timemodified = time();
823 $DB->update_record('external_services', $service);
827 * Test whether an external function is already linked to a service
829 * @param string $functionname function name
830 * @param int $serviceid service id
831 * @return bool true if a matching function exists for the service, else false.
832 * @throws dml_exception if error
834 public function service_function_exists($functionname, $serviceid) {
835 global $DB;
836 return $DB->record_exists('external_services_functions',
837 array('externalserviceid' => $serviceid,
838 'functionname' => $functionname));
842 * Remove a function from a service
844 * @param string $functionname function name
845 * @param int $serviceid service id
847 public function remove_external_function_from_service($functionname, $serviceid) {
848 global $DB;
849 $DB->delete_records('external_services_functions',
850 array('externalserviceid' => $serviceid, 'functionname' => $functionname));
855 * Return a list with all the valid user tokens for the given user, it only excludes expired tokens.
857 * @param string $userid user id to retrieve tokens from
858 * @return array array of token entries
859 * @since Moodle 3.2
861 public static function get_active_tokens($userid) {
862 global $DB;
864 $sql = 'SELECT t.*, s.name as servicename FROM {external_tokens} t JOIN
865 {external_services} s ON t.externalserviceid = s.id WHERE
866 t.userid = :userid AND (COALESCE(t.validuntil, 0) = 0 OR t.validuntil > :now)';
867 $params = array('userid' => $userid, 'now' => time());
868 return $DB->get_records_sql($sql, $params);
873 * Exception indicating access control problem in web service call
874 * This exception should return general errors about web service setup.
875 * Errors related to the user like wrong username/password should not use it,
876 * you should not use this exception if you want to let the client implement
877 * some code logic against an access error.
879 * @package core_webservice
880 * @copyright 2009 Petr Skodak
881 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
883 class webservice_access_exception extends moodle_exception {
886 * Constructor
888 * @param string $debuginfo the debug info
890 function __construct($debuginfo) {
891 parent::__construct('accessexception', 'webservice', '', null, $debuginfo);
896 * Check if a protocol is enabled
898 * @param string $protocol name of WS protocol ('rest', 'soap', ...)
899 * @return bool true if the protocol is enabled
901 function webservice_protocol_is_enabled($protocol) {
902 global $CFG;
904 if (empty($CFG->enablewebservices) || empty($CFG->webserviceprotocols)) {
905 return false;
908 $active = explode(',', $CFG->webserviceprotocols);
910 return(in_array($protocol, $active));
914 * Mandatory interface for all test client classes.
916 * @package core_webservice
917 * @copyright 2009 Petr Skodak
918 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
920 interface webservice_test_client_interface {
923 * Execute test client WS request
925 * @param string $serverurl server url (including the token param)
926 * @param string $function web service function name
927 * @param array $params parameters of the web service function
928 * @return mixed
930 public function simpletest($serverurl, $function, $params);
934 * Mandatory interface for all web service protocol classes
936 * @package core_webservice
937 * @copyright 2009 Petr Skodak
938 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
940 interface webservice_server_interface {
943 * Process request from client.
945 public function run();
949 * Abstract web service base class.
951 * @package core_webservice
952 * @copyright 2009 Petr Skodak
953 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
955 abstract class webservice_server implements webservice_server_interface {
957 /** @var string Name of the web server plugin */
958 protected $wsname = null;
960 /** @var string Name of local user */
961 protected $username = null;
963 /** @var string Password of the local user */
964 protected $password = null;
966 /** @var int The local user */
967 protected $userid = null;
969 /** @var integer Authentication method one of WEBSERVICE_AUTHMETHOD_* */
970 protected $authmethod;
972 /** @var string Authentication token*/
973 protected $token = null;
975 /** @var stdClass Restricted context */
976 protected $restricted_context;
978 /** @var int Restrict call to one service id*/
979 protected $restricted_serviceid = null;
982 * Constructor
984 * @param integer $authmethod authentication method one of WEBSERVICE_AUTHMETHOD_*
986 public function __construct($authmethod) {
987 $this->authmethod = $authmethod;
992 * Authenticate user using username+password or token.
993 * This function sets up $USER global.
994 * It is safe to use has_capability() after this.
995 * This method also verifies user is allowed to use this
996 * server.
998 protected function authenticate_user() {
999 global $CFG, $DB;
1001 if (!NO_MOODLE_COOKIES) {
1002 throw new coding_exception('Cookies must be disabled in WS servers!');
1005 $loginfaileddefaultparams = array(
1006 'other' => array(
1007 'method' => $this->authmethod,
1008 'reason' => null
1012 if ($this->authmethod == WEBSERVICE_AUTHMETHOD_USERNAME) {
1014 //we check that authentication plugin is enabled
1015 //it is only required by simple authentication
1016 if (!is_enabled_auth('webservice')) {
1017 throw new webservice_access_exception('The web service authentication plugin is disabled.');
1020 if (!$auth = get_auth_plugin('webservice')) {
1021 throw new webservice_access_exception('The web service authentication plugin is missing.');
1024 $this->restricted_context = context_system::instance();
1026 if (!$this->username) {
1027 throw new moodle_exception('missingusername', 'webservice');
1030 if (!$this->password) {
1031 throw new moodle_exception('missingpassword', 'webservice');
1034 if (!$auth->user_login_webservice($this->username, $this->password)) {
1036 // Log failed login attempts.
1037 $params = $loginfaileddefaultparams;
1038 $params['other']['reason'] = 'password';
1039 $params['other']['username'] = $this->username;
1040 $event = \core\event\webservice_login_failed::create($params);
1041 $event->trigger();
1043 throw new moodle_exception('wrongusernamepassword', 'webservice');
1046 $user = $DB->get_record('user', array('username'=>$this->username, 'mnethostid'=>$CFG->mnet_localhost_id), '*', MUST_EXIST);
1048 } else if ($this->authmethod == WEBSERVICE_AUTHMETHOD_PERMANENT_TOKEN){
1049 $user = $this->authenticate_by_token(EXTERNAL_TOKEN_PERMANENT);
1050 } else {
1051 $user = $this->authenticate_by_token(EXTERNAL_TOKEN_EMBEDDED);
1054 // Cannot authenticate unless maintenance access is granted.
1055 $hasmaintenanceaccess = has_capability('moodle/site:maintenanceaccess', context_system::instance(), $user);
1056 if (!empty($CFG->maintenance_enabled) and !$hasmaintenanceaccess) {
1057 throw new moodle_exception('sitemaintenance', 'admin');
1060 //only confirmed user should be able to call web service
1061 if (!empty($user->deleted)) {
1062 $params = $loginfaileddefaultparams;
1063 $params['other']['reason'] = 'user_deleted';
1064 $params['other']['username'] = $user->username;
1065 $event = \core\event\webservice_login_failed::create($params);
1066 $event->trigger();
1067 throw new moodle_exception('wsaccessuserdeleted', 'webservice', '', $user->username);
1070 //only confirmed user should be able to call web service
1071 if (empty($user->confirmed)) {
1072 $params = $loginfaileddefaultparams;
1073 $params['other']['reason'] = 'user_unconfirmed';
1074 $params['other']['username'] = $user->username;
1075 $event = \core\event\webservice_login_failed::create($params);
1076 $event->trigger();
1077 throw new moodle_exception('wsaccessuserunconfirmed', 'webservice', '', $user->username);
1080 //check the user is suspended
1081 if (!empty($user->suspended)) {
1082 $params = $loginfaileddefaultparams;
1083 $params['other']['reason'] = 'user_unconfirmed';
1084 $params['other']['username'] = $user->username;
1085 $event = \core\event\webservice_login_failed::create($params);
1086 $event->trigger();
1087 throw new moodle_exception('wsaccessusersuspended', 'webservice', '', $user->username);
1090 //retrieve the authentication plugin if no previously done
1091 if (empty($auth)) {
1092 $auth = get_auth_plugin($user->auth);
1095 // check if credentials have expired
1096 if (!empty($auth->config->expiration) and $auth->config->expiration == 1) {
1097 $days2expire = $auth->password_expire($user->username);
1098 if (intval($days2expire) < 0 ) {
1099 $params = $loginfaileddefaultparams;
1100 $params['other']['reason'] = 'password_expired';
1101 $params['other']['username'] = $user->username;
1102 $event = \core\event\webservice_login_failed::create($params);
1103 $event->trigger();
1104 throw new moodle_exception('wsaccessuserexpired', 'webservice', '', $user->username);
1108 //check if the auth method is nologin (in this case refuse connection)
1109 if ($user->auth=='nologin') {
1110 $params = $loginfaileddefaultparams;
1111 $params['other']['reason'] = 'login';
1112 $params['other']['username'] = $user->username;
1113 $event = \core\event\webservice_login_failed::create($params);
1114 $event->trigger();
1115 throw new moodle_exception('wsaccessusernologin', 'webservice', '', $user->username);
1118 // now fake user login, the session is completely empty too
1119 enrol_check_plugins($user, false);
1120 \core\session\manager::set_user($user);
1121 set_login_session_preferences();
1122 $this->userid = $user->id;
1124 if ($this->authmethod != WEBSERVICE_AUTHMETHOD_SESSION_TOKEN && !has_capability("webservice/$this->wsname:use", $this->restricted_context)) {
1125 throw new webservice_access_exception("You are not allowed to use the {$this->wsname} protocol " .
1126 "(missing capability: webservice/{$this->wsname}:use)");
1129 external_api::set_context_restriction($this->restricted_context);
1133 * User authentication by token
1135 * @param string $tokentype token type (EXTERNAL_TOKEN_EMBEDDED or EXTERNAL_TOKEN_PERMANENT)
1136 * @return stdClass the authenticated user
1137 * @throws webservice_access_exception
1139 protected function authenticate_by_token($tokentype){
1140 global $DB;
1142 $loginfaileddefaultparams = array(
1143 'other' => array(
1144 'method' => $this->authmethod,
1145 'reason' => null
1149 if (!$token = $DB->get_record('external_tokens', array('token'=>$this->token, 'tokentype'=>$tokentype))) {
1150 // Log failed login attempts.
1151 $params = $loginfaileddefaultparams;
1152 $params['other']['reason'] = 'invalid_token';
1153 $event = \core\event\webservice_login_failed::create($params);
1154 $event->trigger();
1155 throw new moodle_exception('invalidtoken', 'webservice');
1158 if ($token->validuntil and $token->validuntil < time()) {
1159 $DB->delete_records('external_tokens', array('token'=>$this->token, 'tokentype'=>$tokentype));
1160 throw new webservice_access_exception('Invalid token - token expired - check validuntil time for the token');
1163 if ($token->sid){//assumes that if sid is set then there must be a valid associated session no matter the token type
1164 if (!\core\session\manager::session_exists($token->sid)){
1165 $DB->delete_records('external_tokens', array('sid'=>$token->sid));
1166 throw new webservice_access_exception('Invalid session based token - session not found or expired');
1170 if ($token->iprestriction and !address_in_subnet(getremoteaddr(), $token->iprestriction)) {
1171 $params = $loginfaileddefaultparams;
1172 $params['other']['reason'] = 'ip_restricted';
1173 $params['other']['tokenid'] = $token->id;
1174 $event = \core\event\webservice_login_failed::create($params);
1175 $event->add_record_snapshot('external_tokens', $token);
1176 $event->trigger();
1177 throw new webservice_access_exception('Invalid service - IP:' . getremoteaddr()
1178 . ' is not supported - check this allowed user');
1181 $this->restricted_context = context::instance_by_id($token->contextid);
1182 $this->restricted_serviceid = $token->externalserviceid;
1184 $user = $DB->get_record('user', array('id'=>$token->userid), '*', MUST_EXIST);
1186 // log token access
1187 webservice::update_token_lastaccess($token);
1189 return $user;
1194 * Intercept some moodlewssettingXXX $_GET and $_POST parameter
1195 * that are related to the web service call and are not the function parameters
1197 protected function set_web_service_call_settings() {
1198 global $CFG;
1200 // Default web service settings.
1201 // Must be the same XXX key name as the external_settings::set_XXX function.
1202 // Must be the same XXX ws parameter name as 'moodlewssettingXXX'.
1203 $externalsettings = array(
1204 'raw' => array('default' => false, 'type' => PARAM_BOOL),
1205 'fileurl' => array('default' => true, 'type' => PARAM_BOOL),
1206 'filter' => array('default' => false, 'type' => PARAM_BOOL),
1207 'lang' => array('default' => '', 'type' => PARAM_LANG),
1208 'timezone' => array('default' => '', 'type' => PARAM_TIMEZONE),
1211 // Load the external settings with the web service settings.
1212 $settings = external_settings::get_instance();
1213 foreach ($externalsettings as $name => $settingdata) {
1215 $wsparamname = 'moodlewssetting' . $name;
1217 // Retrieve and remove the setting parameter from the request.
1218 $value = optional_param($wsparamname, $settingdata['default'], $settingdata['type']);
1219 unset($_GET[$wsparamname]);
1220 unset($_POST[$wsparamname]);
1222 $functioname = 'set_' . $name;
1223 $settings->$functioname($value);
1230 * Web Service server base class.
1232 * This class handles both simple and token authentication.
1234 * @package core_webservice
1235 * @copyright 2009 Petr Skodak
1236 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
1238 abstract class webservice_base_server extends webservice_server {
1240 /** @var array The function parameters - the real values submitted in the request */
1241 protected $parameters = null;
1243 /** @var string The name of the function that is executed */
1244 protected $functionname = null;
1246 /** @var stdClass Full function description */
1247 protected $function = null;
1249 /** @var mixed Function return value */
1250 protected $returns = null;
1252 /** @var array List of methods and their information provided by the web service. */
1253 protected $servicemethods;
1255 /** @var array List of struct classes generated for the web service methods. */
1256 protected $servicestructs;
1259 * This method parses the request input, it needs to get:
1260 * 1/ user authentication - username+password or token
1261 * 2/ function name
1262 * 3/ function parameters
1264 abstract protected function parse_request();
1267 * Send the result of function call to the WS client.
1269 abstract protected function send_response();
1272 * Send the error information to the WS client.
1274 * @param exception $ex
1276 abstract protected function send_error($ex=null);
1279 * Process request from client.
1281 * @uses die
1283 public function run() {
1284 global $CFG, $USER, $SESSION;
1286 // we will probably need a lot of memory in some functions
1287 raise_memory_limit(MEMORY_EXTRA);
1289 // set some longer timeout, this script is not sending any output,
1290 // this means we need to manually extend the timeout operations
1291 // that need longer time to finish
1292 external_api::set_timeout();
1294 // set up exception handler first, we want to sent them back in correct format that
1295 // the other system understands
1296 // we do not need to call the original default handler because this ws handler does everything
1297 set_exception_handler(array($this, 'exception_handler'));
1299 // init all properties from the request data
1300 $this->parse_request();
1302 // authenticate user, this has to be done after the request parsing
1303 // this also sets up $USER and $SESSION
1304 $this->authenticate_user();
1306 // find all needed function info and make sure user may actually execute the function
1307 $this->load_function_info();
1309 // Log the web service request.
1310 $params = array(
1311 'other' => array(
1312 'function' => $this->functionname
1315 $event = \core\event\webservice_function_called::create($params);
1316 $event->trigger();
1318 // Do additional setup stuff.
1319 $settings = external_settings::get_instance();
1320 $sessionlang = $settings->get_lang();
1321 if (!empty($sessionlang)) {
1322 $SESSION->lang = $sessionlang;
1325 setup_lang_from_browser();
1327 if (empty($CFG->lang)) {
1328 if (empty($SESSION->lang)) {
1329 $CFG->lang = 'en';
1330 } else {
1331 $CFG->lang = $SESSION->lang;
1335 // Change timezone only in sites where it isn't forced.
1336 $newtimezone = $settings->get_timezone();
1337 if (!empty($newtimezone) && (!isset($CFG->forcetimezone) || $CFG->forcetimezone == 99)) {
1338 $USER->timezone = $newtimezone;
1341 // finally, execute the function - any errors are catched by the default exception handler
1342 $this->execute();
1344 // send the results back in correct format
1345 $this->send_response();
1347 // session cleanup
1348 $this->session_cleanup();
1350 die;
1354 * Specialised exception handler, we can not use the standard one because
1355 * it can not just print html to output.
1357 * @param exception $ex
1358 * $uses exit
1360 public function exception_handler($ex) {
1361 // detect active db transactions, rollback and log as error
1362 abort_all_db_transactions();
1364 // some hacks might need a cleanup hook
1365 $this->session_cleanup($ex);
1367 // now let the plugin send the exception to client
1368 $this->send_error($ex);
1370 // not much else we can do now, add some logging later
1371 exit(1);
1375 * Future hook needed for emulated sessions.
1377 * @param exception $exception null means normal termination, $exception received when WS call failed
1379 protected function session_cleanup($exception=null) {
1380 if ($this->authmethod == WEBSERVICE_AUTHMETHOD_USERNAME) {
1381 // nothing needs to be done, there is no persistent session
1382 } else {
1383 // close emulated session if used
1388 * Fetches the function description from database,
1389 * verifies user is allowed to use this function and
1390 * loads all paremeters and return descriptions.
1392 protected function load_function_info() {
1393 global $DB, $USER, $CFG;
1395 if (empty($this->functionname)) {
1396 throw new invalid_parameter_exception('Missing function name');
1399 // function must exist
1400 $function = external_api::external_function_info($this->functionname);
1402 if ($this->restricted_serviceid) {
1403 $params = array('sid1'=>$this->restricted_serviceid, 'sid2'=>$this->restricted_serviceid);
1404 $wscond1 = 'AND s.id = :sid1';
1405 $wscond2 = 'AND s.id = :sid2';
1406 } else {
1407 $params = array();
1408 $wscond1 = '';
1409 $wscond2 = '';
1412 // now let's verify access control
1414 // now make sure the function is listed in at least one service user is allowed to use
1415 // allow access only if:
1416 // 1/ entry in the external_services_users table if required
1417 // 2/ validuntil not reached
1418 // 3/ has capability if specified in service desc
1419 // 4/ iprestriction
1421 $sql = "SELECT s.*, NULL AS iprestriction
1422 FROM {external_services} s
1423 JOIN {external_services_functions} sf ON (sf.externalserviceid = s.id AND s.restrictedusers = 0 AND sf.functionname = :name1)
1424 WHERE s.enabled = 1 $wscond1
1426 UNION
1428 SELECT s.*, su.iprestriction
1429 FROM {external_services} s
1430 JOIN {external_services_functions} sf ON (sf.externalserviceid = s.id AND s.restrictedusers = 1 AND sf.functionname = :name2)
1431 JOIN {external_services_users} su ON (su.externalserviceid = s.id AND su.userid = :userid)
1432 WHERE s.enabled = 1 AND (su.validuntil IS NULL OR su.validuntil < :now) $wscond2";
1433 $params = array_merge($params, array('userid'=>$USER->id, 'name1'=>$function->name, 'name2'=>$function->name, 'now'=>time()));
1435 $rs = $DB->get_recordset_sql($sql, $params);
1436 // now make sure user may access at least one service
1437 $remoteaddr = getremoteaddr();
1438 $allowed = false;
1439 foreach ($rs as $service) {
1440 if ($service->requiredcapability and !has_capability($service->requiredcapability, $this->restricted_context)) {
1441 continue; // cap required, sorry
1443 if ($service->iprestriction and !address_in_subnet($remoteaddr, $service->iprestriction)) {
1444 continue; // wrong request source ip, sorry
1446 $allowed = true;
1447 break; // one service is enough, no need to continue
1449 $rs->close();
1450 if (!$allowed) {
1451 throw new webservice_access_exception(
1452 'Access to the function '.$this->functionname.'() is not allowed.
1453 There could be multiple reasons for this:
1454 1. The service linked to the user token does not contain the function.
1455 2. The service is user-restricted and the user is not listed.
1456 3. The service is IP-restricted and the user IP is not listed.
1457 4. The service is time-restricted and the time has expired.
1458 5. The token is time-restricted and the time has expired.
1459 6. The service requires a specific capability which the user does not have.
1460 7. The function is called with username/password (no user token is sent)
1461 and none of the services has the function to allow the user.
1462 These settings can be found in Administration > Site administration
1463 > Server > Web services > External services and Manage tokens.');
1466 // we have all we need now
1467 $this->function = $function;
1471 * Execute previously loaded function using parameters parsed from the request data.
1473 protected function execute() {
1474 // validate params, this also sorts the params properly, we need the correct order in the next part
1475 $params = call_user_func(array($this->function->classname, 'validate_parameters'), $this->function->parameters_desc, $this->parameters);
1476 $params = array_values($params);
1478 // Allow any Moodle plugin a chance to override this call. This is a convenient spot to
1479 // make arbitrary behaviour customisations, for example to affect the mobile app behaviour.
1480 // The overriding plugin could call the 'real' function first and then modify the results,
1481 // or it could do a completely separate thing.
1482 $callbacks = get_plugins_with_function('override_webservice_execution');
1483 foreach ($callbacks as $plugintype => $plugins) {
1484 foreach ($plugins as $plugin => $callback) {
1485 $result = $callback($this->function, $params);
1486 if ($result !== false) {
1487 // If the callback returns anything other than false, we assume it replaces the
1488 // real function.
1489 $this->returns = $result;
1490 return;
1495 // execute - yay!
1496 $this->returns = call_user_func_array(array($this->function->classname, $this->function->methodname), $params);
1500 * Load the virtual class needed for the web service.
1502 * Initialises the virtual class that contains the web service functions that the user is allowed to use.
1503 * The web service function will be available if the user:
1504 * - is validly registered in the external_services_users table.
1505 * - has the required capability.
1506 * - meets the IP restriction requirement.
1507 * This virtual class can be used by web service protocols such as SOAP, especially when generating WSDL.
1509 protected function init_service_class() {
1510 global $USER, $DB;
1512 // Initialise service methods and struct classes.
1513 $this->servicemethods = array();
1514 $this->servicestructs = array();
1516 $params = array();
1517 $wscond1 = '';
1518 $wscond2 = '';
1519 if ($this->restricted_serviceid) {
1520 $params = array('sid1' => $this->restricted_serviceid, 'sid2' => $this->restricted_serviceid);
1521 $wscond1 = 'AND s.id = :sid1';
1522 $wscond2 = 'AND s.id = :sid2';
1525 $sql = "SELECT s.*, NULL AS iprestriction
1526 FROM {external_services} s
1527 JOIN {external_services_functions} sf ON (sf.externalserviceid = s.id AND s.restrictedusers = 0)
1528 WHERE s.enabled = 1 $wscond1
1530 UNION
1532 SELECT s.*, su.iprestriction
1533 FROM {external_services} s
1534 JOIN {external_services_functions} sf ON (sf.externalserviceid = s.id AND s.restrictedusers = 1)
1535 JOIN {external_services_users} su ON (su.externalserviceid = s.id AND su.userid = :userid)
1536 WHERE s.enabled = 1 AND (su.validuntil IS NULL OR su.validuntil < :now) $wscond2";
1537 $params = array_merge($params, array('userid' => $USER->id, 'now' => time()));
1539 $serviceids = array();
1540 $remoteaddr = getremoteaddr();
1542 // Query list of external services for the user.
1543 $rs = $DB->get_recordset_sql($sql, $params);
1545 // Check which service ID to include.
1546 foreach ($rs as $service) {
1547 if (isset($serviceids[$service->id])) {
1548 continue; // Service already added.
1550 if ($service->requiredcapability and !has_capability($service->requiredcapability, $this->restricted_context)) {
1551 continue; // Cap required, sorry.
1553 if ($service->iprestriction and !address_in_subnet($remoteaddr, $service->iprestriction)) {
1554 continue; // Wrong request source ip, sorry.
1556 $serviceids[$service->id] = $service->id;
1558 $rs->close();
1560 // Generate the virtual class name.
1561 $classname = 'webservices_virtual_class_000000';
1562 while (class_exists($classname)) {
1563 $classname++;
1565 $this->serviceclass = $classname;
1567 // Get the list of all available external functions.
1568 $wsmanager = new webservice();
1569 $functions = $wsmanager->get_external_functions($serviceids);
1571 // Generate code for the virtual methods for this web service.
1572 $methods = '';
1573 foreach ($functions as $function) {
1574 $methods .= $this->get_virtual_method_code($function);
1577 $code = <<<EOD
1579 * Virtual class web services for user id $USER->id in context {$this->restricted_context->id}.
1581 class $classname {
1582 $methods
1584 EOD;
1585 // Load the virtual class definition into memory.
1586 eval($code);
1590 * Generates a struct class.
1592 * @param external_single_structure $structdesc The basis of the struct class to be generated.
1593 * @return string The class name of the generated struct class.
1595 protected function generate_simple_struct_class(external_single_structure $structdesc) {
1596 global $USER;
1598 $propeties = array();
1599 $fields = array();
1600 foreach ($structdesc->keys as $name => $fieldsdesc) {
1601 $type = $this->get_phpdoc_type($fieldsdesc);
1602 $propertytype = array('type' => $type);
1603 if (empty($fieldsdesc->allownull) || $fieldsdesc->allownull == NULL_ALLOWED) {
1604 $propertytype['nillable'] = true;
1606 $propeties[$name] = $propertytype;
1607 $fields[] = ' /** @var ' . $type . ' $' . $name . '*/';
1608 $fields[] = ' public $' . $name .';';
1610 $fieldsstr = implode("\n", $fields);
1612 // We do this after the call to get_phpdoc_type() to avoid duplicate class creation.
1613 $classname = 'webservices_struct_class_000000';
1614 while (class_exists($classname)) {
1615 $classname++;
1617 $code = <<<EOD
1619 * Virtual struct class for web services for user id $USER->id in context {$this->restricted_context->id}.
1621 class $classname {
1622 $fieldsstr
1624 EOD;
1625 // Load into memory.
1626 eval($code);
1628 // Prepare struct info.
1629 $structinfo = new stdClass();
1630 $structinfo->classname = $classname;
1631 $structinfo->properties = $propeties;
1632 // Add the struct info the the list of service struct classes.
1633 $this->servicestructs[] = $structinfo;
1635 return $classname;
1639 * Returns a virtual method code for a web service function.
1641 * @param stdClass $function a record from external_function
1642 * @return string The PHP code of the virtual method.
1643 * @throws coding_exception
1644 * @throws moodle_exception
1646 protected function get_virtual_method_code($function) {
1647 $function = external_api::external_function_info($function);
1649 // Parameters and their defaults for the method signature.
1650 $paramanddefaults = array();
1651 // Parameters for external lib call.
1652 $params = array();
1653 $paramdesc = array();
1654 // The method's input parameters and their respective types.
1655 $inputparams = array();
1656 // The method's output parameters and their respective types.
1657 $outputparams = array();
1659 foreach ($function->parameters_desc->keys as $name => $keydesc) {
1660 $param = '$' . $name;
1661 $paramanddefault = $param;
1662 if ($keydesc->required == VALUE_OPTIONAL) {
1663 // It does not make sense to declare a parameter VALUE_OPTIONAL. VALUE_OPTIONAL is used only for array/object key.
1664 throw new moodle_exception('erroroptionalparamarray', 'webservice', '', $name);
1665 } else if ($keydesc->required == VALUE_DEFAULT) {
1666 // Need to generate the default, if there is any.
1667 if ($keydesc instanceof external_value) {
1668 if ($keydesc->default === null) {
1669 $paramanddefault .= ' = null';
1670 } else {
1671 switch ($keydesc->type) {
1672 case PARAM_BOOL:
1673 $default = (int)$keydesc->default;
1674 break;
1675 case PARAM_INT:
1676 $default = $keydesc->default;
1677 break;
1678 case PARAM_FLOAT;
1679 $default = $keydesc->default;
1680 break;
1681 default:
1682 $default = "'$keydesc->default'";
1684 $paramanddefault .= " = $default";
1686 } else {
1687 // Accept empty array as default.
1688 if (isset($keydesc->default) && is_array($keydesc->default) && empty($keydesc->default)) {
1689 $paramanddefault .= ' = array()';
1690 } else {
1691 // For the moment we do not support default for other structure types.
1692 throw new moodle_exception('errornotemptydefaultparamarray', 'webservice', '', $name);
1697 $params[] = $param;
1698 $paramanddefaults[] = $paramanddefault;
1699 $type = $this->get_phpdoc_type($keydesc);
1700 $inputparams[$name]['type'] = $type;
1702 $paramdesc[] = '* @param ' . $type . ' $' . $name . ' ' . $keydesc->desc;
1704 $paramanddefaults = implode(', ', $paramanddefaults);
1705 $paramdescstr = implode("\n ", $paramdesc);
1707 $serviceclassmethodbody = $this->service_class_method_body($function, $params);
1709 if (empty($function->returns_desc)) {
1710 $return = '* @return void';
1711 } else {
1712 $type = $this->get_phpdoc_type($function->returns_desc);
1713 $outputparams['return']['type'] = $type;
1714 $return = '* @return ' . $type . ' ' . $function->returns_desc->desc;
1717 // Now create the virtual method that calls the ext implementation.
1718 $code = <<<EOD
1720 * $function->description.
1722 $paramdescstr
1723 $return
1725 public function $function->name($paramanddefaults) {
1726 $serviceclassmethodbody
1728 EOD;
1730 // Prepare the method information.
1731 $methodinfo = new stdClass();
1732 $methodinfo->name = $function->name;
1733 $methodinfo->inputparams = $inputparams;
1734 $methodinfo->outputparams = $outputparams;
1735 $methodinfo->description = $function->description;
1736 // Add the method information into the list of service methods.
1737 $this->servicemethods[] = $methodinfo;
1739 return $code;
1743 * Get the phpdoc type for an external_description object.
1744 * external_value => int, double or string
1745 * external_single_structure => object|struct, on-fly generated stdClass name.
1746 * external_multiple_structure => array
1748 * @param mixed $keydesc The type description.
1749 * @return string The PHP doc type of the external_description object.
1751 protected function get_phpdoc_type($keydesc) {
1752 $type = null;
1753 if ($keydesc instanceof external_value) {
1754 switch ($keydesc->type) {
1755 case PARAM_BOOL: // 0 or 1 only for now.
1756 case PARAM_INT:
1757 $type = 'int';
1758 break;
1759 case PARAM_FLOAT;
1760 $type = 'double';
1761 break;
1762 default:
1763 $type = 'string';
1765 } else if ($keydesc instanceof external_single_structure) {
1766 $type = $this->generate_simple_struct_class($keydesc);
1767 } else if ($keydesc instanceof external_multiple_structure) {
1768 $type = 'array';
1771 return $type;
1775 * Generates the method body of the virtual external function.
1777 * @param stdClass $function a record from external_function.
1778 * @param array $params web service function parameters.
1779 * @return string body of the method for $function ie. everything within the {} of the method declaration.
1781 protected function service_class_method_body($function, $params) {
1782 // Cast the param from object to array (validate_parameters except array only).
1783 $castingcode = '';
1784 $paramsstr = '';
1785 if (!empty($params)) {
1786 foreach ($params as $paramtocast) {
1787 // Clean the parameter from any white space.
1788 $paramtocast = trim($paramtocast);
1789 $castingcode .= " $paramtocast = json_decode(json_encode($paramtocast), true);\n";
1791 $paramsstr = implode(', ', $params);
1794 $descriptionmethod = $function->methodname . '_returns()';
1795 $callforreturnvaluedesc = $function->classname . '::' . $descriptionmethod;
1797 $methodbody = <<<EOD
1798 $castingcode
1799 if ($callforreturnvaluedesc == null) {
1800 $function->classname::$function->methodname($paramsstr);
1801 return null;
1803 return \\core_external\\external_api::clean_returnvalue($callforreturnvaluedesc, $function->classname::$function->methodname($paramsstr));
1804 EOD;
1805 return $methodbody;
1810 * Early WS exception handler.
1811 * It handles exceptions during setup and returns the Exception text in the WS format.
1812 * If a raise function is found nothing is returned. Throws Exception otherwise.
1814 * @param Exception $ex Raised exception.
1815 * @throws Exception
1817 function early_ws_exception_handler(Exception $ex): void {
1818 if (function_exists('raise_early_ws_exception')) {
1819 raise_early_ws_exception($ex);
1820 die;
1823 throw $ex;