]> git.mxchange.org Git - friendica.git/blob - src/Model/Profile.php
Update src/Model/Profile.php
[friendica.git] / src / Model / Profile.php
1 <?php
2 /**
3  * @copyright Copyright (C) 2020, Friendica
4  *
5  * @license GNU AGPL version 3 or any later version
6  *
7  * This program is free software: you can redistribute it and/or modify
8  * it under the terms of the GNU Affero General Public License as
9  * published by the Free Software Foundation, either version 3 of the
10  * License, or (at your option) any later version.
11  *
12  * This program is distributed in the hope that it will be useful,
13  * but WITHOUT ANY WARRANTY; without even the implied warranty of
14  * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
15  * GNU Affero General Public License for more details.
16  *
17  * You should have received a copy of the GNU Affero General Public License
18  * along with this program.  If not, see <https://www.gnu.org/licenses/>.
19  *
20  */
21
22 namespace Friendica\Model;
23
24 use Friendica\App;
25 use Friendica\Content\Text\BBCode;
26 use Friendica\Content\Widget\ContactBlock;
27 use Friendica\Core\Cache\Duration;
28 use Friendica\Core\Hook;
29 use Friendica\Core\Logger;
30 use Friendica\Network\Probe;
31 use Friendica\Core\Protocol;
32 use Friendica\Core\Renderer;
33 use Friendica\Core\Session;
34 use Friendica\Core\System;
35 use Friendica\Database\DBA;
36 use Friendica\DI;
37 use Friendica\Protocol\Activity;
38 use Friendica\Protocol\Diaspora;
39 use Friendica\Util\DateTimeFormat;
40 use Friendica\Util\Network;
41 use Friendica\Util\Proxy as ProxyUtils;
42 use Friendica\Util\Strings;
43
44 class Profile
45 {
46         /**
47          * Returns default profile for a given user id
48          *
49          * @param integer User ID
50          *
51          * @return array Profile data
52          * @throws \Exception
53          */
54         public static function getByUID($uid)
55         {
56                 return DBA::selectFirst('profile', [], ['uid' => $uid]);
57         }
58
59         /**
60          * Returns default profile for a given user ID and ID
61          *
62          * @param int $uid The contact ID
63          * @param int $id The contact owner ID
64          * @param array $fields The selected fields
65          *
66          * @return array Profile data for the ID
67          * @throws \Exception
68          */
69         public static function getById(int $uid, int $id, array $fields = [])
70         {
71                 return DBA::selectFirst('profile', $fields, ['uid' => $uid, 'id' => $id]);
72         }
73
74         /**
75          * Returns profile data for the contact owner
76          *
77          * @param int $uid The User ID
78          * @param array $fields The fields to retrieve
79          *
80          * @return array Array of profile data
81          * @throws \Exception
82          */
83         public static function getListByUser(int $uid, array $fields = [])
84         {
85                 return DBA::selectToArray('profile', $fields, ['uid' => $uid]);
86         }
87
88         /**
89          * Returns a formatted location string from the given profile array
90          *
91          * @param array $profile Profile array (Generated from the "profile" table)
92          *
93          * @return string Location string
94          */
95         public static function formatLocation(array $profile)
96         {
97                 $location = '';
98
99                 if (!empty($profile['locality'])) {
100                         $location .= $profile['locality'];
101                 }
102
103                 if (!empty($profile['region']) && (($profile['locality'] ?? '') != $profile['region'])) {
104                         if ($location) {
105                                 $location .= ', ';
106                         }
107
108                         $location .= $profile['region'];
109                 }
110
111                 if (!empty($profile['country-name'])) {
112                         if ($location) {
113                                 $location .= ', ';
114                         }
115
116                         $location .= $profile['country-name'];
117                 }
118
119                 return $location;
120         }
121
122         /**
123          * Loads a profile into the page sidebar.
124          *
125          * The function requires a writeable copy of the main App structure, and the nickname
126          * of a registered local account.
127          *
128          * If the viewer is an authenticated remote viewer, the profile displayed is the
129          * one that has been configured for his/her viewing in the Contact manager.
130          * Passing a non-zero profile ID can also allow a preview of a selected profile
131          * by the owner.
132          *
133          * Profile information is placed in the App structure for later retrieval.
134          * Honours the owner's chosen theme for display.
135          *
136          * @attention Should only be run in the _init() functions of a module. That ensures that
137          *      the theme is chosen before the _init() function of a theme is run, which will usually
138          *      load a lot of theme-specific content
139          *
140          * @param App     $a
141          * @param string  $nickname     string
142          * @param array   $profiledata  array
143          * @param boolean $show_connect Show connect link
144          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
145          * @throws \ImagickException
146          */
147         public static function load(App $a, $nickname, array $profiledata = [], $show_connect = true)
148         {
149                 $user = DBA::selectFirst('user', ['uid'], ['nickname' => $nickname, 'account_removed' => false]);
150
151                 if (!DBA::isResult($user) && empty($profiledata)) {
152                         Logger::log('profile error: ' . DI::args()->getQueryString(), Logger::DEBUG);
153                         return;
154                 }
155
156                 if (count($profiledata) > 0) {
157                         // Ensure to have a "nickname" field
158                         if (empty($profiledata['nickname']) && !empty($profiledata['nick'])) {
159                                 $profiledata['nickname'] = $profiledata['nick'];
160                         }
161
162                         // Add profile data to sidebar
163                         DI::page()['aside'] .= self::sidebar($a, $profiledata, true, $show_connect);
164
165                         if (!DBA::isResult($user)) {
166                                 return;
167                         }
168                 }
169
170                 $profile = self::getByNickname($nickname, $user['uid']);
171
172                 if (empty($profile) && empty($profiledata)) {
173                         Logger::log('profile error: ' . DI::args()->getQueryString(), Logger::DEBUG);
174                         return;
175                 }
176
177                 if (empty($profile)) {
178                         $profile = ['uid' => 0, 'name' => $nickname];
179                 }
180
181                 $a->profile = $profile;
182                 $a->profile_uid = $profile['uid'];
183
184                 $a->profile['mobile-theme'] = DI::pConfig()->get($a->profile['uid'], 'system', 'mobile_theme');
185                 $a->profile['network'] = Protocol::DFRN;
186
187                 DI::page()['title'] = $a->profile['name'] . ' @ ' . DI::config()->get('config', 'sitename');
188
189                 if (!$profiledata && !DI::pConfig()->get(local_user(), 'system', 'always_my_theme')) {
190                         $a->setCurrentTheme($a->profile['theme']);
191                         $a->setCurrentMobileTheme($a->profile['mobile-theme']);
192                 }
193
194                 /*
195                 * load/reload current theme info
196                 */
197
198                 Renderer::setActiveTemplateEngine(); // reset the template engine to the default in case the user's theme doesn't specify one
199
200                 $theme_info_file = 'view/theme/' . $a->getCurrentTheme() . '/theme.php';
201                 if (file_exists($theme_info_file)) {
202                         require_once $theme_info_file;
203                 }
204
205                 $block = ((DI::config()->get('system', 'block_public') && !Session::isAuthenticated()) ? true : false);
206
207                 /**
208                  * @todo
209                  * By now, the contact block isn't shown, when a different profile is given
210                  * But: When this profile was on the same server, then we could display the contacts
211                  */
212                 if (!$profiledata) {
213                         DI::page()['aside'] .= self::sidebar($a, $a->profile, $block, $show_connect);
214                 }
215
216                 return;
217         }
218
219         /**
220          * Get all profile data of a local user
221          *
222          * If the viewer is an authenticated remote viewer, the profile displayed is the
223          * one that has been configured for his/her viewing in the Contact manager.
224          * Passing a non-zero profile ID can also allow a preview of a selected profile
225          * by the owner
226          *
227          * Includes all available profile data
228          *
229          * @param string $nickname   nick
230          * @param int    $uid        uid
231          * @param int    $profile_id ID of the profile
232          * @return array
233          * @throws \Exception
234          */
235         public static function getByNickname($nickname, $uid = 0)
236         {
237                 $profile = DBA::selectFirst('owner-view', [], ['nickname' => $nickname, 'uid' => $uid]);
238                 return $profile;
239         }
240
241         /**
242          * Formats a profile for display in the sidebar.
243          *
244          * It is very difficult to templatise the HTML completely
245          * because of all the conditional logic.
246          *
247          * @param array   $profile
248          * @param int     $block
249          * @param boolean $show_connect Show connect link
250          *
251          * @return string HTML sidebar module
252          *
253          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
254          * @throws \ImagickException
255          * @note  Returns empty string if passed $profile is wrong type or not populated
256          *
257          * @hooks 'profile_sidebar_enter'
258          *      array $profile - profile data
259          * @hooks 'profile_sidebar'
260          *      array $arr
261          */
262         private static function sidebar(App $a, $profile, $block = 0, $show_connect = true)
263         {
264                 $o = '';
265                 $location = false;
266
267                 // This function can also use contact information in $profile
268                 $is_contact = !empty($profile['cid']);
269
270                 if (!is_array($profile) && !count($profile)) {
271                         return $o;
272                 }
273
274                 $profile['picdate'] = urlencode($profile['picdate'] ?? '');
275
276                 if (($profile['network'] != '') && ($profile['network'] != Protocol::DFRN)) {
277                         $profile['network_link'] = Strings::formatNetworkName($profile['network'], $profile['url']);
278                 } else {
279                         $profile['network_link'] = '';
280                 }
281
282                 Hook::callAll('profile_sidebar_enter', $profile);
283
284                 if (isset($profile['url'])) {
285                         $profile_url = $profile['url'];
286                 } else {
287                         $profile_url = DI::baseUrl()->get() . '/profile/' . $profile['nickname'];
288                 }
289
290                 $follow_link = null;
291                 $unfollow_link = null;
292                 $subscribe_feed_link = null;
293                 $wallmessage_link = null;
294
295
296
297                 $visitor_contact = [];
298                 if (!empty($profile['uid']) && self::getMyURL()) {
299                         $visitor_contact = Contact::selectFirst(['rel'], ['uid' => $profile['uid'], 'nurl' => Strings::normaliseLink(self::getMyURL())]);
300                 }
301
302                 $profile_contact = [];
303                 if (!empty($profile['cid']) && self::getMyURL()) {
304                         $profile_contact = Contact::selectFirst(['rel'], ['id' => $profile['cid']]);
305                 }
306
307                 $profile_is_dfrn = $profile['network'] == Protocol::DFRN;
308                 $profile_is_native = in_array($profile['network'], Protocol::NATIVE_SUPPORT);
309                 $local_user_is_self = local_user() && local_user() == ($profile['uid'] ?? 0);
310                 $visitor_is_authenticated = (bool)self::getMyURL();
311                 $visitor_is_following =
312                         in_array($visitor_contact['rel'] ?? 0, [Contact::FOLLOWER, Contact::FRIEND])
313                         || in_array($profile_contact['rel'] ?? 0, [Contact::SHARING, Contact::FRIEND]);
314                 $visitor_is_followed =
315                         in_array($visitor_contact['rel'] ?? 0, [Contact::SHARING, Contact::FRIEND])
316                         || in_array($profile_contact['rel'] ?? 0, [Contact::FOLLOWER, Contact::FRIEND]);
317                 $visitor_base_path = self::getMyURL() ? preg_replace('=/profile/(.*)=ism', '', self::getMyURL()) : '';
318
319                 if (!$local_user_is_self && $show_connect) {
320                         if (!$visitor_is_authenticated) {
321                                 // Remote follow is only available for local profiles
322                                 if (!empty($profile['nickname']) && strpos($profile_url, DI::baseUrl()->get()) === 0) {
323                                         $follow_link = 'remote_follow/' . $profile['nickname'];
324                                 }
325                         } elseif ($profile_is_native) {
326                                 if ($visitor_is_following) {
327                                         $unfollow_link = $visitor_base_path . '/unfollow?url=' . urlencode($profile_url);
328                                 } else {
329                                         $follow_link =  $visitor_base_path .'/follow?url=' . urlencode($profile_url);
330                                 }
331                         }
332
333                         if ($profile_is_dfrn) {
334                                 $subscribe_feed_link = 'dfrn_poll/' . $profile['nickname'];
335                         }
336
337                         if (Contact::canReceivePrivateMessages($profile)) {
338                                 if ($visitor_is_followed || $visitor_is_following) {
339                                         $wallmessage_link = $visitor_base_path . '/message/new/' . base64_encode($profile['addr'] ?? '');
340                                 } elseif ($visitor_is_authenticated && !empty($profile['unkmail'])) {
341                                         $wallmessage_link = 'wallmessage/' . $profile['nickname'];
342                                 }
343                         }
344                 }
345
346                 // show edit profile to yourself
347                 if (!$is_contact && $local_user_is_self) {
348                         $profile['edit'] = [DI::baseUrl() . '/settings/profile', DI::l10n()->t('Edit profile'), '', DI::l10n()->t('Edit profile')];
349                         $profile['menu'] = [
350                                 'chg_photo' => DI::l10n()->t('Change profile photo'),
351                                 'cr_new' => null,
352                                 'entries' => [],
353                         ];
354                 }
355
356                 // Fetch the account type
357                 $account_type = Contact::getAccountType($profile);
358
359                 if (!empty($profile['address'])
360                         || !empty($profile['location'])
361                         || !empty($profile['locality'])
362                         || !empty($profile['region'])
363                         || !empty($profile['postal-code'])
364                         || !empty($profile['country-name'])
365                 ) {
366                         $location = DI::l10n()->t('Location:');
367                 }
368
369                 $homepage = !empty($profile['homepage']) ? DI::l10n()->t('Homepage:') : false;
370                 $about    = !empty($profile['about'])    ? DI::l10n()->t('About:')    : false;
371                 $xmpp     = !empty($profile['xmpp'])     ? DI::l10n()->t('XMPP:')     : false;
372
373                 if ((!empty($profile['hidewall']) || $block) && !Session::isAuthenticated()) {
374                         $location = $homepage = $about = false;
375                 }
376
377                 $split_name = Diaspora::splitName($profile['name']);
378                 $firstname = $split_name['first'];
379                 $lastname = $split_name['last'];
380
381                 if (!empty($profile['guid'])) {
382                         $diaspora = [
383                                 'guid' => $profile['guid'],
384                                 'podloc' => DI::baseUrl(),
385                                 'searchable' => ($profile['net-publish'] ? 'true' : 'false'),
386                                 'nickname' => $profile['nickname'],
387                                 'fullname' => $profile['name'],
388                                 'firstname' => $firstname,
389                                 'lastname' => $lastname,
390                                 'photo300' => $profile['photo'] ?? '',
391                                 'photo100' => $profile['thumb'] ?? '',
392                                 'photo50' => $profile['micro'] ?? '',
393                         ];
394                 } else {
395                         $diaspora = false;
396                 }
397
398                 $contact_block = '';
399                 $updated = '';
400                 $contact_count = 0;
401
402                 if (!empty($profile['last-item'])) {
403                         $updated = date('c', strtotime($profile['last-item']));
404                 }
405
406                 if (!$block) {
407                         $contact_block = ContactBlock::getHTML($a->profile);
408
409                         if (is_array($a->profile) && !$a->profile['hide-friends']) {
410                                 $contact_count = DBA::count('contact', [
411                                         'uid' => $profile['uid'],
412                                         'self' => false,
413                                         'blocked' => false,
414                                         'pending' => false,
415                                         'hidden' => false,
416                                         'archive' => false,
417                                         'network' => Protocol::FEDERATED,
418                                 ]);
419                         }
420                 }
421
422                 $p = [];
423                 foreach ($profile as $k => $v) {
424                         $k = str_replace('-', '_', $k);
425                         $p[$k] = $v;
426                 }
427
428                 if (isset($p['about'])) {
429                         $p['about'] = BBCode::convert($p['about']);
430                 }
431
432                 if (empty($p['address']) && !empty($p['location'])) {
433                         $p['address'] = $p['location'];
434                 }
435
436                 if (isset($p['address'])) {
437                         $p['address'] = BBCode::convert($p['address']);
438                 }
439
440                 if (isset($p['photo'])) {
441                         $p['photo'] = ProxyUtils::proxifyUrl($p['photo'], false, ProxyUtils::SIZE_SMALL);
442                 }
443
444                 $p['url'] = Contact::magicLink(($p['url'] ?? '') ?: $profile_url);
445
446                 $tpl = Renderer::getMarkupTemplate('profile/vcard.tpl');
447                 $o .= Renderer::replaceMacros($tpl, [
448                         '$profile' => $p,
449                         '$xmpp' => $xmpp,
450                         '$follow' => DI::l10n()->t('Follow'),
451                         '$follow_link' => $follow_link,
452                         '$unfollow' => DI::l10n()->t('Unfollow'),
453                         '$unfollow_link' => $unfollow_link,
454                         '$subscribe_feed' => DI::l10n()->t('Atom feed'),
455                         '$subscribe_feed_link' => $subscribe_feed_link,
456                         '$wallmessage' => DI::l10n()->t('Message'),
457                         '$wallmessage_link' => $wallmessage_link,
458                         '$account_type' => $account_type,
459                         '$location' => $location,
460                         '$homepage' => $homepage,
461                         '$about' => $about,
462                         '$network' => DI::l10n()->t('Network:'),
463                         '$contacts' => $contact_count,
464                         '$updated' => $updated,
465                         '$diaspora' => $diaspora,
466                         '$contact_block' => $contact_block,
467                 ]);
468
469                 $arr = ['profile' => &$profile, 'entry' => &$o];
470
471                 Hook::callAll('profile_sidebar', $arr);
472
473                 return $o;
474         }
475
476         public static function getBirthdays()
477         {
478                 $a = DI::app();
479                 $o = '';
480
481                 if (!local_user() || DI::mode()->isMobile() || DI::mode()->isMobile()) {
482                         return $o;
483                 }
484
485                 /*
486                 * $mobile_detect = new Mobile_Detect();
487                 * $is_mobile = $mobile_detect->isMobile() || $mobile_detect->isTablet();
488                 *               if ($is_mobile)
489                 *                       return $o;
490                 */
491
492                 $bd_format = DI::l10n()->t('g A l F d'); // 8 AM Friday January 18
493                 $bd_short = DI::l10n()->t('F d');
494
495                 $cachekey = 'get_birthdays:' . local_user();
496                 $r = DI::cache()->get($cachekey);
497                 if (is_null($r)) {
498                         $s = DBA::p(
499                                 "SELECT `event`.*, `event`.`id` AS `eid`, `contact`.* FROM `event`
500                                 INNER JOIN `contact`
501                                         ON `contact`.`id` = `event`.`cid`
502                                         AND (`contact`.`rel` = ? OR `contact`.`rel` = ?)
503                                         AND NOT `contact`.`pending`
504                                         AND NOT `contact`.`hidden`
505                                         AND NOT `contact`.`blocked`
506                                         AND NOT `contact`.`archive`
507                                         AND NOT `contact`.`deleted`
508                                 WHERE `event`.`uid` = ? AND `type` = 'birthday' AND `start` < ? AND `finish` > ?
509                                 ORDER BY `start` ASC ",
510                                 Contact::SHARING,
511                                 Contact::FRIEND,
512                                 local_user(),
513                                 DateTimeFormat::utc('now + 6 days'),
514                                 DateTimeFormat::utcNow()
515                         );
516                         if (DBA::isResult($s)) {
517                                 $r = DBA::toArray($s);
518                                 DI::cache()->set($cachekey, $r, Duration::HOUR);
519                         }
520                 }
521
522                 $total = 0;
523                 $classtoday = '';
524                 if (DBA::isResult($r)) {
525                         $now = strtotime('now');
526                         $cids = [];
527
528                         $istoday = false;
529                         foreach ($r as $rr) {
530                                 if (strlen($rr['name'])) {
531                                         $total ++;
532                                 }
533                                 if ((strtotime($rr['start'] . ' +00:00') < $now) && (strtotime($rr['finish'] . ' +00:00') > $now)) {
534                                         $istoday = true;
535                                 }
536                         }
537                         $classtoday = $istoday ? ' birthday-today ' : '';
538                         if ($total) {
539                                 foreach ($r as &$rr) {
540                                         if (!strlen($rr['name'])) {
541                                                 continue;
542                                         }
543
544                                         // avoid duplicates
545
546                                         if (in_array($rr['cid'], $cids)) {
547                                                 continue;
548                                         }
549                                         $cids[] = $rr['cid'];
550
551                                         $today = (((strtotime($rr['start'] . ' +00:00') < $now) && (strtotime($rr['finish'] . ' +00:00') > $now)) ? true : false);
552
553                                         $rr['link'] = Contact::magicLink($rr['url']);
554                                         $rr['title'] = $rr['name'];
555                                         $rr['date'] = DI::l10n()->getDay(DateTimeFormat::convert($rr['start'], $a->timezone, 'UTC', $rr['adjust'] ? $bd_format : $bd_short)) . (($today) ? ' ' . DI::l10n()->t('[today]') : '');
556                                         $rr['startime'] = null;
557                                         $rr['today'] = $today;
558                                 }
559                         }
560                 }
561                 $tpl = Renderer::getMarkupTemplate('birthdays_reminder.tpl');
562                 return Renderer::replaceMacros($tpl, [
563                         '$classtoday' => $classtoday,
564                         '$count' => $total,
565                         '$event_reminders' => DI::l10n()->t('Birthday Reminders'),
566                         '$event_title' => DI::l10n()->t('Birthdays this week:'),
567                         '$events' => $r,
568                         '$lbr' => '{', // raw brackets mess up if/endif macro processing
569                         '$rbr' => '}'
570                 ]);
571         }
572
573         public static function getEventsReminderHTML()
574         {
575                 $a = DI::app();
576                 $o = '';
577
578                 if (!local_user() || DI::mode()->isMobile() || DI::mode()->isMobile()) {
579                         return $o;
580                 }
581
582                 /*
583                 *       $mobile_detect = new Mobile_Detect();
584                 *               $is_mobile = $mobile_detect->isMobile() || $mobile_detect->isTablet();
585                 *               if ($is_mobile)
586                 *                       return $o;
587                 */
588
589                 $bd_format = DI::l10n()->t('g A l F d'); // 8 AM Friday January 18
590                 $classtoday = '';
591
592                 $condition = ["`uid` = ? AND `type` != 'birthday' AND `start` < ? AND `start` >= ?",
593                         local_user(), DateTimeFormat::utc('now + 7 days'), DateTimeFormat::utc('now - 1 days')];
594                 $s = DBA::select('event', [], $condition, ['order' => ['start']]);
595
596                 $r = [];
597
598                 if (DBA::isResult($s)) {
599                         $istoday = false;
600                         $total = 0;
601
602                         while ($rr = DBA::fetch($s)) {
603                                 $condition = ['parent-uri' => $rr['uri'], 'uid' => $rr['uid'], 'author-id' => public_contact(),
604                                         'activity' => [Item::activityToIndex( Activity::ATTEND), Item::activityToIndex(Activity::ATTENDMAYBE)],
605                                         'visible' => true, 'deleted' => false];
606                                 if (!Item::exists($condition)) {
607                                         continue;
608                                 }
609
610                                 if (strlen($rr['summary'])) {
611                                         $total++;
612                                 }
613
614                                 $strt = DateTimeFormat::convert($rr['start'], $rr['adjust'] ? $a->timezone : 'UTC', 'UTC', 'Y-m-d');
615                                 if ($strt === DateTimeFormat::timezoneNow($a->timezone, 'Y-m-d')) {
616                                         $istoday = true;
617                                 }
618
619                                 $title = strip_tags(html_entity_decode(BBCode::convert($rr['summary']), ENT_QUOTES, 'UTF-8'));
620
621                                 if (strlen($title) > 35) {
622                                         $title = substr($title, 0, 32) . '... ';
623                                 }
624
625                                 $description = substr(strip_tags(BBCode::convert($rr['desc'])), 0, 32) . '... ';
626                                 if (!$description) {
627                                         $description = DI::l10n()->t('[No description]');
628                                 }
629
630                                 $strt = DateTimeFormat::convert($rr['start'], $rr['adjust'] ? $a->timezone : 'UTC');
631
632                                 if (substr($strt, 0, 10) < DateTimeFormat::timezoneNow($a->timezone, 'Y-m-d')) {
633                                         continue;
634                                 }
635
636                                 $today = ((substr($strt, 0, 10) === DateTimeFormat::timezoneNow($a->timezone, 'Y-m-d')) ? true : false);
637
638                                 $rr['title'] = $title;
639                                 $rr['description'] = $description;
640                                 $rr['date'] = DI::l10n()->getDay(DateTimeFormat::convert($rr['start'], $rr['adjust'] ? $a->timezone : 'UTC', 'UTC', $bd_format)) . (($today) ? ' ' . DI::l10n()->t('[today]') : '');
641                                 $rr['startime'] = $strt;
642                                 $rr['today'] = $today;
643
644                                 $r[] = $rr;
645                         }
646                         DBA::close($s);
647                         $classtoday = (($istoday) ? 'event-today' : '');
648                 }
649                 $tpl = Renderer::getMarkupTemplate('events_reminder.tpl');
650                 return Renderer::replaceMacros($tpl, [
651                         '$classtoday' => $classtoday,
652                         '$count' => count($r),
653                         '$event_reminders' => DI::l10n()->t('Event Reminders'),
654                         '$event_title' => DI::l10n()->t('Upcoming events the next 7 days:'),
655                         '$events' => $r,
656                 ]);
657         }
658
659         /**
660          * Retrieves the my_url session variable
661          *
662          * @return string
663          */
664         public static function getMyURL()
665         {
666                 return Session::get('my_url');
667         }
668
669         /**
670          * Process the 'zrl' parameter and initiate the remote authentication.
671          *
672          * This method checks if the visitor has a public contact entry and
673          * redirects the visitor to his/her instance to start the magic auth (Authentication)
674          * process.
675          *
676          * Ported from Hubzilla: https://framagit.org/hubzilla/core/blob/master/include/channel.php
677          *
678          * The implementation for Friendica sadly differs in some points from the one for Hubzilla:
679          * - Hubzilla uses the "zid" parameter, while for Friendica it had been replaced with "zrl"
680          * - There seem to be some reverse authentication (rmagic) that isn't implemented in Friendica at all
681          *
682          * It would be favourable to harmonize the two implementations.
683          *
684          * @param App $a Application instance.
685          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
686          * @throws \ImagickException
687          */
688         public static function zrlInit(App $a)
689         {
690                 $my_url = self::getMyURL();
691                 $my_url = Network::isUrlValid($my_url);
692
693                 if (empty($my_url) || local_user()) {
694                         return;
695                 }
696
697                 $addr = $_GET['addr'] ?? $my_url;
698
699                 $arr = ['zrl' => $my_url, 'url' => DI::args()->getCommand()];
700                 Hook::callAll('zrl_init', $arr);
701
702                 // Try to find the public contact entry of the visitor.
703                 $cid = Contact::getIdForURL($my_url);
704                 if (!$cid) {
705                         Logger::log('No contact record found for ' . $my_url, Logger::DEBUG);
706                         return;
707                 }
708
709                 $contact = DBA::selectFirst('contact',['id', 'url'], ['id' => $cid]);
710
711                 if (DBA::isResult($contact) && remote_user() && remote_user() == $contact['id']) {
712                         Logger::log('The visitor ' . $my_url . ' is already authenticated', Logger::DEBUG);
713                         return;
714                 }
715
716                 // Avoid endless loops
717                 $cachekey = 'zrlInit:' . $my_url;
718                 if (DI::cache()->get($cachekey)) {
719                         Logger::log('URL ' . $my_url . ' already tried to authenticate.', Logger::DEBUG);
720                         return;
721                 } else {
722                         DI::cache()->set($cachekey, true, Duration::MINUTE);
723                 }
724
725                 Logger::log('Not authenticated. Invoking reverse magic-auth for ' . $my_url, Logger::DEBUG);
726
727                 // Remove the "addr" parameter from the destination. It is later added as separate parameter again.
728                 $addr_request = 'addr=' . urlencode($addr);
729                 $query = rtrim(str_replace($addr_request, '', DI::args()->getQueryString()), '?&');
730
731                 // The other instance needs to know where to redirect.
732                 $dest = urlencode(DI::baseUrl()->get() . '/' . $query);
733
734                 // We need to extract the basebath from the profile url
735                 // to redirect the visitors '/magic' module.
736                 $basepath = Contact::getBasepath($contact['url']);
737
738                 if ($basepath != DI::baseUrl()->get() && !strstr($dest, '/magic')) {
739                         $magic_path = $basepath . '/magic' . '?owa=1&dest=' . $dest . '&' . $addr_request;
740
741                         // We have to check if the remote server does understand /magic without invoking something
742                         $serverret = Network::curl($basepath . '/magic');
743                         if ($serverret->isSuccess()) {
744                                 Logger::log('Doing magic auth for visitor ' . $my_url . ' to ' . $magic_path, Logger::DEBUG);
745                                 System::externalRedirect($magic_path);
746                         }
747                 }
748         }
749
750         /**
751          * Set the visitor cookies (see remote_user()) for the given handle
752          *
753          * @param string $handle Visitor handle
754          * @return array Visitor contact array
755          */
756         public static function addVisitorCookieForHandle($handle)
757         {
758                 $a = DI::app();
759
760                 // Try to find the public contact entry of the visitor.
761                 $cid = Contact::getIdForURL($handle);
762                 if (!$cid) {
763                         Logger::log('unable to finger ' . $handle, Logger::DEBUG);
764                         return [];
765                 }
766
767                 $visitor = DBA::selectFirst('contact', [], ['id' => $cid]);
768
769                 // Authenticate the visitor.
770                 $_SESSION['authenticated'] = 1;
771                 $_SESSION['visitor_id'] = $visitor['id'];
772                 $_SESSION['visitor_handle'] = $visitor['addr'];
773                 $_SESSION['visitor_home'] = $visitor['url'];
774                 $_SESSION['my_url'] = $visitor['url'];
775                 $_SESSION['remote_comment'] = Probe::getRemoteFollowLink($visitor['url']);
776
777                 Session::setVisitorsContacts();
778
779                 $a->contact = $visitor;
780
781                 Logger::info('Authenticated visitor', ['url' => $visitor['url']]);
782
783                 return $visitor;
784         }
785
786         /**
787          * OpenWebAuth authentication.
788          *
789          * Ported from Hubzilla: https://framagit.org/hubzilla/core/blob/master/include/zid.php
790          *
791          * @param string $token
792          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
793          * @throws \ImagickException
794          */
795         public static function openWebAuthInit($token)
796         {
797                 $a = DI::app();
798
799                 // Clean old OpenWebAuthToken entries.
800                 OpenWebAuthToken::purge('owt', '3 MINUTE');
801
802                 // Check if the token we got is the same one
803                 // we have stored in the database.
804                 $visitor_handle = OpenWebAuthToken::getMeta('owt', 0, $token);
805
806                 if ($visitor_handle === false) {
807                         return;
808                 }
809
810                 $visitor = self::addVisitorCookieForHandle($visitor_handle);
811                 if (empty($visitor)) {
812                         return;
813                 }
814
815                 $arr = [
816                         'visitor' => $visitor,
817                         'url' => DI::args()->getQueryString()
818                 ];
819                 /**
820                  * @hooks magic_auth_success
821                  *   Called when a magic-auth was successful.
822                  *   * \e array \b visitor
823                  *   * \e string \b url
824                  */
825                 Hook::callAll('magic_auth_success', $arr);
826
827                 $a->contact = $arr['visitor'];
828
829                 info(DI::l10n()->t('OpenWebAuth: %1$s welcomes %2$s', DI::baseUrl()->getHostname(), $visitor['name']));
830
831                 Logger::log('OpenWebAuth: auth success from ' . $visitor['addr'], Logger::DEBUG);
832         }
833
834         public static function zrl($s, $force = false)
835         {
836                 if (!strlen($s)) {
837                         return $s;
838                 }
839                 if (!strpos($s, '/profile/') && !$force) {
840                         return $s;
841                 }
842                 if ($force && substr($s, -1, 1) !== '/') {
843                         $s = $s . '/';
844                 }
845                 $achar = strpos($s, '?') ? '&' : '?';
846                 $mine = self::getMyURL();
847                 if ($mine && !Strings::compareLink($mine, $s)) {
848                         return $s . $achar . 'zrl=' . urlencode($mine);
849                 }
850                 return $s;
851         }
852
853         /**
854          * Get the user ID of the page owner.
855          *
856          * Used from within PCSS themes to set theme parameters. If there's a
857          * profile_uid variable set in App, that is the "page owner" and normally their theme
858          * settings take precedence; unless a local user sets the "always_my_theme"
859          * system pconfig, which means they don't want to see anybody else's theme
860          * settings except their own while on this site.
861          *
862          * @return int user ID
863          *
864          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
865          * @note Returns local_user instead of user ID if "always_my_theme" is set to true
866          */
867         public static function getThemeUid(App $a)
868         {
869                 $uid = !empty($a->profile_uid) ? intval($a->profile_uid) : 0;
870                 if (local_user() && (DI::pConfig()->get(local_user(), 'system', 'always_my_theme') || !$uid)) {
871                         return local_user();
872                 }
873
874                 return $uid;
875         }
876
877         /**
878          * search for Profiles
879          *
880          * @param int  $start
881          * @param int  $count
882          * @param null $search
883          *
884          * @return array [ 'total' => 123, 'entries' => [...] ];
885          *
886          * @throws \Exception
887          */
888         public static function searchProfiles($start = 0, $count = 100, $search = null)
889         {
890                 $publish = (DI::config()->get('system', 'publish_all') ? '' : "AND `publish` = 1");
891                 $total = 0;
892
893                 if (!empty($search)) {
894                         $searchTerm = '%' . $search . '%';
895                         $cnt = DBA::fetchFirst("SELECT COUNT(*) AS `total` FROM `owner-view`
896                                 WHERE $publish AND NOT `blocked` AND NOT `account_removed`
897                                 AND ((`name` LIKE ?) OR
898                                 (`nickname` LIKE ?) OR
899                                 (`about` LIKE ?) OR
900                                 (`locality` LIKE ?) OR
901                                 (`region` LIKE ?) OR
902                                 (`country-name` LIKE ?) OR
903                                 (`pub_keywords` LIKE ?) OR
904                                 (`prv_keywords` LIKE ?))",
905                                 $searchTerm, $searchTerm, $searchTerm, $searchTerm, $searchTerm, $searchTerm, $searchTerm, $searchTerm);
906                 } else {
907                         $cnt = DBA::fetchFirst("SELECT COUNT(*) AS `total`
908                                 FROM `owner-view` WHERE $publish AND NOT `blocked` AND NOT `account_removed`");
909                 }
910
911                 if (DBA::isResult($cnt)) {
912                         $total = $cnt['total'];
913                 }
914
915                 $order = " ORDER BY `name` ASC ";
916                 $profiles = [];
917
918                 // If nothing found, don't try to select details
919                 if ($total > 0) {
920                         if (!empty($search)) {
921                                 $searchTerm = '%' . $search . '%';
922
923                                 $profiles = DBA::p("SELECT * FROM `owner-view`
924                                         WHERE $publish AND NOT `blocked` AND NOT `account_removed`
925                                         AND ((`name` LIKE ?) OR
926                                                 (`nickname` LIKE ?) OR
927                                                 (`about` LIKE ?) OR
928                                                 (`locality` LIKE ?) OR
929                                                 (`region` LIKE ?) OR
930                                                 (`country-name` LIKE ?) OR
931                                                 (`pub_keywords` LIKE ?) OR
932                                                 (`prv_keywords` LIKE ?))
933                                         $order LIMIT ?,?",
934                                         $searchTerm, $searchTerm, $searchTerm, $searchTerm, $searchTerm, $searchTerm, $searchTerm, $searchTerm,
935                                         $start, $count
936                                 );
937                         } else {
938                                 $profiles = DBA::p("SELECT * FROM `owner-view`
939                                         WHERE $publish AND NOT `blocked` AND NOT `account_removed` $order LIMIT ?,?", $start, $count);
940                         }
941                 }
942
943                 if (DBA::isResult($profiles) && $total > 0) {
944                         return [
945                                 'total'   => $total,
946                                 'entries' => DBA::toArray($profiles),
947                         ];
948
949                 } else {
950                         return [
951                                 'total'   => $total,
952                                 'entries' => [],
953                         ];
954                 }
955         }
956 }