Add in unit test of searching when price field value label has changed
[civicrm-core.git] / CRM / Utils / System / Drupal8.php
1 <?php
2 /*
3 +--------------------------------------------------------------------+
4 | CiviCRM version 5 |
5 +--------------------------------------------------------------------+
6 | Copyright CiviCRM LLC (c) 2004-2019 |
7 +--------------------------------------------------------------------+
8 | This file is a part of CiviCRM. |
9 | |
10 | CiviCRM is free software; you can copy, modify, and distribute it |
11 | under the terms of the GNU Affero General Public License |
12 | Version 3, 19 November 2007 and the CiviCRM Licensing Exception. |
13 | |
14 | CiviCRM is distributed in the hope that it will be useful, but |
15 | WITHOUT ANY WARRANTY; without even the implied warranty of |
16 | MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. |
17 | See the GNU Affero General Public License for more details. |
18 | |
19 | You should have received a copy of the GNU Affero General Public |
20 | License and the CiviCRM Licensing Exception along |
21 | with this program; if not, contact CiviCRM LLC |
22 | at info[AT]civicrm[DOT]org. If you have questions about the |
23 | GNU Affero General Public License or the licensing of CiviCRM, |
24 | see the CiviCRM license FAQ at http://civicrm.org/licensing |
25 +--------------------------------------------------------------------+
26 */
27
28 /**
29 *
30 * @package CRM
31 * @copyright CiviCRM LLC (c) 2004-2019
32 */
33
34 /**
35 * Drupal specific stuff goes here.
36 */
37 class CRM_Utils_System_Drupal8 extends CRM_Utils_System_DrupalBase {
38
39 /**
40 * @inheritDoc
41 */
42 public function createUser(&$params, $mail) {
43 $user = \Drupal::currentUser();
44 $user_register_conf = \Drupal::config('user.settings')->get('register');
45 $verify_mail_conf = \Drupal::config('user.settings')->get('verify_mail');
46
47 // Don't create user if we don't have permission to.
48 if (!$user->hasPermission('administer users') && $user_register_conf == 'admin_only') {
49 return FALSE;
50 }
51
52 /** @var \Drupal\user\Entity\User $account */
53 $account = entity_create('user');
54 $account->setUsername($params['cms_name'])->setEmail($params[$mail]);
55
56 // Allow user to set password only if they are an admin or if
57 // the site settings don't require email verification.
58 if (!$verify_mail_conf || $user->hasPermission('administer users')) {
59 // @Todo: do we need to check that passwords match or assume this has already been done for us?
60 $account->setPassword($params['cms_pass']);
61 }
62
63 // Only activate account if we're admin or if anonymous users don't require
64 // approval to create accounts.
65 if ($user_register_conf != 'visitors' && !$user->hasPermission('administer users')) {
66 $account->block();
67 }
68 elseif (!$verify_mail_conf) {
69 $account->activate();
70 }
71
72 // Validate the user object
73 $violations = $account->validate();
74 if (count($violations)) {
75 return FALSE;
76 }
77
78 // Let the Drupal module know we're already in CiviCRM.
79 $config = CRM_Core_Config::singleton();
80 $config->inCiviCRM = TRUE;
81
82 try {
83 $account->save();
84 $config->inCiviCRM = FALSE;
85 }
86 catch (\Drupal\Core\Entity\EntityStorageException $e) {
87 $config->inCiviCRM = FALSE;
88 return FALSE;
89 }
90
91 // Send off any emails as required.
92 // Possible values for $op:
93 // - 'register_admin_created': Welcome message for user created by the admin.
94 // - 'register_no_approval_required': Welcome message when user
95 // self-registers.
96 // - 'register_pending_approval': Welcome message, user pending admin
97 // approval.
98 // @Todo: Should we only send off emails if $params['notify'] is set?
99 switch (TRUE) {
100 case $user_register_conf == 'admin_only' || $user->isAuthenticated():
101 _user_mail_notify('register_admin_created', $account);
102 break;
103
104 case $user_register_conf == 'visitors':
105 _user_mail_notify('register_no_approval_required', $account);
106 break;
107
108 case 'visitors_admin_approval':
109 _user_mail_notify('register_pending_approval', $account);
110 break;
111 }
112
113 // If this is a user creating their own account, login them in!
114 if ($account->isActive() && $user->isAnonymous()) {
115 \user_login_finalize($account);
116 }
117
118 return $account->id();
119 }
120
121 /**
122 * @inheritDoc
123 */
124 public function updateCMSName($ufID, $email) {
125 $user = entity_load('user', $ufID);
126 if ($user && $user->getEmail() != $email) {
127 $user->setEmail($email);
128
129 if (!count($user->validate())) {
130 $user->save();
131 }
132 }
133 }
134
135 /**
136 * Check if username and email exists in the drupal db.
137 *
138 * @param array $params
139 * Array of name and mail values.
140 * @param array $errors
141 * Errors.
142 * @param string $emailName
143 * Field label for the 'email'.
144 */
145 public static function checkUserNameEmailExists(&$params, &$errors, $emailName = 'email') {
146 // If we are given a name, let's check to see if it already exists.
147 if (!empty($params['name'])) {
148 $name = $params['name'];
149
150 $user = entity_create('user');
151 $user->setUsername($name);
152
153 // This checks for both username uniqueness and validity.
154 $violations = iterator_to_array($user->validate());
155 // We only care about violations on the username field; discard the rest.
156 $violations = array_filter($violations, function ($v) {
157 return $v->getPropertyPath() == 'name';
158 });
159 if (count($violations) > 0) {
160 $errors['cms_name'] = (string) $violations[0]->getMessage();
161 }
162 }
163
164 // And if we are given an email address, let's check to see if it already exists.
165 if (!empty($params[$emailName])) {
166 $mail = $params[$emailName];
167
168 $user = entity_create('user');
169 $user->setEmail($mail);
170
171 // This checks for both email uniqueness.
172 $violations = iterator_to_array($user->validate());
173 // We only care about violations on the email field; discard the rest.
174 $violations = array_filter($violations, function ($v) {
175 return $v->getPropertyPath() == 'mail';
176 });
177 if (count($violations) > 0) {
178 $errors[$emailName] = (string) $violations[0]->getMessage();
179 }
180 }
181 }
182
183 /**
184 * @inheritDoc
185 */
186 public function getLoginURL($destination = '') {
187 $query = $destination ? ['destination' => $destination] : [];
188 return \Drupal::url('user.login', [], ['query' => $query]);
189 }
190
191 /**
192 * @inheritDoc
193 */
194 public function setTitle($title, $pageTitle = NULL) {
195 if (!$pageTitle) {
196 $pageTitle = $title;
197 }
198 \Drupal::service('civicrm.page_state')->setTitle($pageTitle);
199 }
200
201 /**
202 * @inheritDoc
203 */
204 public function appendBreadCrumb($breadcrumbs) {
205 $civicrmPageState = \Drupal::service('civicrm.page_state');
206 foreach ($breadcrumbs as $breadcrumb) {
207 $civicrmPageState->addBreadcrumb($breadcrumb['title'], $breadcrumb['url']);
208 }
209 }
210
211 /**
212 * @inheritDoc
213 */
214 public function resetBreadCrumb() {
215 \Drupal::service('civicrm.page_state')->resetBreadcrumbs();
216 }
217
218 /**
219 * @inheritDoc
220 */
221 public function addHTMLHead($header) {
222 \Drupal::service('civicrm.page_state')->addHtmlHeader($header);
223 }
224
225 /**
226 * @inheritDoc
227 */
228 public function addStyleUrl($url, $region) {
229 if ($region != 'html-header') {
230 return FALSE;
231 }
232 $css = [
233 '#tag' => 'link',
234 '#attributes' => [
235 'href' => $url,
236 'rel' => 'stylesheet',
237 ],
238 ];
239 \Drupal::service('civicrm.page_state')->addCSS($css);
240 return TRUE;
241 }
242
243 /**
244 * @inheritDoc
245 */
246 public function addStyle($code, $region) {
247 if ($region != 'html-header') {
248 return FALSE;
249 }
250 $css = [
251 '#tag' => 'style',
252 '#value' => $code,
253 ];
254 \Drupal::service('civicrm.page_state')->addCSS($css);
255 return TRUE;
256 }
257
258 /**
259 * Check if a resource url is within the drupal directory and format appropriately.
260 *
261 * This seems to be a legacy function. We assume all resources are within the drupal
262 * directory and always return TRUE. As well, we clean up the $url.
263 *
264 * FIXME: This is not a legacy function and the above is not a safe assumption.
265 * External urls are allowed by CRM_Core_Resources and this needs to return the correct value.
266 *
267 * @param $url
268 *
269 * @return bool
270 */
271 public function formatResourceUrl(&$url) {
272 // Remove leading slash if present.
273 $url = ltrim($url, '/');
274
275 // Remove query string — presumably added to stop intermediary caching.
276 if (($pos = strpos($url, '?')) !== FALSE) {
277 $url = substr($url, 0, $pos);
278 }
279 // FIXME: Should not unconditionally return true
280 return TRUE;
281 }
282
283 /**
284 * This function does nothing in Drupal 8. Changes to the base_url should be made
285 * in settings.php directly.
286 */
287 public function mapConfigToSSL() {
288 }
289
290 /**
291 * @inheritDoc
292 */
293 public function url(
294 $path = '',
295 $query = '',
296 $absolute = FALSE,
297 $fragment = NULL,
298 $frontend = FALSE,
299 $forceBackend = FALSE
300 ) {
301 $query = html_entity_decode($query);
302
303 $config = CRM_Core_Config::singleton();
304 $base = $absolute ? $config->userFrameworkBaseURL : 'internal:/';
305
306 $url = $this->parseURL("{$path}?{$query}");
307
308 // Not all links that CiviCRM generates are Drupal routes, so we use the weaker ::fromUri method.
309 try {
310 $url = \Drupal\Core\Url::fromUri("{$base}{$url['path']}", array(
311 'query' => $url['query'],
312 'fragment' => $fragment,
313 'absolute' => $absolute,
314 ))->toString();
315 }
316 catch (Exception $e) {
317 \Drupal::logger('civicrm')->error($e->getMessage());
318 }
319
320 return $url;
321 }
322
323 /**
324 * @inheritDoc
325 */
326 public function authenticate($name, $password, $loadCMSBootstrap = FALSE, $realPath = NULL) {
327 $system = new CRM_Utils_System_Drupal8();
328 $system->loadBootStrap([], FALSE);
329
330 $uid = \Drupal::service('user.auth')->authenticate($name, $password);
331 if ($uid) {
332 if ($this->loadUser($name)) {
333 $contact_id = CRM_Core_BAO_UFMatch::getContactId($uid);
334 return [$contact_id, $uid, mt_rand()];
335 }
336 }
337
338 return FALSE;
339 }
340
341 /**
342 * @inheritDoc
343 */
344 public function loadUser($username) {
345 $user = user_load_by_name($username);
346 if (!$user) {
347 return FALSE;
348 }
349
350 // Set Drupal's current user to the loaded user.
351 \Drupal::currentUser()->setAccount($user);
352
353 $uid = $user->id();
354 $contact_id = CRM_Core_BAO_UFMatch::getContactId($uid);
355
356 // Store the contact id and user id in the session
357 $session = CRM_Core_Session::singleton();
358 $session->set('ufID', $uid);
359 $session->set('userID', $contact_id);
360 return TRUE;
361 }
362
363 /**
364 * Determine the native ID of the CMS user.
365 *
366 * @param string $username
367 * @return int|null
368 */
369 public function getUfId($username) {
370 if ($id = user_load_by_name($username)->id()) {
371 return $id;
372 }
373 }
374
375 /**
376 * @inheritDoc
377 */
378 public function permissionDenied() {
379 \Drupal::service('civicrm.page_state')->setAccessDenied();
380 }
381
382 /**
383 * In previous versions, this function was the controller for logging out. In Drupal 8, we rewrite the route
384 * to hand off logout to the standard Drupal logout controller. This function should therefore never be called.
385 */
386 public function logout() {
387 // Pass
388 }
389
390 /**
391 * Load drupal bootstrap.
392 *
393 * @param array $params
394 * Either uid, or name & pass.
395 * @param bool $loadUser
396 * Boolean Require CMS user load.
397 * @param bool $throwError
398 * If true, print error on failure and exit.
399 * @param bool|string $realPath path to script
400 *
401 * @return bool
402 * @Todo Handle setting cleanurls configuration for CiviCRM?
403 */
404 public function loadBootStrap($params = [], $loadUser = TRUE, $throwError = TRUE, $realPath = NULL) {
405 static $run_once = FALSE;
406 if ($run_once) {
407 return TRUE;
408 }
409 else {
410 $run_once = TRUE;
411 }
412
413 if (!($root = $this->cmsRootPath())) {
414 return FALSE;
415 }
416 chdir($root);
417
418 // Create a mock $request object
419 $autoloader = require_once $root . '/autoload.php';
420 if ($autoloader === TRUE) {
421 $autoloader = ComposerAutoloaderInitDrupal8::getLoader();
422 }
423 // @Todo: do we need to handle case where $_SERVER has no HTTP_HOST key, ie. when run via cli?
424 $request = new \Symfony\Component\HttpFoundation\Request([], [], [], [], [], $_SERVER);
425
426 // Create a kernel and boot it.
427 \Drupal\Core\DrupalKernel::createFromRequest($request, $autoloader, 'prod')->prepareLegacyRequest($request);
428
429 // Initialize Civicrm
430 \Drupal::service('civicrm')->initialize();
431
432 // We need to call the config hook again, since we now know
433 // all the modules that are listening on it (CRM-8655).
434 CRM_Utils_Hook::config($config);
435
436 if ($loadUser) {
437 if (!empty($params['uid']) && $username = \Drupal\user\Entity\User::load($params['uid'])->getUsername()) {
438 $this->loadUser($username);
439 }
440 elseif (!empty($params['name']) && !empty($params['pass']) && \Drupal::service('user.auth')->authenticate($params['name'], $params['pass'])) {
441 $this->loadUser($params['name']);
442 }
443 }
444 return TRUE;
445 }
446
447 /**
448 * Determine the location of the CMS root.
449 *
450 * @param string $path
451 *
452 * @return NULL|string
453 */
454 public function cmsRootPath($path = NULL) {
455 global $civicrm_paths;
456 if (!empty($civicrm_paths['cms.root']['path'])) {
457 return $civicrm_paths['cms.root']['path'];
458 }
459
460 if (defined('DRUPAL_ROOT')) {
461 return DRUPAL_ROOT;
462 }
463
464 // It looks like Drupal hasn't been bootstrapped.
465 // We're going to attempt to discover the root Drupal path
466 // by climbing out of the folder hierarchy and looking around to see
467 // if we've found the Drupal root directory.
468 if (!$path) {
469 $path = $_SERVER['SCRIPT_FILENAME'];
470 }
471
472 // Normalize and explode path into its component paths.
473 $paths = explode(DIRECTORY_SEPARATOR, realpath($path));
474
475 // Remove script filename from array of directories.
476 array_pop($paths);
477
478 while (count($paths)) {
479 $candidate = implode('/', $paths);
480 if (file_exists($candidate . "/core/includes/bootstrap.inc")) {
481 return $candidate;
482 }
483
484 array_pop($paths);
485 }
486 }
487
488 /**
489 * @inheritDoc
490 */
491 public function isUserLoggedIn() {
492 return \Drupal::currentUser()->isAuthenticated();
493 }
494
495 /**
496 * @inheritDoc
497 */
498 public function isUserRegistrationPermitted() {
499 if (\Drupal::config('user.settings')->get('register') == 'admin_only') {
500 return FALSE;
501 }
502 return TRUE;
503 }
504
505 /**
506 * @inheritDoc
507 */
508 public function isPasswordUserGenerated() {
509 if (\Drupal::config('user.settings')->get('verify_mail') == TRUE) {
510 return FALSE;
511 }
512 return TRUE;
513 }
514
515 /**
516 * @inheritDoc
517 */
518 public function updateCategories() {
519 // @todo Is anything necessary?
520 }
521
522 /**
523 * @inheritDoc
524 */
525 public function getLoggedInUfID() {
526 if ($id = \Drupal::currentUser()->id()) {
527 return $id;
528 }
529 }
530
531 /**
532 * @inheritDoc
533 */
534 public function getDefaultBlockLocation() {
535 return 'sidebar_first';
536 }
537
538 /**
539 * @inheritDoc
540 */
541 public function flush() {
542 // CiviCRM and Drupal both provide (different versions of) Symfony (and possibly share other classes too).
543 // If we call drupal_flush_all_caches(), Drupal will attempt to rediscover all of its classes, use Civicrm's
544 // alternatives instead and then die. Instead, we only clear cache bins and no more.
545 foreach (Drupal\Core\Cache\Cache::getBins() as $service_id => $cache_backend) {
546 $cache_backend->deleteAll();
547 }
548 }
549
550 /**
551 * @inheritDoc
552 */
553 public function getModules() {
554 $modules = [];
555
556 $module_data = system_rebuild_module_data();
557 foreach ($module_data as $module_name => $extension) {
558 if (!isset($extension->info['hidden']) && $extension->origin != 'core') {
559 $extension->schema_version = drupal_get_installed_schema_version($module_name);
560 $modules[] = new CRM_Core_Module('drupal.' . $module_name, ($extension->status == 1 ? TRUE : FALSE));
561 }
562 }
563 return $modules;
564 }
565
566 /**
567 * @inheritDoc
568 */
569 public function getUser($contactID) {
570 $user_details = parent::getUser($contactID);
571 $user_details['name'] = $user_details['name']->value;
572 $user_details['email'] = $user_details['email']->value;
573 return $user_details;
574 }
575
576 /**
577 * @inheritDoc
578 */
579 public function getUniqueIdentifierFromUserObject($user) {
580 return $user->get('mail')->value;
581 }
582
583 /**
584 * @inheritDoc
585 */
586 public function getUserIDFromUserObject($user) {
587 return $user->get('uid')->value;
588 }
589
590 /**
591 * @inheritDoc
592 */
593 public function synchronizeUsers() {
594 $config = CRM_Core_Config::singleton();
595 if (PHP_SAPI != 'cli') {
596 set_time_limit(300);
597 }
598
599 $users = [];
600 $users = \Drupal::entityTypeManager()->getStorage('user')->loadByProperties();
601
602 $uf = $config->userFramework;
603 $contactCount = 0;
604 $contactCreated = 0;
605 $contactMatching = 0;
606 foreach ($users as $user) {
607 $mail = $user->get('mail')->value;
608 if (empty($mail)) {
609 continue;
610 }
611 $uid = $user->get('uid')->value;
612 $contactCount++;
613 if ($match = CRM_Core_BAO_UFMatch::synchronizeUFMatch($user, $uid, $mail, $uf, 1, 'Individual', TRUE)) {
614 $contactCreated++;
615 }
616 else {
617 $contactMatching++;
618 }
619 }
620
621 return [
622 'contactCount' => $contactCount,
623 'contactMatching' => $contactMatching,
624 'contactCreated' => $contactCreated,
625 ];
626 }
627
628 /**
629 * @inheritDoc
630 */
631 public function setMessage($message) {
632 // CiviCRM sometimes includes markup in messages (ex: Event Cart)
633 // it needs to be rendered before being displayed.
634 $message = \Drupal\Core\Render\Markup::create($message);
635 \Drupal::messenger()->addMessage($message);
636 }
637
638 /**
639 * Drupal 8 has a different function to get current path, hence
640 * overriding the postURL function
641 *
642 * @param string $action
643 *
644 * @return string
645 */
646 public function postURL($action) {
647 if (!empty($action)) {
648 return $action;
649 }
650 $current_path = \Drupal::service('path.current')->getPath();
651 return $this->url($current_path);
652 }
653
654 /**
655 * Function to return current language of Drupal8
656 *
657 * @return string
658 */
659 public function getCurrentLanguage() {
660 // Drupal might not be bootstrapped if being called by the REST API.
661 if (!class_exists('Drupal') || !\Drupal::hasContainer()) {
662 return NULL;
663 }
664
665 return \Drupal::languageManager()->getCurrentLanguage()->getId();
666 }
667
668 /**
669 * Helper function to extract path, query and route name from Civicrm URLs.
670 *
671 * For example, 'civicrm/contact/view?reset=1&cid=66' will be returned as:
672 *
673 * @code
674 * array(
675 * 'path' => 'civicrm/contact/view',
676 * 'route' => 'civicrm.civicrm_contact_view',
677 * 'query' => array('reset' => '1', 'cid' => '66'),
678 * );
679 * @endcode
680 *
681 * @param string $url
682 * The url to parse.
683 *
684 * @return string[]
685 * The parsed url parts, containing 'path', 'route' and 'query'.
686 */
687 public function parseUrl($url) {
688 $processed = ['path' => '', 'route_name' => '', 'query' => []];
689
690 // Remove leading '/' if it exists.
691 $url = ltrim($url, '/');
692
693 // Separate out the url into its path and query components.
694 $url = parse_url($url);
695 if (empty($url['path'])) {
696 return $processed;
697 }
698 $processed['path'] = $url['path'];
699
700 // Create a route name by replacing the forward slashes in the path with
701 // underscores, civicrm/contact/search => civicrm.civicrm_contact_search.
702 $processed['route_name'] = 'civicrm.' . implode('_', explode('/', $url['path']));
703
704 // Turn the query string (if it exists) into an associative array.
705 if (!empty($url['query'])) {
706 parse_str($url['query'], $processed['query']);
707 }
708
709 return $processed;
710 }
711
712 /**
713 * Append Drupal8 js to coreResourcesList.
714 *
715 * @param \Civi\Core\Event\GenericHookEvent $e
716 */
717 public function appendCoreResources(\Civi\Core\Event\GenericHookEvent $e) {
718 $e->list[] = 'js/crm.drupal8.js';
719 }
720
721 /**
722 * @inheritDoc
723 */
724 public function setUFLocale($civicrm_language) {
725 $langcode = substr(str_replace('_', '', $civicrm_language), 0, 2);
726 $languageManager = \Drupal::languageManager();
727 $languages = $languageManager->getLanguages();
728
729 if (isset($languages[$langcode])) {
730 $languageManager->setConfigOverrideLanguage($languages[$langcode]);
731
732 // Config must be re-initialized to reset the base URL
733 // otherwise links will have the wrong language prefix/domain.
734 $config = CRM_Core_Config::singleton();
735 $config->free();
736
737 return TRUE;
738 }
739
740 return FALSE;
741 }
742
743 /**
744 * @inheritDoc
745 */
746 public function languageNegotiationURL($url, $addLanguagePart = TRUE, $removeLanguagePart = FALSE) {
747 if (empty($url)) {
748 return $url;
749 }
750
751 // Drupal might not be bootstrapped if being called by the REST API.
752 if (!class_exists('Drupal') || !\Drupal::hasContainer()) {
753 return $url;
754 }
755
756 $language = $this->getCurrentLanguage();
757 if (\Drupal::service('module_handler')->moduleExists('language')) {
758 $config = \Drupal::config('language.negotiation')->get('url');
759
760 //does user configuration allow language
761 //support from the URL (Path prefix or domain)
762 $enabledLanguageMethods = \Drupal::config('language.types')->get('negotiation.language_interface.enabled') ?: [];
763 if (array_key_exists(\Drupal\language\Plugin\LanguageNegotiation\LanguageNegotiationUrl::METHOD_ID, $enabledLanguageMethods)) {
764 $urlType = $config['source'];
765
766 //url prefix
767 if ($urlType == \Drupal\language\Plugin\LanguageNegotiation\LanguageNegotiationUrl::CONFIG_PATH_PREFIX) {
768 if (!empty($language)) {
769 if ($addLanguagePart && !empty($config['prefixes'][$language])) {
770 $url .= $config['prefixes'][$language] . '/';
771 }
772 if ($removeLanguagePart) {
773 $url = str_replace("/" . $config['prefixes'][$language] . "/", '/', $url);
774 }
775 }
776 }
777 //domain
778 if ($urlType == \Drupal\language\Plugin\LanguageNegotiation\LanguageNegotiationUrl::CONFIG_DOMAIN) {
779 if (isset($language->domain) && $language->domain) {
780 if ($addLanguagePart) {
781 $url = (CRM_Utils_System::isSSL() ? 'https' : 'http') . '://' . $config['domains'][$language] . base_path();
782 }
783 if ($removeLanguagePart && defined('CIVICRM_UF_BASEURL')) {
784 $url = str_replace('\\', '/', $url);
785 $parseUrl = parse_url($url);
786
787 //kinda hackish but not sure how to do it right
788 //hope http_build_url() will help at some point.
789 if (is_array($parseUrl) && !empty($parseUrl)) {
790 $urlParts = explode('/', $url);
791 $hostKey = array_search($parseUrl['host'], $urlParts);
792 $ufUrlParts = parse_url(CIVICRM_UF_BASEURL);
793 $urlParts[$hostKey] = $ufUrlParts['host'];
794 $url = implode('/', $urlParts);
795 }
796 }
797 }
798 }
799 }
800 }
801
802 return $url;
803 }
804
805 }