]> git.mxchange.org Git - friendica.git/blob - src/Object/Post.php
Merge pull request #11369 from annando/empty-item
[friendica.git] / src / Object / Post.php
1 <?php
2 /**
3  * @copyright Copyright (C) 2010-2022, 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\Object;
23
24 use Friendica\Content\ContactSelector;
25 use Friendica\Content\Feature;
26 use Friendica\Core\Addon;
27 use Friendica\Core\Hook;
28 use Friendica\Core\Logger;
29 use Friendica\Core\Protocol;
30 use Friendica\Core\Renderer;
31 use Friendica\Core\Session;
32 use Friendica\Database\DBA;
33 use Friendica\DI;
34 use Friendica\Model\Contact;
35 use Friendica\Model\Item;
36 use Friendica\Model\Post as PostModel;
37 use Friendica\Model\Tag;
38 use Friendica\Model\User;
39 use Friendica\Protocol\Activity;
40 use Friendica\Util\Crypto;
41 use Friendica\Util\DateTimeFormat;
42 use Friendica\Util\Proxy;
43 use Friendica\Util\Strings;
44 use Friendica\Util\Temporal;
45
46 /**
47  * An item
48  */
49 class Post
50 {
51         private $data = [];
52         private $template = null;
53         private $available_templates = [
54                 'wall' => 'wall_thread.tpl',
55                 'wall2wall' => 'wallwall_thread.tpl'
56         ];
57         private $comment_box_template = 'comment_item.tpl';
58         private $toplevel = false;
59         private $writable = false;
60         /**
61          * @var Post[]
62          */
63         private $children = [];
64         private $parent = null;
65
66         /**
67          * @var Thread
68          */
69         private $thread = null;
70         private $redirect_url = null;
71         private $owner_url = '';
72         private $owner_name = '';
73         private $wall_to_wall = false;
74         private $threaded = false;
75         private $visiting = false;
76
77         /**
78          * Constructor
79          *
80          * @param array $data data array
81          * @throws \Exception
82          */
83         public function __construct(array $data)
84         {
85                 $this->data = $data;
86                 $this->setTemplate('wall');
87                 $this->toplevel = $this->getId() == $this->getDataValue('parent');
88
89                 if (!empty(Session::getUserIDForVisitorContactID($this->getDataValue('contact-id')))) {
90                         $this->visiting = true;
91                 }
92
93                 $this->writable = $this->getDataValue('writable') || $this->getDataValue('self');
94                 $author = ['uid' => 0, 'id' => $this->getDataValue('author-id'),
95                         'network' => $this->getDataValue('author-network'),
96                         'url' => $this->getDataValue('author-link')];
97                 $this->redirect_url = Contact::magicLinkByContact($author);
98                 if (!$this->isToplevel()) {
99                         $this->threaded = true;
100                 }
101
102                 // Prepare the children
103                 if (!empty($data['children'])) {
104                         foreach ($data['children'] as $item) {
105                                 // Only add will be displayed
106                                 if ($item['network'] === Protocol::MAIL && local_user() != $item['uid']) {
107                                         continue;
108                                 } elseif (!DI::contentItem()->visibleActivity($item)) {
109                                         continue;
110                                 }
111
112                                 // You can always comment on Diaspora and OStatus items
113                                 if (in_array($item['network'], [Protocol::OSTATUS, Protocol::DIASPORA]) && (local_user() == $item['uid'])) {
114                                         $item['writable'] = true;
115                                 }
116
117                                 $item['pagedrop'] = $data['pagedrop'];
118                                 $child = new Post($item);
119                                 $this->addChild($child);
120                         }
121                 }
122         }
123
124         /**
125          * Fetch the privacy of the post
126          *
127          * @param array $item 
128          * @return string 
129          */
130         private function fetchPrivacy(array $item):string
131         {
132                 switch ($item['private']) {
133                         case Item::PRIVATE:
134                                 $output = DI::l10n()->t('Private Message');
135                                 break;
136                         case Item::PUBLIC:
137                                 $output = DI::l10n()->t('Public Message');
138                                 break;
139                         case Item::UNLISTED:
140                                 $output = DI::l10n()->t('Unlisted Message');
141                                 break;
142                 }
143
144                 return $output;
145         }
146
147         /**
148          * Get data in a form usable by a conversation template
149          *
150          * @param array   $conv_responses conversation responses
151          * @param string $formSecurityToken A security Token to avoid CSF attacks
152          * @param integer $thread_level   default = 1
153          *
154          * @return mixed The data requested on success
155          *               false on failure
156          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
157          * @throws \ImagickException
158          */
159         public function getTemplateData(array $conv_responses, string $formSecurityToken, $thread_level = 1)
160         {
161                 $item = $this->getData();
162                 $edited = false;
163                 // If the time between "created" and "edited" differs we add
164                 // a notice that the post was edited.
165                 // Note: In some networks reshared items seem to have (sometimes) a difference
166                 // between creation time and edit time of a second. Thats why we add the notice
167                 // only if the difference is more than 1 second.
168                 if (strtotime($item['edited']) - strtotime($item['created']) > 1) {
169                         $edited = [
170                                 'label'    => DI::l10n()->t('This entry was edited'),
171                                 'date'     => DateTimeFormat::local($item['edited'], 'r'),
172                                 'relative' => Temporal::getRelativeDate($item['edited'])
173                         ];
174                 }
175                 $sparkle = '';
176                 $buttons = [
177                         'like'     => null,
178                         'dislike'  => null,
179                         'share'    => null,
180                         'announce' => null,
181                 ];
182                 $dropping = false;
183                 $pinned = '';
184                 $pin = false;
185                 $star = false;
186                 $ignore = false;
187                 $ispinned = "unpinned";
188                 $isstarred = "unstarred";
189                 $indent = '';
190                 $shiny = '';
191                 $osparkle = '';
192                 $total_children = $this->countDescendants();
193
194                 $conv = $this->getThread();
195
196                 $privacy   = $this->fetchPrivacy($item);
197                 $lock      = ($item['private'] == Item::PRIVATE) ? $privacy : false;
198                 $connector = !in_array($item['network'], Protocol::NATIVE_SUPPORT) ? DI::l10n()->t('Connector Message') : false;
199
200                 $shareable = in_array($conv->getProfileOwner(), [0, local_user()]) && $item['private'] != Item::PRIVATE;
201                 $announceable = $shareable && in_array($item['network'], [Protocol::ACTIVITYPUB, Protocol::DFRN, Protocol::DIASPORA, Protocol::TWITTER]);
202
203                 // On Diaspora only toplevel posts can be reshared
204                 if ($announceable && ($item['network'] == Protocol::DIASPORA) && ($item['gravity'] != GRAVITY_PARENT)) {
205                         $announceable = false;
206                 }
207
208                 $edpost = false;
209
210                 if (local_user()) {
211                         if (Strings::compareLink(Session::get('my_url'), $item['author-link'])) {
212                                 if ($item["event-id"] != 0) {
213                                         $edpost = ["events/event/" . $item['event-id'], DI::l10n()->t("Edit")];
214                                 } else {
215                                         $edpost = ["editpost/" . $item['id'], DI::l10n()->t("Edit")];
216                                 }
217                         }
218                         $dropping = in_array($item['uid'], [0, local_user()]);
219                 }
220
221                 // Editing on items of not subscribed users isn't currently possible
222                 // There are some issues on editing that prevent this.
223                 // But also it is an issue of the supported protocols that doesn't allow editing at all.
224                 if ($item['uid'] == 0) {
225                         $edpost = false;
226                 }
227
228                 if (($this->getDataValue('uid') == local_user()) || $this->isVisiting()) {
229                         $dropping = true;
230                 }
231
232                 $origin = $item['origin'] || $item['parent-origin'];
233
234                 if ($item['pinned']) {
235                         $pinned = DI::l10n()->t('Pinned item');
236                 }
237
238                 // Showing the one or the other text, depending upon if we can only hide it or really delete it.
239                 $delete = $origin ? DI::l10n()->t('Delete globally') : DI::l10n()->t('Remove locally');
240
241                 $drop = false;
242                 $block = false;
243                 if (local_user()) {
244                         $drop = [
245                                 'dropping' => $dropping,
246                                 'pagedrop' => $item['pagedrop'],
247                                 'select' => DI::l10n()->t('Select'),
248                                 'delete' => $delete,
249                         ];
250                 }
251
252                 if (!$item['self']) {
253                         $block = [
254                                 'blocking' => true,
255                                 'block'   => DI::l10n()->t('Block %s', $item['author-name']),
256                                 'author_id'   => $item['author-id'],
257                         ];
258                 }
259
260                 $filer = local_user() ? DI::l10n()->t('Save to folder') : false;
261
262                 $profile_name = $item['author-name'];
263                 if (!empty($item['author-link']) && empty($item['author-name'])) {
264                         $profile_name = $item['author-link'];
265                 }
266
267                 if (Session::isAuthenticated()) {
268                         $author = ['uid' => 0, 'id' => $item['author-id'],
269                                 'network' => $item['author-network'], 'url' => $item['author-link']];
270                         $profile_link = Contact::magicLinkByContact($author);
271                 } else {
272                         $profile_link = $item['author-link'];
273                 }
274
275                 if (strpos($profile_link, 'redir/') === 0) {
276                         $sparkle = ' sparkle';
277                 }
278
279                 $locate = ['location' => $item['location'], 'coord' => $item['coord'], 'html' => ''];
280                 Hook::callAll('render_location', $locate);
281                 $location_html = $locate['html'] ?: Strings::escapeHtml($locate['location'] ?: $locate['coord'] ?: '');
282
283                 // process action responses - e.g. like/dislike/attend/agree/whatever
284                 $response_verbs = ['like', 'dislike', 'announce'];
285
286                 $isevent = false;
287                 $attend = [];
288                 if ($item['object-type'] === Activity\ObjectType::EVENT) {
289                         $response_verbs[] = 'attendyes';
290                         $response_verbs[] = 'attendno';
291                         $response_verbs[] = 'attendmaybe';
292                         if ($conv->isWritable()) {
293                                 $isevent = true;
294                                 $attend = [DI::l10n()->t('I will attend'), DI::l10n()->t('I will not attend'), DI::l10n()->t('I might attend')];
295                         }
296                 }
297
298                 $responses = [];
299                 foreach ($response_verbs as $value => $verb) {
300                         $responses[$verb] = [
301                                 'self'   => $conv_responses[$verb][$item['uri-id']]['self'] ?? 0,
302                                 'output' => !empty($conv_responses[$verb][$item['uri-id']]) ? DI::conversation()->formatActivity($conv_responses[$verb][$item['uri-id']]['links'], $verb, $item['uri-id']) : '',
303                         ];
304                 }
305
306                 /*
307                  * We should avoid doing this all the time, but it depends on the conversation mode
308                  * And the conv mode may change when we change the conv, or it changes its mode
309                  * Maybe we should establish a way to be notified about conversation changes
310                  */
311                 $this->checkWallToWall();
312
313                 if ($this->isWallToWall() && ($this->getOwnerUrl() == $this->getRedirectUrl())) {
314                         $osparkle = ' sparkle';
315                 }
316
317                 $tagger = '';
318
319                 if ($this->isToplevel()) {
320                         if (local_user()) {
321                                 $ignored = PostModel\ThreadUser::getIgnored($item['uri-id'], local_user());
322                                 if ($item['mention'] || $ignored) {
323                                         $ignore = [
324                                                 'do'        => DI::l10n()->t('Ignore thread'),
325                                                 'undo'      => DI::l10n()->t('Unignore thread'),
326                                                 'toggle'    => DI::l10n()->t('Toggle ignore status'),
327                                                 'classdo'   => $ignored ? "hidden" : "",
328                                                 'classundo' => $ignored ? "" : "hidden",
329                                                 'ignored'   => DI::l10n()->t('Ignored'),
330                                         ];
331                                 }
332
333                                 $isstarred = (($item['starred']) ? "starred" : "unstarred");
334
335                                 $star = [
336                                         'do'        => DI::l10n()->t('Add star'),
337                                         'undo'      => DI::l10n()->t('Remove star'),
338                                         'toggle'    => DI::l10n()->t('Toggle star status'),
339                                         'classdo'   => $item['starred'] ? "hidden" : "",
340                                         'classundo' => $item['starred'] ? "" : "hidden",
341                                         'starred'   => DI::l10n()->t('Starred'),
342                                 ];
343
344                                 if ($conv->getProfileOwner() == local_user() && ($item['uid'] != 0)) {
345                                         if ($origin) {
346                                                 $ispinned = ($item['pinned'] ? 'pinned' : 'unpinned');
347
348                                                 $pin = [
349                                                         'do'        => DI::l10n()->t('Pin'),
350                                                         'undo'      => DI::l10n()->t('Unpin'),
351                                                         'toggle'    => DI::l10n()->t('Toggle pin status'),
352                                                         'classdo'   => $item['pinned'] ? 'hidden' : '',
353                                                         'classundo' => $item['pinned'] ? '' : 'hidden',
354                                                         'pinned'   => DI::l10n()->t('Pinned'),
355                                                 ];
356                                         }
357
358                                         $tagger = [
359                                                 'add'   => DI::l10n()->t('Add tag'),
360                                                 'class' => "",
361                                         ];
362                                 }
363                         }
364                 } else {
365                         $indent = 'comment';
366                 }
367
368                 if ($conv->isWritable()) {
369                         $buttons['like']    = [DI::l10n()->t("I like this \x28toggle\x29")      , DI::l10n()->t('Like')];
370                         $buttons['dislike'] = [DI::l10n()->t("I don't like this \x28toggle\x29"), DI::l10n()->t('Dislike')];
371                         if ($shareable) {
372                                 $buttons['share'] = [DI::l10n()->t('Quote share this'), DI::l10n()->t('Quote Share')];
373                         }
374                         if ($announceable) {
375                                 $buttons['announce'] = [DI::l10n()->t('Reshare this'), DI::l10n()->t('Reshare')];
376                                 $buttons['unannounce'] = [DI::l10n()->t('Cancel your Reshare'), DI::l10n()->t('Unshare')];
377                         }
378                 }
379
380                 $comment_html = $this->getCommentBox($indent);
381
382                 if (strcmp(DateTimeFormat::utc($item['created']), DateTimeFormat::utc('now - 12 hours')) > 0) {
383                         $shiny = 'shiny';
384                 }
385
386                 DI::contentItem()->localize($item);
387
388                 $body_html = Item::prepareBody($item, true);
389
390                 list($categories, $folders) = DI::contentItem()->determineCategoriesTerms($item, local_user());
391
392                 if (!empty($item['title'])) {
393                         $title = $item['title'];
394                 } elseif (!empty($item['content-warning']) && DI::pConfig()->get(local_user(), 'system', 'disable_cw', false)) {
395                         $title = ucfirst($item['content-warning']);
396                 } else {
397                         $title = '';
398                 }
399
400                 if (DI::pConfig()->get(local_user(), 'system', 'hide_dislike')) {
401                         $buttons['dislike'] = false;
402                 }
403
404                 // Disable features that aren't available in several networks
405                 if (!in_array($item["network"], [Protocol::ACTIVITYPUB, Protocol::DFRN, Protocol::DIASPORA])) {
406                         if ($buttons["dislike"]) {
407                                 $buttons["dislike"] = false;
408                         }
409
410                         $isevent = false;
411                         $tagger = '';
412                 }
413
414                 if ($buttons["like"] && in_array($item["network"], [Protocol::FEED, Protocol::MAIL])) {
415                         $buttons["like"] = false;
416                 }
417
418                 $tags = Tag::populateFromItem($item);
419
420                 $ago = Temporal::getRelativeDate($item['created']);
421                 $ago_received = Temporal::getRelativeDate($item['received']);
422                 if (DI::config()->get('system', 'show_received') && (abs(strtotime($item['created']) - strtotime($item['received'])) > DI::config()->get('system', 'show_received_seconds')) && ($ago != $ago_received)) {
423                         $ago = DI::l10n()->t('%s (Received %s)', $ago, $ago_received);
424                 }
425
426                 // Fetching of Diaspora posts doesn't always work. There are issues with reshares and possibly comments
427                 if (!local_user() && ($item['network'] != Protocol::DIASPORA) && !empty(Session::get('remote_comment'))) {
428                         $remote_comment = [DI::l10n()->t('Comment this item on your system'), DI::l10n()->t('Remote comment'),
429                                 str_replace('{uri}', urlencode($item['uri']), Session::get('remote_comment'))];
430
431                         // Ensure to either display the remote comment or the local activities
432                         $buttons = [];
433                         $comment_html = '';
434                 } else {
435                         $remote_comment = '';
436                 }
437
438                 $direction = [];
439                 if (!empty($item['direction'])) {
440                         $direction = $item['direction'];
441                 }
442
443                 $languages = [];
444                 if (!empty($item['language'])) {
445                         $languages = [DI::l10n()->t('Languages'), Item::getLanguageMessage($item)];
446                 }
447
448                 $tmp_item = [
449                         'template'        => $this->getTemplate(),
450                         'type'            => implode("", array_slice(explode("/", $item['verb']), -1)),
451                         'comment_firstcollapsed' => false,
452                         'comment_lastcollapsed' => false,
453                         'suppress_tags'   => DI::config()->get('system', 'suppress_tags'),
454                         'tags'            => $tags['tags'],
455                         'hashtags'        => $tags['hashtags'],
456                         'mentions'        => $tags['mentions'],
457                         'implicit_mentions' => $tags['implicit_mentions'],
458                         'txt_cats'        => DI::l10n()->t('Categories:'),
459                         'txt_folders'     => DI::l10n()->t('Filed under:'),
460                         'has_cats'        => ((count($categories)) ? 'true' : ''),
461                         'has_folders'     => ((count($folders)) ? 'true' : ''),
462                         'categories'      => $categories,
463                         'folders'         => $folders,
464                         'body_html'       => $body_html,
465                         'text'            => strip_tags($body_html),
466                         'id'              => $this->getId(),
467                         'guid'            => urlencode($item['guid']),
468                         'isevent'         => $isevent,
469                         'attend'          => $attend,
470                         'linktitle'       => DI::l10n()->t('View %s\'s profile @ %s', $profile_name, $item['author-link']),
471                         'olinktitle'      => DI::l10n()->t('View %s\'s profile @ %s', $this->getOwnerName(), $item['owner-link']),
472                         'to'              => DI::l10n()->t('to'),
473                         'via'             => DI::l10n()->t('via'),
474                         'wall'            => DI::l10n()->t('Wall-to-Wall'),
475                         'vwall'           => DI::l10n()->t('via Wall-To-Wall:'),
476                         'profile_url'     => $profile_link,
477                         'name'            => $profile_name,
478                         'item_photo_menu_html' => DI::contentItem()->photoMenu($item, $formSecurityToken),
479                         'thumb'           => DI::baseUrl()->remove(Contact::getAvatarUrlForUrl($item['author-link'], $item['uid'], Proxy::SIZE_THUMB)),
480                         'osparkle'        => $osparkle,
481                         'sparkle'         => $sparkle,
482                         'title'           => $title,
483                         'localtime'       => DateTimeFormat::local($item['created'], 'r'),
484                         'ago'             => $item['app'] ? DI::l10n()->t('%s from %s', $ago, $item['app']) : $ago,
485                         'app'             => $item['app'],
486                         'created'         => $ago,
487                         'lock'            => $lock,
488                         'private'         => $item['private'],
489                         'privacy'         => $privacy,
490                         'connector'       => $connector,
491                         'location_html'   => $location_html,
492                         'indent'          => $indent,
493                         'shiny'           => $shiny,
494                         'owner_self'      => $item['author-link'] == Session::get('my_url'),
495                         'owner_url'       => $this->getOwnerUrl(),
496                         'owner_photo'     => DI::baseUrl()->remove(Contact::getAvatarUrlForUrl($item['owner-link'], $item['uid'], Proxy::SIZE_THUMB)),
497                         'owner_name'      => $this->getOwnerName(),
498                         'plink'           => Item::getPlink($item),
499                         'browsershare'    => DI::l10n()->t('Share'),
500                         'edpost'          => $edpost,
501                         'ispinned'        => $ispinned,
502                         'pin'             => $pin,
503                         'pinned'          => $pinned,
504                         'isstarred'       => $isstarred,
505                         'star'            => $star,
506                         'ignore'          => $ignore,
507                         'tagger'          => $tagger,
508                         'filer'           => $filer,
509                         'language'        => $languages,
510                         'drop'            => $drop,
511                         'block'           => $block,
512                         'vote'            => $buttons,
513                         'like_html'       => $responses['like']['output'],
514                         'dislike_html'    => $responses['dislike']['output'],
515                         'responses'       => $responses,
516                         'switchcomment'   => DI::l10n()->t('Comment'),
517                         'reply_label'     => DI::l10n()->t('Reply to %s', $profile_name),
518                         'comment_html'    => $comment_html,
519                         'remote_comment'  => $remote_comment,
520                         'menu'            => DI::l10n()->t('More'),
521                         'previewing'      => $conv->isPreview() ? ' preview ' : '',
522                         'wait'            => DI::l10n()->t('Please wait'),
523                         'thread_level'    => $thread_level,
524                         'edited'          => $edited,
525                         'network'         => $item["network"],
526                         'network_name'    => ContactSelector::networkToName($item['author-network'], $item['author-link'], $item['network']),
527                         'network_icon'    => ContactSelector::networkToIcon($item['network'], $item['author-link']),
528                         'received'        => $item['received'],
529                         'commented'       => $item['commented'],
530                         'created_date'    => $item['created'],
531                         'uriid'           => $item['uri-id'],
532                         'return'          => (DI::args()->getCommand()) ? bin2hex(DI::args()->getCommand()) : '',
533                         'direction'       => $direction,
534                         'reshared'        => $item['reshared'] ?? '',
535                         'delivery'        => [
536                                 'queue_count'       => $item['delivery_queue_count'],
537                                 'queue_done'        => $item['delivery_queue_done'] + $item['delivery_queue_failed'], /// @todo Possibly display it separately in the future
538                                 'notifier_pending'  => DI::l10n()->t('Notifier task is pending'),
539                                 'delivery_pending'  => DI::l10n()->t('Delivery to remote servers is pending'),
540                                 'delivery_underway' => DI::l10n()->t('Delivery to remote servers is underway'),
541                                 'delivery_almost'   => DI::l10n()->t('Delivery to remote servers is mostly done'),
542                                 'delivery_done'     => DI::l10n()->t('Delivery to remote servers is done'),
543                         ],
544                 ];
545
546                 $arr = ['item' => $item, 'output' => $tmp_item];
547                 Hook::callAll('display_item', $arr);
548
549                 $result = $arr['output'];
550
551                 $result['children'] = [];
552                 $children = $this->getChildren();
553                 $nb_children = count($children);
554                 if ($nb_children > 0) {
555                         foreach ($children as $child) {
556                                 $result['children'][] = $child->getTemplateData($conv_responses, $formSecurityToken, $thread_level + 1);
557                         }
558
559                         // Collapse
560                         if (($nb_children > 2) || ($thread_level > 1)) {
561                                 $result['children'][0]['comment_firstcollapsed'] = true;
562                                 $result['children'][0]['num_comments'] = DI::l10n()->tt('%d comment', '%d comments', $total_children);
563                                 $result['children'][0]['show_text'] = DI::l10n()->t('Show more');
564                                 $result['children'][0]['hide_text'] = DI::l10n()->t('Show fewer');
565                                 if ($thread_level > 1) {
566                                         $result['children'][$nb_children - 1]['comment_lastcollapsed'] = true;
567                                 } else {
568                                         $result['children'][$nb_children - 3]['comment_lastcollapsed'] = true;
569                                 }
570                         }
571                 }
572
573                 $result['total_comments_num'] = $this->isToplevel() ? $total_children : 0;
574
575                 $result['private'] = $item['private'];
576                 $result['toplevel'] = ($this->isToplevel() ? 'toplevel_item' : '');
577
578                 if ($this->isThreaded()) {
579                         $result['flatten'] = false;
580                         $result['threaded'] = true;
581                 } else {
582                         $result['flatten'] = true;
583                         $result['threaded'] = false;
584                 }
585
586                 return $result;
587         }
588
589         /**
590          * @return integer
591          */
592         public function getId()
593         {
594                 return $this->getDataValue('id');
595         }
596
597         /**
598          * @return boolean
599          */
600         public function isThreaded()
601         {
602                 return $this->threaded;
603         }
604
605         /**
606          * Add a child item
607          *
608          * @param Post $item The child item to add
609          *
610          * @return mixed
611          * @throws \Exception
612          */
613         public function addChild(Post $item)
614         {
615                 $item_id = $item->getId();
616                 if (!$item_id) {
617                         Logger::info('[ERROR] Post::addChild : Item has no ID!!');
618                         return false;
619                 } elseif ($this->getChild($item->getId())) {
620                         Logger::info('[WARN] Post::addChild : Item already exists (' . $item->getId() . ').');
621                         return false;
622                 }
623
624                 $activity = DI::activity();
625
626                 /*
627                  * Only add what will be displayed
628                  */
629                 if ($item->getDataValue('network') === Protocol::MAIL && local_user() != $item->getDataValue('uid')) {
630                         return false;
631                 } elseif ($activity->match($item->getDataValue('verb'), Activity::LIKE) ||
632                           $activity->match($item->getDataValue('verb'), Activity::DISLIKE)) {
633                         return false;
634                 }
635
636                 $item->setParent($this);
637                 $this->children[] = $item;
638
639                 return end($this->children);
640         }
641
642         /**
643          * Get a child by its ID
644          *
645          * @param integer $id The child id
646          *
647          * @return mixed
648          */
649         public function getChild($id)
650         {
651                 foreach ($this->getChildren() as $child) {
652                         if ($child->getId() == $id) {
653                                 return $child;
654                         }
655                 }
656
657                 return null;
658         }
659
660         /**
661          * Get all our children
662          *
663          * @return Post[]
664          */
665         public function getChildren()
666         {
667                 return $this->children;
668         }
669
670         /**
671          * Set our parent
672          *
673          * @param Post $item The item to set as parent
674          *
675          * @return void
676          */
677         protected function setParent(Post $item)
678         {
679                 $parent = $this->getParent();
680                 if ($parent) {
681                         $parent->removeChild($this);
682                 }
683
684                 $this->parent = $item;
685                 $this->setThread($item->getThread());
686         }
687
688         /**
689          * Remove our parent
690          *
691          * @return void
692          */
693         protected function removeParent()
694         {
695                 $this->parent = null;
696                 $this->thread = null;
697         }
698
699         /**
700          * Remove a child
701          *
702          * @param Post $item The child to be removed
703          *
704          * @return boolean Success or failure
705          * @throws \Exception
706          */
707         public function removeChild(Post $item)
708         {
709                 $id = $item->getId();
710                 foreach ($this->getChildren() as $key => $child) {
711                         if ($child->getId() == $id) {
712                                 $child->removeParent();
713                                 unset($this->children[$key]);
714                                 // Reindex the array, in order to make sure there won't be any trouble on loops using count()
715                                 $this->children = array_values($this->children);
716                                 return true;
717                         }
718                 }
719                 Logger::info('[WARN] Item::removeChild : Item is not a child (' . $id . ').');
720                 return false;
721         }
722
723         /**
724          * Get parent item
725          *
726          * @return object
727          */
728         protected function getParent()
729         {
730                 return $this->parent;
731         }
732
733         /**
734          * Set conversation thread
735          *
736          * @param Thread $thread
737          *
738          * @return void
739          */
740         public function setThread(Thread $thread = null)
741         {
742                 $this->thread = $thread;
743
744                 // Set it on our children too
745                 foreach ($this->getChildren() as $child) {
746                         $child->setThread($thread);
747                 }
748         }
749
750         /**
751          * Get conversation
752          *
753          * @return Thread
754          */
755         public function getThread()
756         {
757                 return $this->thread;
758         }
759
760         /**
761          * Get raw data
762          *
763          * We shouldn't need this
764          *
765          * @return array
766          */
767         public function getData()
768         {
769                 return $this->data;
770         }
771
772         /**
773          * Get a data value
774          *
775          * @param string $name key
776          *
777          * @return mixed value on success
778          *               false on failure
779          */
780         public function getDataValue($name)
781         {
782                 if (!isset($this->data[$name])) {
783                         // Logger::info('[ERROR] Item::getDataValue : Item has no value name "'. $name .'".');
784                         return false;
785                 }
786
787                 return $this->data[$name];
788         }
789
790         /**
791          * Set template
792          *
793          * @param string $name template name
794          * @return bool
795          * @throws \Exception
796          */
797         private function setTemplate($name)
798         {
799                 if (empty($this->available_templates[$name])) {
800                         Logger::info('[ERROR] Item::setTemplate : Template not available ("' . $name . '").');
801                         return false;
802                 }
803
804                 $this->template = $this->available_templates[$name];
805
806                 return true;
807         }
808
809         /**
810          * Get template
811          *
812          * @return object
813          */
814         private function getTemplate()
815         {
816                 return $this->template;
817         }
818
819         /**
820          * Check if this is a toplevel post
821          *
822          * @return boolean
823          */
824         private function isToplevel()
825         {
826                 return $this->toplevel;
827         }
828
829         /**
830          * Check if this is writable
831          *
832          * @return boolean
833          */
834         private function isWritable()
835         {
836                 $conv = $this->getThread();
837
838                 if ($conv) {
839                         // This will allow us to comment on wall-to-wall items owned by our friends
840                         // and community forums even if somebody else wrote the post.
841                         // bug #517 - this fixes for conversation owner
842                         if ($conv->getMode() == 'profile' && $conv->getProfileOwner() == local_user()) {
843                                 return true;
844                         }
845
846                         // this fixes for visitors
847                         return ($this->writable || ($this->isVisiting() && $conv->getMode() == 'profile'));
848                 }
849                 return $this->writable;
850         }
851
852         /**
853          * Count the total of our descendants
854          *
855          * @return integer
856          */
857         private function countDescendants()
858         {
859                 $children = $this->getChildren();
860                 $total = count($children);
861                 if ($total > 0) {
862                         foreach ($children as $child) {
863                                 $total += $child->countDescendants();
864                         }
865                 }
866
867                 return $total;
868         }
869
870         /**
871          * Get the template for the comment box
872          *
873          * @return string
874          */
875         private function getCommentBoxTemplate()
876         {
877                 return $this->comment_box_template;
878         }
879
880         /**
881          * Get default text for the comment box
882          *
883          * @return string
884          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
885          */
886         private function getDefaultText()
887         {
888                 $a = DI::app();
889
890                 if (!local_user()) {
891                         return '';
892                 }
893
894                 $owner = User::getOwnerDataById($a->getLoggedInUserId());
895
896                 $item = PostModel::selectFirst(['author-addr', 'uri-id', 'network', 'gravity', 'content-warning'], ['id' => $this->getId()]);
897                 if (!DBA::isResult($item) || empty($item['author-addr'])) {
898                         // Should not happen
899                         return '';
900                 }
901
902                 if (!empty($item['content-warning']) && Feature::isEnabled(local_user(), 'add_abstract')) {
903                         $text = '[abstract=' . Protocol::ACTIVITYPUB . ']' . $item['content-warning'] . "[/abstract]\n";
904                 } else {
905                         $text = '';
906                 }
907
908                 if (!Feature::isEnabled(local_user(), 'explicit_mentions')) {
909                         return $text;
910                 }
911
912                 if (($item['author-addr'] != $owner['addr']) && (($item['gravity'] != GRAVITY_PARENT) || !in_array($item['network'], [Protocol::DIASPORA]))) {
913                         $text .= '@' . $item['author-addr'] . ' ';
914                 }
915
916                 $terms = Tag::getByURIId($item['uri-id'], [Tag::MENTION, Tag::IMPLICIT_MENTION, Tag::EXCLUSIVE_MENTION]);
917                 foreach ($terms as $term) {
918                         if (!$term['url']) {
919                                 DI::logger()->warning('Mention term with no URL', ['term' => $term]);
920                                 continue;
921                         }
922
923                         $profile = Contact::getByURL($term['url'], false, ['addr', 'contact-type']);
924                         if (!empty($profile['addr']) && (($profile['contact-type'] ?? Contact::TYPE_UNKNOWN) != Contact::TYPE_COMMUNITY) &&
925                                 ($profile['addr'] != $owner['addr']) && !strstr($text, $profile['addr'])) {
926                                 $text .= '@' . $profile['addr'] . ' ';
927                         }
928                 }
929
930                 return $text;
931         }
932
933         /**
934          * Get the comment box
935          *
936          * @param string $indent Indent value
937          *
938          * @return mixed The comment box string (empty if no comment box)
939          *               false on failure
940          * @throws \Exception
941          */
942         private function getCommentBox($indent)
943         {
944                 $a = DI::app();
945
946                 $comment_box = '';
947                 $conv = $this->getThread();
948
949                 if ($conv->isWritable() && $this->isWritable()) {
950                         /*
951                          * Hmmm, code depending on the presence of a particular addon?
952                          * This should be better if done by a hook
953                          */
954                         $qcomment = null;
955                         if (Addon::isEnabled('qcomment')) {
956                                 $words = DI::pConfig()->get(local_user(), 'qcomment', 'words');
957                                 $qcomment = $words ? explode("\n", $words) : [];
958                         }
959
960                         // Fetch the user id from the parent when the owner user is empty
961                         $uid = $conv->getProfileOwner();
962                         $parent_uid = $this->getDataValue('uid');
963
964                         $contact = Contact::getById($a->getContactId());
965
966                         $default_text = $this->getDefaultText();
967
968                         if (!is_null($parent_uid) && ($uid != $parent_uid)) {
969                                 $uid = $parent_uid;
970                         }
971
972                         $template = Renderer::getMarkupTemplate($this->getCommentBoxTemplate());
973                         $comment_box = Renderer::replaceMacros($template, [
974                                 '$return_path' => DI::args()->getQueryString(),
975                                 '$threaded'    => $this->isThreaded(),
976                                 '$jsreload'    => '',
977                                 '$wall'        => ($conv->getMode() === 'profile'),
978                                 '$id'          => $this->getId(),
979                                 '$parent'      => $this->getId(),
980                                 '$qcomment'    => $qcomment,
981                                 '$default'     => $default_text,
982                                 '$profile_uid' => $uid,
983                                 '$mylink'      => DI::baseUrl()->remove($contact['url'] ?? ''),
984                                 '$mytitle'     => DI::l10n()->t('This is you'),
985                                 '$myphoto'     => DI::baseUrl()->remove($contact['thumb'] ?? ''),
986                                 '$comment'     => DI::l10n()->t('Comment'),
987                                 '$submit'      => DI::l10n()->t('Submit'),
988                                 '$loading'     => DI::l10n()->t('Loading...'),
989                                 '$edbold'      => DI::l10n()->t('Bold'),
990                                 '$editalic'    => DI::l10n()->t('Italic'),
991                                 '$eduline'     => DI::l10n()->t('Underline'),
992                                 '$edquote'     => DI::l10n()->t('Quote'),
993                                 '$edcode'      => DI::l10n()->t('Code'),
994                                 '$edimg'       => DI::l10n()->t('Image'),
995                                 '$edurl'       => DI::l10n()->t('Link'),
996                                 '$edattach'    => DI::l10n()->t('Link or Media'),
997                                 '$prompttext'  => DI::l10n()->t('Please enter a image/video/audio/webpage URL:'),
998                                 '$preview'     => DI::l10n()->t('Preview'),
999                                 '$indent'      => $indent,
1000                                 '$rand_num'    => Crypto::randomDigits(12)
1001                         ]);
1002                 }
1003
1004                 return $comment_box;
1005         }
1006
1007         /**
1008          * @return string
1009          */
1010         private function getRedirectUrl()
1011         {
1012                 return $this->redirect_url;
1013         }
1014
1015         /**
1016          * Check if we are a wall to wall item and set the relevant properties
1017          *
1018          * @return void
1019          * @throws \Exception
1020          */
1021         protected function checkWallToWall()
1022         {
1023                 $a = DI::app();
1024                 $conv = $this->getThread();
1025                 $this->wall_to_wall = false;
1026
1027                 if ($this->isToplevel()) {
1028                         if ($conv->getMode() !== 'profile') {
1029                                 if ($this->getDataValue('owner-link')) {
1030                                         $owner_linkmatch = (($this->getDataValue('owner-link')) && Strings::compareLink($this->getDataValue('owner-link'), $this->getDataValue('author-link')));
1031                                         $alias_linkmatch = (($this->getDataValue('alias')) && Strings::compareLink($this->getDataValue('alias'), $this->getDataValue('author-link')));
1032                                         $owner_namematch = (($this->getDataValue('owner-name')) && $this->getDataValue('owner-name') == $this->getDataValue('author-name'));
1033
1034                                         if (!$owner_linkmatch && !$alias_linkmatch && !$owner_namematch) {
1035                                                 // The author url doesn't match the owner (typically the contact)
1036                                                 // and also doesn't match the contact alias.
1037                                                 // The name match is a hack to catch several weird cases where URLs are
1038                                                 // all over the park. It can be tricked, but this prevents you from
1039                                                 // seeing "Bob Smith to Bob Smith via Wall-to-wall" and you know darn
1040                                                 // well that it's the same Bob Smith.
1041                                                 // But it could be somebody else with the same name. It just isn't highly likely.
1042
1043
1044                                                 $this->owner_name = $this->getDataValue('owner-name');
1045                                                 $this->wall_to_wall = true;
1046
1047                                                 $owner = ['uid' => 0, 'id' => $this->getDataValue('owner-id'),
1048                                                         'network' => $this->getDataValue('owner-network'),
1049                                                         'url' => $this->getDataValue('owner-link')];
1050                                                 $this->owner_url = Contact::magicLinkByContact($owner);
1051                                         }
1052                                 }
1053                         }
1054                 }
1055
1056                 if (!$this->wall_to_wall) {
1057                         $this->setTemplate('wall');
1058                         $this->owner_url = '';
1059                         $this->owner_name = '';
1060                 }
1061         }
1062
1063         /**
1064          * @return boolean
1065          */
1066         private function isWallToWall()
1067         {
1068                 return $this->wall_to_wall;
1069         }
1070
1071         /**
1072          * @return string
1073          */
1074         private function getOwnerUrl()
1075         {
1076                 return $this->owner_url;
1077         }
1078
1079         /**
1080          * @return string
1081          */
1082         private function getOwnerName()
1083         {
1084                 return $this->owner_name;
1085         }
1086
1087         /**
1088          * @return boolean
1089          */
1090         private function isVisiting()
1091         {
1092                 return $this->visiting;
1093         }
1094 }