]> git.mxchange.org Git - friendica.git/blob - src/Content/Conversation.php
be858e05dc4243587a360ed3e7d39f330bbcb7b4
[friendica.git] / src / Content / Conversation.php
1 <?php
2 /**
3  * @copyright Copyright (C) 2010-2023, the Friendica project
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\Content;
23
24 use Friendica\App;
25 use Friendica\App\Arguments;
26 use Friendica\App\BaseURL;
27 use Friendica\BaseModule;
28 use Friendica\Core\ACL;
29 use Friendica\Core\Config\Capability\IManageConfigValues;
30 use Friendica\Core\Hook;
31 use Friendica\Core\L10n;
32 use Friendica\Core\PConfig\Capability\IManagePersonalConfigValues;
33 use Friendica\Core\Protocol;
34 use Friendica\Core\Renderer;
35 use Friendica\Core\Session\Capability\IHandleUserSessions;
36 use Friendica\Core\Theme;
37 use Friendica\Database\DBA;
38 use Friendica\Model\Contact;
39 use Friendica\Model\Item as ItemModel;
40 use Friendica\Model\Post;
41 use Friendica\Model\Tag;
42 use Friendica\Model\User;
43 use Friendica\Model\Verb;
44 use Friendica\Network\HTTPException\InternalServerErrorException;
45 use Friendica\Object\Post as PostObject;
46 use Friendica\Object\Thread;
47 use Friendica\Protocol\Activity;
48 use Friendica\Util\Crypto;
49 use Friendica\Util\DateTimeFormat;
50 use Friendica\Util\Profiler;
51 use Friendica\Util\Strings;
52 use Friendica\Util\Temporal;
53 use Psr\Log\LoggerInterface;
54
55 class Conversation
56 {
57         const MODE_COMMUNITY     = 'community';
58         const MODE_CONTACTS      = 'contacts';
59         const MODE_CONTACT_POSTS = 'contact-posts';
60         const MODE_DISPLAY       = 'display';
61         const MODE_FILED         = 'filed';
62         const MODE_NETWORK       = 'network';
63         const MODE_NOTES         = 'notes';
64         const MODE_SEARCH        = 'search';
65         const MODE_PROFILE       = 'profile';
66
67         /** @var Activity */
68         private $activity;
69         /** @var L10n */
70         private $l10n;
71         /** @var Profiler */
72         private $profiler;
73         /** @var LoggerInterface */
74         private $logger;
75         /** @var Item */
76         private $item;
77         /** @var App\Arguments */
78         private $args;
79         /** @var IManagePersonalConfigValues */
80         private $pConfig;
81         /** @var BaseURL */
82         private $baseURL;
83         /** @var IManageConfigValues */
84         private $config;
85         /** @var App */
86         private $app;
87         /** @var App\Page */
88         private $page;
89         /** @var App\Mode */
90         private $mode;
91         /** @var IHandleUserSessions */
92         private $session;
93
94         public function __construct(LoggerInterface $logger, Profiler $profiler, Activity $activity, L10n $l10n, Item $item, Arguments $args, BaseURL $baseURL, IManageConfigValues $config, IManagePersonalConfigValues $pConfig, App\Page $page, App\Mode $mode, App $app, IHandleUserSessions $session)
95         {
96                 $this->activity = $activity;
97                 $this->item     = $item;
98                 $this->config   = $config;
99                 $this->mode     = $mode;
100                 $this->baseURL  = $baseURL;
101                 $this->profiler = $profiler;
102                 $this->logger   = $logger;
103                 $this->l10n     = $l10n;
104                 $this->args     = $args;
105                 $this->pConfig  = $pConfig;
106                 $this->page     = $page;
107                 $this->app      = $app;
108                 $this->session  = $session;
109         }
110
111         /**
112          * Checks item to see if it is one of the builtin activities (like/dislike, event attendance, consensus items, etc.)
113          *
114          * Increments the count of each matching activity and adds a link to the author as needed.
115          *
116          * @param array  $activity
117          * @param array &$conv_responses (already created with builtin activity structure)
118          * @return void
119          * @throws ImagickException
120          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
121          */
122         public function builtinActivityPuller(array $activity, array &$conv_responses)
123         {
124                 $thread_parent = $activity['thr-parent-row'] ?? [];
125
126                 foreach ($conv_responses as $mode => $v) {
127                         $sparkle = '';
128
129                         switch ($mode) {
130                                 case 'like':
131                                         $verb = Activity::LIKE;
132                                         break;
133                                 case 'dislike':
134                                         $verb = Activity::DISLIKE;
135                                         break;
136                                 case 'attendyes':
137                                         $verb = Activity::ATTEND;
138                                         break;
139                                 case 'attendno':
140                                         $verb = Activity::ATTENDNO;
141                                         break;
142                                 case 'attendmaybe':
143                                         $verb = Activity::ATTENDMAYBE;
144                                         break;
145                                 case 'announce':
146                                         $verb = Activity::ANNOUNCE;
147                                         break;
148                                 default:
149                                         return;
150                         }
151
152                         if (!empty($activity['verb']) && $this->activity->match($activity['verb'], $verb) && ($activity['gravity'] != ItemModel::GRAVITY_PARENT)) {
153                                 $author = [
154                                         'uid'     => 0,
155                                         'id'      => $activity['author-id'],
156                                         'network' => $activity['author-network'],
157                                         'url'     => $activity['author-link']
158                                 ];
159                                 $url = Contact::magicLinkByContact($author);
160                                 if (strpos($url, 'contact/redir/') === 0) {
161                                         $sparkle = ' class="sparkle" ';
162                                 }
163
164                                 $link = '<a href="' . $url . '"' . $sparkle . '>' . htmlentities($activity['author-name']) . '</a>';
165
166                                 if (empty($activity['thr-parent-id'])) {
167                                         $activity['thr-parent-id'] = $activity['parent-uri-id'];
168                                 }
169
170                                 // Skip when the causer of the parent is the same as the author of the announce
171                                 if (($verb == Activity::ANNOUNCE) && !empty($thread_parent['causer-id']) && ($thread_parent['causer-id'] == $activity['author-id'])) {
172                                         continue;
173                                 }
174
175                                 if (!isset($conv_responses[$mode][$activity['thr-parent-id']])) {
176                                         $conv_responses[$mode][$activity['thr-parent-id']] = [
177                                                 'links' => [],
178                                                 'self'  => 0,
179                                         ];
180                                 } elseif (in_array($link, $conv_responses[$mode][$activity['thr-parent-id']]['links'])) {
181                                         // only list each unique author once
182                                         continue;
183                                 }
184
185                                 if ($this->session->getPublicContactId() == $activity['author-id']) {
186                                         $conv_responses[$mode][$activity['thr-parent-id']]['self'] = 1;
187                                 }
188
189                                 $conv_responses[$mode][$activity['thr-parent-id']]['links'][] = $link;
190
191                                 // there can only be one activity verb per item so if we found anything, we can stop looking
192                                 return;
193                         }
194                 }
195         }
196
197         /**
198          * Returns the liker phrase based on a list of likers
199          *
200          * @param string $verb   the activity verb
201          * @param array  $likers a list of likers
202          *
203          * @return string the liker phrase
204          *
205          * @throws InternalServerErrorException in case either the verb is invalid or the list of likers is empty
206          */
207         private function getLikerPhrase(string $verb, array $likers): string
208         {
209                 $total = count($likers);
210
211                 if ($total === 0) {
212                         throw new InternalServerErrorException(sprintf('There has to be at least one Liker for verb "%s"', $verb));
213                 } else if ($total === 1) {
214                         $likerString = $likers[0];
215                 } else {
216                         if ($total < $this->config->get('system', 'max_likers')) {
217                                 $likerString = implode(', ', array_slice($likers, 0, -1));
218                                 $likerString .= ' ' . $this->l10n->t('and') . ' ' . $likers[count($likers) - 1];
219                         } else {
220                                 $likerString = implode(', ', array_slice($likers, 0, $this->config->get('system', 'max_likers') - 1));
221                                 $likerString .= ' ' . $this->l10n->t('and %d other people', $total - $this->config->get('system', 'max_likers'));
222                         }
223                 }
224
225                 switch ($verb) {
226                         case 'like':
227                                 return $this->l10n->tt('%2$s likes this.', '%2$s like this.', $total, $likerString);
228                         case 'dislike':
229                                 return $this->l10n->tt('%2$s doesn\'t like this.', '%2$s don\'t like this.', $total, $likerString);
230                         case 'attendyes':
231                                 return $this->l10n->tt('%2$s attends.', '%2$s attend.', $total, $likerString);
232                         case 'attendno':
233                                 return $this->l10n->tt('%2$s doesn\'t attend.', '%2$s don\'t attend.', $total, $likerString);
234                         case 'attendmaybe':
235                                 return $this->l10n->tt('%2$s attends maybe.', '%2$s attend maybe.', $total, $likerString);
236                         case 'announce':
237                                 return $this->l10n->tt('%2$s reshared this.', '%2$s reshared this.', $total, $likerString);
238                         default:
239                                 throw new InternalServerErrorException(sprintf('Unknown verb "%s"', $verb));
240                 }
241         }
242
243         /**
244          * Format the activity text for an item/photo/video
245          *
246          * @param array  $links = array of pre-linked names of actors
247          * @param string $verb  = one of 'like, 'dislike', 'attendyes', 'attendno', 'attendmaybe'
248          * @param int    $id    = item id
249          * @return string formatted text
250          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
251          */
252         public function formatActivity(array $links, string $verb, int $id): string
253         {
254                 $this->profiler->startRecording('rendering');
255                 $expanded = '';
256
257                 $phrase = $this->getLikerPhrase($verb, $links);
258                 $total  = count($links);
259
260                 if ($total > 1) {
261                         $spanatts  = "class=\"btn btn-link fakelink\" onclick=\"openClose('{$verb}list-$id');\"";
262                         $explikers = $phrase;
263
264                         switch ($verb) {
265                                 case 'like':
266                                         $phrase = $this->l10n->tt('<button type="button" %2$s>%1$d person</button> likes this', '<button type="button" %2$s>%1$d people</button> like this', $total, $spanatts);
267                                         break;
268                                 case 'dislike':
269                                         $phrase = $this->l10n->tt('<button type="button" %2$s>%1$d person</button> doesn\'t like this', '<button type="button" %2$s>%1$d peiple</button> don\'t like this', $total, $spanatts);
270                                         break;
271                                 case 'attendyes':
272                                         $phrase = $this->l10n->tt('<button type="button" %2$s>%1$d person</button> attends', '<button type="button" %2$s>%1$d people</button> attend', $total, $spanatts);
273                                         break;
274                                 case 'attendno':
275                                         $phrase = $this->l10n->tt('<button type="button" %2$s>%1$d person</button> doesn\'t attend','<button type="button" %2$s>%1$d people</button> don\'t attend', $total, $spanatts);
276                                         break;
277                                 case 'attendmaybe':
278                                         $phrase = $this->l10n->tt('<button type="button" %2$s>%1$d person</button> attends maybe', '<button type="button" %2$s>%1$d people</button> attend maybe', $total, $spanatts);
279                                         break;
280                                 case 'announce':
281                                         $phrase = $this->l10n->tt('<button type="button" %2$s>%1$d person</button> reshared this', '<button type="button" %2$s>%1$d people</button> reshared this', $total, $spanatts);
282                                         break;
283                         }
284
285                         $expanded .= "\t" . '<p class="wall-item-' . $verb . '-expanded" id="' . $verb . 'list-' . $id . '" style="display: none;" >' . $explikers . '</p>';
286                 }
287
288                 $output = Renderer::replaceMacros(Renderer::getMarkupTemplate('voting_fakelink.tpl'), [
289                         '$phrase' => $phrase,
290                         '$type'   => $verb,
291                         '$id'     => $id
292                 ]);
293                 $output .= $expanded;
294
295                 $this->profiler->stopRecording();
296                 return $output;
297         }
298
299         public function statusEditor(array $x = [], int $notes_cid = 0, bool $popup = false): string
300         {
301                 $user = User::getById($this->app->getLoggedInUserId(), ['uid', 'nickname', 'allow_location', 'default-location']);
302                 if (empty($user['uid'])) {
303                         return '';
304                 }
305
306                 $this->profiler->startRecording('rendering');
307                 $o = '';
308
309                 $x['allow_location']   = $x['allow_location']   ?? $user['allow_location'];
310                 $x['default_location'] = $x['default_location'] ?? $user['default-location'];
311                 $x['nickname']         = $x['nickname']         ?? $user['nickname'];
312                 $x['lockstate']        = $x['lockstate']        ?? ACL::getLockstateForUserId($user['uid']) ? 'lock' : 'unlock';
313                 $x['acl']              = $x['acl']              ?? ACL::getFullSelectorHTML($this->page, $user['uid'], true);
314                 $x['bang']             = $x['bang']             ?? '';
315                 $x['visitor']          = $x['visitor']          ?? 'block';
316                 $x['is_owner']         = $x['is_owner']         ?? true;
317                 $x['profile_uid']      = $x['profile_uid']      ?? $this->session->getLocalUserId();
318
319
320                 $geotag = !empty($x['allow_location']) ? Renderer::replaceMacros(Renderer::getMarkupTemplate('jot_geotag.tpl'), []) : '';
321
322                 $tpl = Renderer::getMarkupTemplate('jot-header.tpl');
323                 $this->page['htmlhead'] .= Renderer::replaceMacros($tpl, [
324                         '$newpost'   => 'true',
325                         '$baseurl'   => $this->baseURL,
326                         '$geotag'    => $geotag,
327                         '$nickname'  => $x['nickname'],
328                         '$ispublic'  => $this->l10n->t('Visible to <strong>everybody</strong>'),
329                         '$linkurl'   => $this->l10n->t('Please enter a image/video/audio/webpage URL:'),
330                         '$term'      => $this->l10n->t('Tag term:'),
331                         '$fileas'    => $this->l10n->t('Save to Folder:'),
332                         '$whereareu' => $this->l10n->t('Where are you right now?'),
333                         '$delitems'  => $this->l10n->t("Delete item\x28s\x29?"),
334                         '$is_mobile' => $this->mode->isMobile(),
335                 ]);
336
337                 $jotplugins = '';
338                 Hook::callAll('jot_tool', $jotplugins);
339
340                 if ($this->config->get('system', 'set_creation_date')) {
341                         $created_at = Temporal::getDateTimeField(
342                                 new \DateTime(DBA::NULL_DATETIME),
343                                 new \DateTime('now'),
344                                 null,
345                                 $this->l10n->t('Created at'),
346                                 'created_at'
347                         );
348                 } else {
349                         $created_at = '';
350                 }
351
352                 $tpl = Renderer::getMarkupTemplate('jot.tpl');
353
354                 $o .= Renderer::replaceMacros($tpl, [
355                         '$new_post'            => $this->l10n->t('New Post'),
356                         '$return_path'         => $this->args->getQueryString(),
357                         '$action'              => 'item',
358                         '$share'               => ($x['button'] ?? '') ?: $this->l10n->t('Share'),
359                         '$loading'             => $this->l10n->t('Loading...'),
360                         '$upload'              => $this->l10n->t('Upload photo'),
361                         '$shortupload'         => $this->l10n->t('upload photo'),
362                         '$attach'              => $this->l10n->t('Attach file'),
363                         '$shortattach'         => $this->l10n->t('attach file'),
364                         '$edbold'              => $this->l10n->t('Bold'),
365                         '$editalic'            => $this->l10n->t('Italic'),
366                         '$eduline'             => $this->l10n->t('Underline'),
367                         '$edquote'             => $this->l10n->t('Quote'),
368                         '$edemojis'            => $this->l10n->t('Add emojis'),
369                         '$contentwarn'         => $this->l10n->t('Content Warning'),
370                         '$edcode'              => $this->l10n->t('Code'),
371                         '$edimg'               => $this->l10n->t('Image'),
372                         '$edurl'               => $this->l10n->t('Link'),
373                         '$edattach'            => $this->l10n->t('Link or Media'),
374                         '$edvideo'             => $this->l10n->t('Video'),
375                         '$setloc'              => $this->l10n->t('Set your location'),
376                         '$shortsetloc'         => $this->l10n->t('set location'),
377                         '$noloc'               => $this->l10n->t('Clear browser location'),
378                         '$shortnoloc'          => $this->l10n->t('clear location'),
379                         '$title'               => $x['title'] ?? '',
380                         '$placeholdertitle'    => $this->l10n->t('Set title'),
381                         '$category'            => $x['category'] ?? '',
382                         '$placeholdercategory' => Feature::isEnabled($this->session->getLocalUserId(), 'categories') ? $this->l10n->t("Categories \x28comma-separated list\x29") : '',
383                         '$scheduled_at'        => Temporal::getDateTimeField(
384                                 new \DateTime(),
385                                 new \DateTime('now + 6 months'),
386                                 null,
387                                 $this->l10n->t('Scheduled at'),
388                                 'scheduled_at'
389                         ),
390                         '$created_at'   => $created_at,
391                         '$wait'         => $this->l10n->t('Please wait'),
392                         '$permset'      => $this->l10n->t('Permission settings'),
393                         '$shortpermset' => $this->l10n->t('Permissions'),
394                         '$wall'         => $notes_cid ? 0 : 1,
395                         '$posttype'     => $notes_cid ? ItemModel::PT_PERSONAL_NOTE : ItemModel::PT_ARTICLE,
396                         '$content'      => $x['content'] ?? '',
397                         '$post_id'      => $x['post_id'] ?? '',
398                         '$baseurl'      => $this->baseURL,
399                         '$defloc'       => $x['default_location'],
400                         '$visitor'      => $x['visitor'],
401                         '$pvisit'       => $notes_cid ? 'none' : $x['visitor'],
402                         '$public'       => $this->l10n->t('Public post'),
403                         '$lockstate'    => $x['lockstate'],
404                         '$bang'         => $x['bang'],
405                         '$profile_uid'  => $x['profile_uid'],
406                         '$preview'      => $this->l10n->t('Preview'),
407                         '$jotplugins'   => $jotplugins,
408                         '$notes_cid'    => $notes_cid,
409                         '$cancel'       => $this->l10n->t('Cancel'),
410                         '$rand_num'     => Crypto::randomDigits(12),
411
412                         // ACL permissions box
413                         '$acl' => $x['acl'],
414
415                         //jot nav tab (used in some themes)
416                         '$message' => $this->l10n->t('Message'),
417                         '$browser' => $this->l10n->t('Browser'),
418
419                         '$compose_link_title'  => $this->l10n->t('Open Compose page'),
420                         '$always_open_compose' => $this->pConfig->get($this->session->getLocalUserId(), 'frio', 'always_open_compose', false),
421                 ]);
422
423
424                 if ($popup == true) {
425                         $o = '<div id="jot-popup" style="display: none;">' . $o . '</div>';
426                 }
427
428                 $this->profiler->stopRecording();
429                 return $o;
430         }
431
432         /**
433          * "Render" a conversation or list of items for HTML display.
434          * There are two major forms of display:
435          *      - Sequential or unthreaded ("New Item View" or search results)
436          *      - conversation view
437          * The $mode parameter decides between the various renderings and also
438          * figures out how to determine page owner and other contextual items
439          * that are based on unique features of the calling module.
440          * @param array  $items
441          * @param string $mode
442          * @param        $update @TODO Which type?
443          * @param bool   $preview
444          * @param string $order
445          * @param int    $uid
446          * @return string
447          * @throws ImagickException
448          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
449          */
450         public function create(array $items, string $mode, $update, bool $preview = false, string $order = 'commented', int $uid = 0): string
451         {
452                 $this->profiler->startRecording('rendering');
453
454                 $this->page->registerFooterScript(Theme::getPathForFile('asset/typeahead.js/dist/typeahead.bundle.js'));
455                 $this->page->registerFooterScript(Theme::getPathForFile('js/friendica-tagsinput/friendica-tagsinput.js'));
456                 $this->page->registerStylesheet(Theme::getPathForFile('js/friendica-tagsinput/friendica-tagsinput.css'));
457                 $this->page->registerStylesheet(Theme::getPathForFile('js/friendica-tagsinput/friendica-tagsinput-typeahead.css'));
458
459                 $live_update_div = '';
460
461                 $blocklist = $this->getBlocklist();
462
463                 $previewing = (($preview) ? ' preview ' : '');
464
465                 if ($mode === self::MODE_NETWORK) {
466                         $items = $this->addChildren($items, false, $order, $uid, $mode);
467                         if (!$update) {
468                                 /*
469                                 * The special div is needed for liveUpdate to kick in for this page.
470                                 * We only launch liveUpdate if you aren't filtering in some incompatible
471                                 * way and also you aren't writing a comment (discovered in javascript).
472                                 */
473                                 $live_update_div = '<div id="live-network"></div>' . "\r\n"
474                                         . "<script> var profile_uid = " . $_SESSION['uid']
475                                         . "; var netargs = '" . substr($this->args->getCommand(), 8)
476                                         . '?f='
477                                         . (!empty($_GET['contactid']) ? '&contactid=' . rawurlencode($_GET['contactid']) : '')
478                                         . (!empty($_GET['search'])    ? '&search='    . rawurlencode($_GET['search'])    : '')
479                                         . (!empty($_GET['star'])      ? '&star='      . rawurlencode($_GET['star'])      : '')
480                                         . (!empty($_GET['order'])     ? '&order='     . rawurlencode($_GET['order'])     : '')
481                                         . (!empty($_GET['bmark'])     ? '&bmark='     . rawurlencode($_GET['bmark'])     : '')
482                                         . (!empty($_GET['liked'])     ? '&liked='     . rawurlencode($_GET['liked'])     : '')
483                                         . (!empty($_GET['conv'])      ? '&conv='      . rawurlencode($_GET['conv'])      : '')
484                                         . (!empty($_GET['nets'])      ? '&nets='      . rawurlencode($_GET['nets'])      : '')
485                                         . (!empty($_GET['cmin'])      ? '&cmin='      . rawurlencode($_GET['cmin'])      : '')
486                                         . (!empty($_GET['cmax'])      ? '&cmax='      . rawurlencode($_GET['cmax'])      : '')
487                                         . (!empty($_GET['file'])      ? '&file='      . rawurlencode($_GET['file'])      : '')
488
489                                         . "'; </script>\r\n";
490                         }
491                 } elseif ($mode === self::MODE_PROFILE) {
492                         $items = $this->addChildren($items, false, $order, $uid, $mode);
493
494                         if (!$update) {
495                                 $tab = !empty($_GET['tab']) ? trim($_GET['tab']) : 'posts';
496
497                                 if ($tab === 'posts') {
498                                         /*
499                                         * This is ugly, but we can't pass the profile_uid through the session to the ajax updater,
500                                         * because browser prefetching might change it on us. We have to deliver it with the page.
501                                         */
502
503                                         $live_update_div = '<div id="live-profile"></div>' . "\r\n"
504                                                 . "<script> var profile_uid = " . $uid
505                                                 . "; var netargs = '?f='; </script>\r\n";
506                                 }
507                         }
508                 } elseif ($mode === self::MODE_NOTES) {
509                         $items = $this->addChildren($items, false, $order, $this->session->getLocalUserId(), $mode);
510
511                         if (!$update) {
512                                 $live_update_div = '<div id="live-notes"></div>' . "\r\n"
513                                         . "<script> var profile_uid = " . $this->session->getLocalUserId()
514                                         . "; var netargs = '?f='; </script>\r\n";
515                         }
516                 } elseif ($mode === self::MODE_DISPLAY) {
517                         $items = $this->addChildren($items, false, $order, $uid, $mode);
518
519                         if (!$update) {
520                                 $live_update_div = '<div id="live-display"></div>' . "\r\n"
521                                         . "<script> var profile_uid = " . ($this->session->getLocalUserId() ?: 0) . ";"
522                                         . "</script>";
523                         }
524                 } elseif ($mode === self::MODE_COMMUNITY) {
525                         $items = $this->addChildren($items, true, $order, $uid, $mode);
526
527                         if (!$update) {
528                                 $live_update_div = '<div id="live-community"></div>' . "\r\n"
529                                         . "<script> var profile_uid = -1; var netargs = '" . substr($this->args->getCommand(), 10)
530                                         . '?f='
531                                         . (!empty($_GET['no_sharer']) ? '&no_sharer=' . rawurlencode($_GET['no_sharer']) : '')
532                                         . (!empty($_GET['accounttype']) ? '&accounttype=' . rawurlencode($_GET['accounttype']) : '')
533                                         . "'; </script>\r\n";
534                         }
535                 } elseif ($mode === self::MODE_CONTACTS) {
536                         $items = $this->addChildren($items, false, $order, $uid, $mode);
537
538                         if (!$update) {
539                                 $live_update_div = '<div id="live-contact"></div>' . "\r\n"
540                                         . "<script> var profile_uid = -1; var netargs = '" . substr($this->args->getCommand(), 8)
541                                         ."?f='; </script>\r\n";
542                         }
543                 } elseif ($mode === self::MODE_SEARCH) {
544                         $live_update_div = '<div id="live-search"></div>' . "\r\n";
545                 }
546
547                 $page_dropping = $this->session->getLocalUserId() && $this->session->getLocalUserId() == $uid && $mode != self::MODE_SEARCH;
548
549                 if (!$update) {
550                         $_SESSION['return_path'] = $this->args->getQueryString();
551                 }
552
553                 $cb = ['items' => $items, 'mode' => $mode, 'update' => $update, 'preview' => $preview];
554                 Hook::callAll('conversation_start', $cb);
555
556                 $items = $cb['items'];
557
558                 $conv_responses = [
559                         'like'        => [],
560                         'dislike'     => [],
561                         'attendyes'   => [],
562                         'attendno'    => [],
563                         'attendmaybe' => [],
564                         'announce'    => [],
565                 ];
566
567                 if ($this->pConfig->get($this->session->getLocalUserId(), 'system', 'hide_dislike')) {
568                         unset($conv_responses['dislike']);
569                 }
570
571                 // array with html for each thread (parent+comments)
572                 $threads   = [];
573                 $threadsid = -1;
574
575                 $page_template     = Renderer::getMarkupTemplate("conversation.tpl");
576                 $formSecurityToken = BaseModule::getFormSecurityToken('contact_action');
577
578                 if (!empty($items)) {
579                         if (in_array($mode, [self::MODE_COMMUNITY, self::MODE_CONTACTS, self::MODE_PROFILE])) {
580                                 $writable = true;
581                         } else {
582                                 $writable = $items[0]['writable'] || ($items[0]['uid'] == 0) && in_array($items[0]['network'], Protocol::FEDERATED);
583                         }
584
585                         if (!$this->session->getLocalUserId()) {
586                                 $writable = false;
587                         }
588
589                         if (in_array($mode, [self::MODE_FILED, self::MODE_SEARCH, self::MODE_CONTACT_POSTS])) {
590
591                                 /*
592                                 * "New Item View" on network page or search page results
593                                 * - just loop through the items and format them minimally for display
594                                 */
595
596                                 $tpl = 'search_item.tpl';
597
598                                 $uriids = [];
599
600                                 foreach ($items as $item) {
601                                         if (in_array($item['uri-id'], $uriids)) {
602                                                 continue;
603                                         }
604
605                                         $uriids[] = $item['uri-id'];
606
607                                         if (!$this->item->isVisibleActivity($item)) {
608                                                 continue;
609                                         }
610
611                                         if (in_array($item['author-id'], $blocklist)) {
612                                                 continue;
613                                         }
614
615                                         $threadsid++;
616
617                                         // prevent private email from leaking.
618                                         if ($item['network'] === Protocol::MAIL && $this->session->getLocalUserId() != $item['uid']) {
619                                                 continue;
620                                         }
621
622                                         $profile_name = $item['author-name'];
623                                         if (!empty($item['author-link']) && empty($item['author-name'])) {
624                                                 $profile_name = $item['author-link'];
625                                         }
626
627                                         $tags = Tag::populateFromItem($item);
628
629                                         $author       = ['uid' => 0, 'id' => $item['author-id'], 'network' => $item['author-network'], 'url' => $item['author-link']];
630                                         $profile_link = Contact::magicLinkByContact($author);
631
632                                         $sparkle = '';
633                                         if (strpos($profile_link, 'contact/redir/') === 0) {
634                                                 $sparkle = ' sparkle';
635                                         }
636
637                                         $locate = ['location' => $item['location'], 'coord' => $item['coord'], 'html' => ''];
638                                         Hook::callAll('render_location', $locate);
639                                         $location_html = $locate['html'] ?: Strings::escapeHtml($locate['location'] ?: $locate['coord'] ?: '');
640
641                                         $this->item->localize($item);
642                                         if ($mode === self::MODE_FILED) {
643                                                 $dropping = true;
644                                         } else {
645                                                 $dropping = false;
646                                         }
647
648                                         $drop = [
649                                                 'dropping' => $dropping,
650                                                 'pagedrop' => $page_dropping,
651                                                 'select'   => $this->l10n->t('Select'),
652                                                 'delete'   => $this->l10n->t('Delete'),
653                                         ];
654
655                                         $likebuttons = [
656                                                 'like'     => null,
657                                                 'dislike'  => null,
658                                                 'share'    => null,
659                                                 'announce' => null,
660                                         ];
661
662                                         if ($this->pConfig->get($this->session->getLocalUserId(), 'system', 'hide_dislike')) {
663                                                 unset($likebuttons['dislike']);
664                                         }
665
666                                         $body_html = ItemModel::prepareBody($item, true, $preview);
667
668                                         [$categories, $folders] = $this->item->determineCategoriesTerms($item, $this->session->getLocalUserId());
669
670                                         if (!empty($item['title'])) {
671                                                 $title = $item['title'];
672                                         } elseif (!empty($item['content-warning']) && $this->pConfig->get($this->session->getLocalUserId(), 'system', 'disable_cw', false)) {
673                                                 $title = ucfirst($item['content-warning']);
674                                         } else {
675                                                 $title = '';
676                                         }
677
678                                         if (!empty($item['featured'])) {
679                                                 $pinned = $this->l10n->t('Pinned item');
680                                         } else {
681                                                 $pinned = '';
682                                         }
683
684                                         $tmp_item = [
685                                                 'template'             => $tpl,
686                                                 'id'                   => ($preview ? 'P0' : $item['id']),
687                                                 'guid'                 => ($preview ? 'Q0' : $item['guid']),
688                                                 'commented'            => $item['commented'],
689                                                 'received'             => $item['received'],
690                                                 'created_date'         => $item['created'],
691                                                 'uriid'                => $item['uri-id'],
692                                                 'network'              => $item['network'],
693                                                 'network_name'         => ContactSelector::networkToName($item['author-network'], $item['author-link'], $item['network'], $item['author-gsid']),
694                                                 'network_icon'         => ContactSelector::networkToIcon($item['network'], $item['author-link'], $item['author-gsid']),
695                                                 'linktitle'            => $this->l10n->t('View %s\'s profile @ %s', $profile_name, $item['author-link']),
696                                                 'profile_url'          => $profile_link,
697                                                 'item_photo_menu_html' => $this->item->photoMenu($item, $formSecurityToken),
698                                                 'name'                 => $profile_name,
699                                                 'sparkle'              => $sparkle,
700                                                 'lock'                 => false,
701                                                 'thumb'                => $this->baseURL->remove($this->item->getAuthorAvatar($item)),
702                                                 'title'                => $title,
703                                                 'body_html'            => $body_html,
704                                                 'tags'                 => $tags['tags'],
705                                                 'hashtags'             => $tags['hashtags'],
706                                                 'mentions'             => $tags['mentions'],
707                                                 'implicit_mentions'    => $tags['implicit_mentions'],
708                                                 'txt_cats'             => $this->l10n->t('Categories:'),
709                                                 'txt_folders'          => $this->l10n->t('Filed under:'),
710                                                 'has_cats'             => ((count($categories)) ? 'true' : ''),
711                                                 'has_folders'          => ((count($folders)) ? 'true' : ''),
712                                                 'categories'           => $categories,
713                                                 'folders'              => $folders,
714                                                 'text'                 => strip_tags($body_html),
715                                                 'localtime'            => DateTimeFormat::local($item['created'], 'r'),
716                                                 'utc'                  => DateTimeFormat::utc($item['created'], 'c'),
717                                                 'ago'                  => (($item['app']) ? $this->l10n->t('%s from %s', Temporal::getRelativeDate($item['created']), $item['app']) : Temporal::getRelativeDate($item['created'])),
718                                                 'location_html'        => $location_html,
719                                                 'indent'               => '',
720                                                 'owner_name'           => '',
721                                                 'owner_url'            => '',
722                                                 'owner_photo'          => $this->baseURL->remove($this->item->getOwnerAvatar($item)),
723                                                 'plink'                => ItemModel::getPlink($item),
724                                                 'edpost'               => false,
725                                                 'pinned'               => $pinned,
726                                                 'isstarred'            => 'unstarred',
727                                                 'star'                 => false,
728                                                 'drop'                 => $drop,
729                                                 'vote'                 => $likebuttons,
730                                                 'like_html'            => '',
731                                                 'dislike_html '        => '',
732                                                 'comment_html'         => '',
733                                                 'conv'                 => ($preview ? '' : ['href' => 'display/' . $item['guid'], 'title' => $this->l10n->t('View in context')]),
734                                                 'previewing'           => $previewing,
735                                                 'wait'                 => $this->l10n->t('Please wait'),
736                                                 'thread_level'         => 1,
737                                         ];
738
739                                         $arr = ['item' => $item, 'output' => $tmp_item];
740                                         Hook::callAll('display_item', $arr);
741
742                                         $threads[$threadsid]['id']      = $item['id'];
743                                         $threads[$threadsid]['network'] = $item['network'];
744                                         $threads[$threadsid]['items']   = [$arr['output']];
745                                 }
746                         } else {
747                                 // Normal View
748                                 $page_template = Renderer::getMarkupTemplate("threaded_conversation.tpl");
749
750                                 $conv = new Thread($mode, $preview, $writable);
751
752                                 /*
753                                 * get all the topmost parents
754                                 * this shouldn't be needed, as we should have only them in our array
755                                 * But for now, this array respects the old style, just in case
756                                 */
757                                 foreach ($items as $item) {
758                                         if (in_array($item['author-id'], $blocklist)) {
759                                                 continue;
760                                         }
761
762                                         // Can we put this after the visibility check?
763                                         $this->builtinActivityPuller($item, $conv_responses);
764
765                                         // Only add what is visible
766                                         if ($item['network'] === Protocol::MAIL && $this->session->getLocalUserId() != $item['uid']) {
767                                                 continue;
768                                         }
769
770                                         if (!$this->item->isVisibleActivity($item)) {
771                                                 continue;
772                                         }
773
774                                         /// @todo Check if this call is needed or not
775                                         $arr = ['item' => $item];
776                                         Hook::callAll('display_item', $arr);
777
778                                         $item['pagedrop'] = $page_dropping;
779
780                                         if ($item['gravity'] == ItemModel::GRAVITY_PARENT) {
781                                                 $item_object = new PostObject($item);
782                                                 $conv->addParent($item_object);
783                                         }
784                                 }
785
786                                 $threads = $conv->getTemplateData($conv_responses, $formSecurityToken);
787                                 if (!$threads) {
788                                         $this->logger->info('[ERROR] conversation : Failed to get template data.');
789                                         $threads = [];
790                                 }
791                         }
792                 }
793
794                 $o = Renderer::replaceMacros($page_template, [
795                         '$baseurl'     => $this->baseURL,
796                         '$return_path' => $this->args->getQueryString(),
797                         '$live_update' => $live_update_div,
798                         '$remove'      => $this->l10n->t('remove'),
799                         '$mode'        => $mode,
800                         '$update'      => $update,
801                         '$threads'     => $threads,
802                         '$dropping'    => ($page_dropping ? $this->l10n->t('Delete Selected Items') : false),
803                 ]);
804
805                 $this->profiler->stopRecording();
806                 return $o;
807         }
808
809         private function getBlocklist(): array
810         {
811                 if (!$this->session->getLocalUserId()) {
812                         return [];
813                 }
814
815                 $str_blocked = str_replace(["\n", "\r"], ",", $this->pConfig->get($this->session->getLocalUserId(), 'system', 'blocked') ?? '');
816                 if (empty($str_blocked)) {
817                         return [];
818                 }
819
820                 $blocklist = [];
821
822                 foreach (explode(',', $str_blocked) as $entry) {
823                         $cid = Contact::getIdForURL(trim($entry), 0, false);
824                         if (!empty($cid)) {
825                                 $blocklist[] = $cid;
826                         }
827                 }
828
829                 return $blocklist;
830         }
831
832         /**
833          * Adds some information (Causer, post reason, direction) to the fetched post row.
834          *
835          * @param array   $row        Post row
836          * @param array   $activity   Contact data of the resharer
837          * @param array   $thr_parent Thread parent row
838          *
839          * @return array items with parents and comments
840          */
841         private function addRowInformation(array $row, array $activity, array $thr_parent): array
842         {
843                 $this->profiler->startRecording('rendering');
844
845                 if (!$row['writable']) {
846                         $row['writable'] = in_array($row['network'], Protocol::FEDERATED);
847                 }
848
849                 if (!empty($activity)) {
850                         if (($row['gravity'] == ItemModel::GRAVITY_PARENT)) {
851                                 $row['post-reason'] = ItemModel::PR_ANNOUNCEMENT;
852
853                                 $row     = array_merge($row, $activity);
854                                 $contact = Contact::getById($activity['causer-id'], ['url', 'name', 'thumb']);
855
856                                 $row['causer-link']   = $contact['url'];
857                                 $row['causer-avatar'] = $contact['thumb'];
858                                 $row['causer-name']   = $contact['name'];
859                         } elseif (($row['gravity'] == ItemModel::GRAVITY_ACTIVITY) && ($row['verb'] == Activity::ANNOUNCE) &&
860                                 ($row['author-id'] == $activity['causer-id'])) {
861                                 return $row;
862                         }
863                 }
864
865                 switch ($row['post-reason']) {
866                         case ItemModel::PR_TO:
867                                 $row['direction'] = ['direction' => 7, 'title' => $this->l10n->t('You had been addressed (%s).', 'to')];
868                                 break;
869                         case ItemModel::PR_CC:
870                                 $row['direction'] = ['direction' => 7, 'title' => $this->l10n->t('You had been addressed (%s).', 'cc')];
871                                 break;
872                         case ItemModel::PR_BTO:
873                                 $row['direction'] = ['direction' => 7, 'title' => $this->l10n->t('You had been addressed (%s).', 'bto')];
874                                 break;
875                         case ItemModel::PR_BCC:
876                                 $row['direction'] = ['direction' => 7, 'title' => $this->l10n->t('You had been addressed (%s).', 'bcc')];
877                                 break;
878                         case ItemModel::PR_AUDIENCE:
879                                 $row['direction'] = ['direction' => 7, 'title' => $this->l10n->t('You had been addressed (%s).', 'audience')];
880                                 break;
881                         case ItemModel::PR_FOLLOWER:
882                                 $row['direction'] = ['direction' => 6, 'title' => $this->l10n->t('You are following %s.', $row['causer-name'] ?: $row['author-name'])];
883                                 break;
884                         case ItemModel::PR_TAG:
885                                 $row['direction'] = ['direction' => 4, 'title' => $this->l10n->t('You subscribed to one or more tags in this post.')];
886                                 break;
887                         case ItemModel::PR_ANNOUNCEMENT:
888                                 if (!empty($row['causer-id']) && $this->pConfig->get($this->session->getLocalUserId(), 'system', 'display_resharer')) {
889                                         $row['owner-id']     = $row['causer-id'];
890                                         $row['owner-link']   = $row['causer-link'];
891                                         $row['owner-avatar'] = $row['causer-avatar'];
892                                         $row['owner-name']   = $row['causer-name'];
893                                 }
894
895                                 if (in_array($row['gravity'], [ItemModel::GRAVITY_PARENT, ItemModel::GRAVITY_COMMENT]) && !empty($row['causer-id'])) {
896                                         $causer = ['uid' => 0, 'id' => $row['causer-id'], 'network' => $row['causer-network'], 'url' => $row['causer-link']];
897
898                                         $row['reshared'] = $this->l10n->t('%s reshared this.', '<a href="'. htmlentities(Contact::magicLinkByContact($causer)) .'">' . htmlentities($row['causer-name']) . '</a>');
899                                 }
900                                 $row['direction'] = ['direction' => 3, 'title' => (empty($row['causer-id']) ? $this->l10n->t('Reshared') : $this->l10n->t('Reshared by %s <%s>', $row['causer-name'], $row['causer-link']))];
901                                 break;
902                         case ItemModel::PR_COMMENT:
903                                 $row['direction'] = ['direction' => 5, 'title' => $this->l10n->t('%s is participating in this thread.', $row['author-name'])];
904                                 break;
905                         case ItemModel::PR_STORED:
906                                 $row['direction'] = ['direction' => 8, 'title' => $this->l10n->t('Stored for general reasons')];
907                                 break;
908                         case ItemModel::PR_GLOBAL:
909                                 $row['direction'] = ['direction' => 9, 'title' => $this->l10n->t('Global post')];
910                                 break;
911                         case ItemModel::PR_RELAY:
912                                 $row['direction'] = ['direction' => 10, 'title' => (empty($row['causer-id']) ? $this->l10n->t('Sent via an relay server') : $this->l10n->t('Sent via the relay server %s <%s>', $row['causer-name'], $row['causer-link']))];
913                                 break;
914                         case ItemModel::PR_FETCHED:
915                                 $row['direction'] = ['direction' => 2, 'title' => (empty($row['causer-id']) ? $this->l10n->t('Fetched') : $this->l10n->t('Fetched because of %s <%s>', $row['causer-name'], $row['causer-link']))];
916                                 break;
917                         case ItemModel::PR_COMPLETION:
918                                 $row['direction'] = ['direction' => 2, 'title' => $this->l10n->t('Stored because of a child post to complete this thread.')];
919                                 break;
920                         case ItemModel::PR_DIRECT:
921                                 $row['direction'] = ['direction' => 6, 'title' => $this->l10n->t('Local delivery')];
922                                 break;
923                         case ItemModel::PR_ACTIVITY:
924                                 $row['direction'] = ['direction' => 2, 'title' => $this->l10n->t('Stored because of your activity (like, comment, star, ...)')];
925                                 break;
926                         case ItemModel::PR_DISTRIBUTE:
927                                 $row['direction'] = ['direction' => 6, 'title' => $this->l10n->t('Distributed')];
928                                 break;
929                         case ItemModel::PR_PUSHED:
930                                 $row['direction'] = ['direction' => 1, 'title' => $this->l10n->t('Pushed to us')];
931                                 break;
932                 }
933
934                 $row['thr-parent-row'] = $thr_parent;
935
936                 $this->profiler->stopRecording();
937                 return $row;
938         }
939
940         /**
941          * Add comments to top level entries that had been fetched before
942          *
943          * The system will fetch the comments for the local user whenever possible.
944          * This behaviour is currently needed to allow commenting on Friendica posts.
945          *
946          * @param array  $parents       Parent items
947          * @param bool   $block_authors
948          * @param bool   $order
949          * @param int    $uid
950          * @param string $mode
951          * @return array items with parents and comments
952          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
953          */
954         private function addChildren(array $parents, bool $block_authors, string $order, int $uid, string $mode): array
955         {
956                 $this->profiler->startRecording('rendering');
957                 if (count($parents) > 1) {
958                         $max_comments = $this->config->get('system', 'max_comments', 100);
959                 } else {
960                         $max_comments = $this->config->get('system', 'max_display_comments', 1000);
961                 }
962
963                 $activities      = [];
964                 $uriids          = [];
965                 $commentcounter  = [];
966                 $activitycounter = [];
967
968                 foreach ($parents as $parent) {
969                         if (!empty($parent['thr-parent-id']) && !empty($parent['gravity']) && ($parent['gravity'] == ItemModel::GRAVITY_ACTIVITY)) {
970                                 $uriid = $parent['thr-parent-id'];
971                                 if (!empty($parent['author-id'])) {
972                                         $activities[$uriid] = ['causer-id' => $parent['author-id']];
973                                         foreach (['commented', 'received', 'created'] as $orderfields) {
974                                                 if (!empty($parent[$orderfields])) {
975                                                         $activities[$uriid][$orderfields] = $parent[$orderfields];
976                                                 }
977                                         }
978                                 }
979                         } else {
980                                 $uriid = $parent['uri-id'];
981                         }
982                         $uriids[] = $uriid;
983
984                         $commentcounter[$uriid]  = 0;
985                         $activitycounter[$uriid] = 0;
986                 }
987
988                 $condition = ['parent-uri-id' => $uriids];
989                 if ($block_authors) {
990                         $condition['author-hidden'] = false;
991                 }
992
993                 if ($this->config->get('system', 'emoji_activities')) {
994                         $emojis = $this->getEmojis($uriids);
995                         $condition = DBA::mergeConditions($condition, ["(`gravity` != ? OR `origin`)", ItemModel::GRAVITY_ACTIVITY]);
996                 }
997
998                 $condition = DBA::mergeConditions($condition,
999                         ["`uid` IN (0, ?) AND (NOT `vid` IN (?, ?, ?) OR `vid` IS NULL)", $uid, Verb::getID(Activity::FOLLOW), Verb::getID(Activity::VIEW), Verb::getID(Activity::READ)]);
1000
1001                 $condition = DBA::mergeConditions($condition, ["(`uid` != ? OR `private` != ?)", 0, ItemModel::PRIVATE]);
1002
1003                 $condition = DBA::mergeConditions($condition,
1004                         ["`visible` AND NOT `deleted` AND NOT `author-blocked` AND NOT `owner-blocked`
1005                         AND ((NOT `contact-pending` AND (`contact-rel` IN (?, ?))) OR `self` OR `contact-uid` = ?)",
1006                         Contact::SHARING, Contact::FRIEND, 0]);
1007
1008                 $thread_parents = Post::select(['uri-id', 'causer-id'], $condition, ['order' => ['uri-id' => false, 'uid']]);
1009
1010                 $thr_parent = [];
1011
1012                 while ($row = Post::fetch($thread_parents)) {
1013                         $thr_parent[$row['uri-id']] = $row;
1014                 }
1015                 DBA::close($thread_parents);
1016
1017                 $params = ['order' => ['uri-id' => true, 'uid' => true]];
1018
1019                 $thread_items = Post::select(array_merge(ItemModel::DISPLAY_FIELDLIST, ['featured', 'contact-uid', 'gravity', 'post-type', 'post-reason']), $condition, $params);
1020
1021                 $items         = [];
1022                 $quote_uri_ids = [];
1023                 $authors       = [];
1024
1025                 while ($row = Post::fetch($thread_items)) {
1026                         if (!empty($items[$row['uri-id']]) && ($row['uid'] == 0)) {
1027                                 continue;
1028                         }
1029
1030                         if (($mode != self::MODE_CONTACTS) && !$row['origin']) {
1031                                 $row['featured'] = false;
1032                         }
1033
1034                         if ($max_comments > 0) {
1035                                 if (($row['gravity'] == ItemModel::GRAVITY_COMMENT) && (++$commentcounter[$row['parent-uri-id']] > $max_comments)) {
1036                                         continue;
1037                                 }
1038                                 if (($row['gravity'] == ItemModel::GRAVITY_ACTIVITY) && (++$activitycounter[$row['parent-uri-id']] > $max_comments)) {
1039                                         continue;
1040                                 }
1041                         }
1042
1043                         $authors[] = $row['author-id'];
1044                         $authors[] = $row['owner-id'];
1045
1046                         if (in_array($row['gravity'], [ItemModel::GRAVITY_PARENT, ItemModel::GRAVITY_COMMENT])) {
1047                                 $quote_uri_ids[$row['uri-id']] = [
1048                                         'uri-id'        => $row['uri-id'],
1049                                         'uri'           => $row['uri'],
1050                                         'parent-uri-id' => $row['parent-uri-id'],
1051                                         'parent-uri'    => $row['parent-uri'],
1052                                 ];
1053                         }
1054
1055                         $items[$row['uri-id']] = $this->addRowInformation($row, $activities[$row['uri-id']] ?? [], $thr_parent[$row['thr-parent-id']] ?? []);
1056                 }
1057
1058                 DBA::close($thread_items);
1059
1060                 $quotes = Post::select(array_merge(ItemModel::DISPLAY_FIELDLIST, ['featured', 'contact-uid', 'gravity', 'post-type', 'post-reason']), ['quote-uri-id' => array_column($quote_uri_ids, 'uri-id'), 'body' => '', 'uid' => 0]);
1061                 while ($quote = Post::fetch($quotes)) {
1062                         $row = $quote;
1063
1064                         $row['uid']           = $uid;
1065                         $row['verb']          = $row['body'] = $row['raw-body'] = Activity::ANNOUNCE;
1066                         $row['gravity']       = ItemModel::GRAVITY_ACTIVITY;
1067                         $row['object-type']   = Activity\ObjectType::NOTE;
1068                         $row['parent-uri']    = $quote_uri_ids[$quote['quote-uri-id']]['parent-uri'];
1069                         $row['parent-uri-id'] = $quote_uri_ids[$quote['quote-uri-id']]['parent-uri-id'];
1070                         $row['thr-parent']    = $quote_uri_ids[$quote['quote-uri-id']]['uri'];
1071                         $row['thr-parent-id'] = $quote_uri_ids[$quote['quote-uri-id']]['uri-id'];
1072
1073                         $authors[] = $row['author-id'];
1074                         $authors[] = $row['owner-id'];
1075
1076                         $items[$row['uri-id']] = $this->addRowInformation($row, [], []);
1077                 }
1078                 DBA::close($quotes);
1079
1080                 $authors = array_unique($authors);
1081
1082                 $blocks    = [];
1083                 $ignores   = [];
1084                 $collapses = [];
1085                 if (!empty($authors)) {
1086                         $usercontacts = DBA::select('user-contact', ['cid', 'blocked', 'ignored', 'collapsed'], ['uid' => $uid, 'cid' => $authors]);
1087                         while ($usercontact = DBA::fetch($usercontacts)) {
1088                                 if ($usercontact['blocked']) {
1089                                         $blocks[] = $usercontact['cid'];
1090                                 }
1091                                 if ($usercontact['ignored']) {
1092                                         $ignores[] = $usercontact['cid'];
1093                                 }
1094                                 if ($usercontact['collapsed']) {
1095                                         $collapses[] = $usercontact['cid'];
1096                                 }
1097                         }
1098                         DBA::close($usercontacts);
1099                 }
1100
1101                 foreach ($items as $key => $row) {
1102                         $items[$key]['emojis'] = $emojis[$key] ?? [];
1103
1104                         $always_display = in_array($mode, [self::MODE_CONTACTS, self::MODE_CONTACT_POSTS]);
1105
1106                         $items[$key]['user-blocked-author']   = !$always_display && in_array($row['author-id'], $blocks);
1107                         $items[$key]['user-ignored-author']   = !$always_display && in_array($row['author-id'], $ignores);
1108                         $items[$key]['user-blocked-owner']    = !$always_display && in_array($row['owner-id'], $blocks);
1109                         $items[$key]['user-ignored-owner']    = !$always_display && in_array($row['owner-id'], $ignores);
1110                         $items[$key]['user-collapsed-author'] = !$always_display && in_array($row['author-id'], $collapses);
1111                         $items[$key]['user-collapsed-owner']  = !$always_display && in_array($row['owner-id'], $collapses);
1112
1113                         if (in_array($mode, [self::MODE_COMMUNITY, self::MODE_NETWORK]) &&
1114                                 (in_array($row['author-id'], $blocks) || in_array($row['owner-id'], $blocks) || in_array($row['author-id'], $ignores) || in_array($row['owner-id'], $ignores))) {
1115                                 unset($items[$key]);
1116                         }
1117                 }
1118
1119                 $items = $this->convSort($items, $order);
1120
1121                 $this->profiler->stopRecording();
1122                 return $items;
1123         }
1124
1125         /**
1126          * Fetch emoji reaction from the conversation
1127          *
1128          * @param array $uriids
1129          * @return array
1130          */
1131         private function getEmojis(array $uriids): array
1132         {
1133                 $activity_emoji = [
1134                         Activity::LIKE        => '👍',
1135                         Activity::DISLIKE     => '👎',
1136                         Activity::ATTEND      => '✔️',
1137                         Activity::ATTENDMAYBE => '❓',
1138                         Activity::ATTENDNO    => '❌',
1139                         Activity::ANNOUNCE    => '♻',
1140                         Activity::VIEW        => '📺',
1141                 ];
1142
1143                 $index_list = array_values($activity_emoji);
1144                 $verbs      = array_merge(array_keys($activity_emoji), [Activity::EMOJIREACT]);
1145
1146                 $condition = DBA::mergeConditions(['parent-uri-id' => $uriids, 'gravity' => ItemModel::GRAVITY_ACTIVITY, 'verb' => $verbs], ["NOT `deleted`"]);
1147                 $separator = chr(255) . chr(255) . chr(255);
1148
1149                 $sql = "SELECT `thr-parent-id`, `body`, `verb`, COUNT(*) AS `total`, GROUP_CONCAT(REPLACE(`author-name`, '" . $separator . "', ' ') SEPARATOR '". $separator ."' LIMIT 50) AS `title` FROM `post-view` WHERE " . array_shift($condition) . " GROUP BY `thr-parent-id`, `verb`, `body`";
1150
1151                 $emojis = [];
1152
1153                 $rows = DBA::p($sql, $condition);
1154                 while ($row = DBA::fetch($rows)) {
1155                         $row['verb'] = $row['body'] ? Activity::EMOJIREACT : $row['verb'];
1156                         $emoji       = $row['body'] ?: $activity_emoji[$row['verb']];
1157                         if (!isset($index_list[$emoji])) {
1158                                 $index_list[] = $emoji;
1159                         }
1160                         $index = array_search($emoji, $index_list);
1161
1162                         $emojis[$row['thr-parent-id']][$index]['emoji'] = $emoji;
1163                         $emojis[$row['thr-parent-id']][$index]['verb']  = $row['verb'];
1164                         $emojis[$row['thr-parent-id']][$index]['total'] = ($emojis[$row['thr-parent-id']][$index]['total'] ?? 0) + $row['total'];
1165                         $emojis[$row['thr-parent-id']][$index]['title'] = array_unique(array_merge($emojis[$row['thr-parent-id']][$index]['title'] ?? [], explode($separator, $row['title'])));
1166                 }
1167                 DBA::close($rows);
1168
1169                 return $emojis;
1170         }
1171
1172         /**
1173          * Plucks the children of the given parent from a given item list.
1174          *
1175          * @param array $item_list
1176          * @param array $parent
1177          * @param bool  $recursive
1178          * @return array
1179          */
1180         private function getItemChildren(array &$item_list, array $parent, bool $recursive = true): array
1181         {
1182                 $this->profiler->startRecording('rendering');
1183                 $children = [];
1184                 foreach ($item_list as $i => $item) {
1185                         if ($item['gravity'] != ItemModel::GRAVITY_PARENT) {
1186                                 if ($recursive) {
1187                                         // Fallback to parent-uri if thr-parent is not set
1188                                         $thr_parent = $item['thr-parent-id'];
1189                                         if ($thr_parent == '') {
1190                                                 $thr_parent = $item['parent-uri-id'];
1191                                         }
1192
1193                                         if ($thr_parent == $parent['uri-id']) {
1194                                                 $item['children'] = $this->getItemChildren($item_list, $item);
1195
1196                                                 $children[] = $item;
1197                                                 unset($item_list[$i]);
1198                                         }
1199                                 } elseif ($item['parent-uri-id'] == $parent['uri-id']) {
1200                                         $children[] = $item;
1201                                         unset($item_list[$i]);
1202                                 }
1203                         }
1204                 }
1205                 $this->profiler->stopRecording();
1206                 return $children;
1207         }
1208
1209         /**
1210          * Recursively sorts a tree-like item array
1211          *
1212          * @param array $items
1213          * @return array
1214          */
1215         private function sortItemChildren(array $items): array
1216         {
1217                 $this->profiler->startRecording('rendering');
1218                 $result = $items;
1219                 usort($result, [$this, 'sortThrReceivedRev']);
1220                 foreach ($result as $k => $i) {
1221                         if (isset($result[$k]['children'])) {
1222                                 $result[$k]['children'] = $this->sortItemChildren($result[$k]['children']);
1223                         }
1224                 }
1225                 $this->profiler->stopRecording();
1226                 return $result;
1227         }
1228
1229         /**
1230          * Recursively add all children items at the top level of a list
1231          *
1232          * @param array $children List of items to append
1233          * @param array $item_list
1234          */
1235         private function addChildrenToList(array $children, array &$item_list)
1236         {
1237                 foreach ($children as $child) {
1238                         $item_list[] = $child;
1239                         if (isset($child['children'])) {
1240                                 $this->addChildrenToList($child['children'], $item_list);
1241                         }
1242                 }
1243         }
1244
1245         /**
1246          * Selectively flattens a tree-like item structure to prevent threading stairs
1247          *
1248          * This recursive function takes the item tree structure created by conv_sort() and
1249          * flatten the extraneous depth levels when people reply sequentially, removing the
1250          * stairs effect in threaded conversations limiting the available content width.
1251          *
1252          * The basic principle is the following: if a post item has only one reply and is
1253          * the last reply of its parent, then the reply is moved to the parent.
1254          *
1255          * This process is rendered somewhat more complicated because items can be either
1256          * replies or likes, and these don't factor at all in the reply count/last reply.
1257          *
1258          * @param array $parent A tree-like array of items
1259          * @return array
1260          */
1261         private function smartFlattenConversation(array $parent): array
1262         {
1263                 $this->profiler->startRecording('rendering');
1264                 if (!isset($parent['children']) || count($parent['children']) == 0) {
1265                         $this->profiler->stopRecording();
1266                         return $parent;
1267                 }
1268
1269                 // We use a for loop to ensure we process the newly-moved items
1270                 for ($i = 0; $i < count($parent['children']); $i++) {
1271                         $child = $parent['children'][$i];
1272
1273                         if (isset($child['children']) && count($child['children'])) {
1274                                 // This helps counting only the regular posts
1275                                 $count_post_closure = function ($var) {
1276                                         $this->profiler->stopRecording();
1277                                         return $var['verb'] === Activity::POST;
1278                                 };
1279
1280                                 $child_post_count = count(array_filter($child['children'], $count_post_closure));
1281
1282                                 $remaining_post_count = count(array_filter(array_slice($parent['children'], $i), $count_post_closure));
1283
1284                                 // If there's only one child's children post and this is the last child post
1285                                 if ($child_post_count == 1 && $remaining_post_count == 1) {
1286
1287                                         // Searches the post item in the children
1288                                         $j = 0;
1289                                         while ($child['children'][$j]['verb'] !== Activity::POST && $j < count($child['children'])) {
1290                                                 $j ++;
1291                                         }
1292
1293                                         $moved_item = $child['children'][$j];
1294                                         unset($parent['children'][$i]['children'][$j]);
1295                                         $parent['children'][] = $moved_item;
1296                                 } else {
1297                                         $parent['children'][$i] = $this->smartFlattenConversation($child);
1298                                 }
1299                         }
1300                 }
1301
1302                 $this->profiler->stopRecording();
1303                 return $parent;
1304         }
1305
1306         /**
1307          * Expands a flat list of items into corresponding tree-like conversation structures.
1308          *
1309          * sort the top-level posts either on "received" or "commented", and finally
1310          * append all the items at the top level (???)
1311          *
1312          * @param array  $item_list A list of items belonging to one or more conversations
1313          * @param string $order     Either on "received" or "commented"
1314          * @return array
1315          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
1316          */
1317         private function convSort(array $item_list, string $order): array
1318         {
1319                 $this->profiler->startRecording('rendering');
1320                 $parents = [];
1321
1322                 if (!(is_array($item_list) && count($item_list))) {
1323                         $this->profiler->stopRecording();
1324                         return $parents;
1325                 }
1326
1327                 $blocklist = $this->getBlocklist();
1328
1329                 $item_array = [];
1330
1331                 // Dedupes the item list on the uri to prevent infinite loops
1332                 foreach ($item_list as $item) {
1333                         if (in_array($item['author-id'], $blocklist)) {
1334                                 continue;
1335                         }
1336
1337                         $item_array[$item['uri-id']] = $item;
1338                 }
1339
1340                 // Extract the top level items
1341                 foreach ($item_array as $item) {
1342                         if ($item['gravity'] == ItemModel::GRAVITY_PARENT) {
1343                                 $parents[] = $item;
1344                         }
1345                 }
1346
1347                 if (stristr($order, 'pinned_received')) {
1348                         usort($parents, [$this, 'sortThrFeaturedReceived']);
1349                 } elseif (stristr($order, 'pinned_commented')) {
1350                         usort($parents, [$this, 'sortThrFeaturedCommented']);
1351                 } elseif (stristr($order, 'received')) {
1352                         usort($parents, [$this, 'sortThrReceived']);
1353                 } elseif (stristr($order, 'commented')) {
1354                         usort($parents, [$this, 'sortThrCommented']);
1355                 } elseif (stristr($order, 'created')) {
1356                         usort($parents, [$this, 'sortThrCreated']);
1357                 }
1358
1359                 /*
1360                 * Plucks children from the item_array, second pass collects eventual orphan
1361                 * items and add them as children of their top-level post.
1362                 */
1363                 foreach ($parents as $i => $parent) {
1364                         $parents[$i]['children'] = array_merge($this->getItemChildren($item_array, $parent, true),
1365                                 $this->getItemChildren($item_array, $parent, false));
1366                 }
1367
1368                 foreach ($parents as $i => $parent) {
1369                         $parents[$i]['children'] = $this->sortItemChildren($parents[$i]['children']);
1370                 }
1371
1372                 if (!$this->pConfig->get($this->session->getLocalUserId(), 'system', 'no_smart_threading', 0)) {
1373                         foreach ($parents as $i => $parent) {
1374                                 $parents[$i] = $this->smartFlattenConversation($parent);
1375                         }
1376                 }
1377
1378                 /// @TODO: Stop recursively adding all children back to the top level (!!!)
1379                 /// However, this apparently ensures responses (likes, attendance) display (?!)
1380                 foreach ($parents as $parent) {
1381                         if (count($parent['children'])) {
1382                                 $this->addChildrenToList($parent['children'], $parents);
1383                         }
1384                 }
1385
1386                 $this->profiler->stopRecording();
1387                 return $parents;
1388         }
1389
1390         /**
1391          * usort() callback to sort item arrays by featured and the received key
1392          *
1393          * @param array $a
1394          * @param array $b
1395          * @return int
1396          */
1397         private function sortThrFeaturedReceived(array $a, array $b): int
1398         {
1399                 if ($b['featured'] && !$a['featured']) {
1400                         return 1;
1401                 } elseif (!$b['featured'] && $a['featured']) {
1402                         return -1;
1403                 }
1404
1405                 return strcmp($b['received'], $a['received']);
1406         }
1407
1408         /**
1409          * usort() callback to sort item arrays by featured and the received key
1410          *
1411          * @param array $a
1412          * @param array $b
1413          * @return int
1414          */
1415         private function sortThrFeaturedCommented(array $a, array $b): int
1416         {
1417                 if ($b['featured'] && !$a['featured']) {
1418                         return 1;
1419                 } elseif (!$b['featured'] && $a['featured']) {
1420                         return -1;
1421                 }
1422
1423                 return strcmp($b['commented'], $a['commented']);
1424         }
1425
1426         /**
1427          * usort() callback to sort item arrays by the received key
1428          *
1429          * @param array $a
1430          * @param array $b
1431          * @return int
1432          */
1433         private function sortThrReceived(array $a, array $b): int
1434         {
1435                 return strcmp($b['received'], $a['received']);
1436         }
1437
1438         /**
1439          * usort() callback to reverse sort item arrays by the received key
1440          *
1441          * @param array $a
1442          * @param array $b
1443          * @return int
1444          */
1445         private function sortThrReceivedRev(array $a, array $b): int
1446         {
1447                 return strcmp($a['received'], $b['received']);
1448         }
1449
1450         /**
1451          * usort() callback to sort item arrays by the commented key
1452          *
1453          * @param array $a
1454          * @param array $b
1455          * @return int
1456          */
1457         private function sortThrCommented(array $a, array $b): int
1458         {
1459                 return strcmp($b['commented'], $a['commented']);
1460         }
1461
1462         /**
1463          * usort() callback to sort item arrays by the created key
1464          *
1465          * @param array $a
1466          * @param array $b
1467          * @return int
1468          */
1469         private function sortThrCreated(array $a, array $b): int
1470         {
1471                 return strcmp($b['created'], $a['created']);
1472         }
1473 }