6864dabacd6c367385791f087a1a654e39810c52
[friendica.git/.git] / mod / item.php
1 <?php
2 /**
3  * @copyright Copyright (C) 2020, Friendica
4  *
5  * @license GNU AGPL version 3 or any later version
6  *
7  * This program is free software: you can redistribute it and/or modify
8  * it under the terms of the GNU Affero General Public License as
9  * published by the Free Software Foundation, either version 3 of the
10  * License, or (at your option) any later version.
11  *
12  * This program is distributed in the hope that it will be useful,
13  * but WITHOUT ANY WARRANTY; without even the implied warranty of
14  * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
15  * GNU Affero General Public License for more details.
16  *
17  * You should have received a copy of the GNU Affero General Public License
18  * along with this program.  If not, see <https://www.gnu.org/licenses/>.
19  *
20  * This is the POST destination for most all locally posted
21  * text stuff. This function handles status, wall-to-wall status,
22  * local comments, and remote coments that are posted on this site
23  * (as opposed to being delivered in a feed).
24  * Also processed here are posts and comments coming through the
25  * statusnet/twitter API.
26  *
27  * All of these become an "item" which is our basic unit of
28  * information.
29  */
30
31 use Friendica\App;
32 use Friendica\Content\Item as ItemHelper;
33 use Friendica\Content\PageInfo;
34 use Friendica\Content\Text\BBCode;
35 use Friendica\Core\Hook;
36 use Friendica\Core\Logger;
37 use Friendica\Core\Protocol;
38 use Friendica\Core\Session;
39 use Friendica\Core\System;
40 use Friendica\Core\Worker;
41 use Friendica\Database\DBA;
42 use Friendica\DI;
43 use Friendica\Model\Attach;
44 use Friendica\Model\Contact;
45 use Friendica\Model\Conversation;
46 use Friendica\Model\FileTag;
47 use Friendica\Model\Item;
48 use Friendica\Model\Notify;
49 use Friendica\Model\Notify\Type;
50 use Friendica\Model\Photo;
51 use Friendica\Model\Post;
52 use Friendica\Model\Tag;
53 use Friendica\Network\HTTPException;
54 use Friendica\Object\EMail\ItemCCEMail;
55 use Friendica\Protocol\Activity;
56 use Friendica\Protocol\Diaspora;
57 use Friendica\Util\DateTimeFormat;
58 use Friendica\Security\Security;
59 use Friendica\Worker\Delivery;
60
61 function item_post(App $a) {
62         if (!Session::isAuthenticated()) {
63                 throw new HTTPException\ForbiddenException();
64         }
65
66         $uid = local_user();
67
68         if (!empty($_REQUEST['dropitems'])) {
69                 $arr_drop = explode(',', $_REQUEST['dropitems']);
70                 foreach ($arr_drop as $item) {
71                         Item::deleteForUser(['id' => $item], $uid);
72                 }
73
74                 $json = ['success' => 1];
75                 System::jsonExit($json);
76         }
77
78         Hook::callAll('post_local_start', $_REQUEST);
79
80         Logger::debug('postvars', ['_REQUEST' => $_REQUEST]);
81
82         $api_source = $_REQUEST['api_source'] ?? false;
83
84         $return_path = $_REQUEST['return'] ?? '';
85         $preview = intval($_REQUEST['preview'] ?? 0);
86
87         /*
88          * Check for doubly-submitted posts, and reject duplicates
89          * Note that we have to ignore previews, otherwise nothing will post
90          * after it's been previewed
91          */
92         if (!$preview && !empty($_REQUEST['post_id_random'])) {
93                 if (!empty($_SESSION['post-random']) && $_SESSION['post-random'] == $_REQUEST['post_id_random']) {
94                         Logger::info('item post: duplicate post');
95                         item_post_return(DI::baseUrl(), $api_source, $return_path);
96                 } else {
97                         $_SESSION['post-random'] = $_REQUEST['post_id_random'];
98                 }
99         }
100
101         // Is this a reply to something?
102         $parent_item_id = intval($_REQUEST['parent'] ?? 0);
103         $thr_parent_uri = trim($_REQUEST['parent_uri'] ?? '');
104
105         $parent_item = null;
106         $toplevel_item = null;
107         $toplevel_item_id = 0;
108         $toplevel_user_id = null;
109
110         $objecttype = null;
111         $profile_uid = ($_REQUEST['profile_uid'] ?? 0) ?: local_user();
112         $posttype = ($_REQUEST['post_type'] ?? '') ?: Item::PT_ARTICLE;
113
114         if ($parent_item_id || $thr_parent_uri) {
115                 if ($parent_item_id) {
116                         $parent_item = Item::selectFirst([], ['id' => $parent_item_id]);
117                 } elseif ($thr_parent_uri) {
118                         $parent_item = Item::selectFirst([], ['uri' => $thr_parent_uri, 'uid' => $profile_uid]);
119                 }
120
121                 // if this isn't the top-level parent of the conversation, find it
122                 if (DBA::isResult($parent_item)) {
123                         // The URI and the contact is taken from the direct parent which needn't to be the top parent
124                         $thr_parent_uri = $parent_item['uri'];
125                         $toplevel_item = $parent_item;
126
127                         if ($parent_item['gravity'] != GRAVITY_PARENT) {
128                                 $toplevel_item = Item::selectFirst([], ['id' => $toplevel_item['parent']]);
129                         }
130                 }
131
132                 if (!DBA::isResult($toplevel_item)) {
133                         notice(DI::l10n()->t('Unable to locate original post.'));
134                         if ($return_path) {
135                                 DI::baseUrl()->redirect($return_path);
136                         }
137                         throw new HTTPException\NotFoundException(DI::l10n()->t('Unable to locate original post.'));
138                 }
139
140                 // When commenting on a public post then store the post for the current user
141                 // This enables interaction like starring and saving into folders
142                 if ($toplevel_item['uid'] == 0) {
143                         $stored = Item::storeForUserByUriId($toplevel_item['uri-id'], local_user());
144                         Logger::info('Public item stored for user', ['uri-id' => $toplevel_item['uri-id'], 'uid' => $uid, 'stored' => $stored]);
145                         if ($stored) {
146                                 $toplevel_item = Item::selectFirst([], ['id' => $stored]);
147                         }
148                 }
149
150                 $toplevel_item_id = $toplevel_item['id'];
151                 $toplevel_user_id = $toplevel_item['uid'];
152
153                 $objecttype = Activity\ObjectType::COMMENT;
154         }
155
156         if ($toplevel_item_id) {
157                 Logger::info('mod_item: item_post', ['parent' => $toplevel_item_id]);
158         }
159
160         $post_id     = intval($_REQUEST['post_id'] ?? 0);
161         $app         = strip_tags($_REQUEST['source'] ?? '');
162         $extid       = strip_tags($_REQUEST['extid'] ?? '');
163         $object      = $_REQUEST['object'] ?? '';
164
165         // Don't use "defaults" here. It would turn 0 to 1
166         if (!isset($_REQUEST['wall'])) {
167                 $wall = 1;
168         } else {
169                 $wall = $_REQUEST['wall'];
170         }
171
172         // Ensure that the user id in a thread always stay the same
173         if (!is_null($toplevel_user_id) && in_array($toplevel_user_id, [local_user(), 0])) {
174                 $profile_uid = $toplevel_user_id;
175         }
176
177         // Allow commenting if it is an answer to a public post
178         $allow_comment = local_user() && ($profile_uid == 0) && $toplevel_item_id && in_array($toplevel_item['network'], Protocol::FEDERATED);
179
180         // Now check that valid personal details have been provided
181         if (!Security::canWriteToUserWall($profile_uid) && !$allow_comment) {
182                 notice(DI::l10n()->t('Permission denied.'));
183                 if ($return_path) {
184                         DI::baseUrl()->redirect($return_path);
185                 }
186
187                 throw new HTTPException\ForbiddenException(DI::l10n()->t('Permission denied.'));
188         }
189
190         // Init post instance
191         $orig_post = null;
192
193         // is this an edited post?
194         if ($post_id > 0) {
195                 $orig_post = Item::selectFirst(Item::ITEM_FIELDLIST, ['id' => $post_id]);
196         }
197
198         $user = DBA::selectFirst('user', [], ['uid' => $profile_uid]);
199
200         if (!DBA::isResult($user) && !$toplevel_item_id) {
201                 return 0;
202         }
203
204         $categories = '';
205         $postopts = '';
206         $emailcc = '';
207         $body = $_REQUEST['body'] ?? '';
208         $has_attachment = $_REQUEST['has_attachment'] ?? 0;
209
210         // If we have a speparate attachment, we need to add it to the body.
211         if (!empty($has_attachment)) {
212                 $attachment_type  = $_REQUEST['attachment_type'] ??  '';
213                 $attachment_title = $_REQUEST['attachment_title'] ?? '';
214                 $attachment_text  = $_REQUEST['attachment_text'] ??  '';
215
216                 $attachment_url     = hex2bin($_REQUEST['attachment_url'] ??     '');
217                 $attachment_img_src = hex2bin($_REQUEST['attachment_img_src'] ?? '');
218
219                 $attachment_img_width  = $_REQUEST['attachment_img_width'] ??  0;
220                 $attachment_img_height = $_REQUEST['attachment_img_height'] ?? 0;
221                 $attachment = [
222                         'type'   => $attachment_type,
223                         'title'  => $attachment_title,
224                         'text'   => $attachment_text,
225                         'url'    => $attachment_url,
226                 ];
227
228                 if (!empty($attachment_img_src)) {
229                         $attachment['images'] = [
230                                 0 => [
231                                         'src'    => $attachment_img_src,
232                                         'width'  => $attachment_img_width,
233                                         'height' => $attachment_img_height
234                                 ]
235                         ];
236                 }
237
238                 $att_bbcode = "\n" . PageInfo::getFooterFromData($attachment);
239                 $body .= $att_bbcode;
240         }
241
242         // Convert links with empty descriptions to links without an explicit description
243         $body = preg_replace('#\[url=([^\]]*?)\]\[/url\]#ism', '[url]$1[/url]', $body);
244
245         if (!empty($orig_post)) {
246                 $str_group_allow   = $orig_post['allow_gid'];
247                 $str_contact_allow = $orig_post['allow_cid'];
248                 $str_group_deny    = $orig_post['deny_gid'];
249                 $str_contact_deny  = $orig_post['deny_cid'];
250                 $location          = $orig_post['location'];
251                 $coord             = $orig_post['coord'];
252                 $verb              = $orig_post['verb'];
253                 $objecttype        = $orig_post['object-type'];
254                 $app               = $orig_post['app'];
255                 $categories        = $orig_post['file'] ?? '';
256                 $title             = trim($_REQUEST['title'] ?? '');
257                 $body              = trim($body);
258                 $private           = $orig_post['private'];
259                 $pubmail_enabled   = $orig_post['pubmail'];
260                 $network           = $orig_post['network'];
261                 $guid              = $orig_post['guid'];
262                 $extid             = $orig_post['extid'];
263         } else {
264                 $str_contact_allow = '';
265                 $str_group_allow   = '';
266                 $str_contact_deny  = '';
267                 $str_group_deny    = '';
268
269                 if (($_REQUEST['visibility'] ?? '') !== 'public') {
270                         $aclFormatter = DI::aclFormatter();
271                         $str_contact_allow = isset($_REQUEST['contact_allow']) ? $aclFormatter->toString($_REQUEST['contact_allow']) : $user['allow_cid'] ?? '';
272                         $str_group_allow   = isset($_REQUEST['group_allow'])   ? $aclFormatter->toString($_REQUEST['group_allow'])   : $user['allow_gid'] ?? '';
273                         $str_contact_deny  = isset($_REQUEST['contact_deny'])  ? $aclFormatter->toString($_REQUEST['contact_deny'])  : $user['deny_cid']  ?? '';
274                         $str_group_deny    = isset($_REQUEST['group_deny'])    ? $aclFormatter->toString($_REQUEST['group_deny'])    : $user['deny_gid']  ?? '';
275                 }
276
277                 $title             = trim($_REQUEST['title']    ?? '');
278                 $location          = trim($_REQUEST['location'] ?? '');
279                 $coord             = trim($_REQUEST['coord']    ?? '');
280                 $verb              = trim($_REQUEST['verb']     ?? '');
281                 $emailcc           = trim($_REQUEST['emailcc']  ?? '');
282                 $body              = trim($body);
283                 $network           = trim(($_REQUEST['network']  ?? '') ?: Protocol::DFRN);
284                 $guid              = System::createUUID();
285
286                 $postopts = $_REQUEST['postopts'] ?? '';
287
288                 if (strlen($str_group_allow) || strlen($str_contact_allow) || strlen($str_group_deny) || strlen($str_contact_deny)) {
289                         $private = Item::PRIVATE;
290                 } elseif (DI::pConfig()->get($profile_uid, 'system', 'unlisted')) {
291                         $private = Item::UNLISTED;
292                 } else {
293                         $private = Item::PUBLIC;
294                 }
295
296                 // If this is a comment, set the permissions from the parent.
297
298                 if ($toplevel_item) {
299                         // for non native networks use the network of the original post as network of the item
300                         if (($toplevel_item['network'] != Protocol::DIASPORA)
301                                 && ($toplevel_item['network'] != Protocol::OSTATUS)
302                                 && ($network == "")) {
303                                 $network = $toplevel_item['network'];
304                         }
305
306                         $str_contact_allow = $toplevel_item['allow_cid'] ?? '';
307                         $str_group_allow   = $toplevel_item['allow_gid'] ?? '';
308                         $str_contact_deny  = $toplevel_item['deny_cid'] ?? '';
309                         $str_group_deny    = $toplevel_item['deny_gid'] ?? '';
310                         $private           = $toplevel_item['private'];
311
312                         $wall              = $toplevel_item['wall'];
313                 }
314
315                 $pubmail_enabled = ($_REQUEST['pubmail_enable'] ?? false) && !$private;
316
317                 // if using the API, we won't see pubmail_enable - figure out if it should be set
318                 if ($api_source && $profile_uid && $profile_uid == local_user() && !$private) {
319                         if (function_exists('imap_open') && !DI::config()->get('system', 'imap_disabled')) {
320                                 $pubmail_enabled = DBA::exists('mailacct', ["`uid` = ? AND `server` != ? AND `pubmail`", local_user(), '']);
321                         }
322                 }
323
324                 if (!strlen($body)) {
325                         if ($preview) {
326                                 System::jsonExit(['preview' => '']);
327                         }
328
329                         notice(DI::l10n()->t('Empty post discarded.'));
330                         if ($return_path) {
331                                 DI::baseUrl()->redirect($return_path);
332                         }
333
334                         throw new HTTPException\BadRequestException(DI::l10n()->t('Empty post discarded.'));
335                 }
336         }
337
338         if (!empty($categories)) {
339                 // get the "fileas" tags for this post
340                 $filedas = FileTag::fileToArray($categories);
341         }
342
343         // save old and new categories, so we can determine what needs to be deleted from pconfig
344         $categories_old = $categories;
345         $categories = FileTag::listToFile(trim($_REQUEST['category'] ?? ''), 'category');
346         $categories_new = $categories;
347
348         if (!empty($filedas) && is_array($filedas)) {
349                 // append the fileas stuff to the new categories list
350                 $categories .= FileTag::arrayToFile($filedas);
351         }
352
353         // get contact info for poster
354
355         $author = null;
356         $self   = false;
357         $contact_id = 0;
358
359         if (local_user() && ((local_user() == $profile_uid) || $allow_comment)) {
360                 $self = true;
361                 $author = DBA::selectFirst('contact', [], ['uid' => local_user(), 'self' => true]);
362         } elseif (!empty(Session::getRemoteContactID($profile_uid))) {
363                 $author = DBA::selectFirst('contact', [], ['id' => Session::getRemoteContactID($profile_uid)]);
364         }
365
366         if (DBA::isResult($author)) {
367                 $contact_id = $author['id'];
368         }
369
370         // get contact info for owner
371         if ($profile_uid == local_user() || $allow_comment) {
372                 $contact_record = $author ?: [];
373         } else {
374                 $contact_record = DBA::selectFirst('contact', [], ['uid' => $profile_uid, 'self' => true]) ?: [];
375         }
376
377         // Look for any tags and linkify them
378         $inform   = '';
379         $private_forum = false;
380         $private_id = null;
381         $only_to_forum = false;
382         $forum_contact = [];
383
384         $body = BBCode::performWithEscapedTags($body, ['noparse', 'pre', 'code', 'img'], function ($body) use ($profile_uid, $network, $str_contact_allow, &$inform, &$private_forum, &$private_id, &$only_to_forum, &$forum_contact) {
385                 $tags = BBCode::getTags($body);
386
387                 $tagged = [];
388
389                 foreach ($tags as $tag) {
390                         $tag_type = substr($tag, 0, 1);
391
392                         if ($tag_type == Tag::TAG_CHARACTER[Tag::HASHTAG]) {
393                                 continue;
394                         }
395
396                         /* If we already tagged 'Robert Johnson', don't try and tag 'Robert'.
397                          * Robert Johnson should be first in the $tags array
398                          */
399                         foreach ($tagged as $nextTag) {
400                                 if (stristr($nextTag, $tag . ' ')) {
401                                         continue 2;
402                                 }
403                         }
404
405                         $success = ItemHelper::replaceTag($body, $inform, local_user() ? local_user() : $profile_uid, $tag, $network);
406                         if ($success['replaced']) {
407                                 $tagged[] = $tag;
408                         }
409                         // When the forum is private or the forum is addressed with a "!" make the post private
410                         if (!empty($success['contact']['prv']) || ($tag_type == Tag::TAG_CHARACTER[Tag::EXCLUSIVE_MENTION])) {
411                                 $private_forum = $success['contact']['prv'];
412                                 $only_to_forum = ($tag_type == Tag::TAG_CHARACTER[Tag::EXCLUSIVE_MENTION]);
413                                 $private_id = $success['contact']['id'];
414                                 $forum_contact = $success['contact'];
415                         } elseif (!empty($success['contact']['forum']) && ($str_contact_allow == '<' . $success['contact']['id'] . '>')) {
416                                 $private_forum = false;
417                                 $only_to_forum = true;
418                                 $private_id = $success['contact']['id'];
419                                 $forum_contact = $success['contact'];
420                         }
421                 }
422
423                 return $body;
424         });
425
426         $original_contact_id = $contact_id;
427
428         if (!$toplevel_item_id && !empty($forum_contact) && ($private_forum || $only_to_forum)) {
429                 // we tagged a forum in a top level post. Now we change the post
430                 $private = $private_forum;
431
432                 $str_group_allow = '';
433                 $str_contact_deny = '';
434                 $str_group_deny = '';
435                 if ($private_forum) {
436                         $str_contact_allow = '<' . $private_id . '>';
437                 } else {
438                         $str_contact_allow = '';
439                 }
440                 $contact_id = $private_id;
441                 $contact_record = $forum_contact;
442                 $_REQUEST['origin'] = false;
443                 $wall = 0;
444         }
445
446         /*
447          * When a photo was uploaded into the message using the (profile wall) ajax
448          * uploader, The permissions are initially set to disallow anybody but the
449          * owner from seeing it. This is because the permissions may not yet have been
450          * set for the post. If it's private, the photo permissions should be set
451          * appropriately. But we didn't know the final permissions on the post until
452          * now. So now we'll look for links of uploaded messages that are in the
453          * post and set them to the same permissions as the post itself.
454          */
455
456         $match = null;
457
458         if (!$preview && Photo::setPermissionFromBody($body, $uid, $original_contact_id, $str_contact_allow, $str_group_allow, $str_contact_deny, $str_group_deny)) {
459                 $objecttype = Activity\ObjectType::IMAGE;
460         }
461
462         /*
463          * Next link in any attachment references we find in the post.
464          */
465         $match = false;
466
467         /// @todo these lines should be moved to Model/Attach (Once it exists)
468         if (!$preview && preg_match_all("/\[attachment\](.*?)\[\/attachment\]/", $body, $match)) {
469                 $attaches = $match[1];
470                 if (count($attaches)) {
471                         foreach ($attaches as $attach) {
472                                 // Ensure to only modify attachments that you own
473                                 $srch = '<' . intval($original_contact_id) . '>';
474
475                                 $condition = ['allow_cid' => $srch, 'allow_gid' => '', 'deny_cid' => '', 'deny_gid' => '',
476                                                 'id' => $attach];
477                                 if (!Attach::exists($condition)) {
478                                         continue;
479                                 }
480
481                                 $fields = ['allow_cid' => $str_contact_allow, 'allow_gid' => $str_group_allow,
482                                                 'deny_cid' => $str_contact_deny, 'deny_gid' => $str_group_deny];
483                                 $condition = ['id' => $attach];
484                                 Attach::update($fields, $condition);
485                         }
486                 }
487         }
488
489         // embedded bookmark or attachment in post? set bookmark flag
490
491         $data = BBCode::getAttachmentData($body);
492         if ((preg_match_all("/\[bookmark\=([^\]]*)\](.*?)\[\/bookmark\]/ism", $body, $match, PREG_SET_ORDER) || isset($data["type"]))
493                 && ($posttype != Item::PT_PERSONAL_NOTE)) {
494                 $posttype = Item::PT_PAGE;
495                 $objecttype =  Activity\ObjectType::BOOKMARK;
496         }
497
498         $body = DI::bbCodeVideo()->transform($body);
499
500         $body = BBCode::scaleExternalImages($body);
501
502         // Setting the object type if not defined before
503         if (!$objecttype) {
504                 $objecttype = Activity\ObjectType::NOTE; // Default value
505                 $objectdata = BBCode::getAttachedData($body);
506
507                 if ($objectdata["type"] == "link") {
508                         $objecttype = Activity\ObjectType::BOOKMARK;
509                 } elseif ($objectdata["type"] == "video") {
510                         $objecttype = Activity\ObjectType::VIDEO;
511                 } elseif ($objectdata["type"] == "photo") {
512                         $objecttype = Activity\ObjectType::IMAGE;
513                 }
514
515         }
516
517         $attachments = '';
518         $match = false;
519
520         if (preg_match_all('/(\[attachment\]([0-9]+)\[\/attachment\])/',$body,$match)) {
521                 foreach ($match[2] as $mtch) {
522                         $fields = ['id', 'filename', 'filesize', 'filetype'];
523                         $attachment = Attach::selectFirst($fields, ['id' => $mtch]);
524                         if ($attachment !== false) {
525                                 if (strlen($attachments)) {
526                                         $attachments .= ',';
527                                 }
528                                 $attachments .= Post\Media::getAttachElement(DI::baseUrl() . '/attach/' . $attachment['id'],
529                                         $attachment['filesize'], $attachment['filetype'], $attachment['filename'] ?? '');
530                         }
531                         $body = str_replace($match[1],'',$body);
532                 }
533         }
534
535         if (!strlen($verb)) {
536                 $verb = Activity::POST;
537         }
538
539         if ($network == "") {
540                 $network = Protocol::DFRN;
541         }
542
543         $gravity = ($toplevel_item_id ? GRAVITY_COMMENT : GRAVITY_PARENT);
544
545         // even if the post arrived via API we are considering that it
546         // originated on this site by default for determining relayability.
547
548         // Don't use "defaults" here. It would turn 0 to 1
549         if (!isset($_REQUEST['origin'])) {
550                 $origin = 1;
551         } else {
552                 $origin = $_REQUEST['origin'];
553         }
554
555         $uri = Item::newURI($api_source ? $profile_uid : $uid, $guid);
556
557         // Fallback so that we alway have a parent uri
558         if (!$thr_parent_uri || !$toplevel_item_id) {
559                 $thr_parent_uri = $uri;
560         }
561
562         $datarray = [];
563         $datarray['uid']           = $profile_uid;
564         $datarray['wall']          = $wall;
565         $datarray['gravity']       = $gravity;
566         $datarray['network']       = $network;
567         $datarray['contact-id']    = $contact_id;
568         $datarray['owner-name']    = $contact_record['name'] ?? '';
569         $datarray['owner-link']    = $contact_record['url'] ?? '';
570         $datarray['owner-avatar']  = $contact_record['thumb'] ?? '';
571         $datarray['owner-id']      = Contact::getIdForURL($datarray['owner-link']);
572         $datarray['author-name']   = $author['name'];
573         $datarray['author-link']   = $author['url'];
574         $datarray['author-avatar'] = $author['thumb'];
575         $datarray['author-id']     = Contact::getIdForURL($datarray['author-link']);
576         $datarray['created']       = DateTimeFormat::utcNow();
577         $datarray['edited']        = DateTimeFormat::utcNow();
578         $datarray['commented']     = DateTimeFormat::utcNow();
579         $datarray['received']      = DateTimeFormat::utcNow();
580         $datarray['changed']       = DateTimeFormat::utcNow();
581         $datarray['extid']         = $extid;
582         $datarray['guid']          = $guid;
583         $datarray['uri']           = $uri;
584         $datarray['title']         = $title;
585         $datarray['body']          = $body;
586         $datarray['app']           = $app;
587         $datarray['location']      = $location;
588         $datarray['coord']         = $coord;
589         $datarray['file']          = $categories;
590         $datarray['inform']        = $inform;
591         $datarray['verb']          = $verb;
592         $datarray['post-type']     = $posttype;
593         $datarray['object-type']   = $objecttype;
594         $datarray['allow_cid']     = $str_contact_allow;
595         $datarray['allow_gid']     = $str_group_allow;
596         $datarray['deny_cid']      = $str_contact_deny;
597         $datarray['deny_gid']      = $str_group_deny;
598         $datarray['private']       = $private;
599         $datarray['pubmail']       = $pubmail_enabled;
600         $datarray['attach']        = $attachments;
601
602         $datarray['thr-parent']    = $thr_parent_uri;
603
604         $datarray['postopts']      = $postopts;
605         $datarray['origin']        = $origin;
606         $datarray['moderated']     = false;
607         $datarray['object']        = $object;
608
609         /*
610          * These fields are for the convenience of addons...
611          * 'self' if true indicates the owner is posting on their own wall
612          * If parent is 0 it is a top-level post.
613          */
614         $datarray['parent']        = $toplevel_item_id;
615         $datarray['self']          = $self;
616
617         // This triggers posts via API and the mirror functions
618         $datarray['api_source'] = $api_source;
619
620         // This field is for storing the raw conversation data
621         $datarray['protocol'] = Conversation::PARCEL_DIRECT;
622
623         $conversation = DBA::selectFirst('conversation', ['conversation-uri', 'conversation-href'], ['item-uri' => $datarray['thr-parent']]);
624         if (DBA::isResult($conversation)) {
625                 if ($conversation['conversation-uri'] != '') {
626                         $datarray['conversation-uri'] = $conversation['conversation-uri'];
627                 }
628                 if ($conversation['conversation-href'] != '') {
629                         $datarray['conversation-href'] = $conversation['conversation-href'];
630                 }
631         }
632
633         if ($orig_post) {
634                 $datarray['edit'] = true;
635         } else {
636                 // If this was a share, add missing data here
637                 $datarray = Item::addShareDataFromOriginal($datarray);
638
639                 $datarray['edit'] = false;
640         }
641
642         // Check for hashtags in the body and repair or add hashtag links
643         if ($preview || $orig_post) {
644                 $datarray['body'] = Item::setHashtags($datarray['body']);
645         }
646
647         // preview mode - prepare the body for display and send it via json
648         if ($preview) {
649                 // We set the datarray ID to -1 because in preview mode the dataray
650                 // doesn't have an ID.
651                 $datarray["id"] = -1;
652                 $datarray["uri-id"] = -1;
653                 $datarray["item_id"] = -1;
654                 $datarray["author-network"] = Protocol::DFRN;
655
656                 $o = conversation($a, [array_merge($contact_record, $datarray)], 'search', false, true);
657
658                 System::jsonExit(['preview' => $o]);
659         }
660
661         Hook::callAll('post_local',$datarray);
662
663         if (!empty($datarray['cancel'])) {
664                 Logger::info('mod_item: post cancelled by addon.');
665                 if ($return_path) {
666                         DI::baseUrl()->redirect($return_path);
667                 }
668
669                 $json = ['cancel' => 1];
670                 if (!empty($_REQUEST['jsreload'])) {
671                         $json['reload'] = DI::baseUrl() . '/' . $_REQUEST['jsreload'];
672                 }
673
674                 System::jsonExit($json);
675         }
676
677         if ($orig_post) {
678                 // Fill the cache field
679                 // This could be done in Item::update as well - but we have to check for the existance of some fields.
680                 Item::putInCache($datarray);
681
682                 $fields = [
683                         'title' => $datarray['title'],
684                         'body' => $datarray['body'],
685                         'attach' => $datarray['attach'],
686                         'file' => $datarray['file'],
687                         'rendered-html' => $datarray['rendered-html'],
688                         'rendered-hash' => $datarray['rendered-hash'],
689                         'edited' => DateTimeFormat::utcNow(),
690                         'changed' => DateTimeFormat::utcNow()];
691
692                 Item::update($fields, ['id' => $post_id]);
693
694                 // update filetags in pconfig
695                 FileTag::updatePconfig($uid, $categories_old, $categories_new, 'category');
696
697                 if ($return_path) {
698                         DI::baseUrl()->redirect($return_path);
699                 }
700
701                 throw new HTTPException\OKException(DI::l10n()->t('Post updated.'));
702         }
703
704         unset($datarray['edit']);
705         unset($datarray['self']);
706         unset($datarray['api_source']);
707
708         if ($origin) {
709                 $signed = Diaspora::createCommentSignature($uid, $datarray);
710                 if (!empty($signed)) {
711                         $datarray['diaspora_signed_text'] = json_encode($signed);
712                 }
713         }
714
715         $post_id = Item::insert($datarray);
716
717         if (!$post_id) {
718                 notice(DI::l10n()->t('Item wasn\'t stored.'));
719                 if ($return_path) {
720                         DI::baseUrl()->redirect($return_path);
721                 }
722
723                 throw new HTTPException\InternalServerErrorException(DI::l10n()->t('Item wasn\'t stored.'));
724         }
725
726         $datarray = Item::selectFirst(Item::ITEM_FIELDLIST, ['id' => $post_id]);
727
728         if (!DBA::isResult($datarray)) {
729                 Logger::error('Item couldn\'t be fetched.', ['post_id' => $post_id]);
730                 if ($return_path) {
731                         DI::baseUrl()->redirect($return_path);
732                 }
733
734                 throw new HTTPException\InternalServerErrorException(DI::l10n()->t('Item couldn\'t be fetched.'));
735         }
736
737         Tag::storeFromBody($datarray['uri-id'], $datarray['body']);
738
739         if (!\Friendica\Content\Feature::isEnabled($uid, 'explicit_mentions') && ($datarray['gravity'] == GRAVITY_COMMENT)) {
740                 Tag::createImplicitMentions($datarray['uri-id'], $datarray['thr-parent-id']);
741         }
742
743         // update filetags in pconfig
744         FileTag::updatePconfig($uid, $categories_old, $categories_new, 'category');
745
746         // These notifications are sent if someone else is commenting other your wall
747         if ($contact_record != $author) {
748                 if ($toplevel_item_id) {
749                         notification([
750                                 'type'  => Type::COMMENT,
751                                 'otype' => Notify\ObjectType::ITEM,
752                                 'verb'  => Activity::POST,
753                                 'uid'   => $user['uid'],
754                                 'cid'   => $datarray['author-id'],
755                                 'item'  => $datarray,
756                                 'link'  => DI::baseUrl() . '/display/' . urlencode($datarray['guid']),
757                         ]);
758                 } elseif (empty($forum_contact)) {
759                         notification([
760                                 'type'  => Type::WALL,
761                                 'otype' => Notify\ObjectType::ITEM,
762                                 'verb'  => Activity::POST,
763                                 'uid'   => $user['uid'],
764                                 'cid'   => $datarray['author-id'],
765                                 'item'  => $datarray,
766                                 'link'  => DI::baseUrl() . '/display/' . urlencode($datarray['guid']),
767                         ]);
768                 }
769         }
770
771         Hook::callAll('post_local_end', $datarray);
772
773         if (strlen($emailcc) && $profile_uid == local_user()) {
774                 $recipients = explode(',', $emailcc);
775                 if (count($recipients)) {
776                         foreach ($recipients as $recipient) {
777                                 $address = trim($recipient);
778                                 if (!strlen($address)) {
779                                         continue;
780                                 }
781                                 DI::emailer()->send(new ItemCCEMail(DI::app(), DI::l10n(), DI::baseUrl(),
782                                         $datarray, $address, $author['thumb'] ?? ''));
783                         }
784                 }
785         }
786
787         // When we are doing some forum posting via ! we have to start the notifier manually.
788         // These kind of posts don't initiate the notifier call in the item class.
789         if ($only_to_forum) {
790                 Worker::add(['priority' => PRIORITY_HIGH, 'dont_fork' => false], "Notifier", Delivery::POST, $post_id);
791         }
792
793         Logger::info('post_complete');
794
795         if ($api_source) {
796                 return $post_id;
797         }
798
799         item_post_return(DI::baseUrl(), $api_source, $return_path);
800         // NOTREACHED
801 }
802
803 function item_post_return($baseurl, $api_source, $return_path)
804 {
805         if ($api_source) {
806                 return;
807         }
808
809         if ($return_path) {
810                 DI::baseUrl()->redirect($return_path);
811         }
812
813         $json = ['success' => 1];
814         if (!empty($_REQUEST['jsreload'])) {
815                 $json['reload'] = $baseurl . '/' . $_REQUEST['jsreload'];
816         }
817
818         Logger::info('post_json', ['json' => $json]);
819
820         System::jsonExit($json);
821 }
822
823 function item_content(App $a)
824 {
825         if (!Session::isAuthenticated()) {
826                 return;
827         }
828
829         $o = '';
830
831         if (($a->argc >= 3) && ($a->argv[1] === 'drop') && intval($a->argv[2])) {
832                 if (DI::mode()->isAjax()) {
833                         Item::deleteForUser(['id' => $a->argv[2]], local_user());
834                         // ajax return: [<item id>, 0 (no perm) | <owner id>]
835                         System::jsonExit([intval($a->argv[2]), local_user()]);
836                 } else {
837                         if (!empty($a->argv[3])) {
838                                 $o = drop_item($a->argv[2], $a->argv[3]);
839                         }
840                         else {
841                                 $o = drop_item($a->argv[2]);
842                         }
843                 }
844         }
845
846         return $o;
847 }
848
849 /**
850  * @param int    $id
851  * @param string $return
852  * @return string
853  * @throws HTTPException\InternalServerErrorException
854  */
855 function drop_item(int $id, string $return = '')
856 {
857         // locate item to be deleted
858         $fields = ['id', 'uid', 'guid', 'contact-id', 'deleted', 'gravity', 'parent'];
859         $item = Item::selectFirstForUser(local_user(), $fields, ['id' => $id]);
860
861         if (!DBA::isResult($item)) {
862                 notice(DI::l10n()->t('Item not found.'));
863                 DI::baseUrl()->redirect('network');
864         }
865
866         if ($item['deleted']) {
867                 return '';
868         }
869
870         $contact_id = 0;
871
872         // check if logged in user is either the author or owner of this item
873         if (Session::getRemoteContactID($item['uid']) == $item['contact-id']) {
874                 $contact_id = $item['contact-id'];
875         }
876
877         if ((local_user() == $item['uid']) || $contact_id) {
878                 if (!empty($item['parent'])) {
879                         $parentitem = Item::selectFirstForUser(local_user(), ['guid'], ['id' => $item['parent']]);
880                 }
881
882                 // delete the item
883                 Item::deleteForUser(['id' => $item['id']], local_user());
884
885                 $return_url = hex2bin($return);
886
887                 // removes update_* from return_url to ignore Ajax refresh
888                 $return_url = str_replace("update_", "", $return_url);
889
890                 // Check if delete a comment
891                 if ($item['gravity'] == GRAVITY_COMMENT) {
892                         // Return to parent guid
893                         if (!empty($parentitem)) {
894                                 DI::baseUrl()->redirect('display/' . $parentitem['guid']);
895                                 //NOTREACHED
896                         } // In case something goes wrong
897                         else {
898                                 DI::baseUrl()->redirect('network');
899                                 //NOTREACHED
900                         }
901                 } else {
902                         // if unknown location or deleting top level post called from display
903                         if (empty($return_url) || strpos($return_url, 'display') !== false) {
904                                 DI::baseUrl()->redirect('network');
905                                 //NOTREACHED
906                         } else {
907                                 DI::baseUrl()->redirect($return_url);
908                                 //NOTREACHED
909                         }
910                 }
911         } else {
912                 notice(DI::l10n()->t('Permission denied.'));
913                 DI::baseUrl()->redirect('display/' . $item['guid']);
914                 //NOTREACHED
915         }
916
917         return '';
918 }