]> git.mxchange.org Git - friendica.git/blob - src/Protocol/ActivityPub/Processor.php
Merge pull request #9262 from nupplaphil/phpmailer_fix
[friendica.git] / src / Protocol / ActivityPub / Processor.php
1 <?php
2 /**
3  * @copyright Copyright (C) 2020, Friendica
4  *
5  * @license GNU AGPL version 3 or any later version
6  *
7  * This program is free software: you can redistribute it and/or modify
8  * it under the terms of the GNU Affero General Public License as
9  * published by the Free Software Foundation, either version 3 of the
10  * License, or (at your option) any later version.
11  *
12  * This program is distributed in the hope that it will be useful,
13  * but WITHOUT ANY WARRANTY; without even the implied warranty of
14  * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
15  * GNU Affero General Public License for more details.
16  *
17  * You should have received a copy of the GNU Affero General Public License
18  * along with this program.  If not, see <https://www.gnu.org/licenses/>.
19  *
20  */
21
22 namespace Friendica\Protocol\ActivityPub;
23
24 use Friendica\Content\PageInfo;
25 use Friendica\Content\Text\BBCode;
26 use Friendica\Content\Text\HTML;
27 use Friendica\Core\Logger;
28 use Friendica\Core\Protocol;
29 use Friendica\Database\DBA;
30 use Friendica\DI;
31 use Friendica\Model\APContact;
32 use Friendica\Model\Contact;
33 use Friendica\Model\Conversation;
34 use Friendica\Model\Event;
35 use Friendica\Model\Item;
36 use Friendica\Model\ItemURI;
37 use Friendica\Model\Mail;
38 use Friendica\Model\Search;
39 use Friendica\Model\Tag;
40 use Friendica\Model\User;
41 use Friendica\Protocol\Activity;
42 use Friendica\Protocol\ActivityPub;
43 use Friendica\Util\DateTimeFormat;
44 use Friendica\Util\JsonLD;
45 use Friendica\Util\Strings;
46 use Text_LanguageDetect;
47
48 /**
49  * ActivityPub Processor Protocol class
50  */
51 class Processor
52 {
53         /**
54          * Converts mentions from Pleroma into the Friendica format
55          *
56          * @param string $body
57          *
58          * @return string converted body
59          */
60         private static function convertMentions($body)
61         {
62                 $URLSearchString = "^\[\]";
63                 $body = preg_replace("/\[url\=([$URLSearchString]*)\]([#@!])(.*?)\[\/url\]/ism", '$2[url=$1]$3[/url]', $body);
64
65                 return $body;
66         }
67
68         /**
69          * Replaces emojis in the body
70          *
71          * @param array $emojis
72          * @param string $body
73          *
74          * @return string with replaced emojis
75          */
76         private static function replaceEmojis($body, array $emojis)
77         {
78                 foreach ($emojis as $emoji) {
79                         $replace = '[class=emoji mastodon][img=' . $emoji['href'] . ']' . $emoji['name'] . '[/img][/class]';
80                         $body = str_replace($emoji['name'], $replace, $body);
81                 }
82                 return $body;
83         }
84
85         /**
86          * Add attachment data to the item array
87          *
88          * @param array   $activity
89          * @param array   $item
90          *
91          * @return array array
92          */
93         private static function constructAttachList($activity, $item)
94         {
95                 if (empty($activity['attachments'])) {
96                         return $item;
97                 }
98
99                 foreach ($activity['attachments'] as $attach) {
100                         switch ($attach['type']) {
101                                 case 'link':
102                                         $data = [
103                                                 'url'      => $attach['url'],
104                                                 'type'     => $attach['type'],
105                                                 'title'    => $attach['title'] ?? '',
106                                                 'text'     => $attach['desc']  ?? '',
107                                                 'image'    => $attach['image'] ?? '',
108                                                 'images'   => [],
109                                                 'keywords' => [],
110                                         ];
111                                         $item['body'] = PageInfo::appendDataToBody($item['body'], $data);
112                                         break;
113                                 default:
114                                         $filetype = strtolower(substr($attach['mediaType'], 0, strpos($attach['mediaType'], '/')));
115                                         if ($filetype == 'image') {
116                                                 if (!empty($activity['source']) && strpos($activity['source'], $attach['url'])) {
117                                                         continue 2;
118                                                 }
119
120                                                 $item['body'] .= "\n";
121
122                                                 // image is the preview/thumbnail URL
123                                                 if (!empty($attach['image'])) {
124                                                         $item['body'] .= '[url=' . $attach['url'] . ']';
125                                                         $attach['url'] = $attach['image'];
126                                                 }
127
128                                                 if (empty($attach['name'])) {
129                                                         $item['body'] .= '[img]' . $attach['url'] . '[/img]';
130                                                 } else {
131                                                         $item['body'] .= '[img=' . $attach['url'] . ']' . $attach['name'] . '[/img]';
132                                                 }
133
134                                                 if (!empty($attach['image'])) {
135                                                         $item['body'] .= '[/url]';
136                                                 }
137                                         } elseif ($filetype == 'audio') {
138                                                 if (!empty($activity['source']) && strpos($activity['source'], $attach['url'])) {
139                                                         continue 2;
140                                                 }
141
142                                                 $item['body'] .= "\n[audio]" . $attach['url'] . '[/audio]';
143                                         } elseif ($filetype == 'video') {
144                                                 if (!empty($activity['source']) && strpos($activity['source'], $attach['url'])) {
145                                                         continue 2;
146                                                 }
147
148                                                 $item['body'] .= "\n[video]" . $attach['url'] . '[/video]';
149                                         } else {
150                                                 if (!empty($item["attach"])) {
151                                                         $item["attach"] .= ',';
152                                                 } else {
153                                                         $item["attach"] = '';
154                                                 }
155
156                                                 $item["attach"] .= '[attach]href="' . $attach['url'] . '" length="' . ($attach['length'] ?? '0') . '" type="' . $attach['mediaType'] . '" title="' . ($attach['name'] ?? '') . '"[/attach]';
157                                         }
158                         }
159                 }
160
161                 return $item;
162         }
163
164         /**
165          * Updates a message
166          *
167          * @param array $activity Activity array
168          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
169          */
170         public static function updateItem($activity)
171         {
172                 $item = Item::selectFirst(['uri', 'uri-id', 'thr-parent', 'gravity'], ['uri' => $activity['id']]);
173                 if (!DBA::isResult($item)) {
174                         Logger::warning('No existing item, item will be created', ['uri' => $activity['id']]);
175                         $item = self::createItem($activity);
176                         self::postItem($activity, $item);
177                         return;
178                 }
179
180                 $item['changed'] = DateTimeFormat::utcNow();
181                 $item['edited'] = DateTimeFormat::utc($activity['updated']);
182
183                 $item = self::processContent($activity, $item);
184                 if (empty($item)) {
185                         return;
186                 }
187
188                 Item::update($item, ['uri' => $activity['id']]);
189         }
190
191         /**
192          * Prepares data for a message
193          *
194          * @param array $activity Activity array
195          * @return array Internal item
196          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
197          * @throws \ImagickException
198          */
199         public static function createItem($activity)
200         {
201                 $item = [];
202                 $item['verb'] = Activity::POST;
203                 $item['thr-parent'] = $activity['reply-to-id'];
204
205                 if ($activity['reply-to-id'] == $activity['id']) {
206                         $item['gravity'] = GRAVITY_PARENT;
207                         $item['object-type'] = Activity\ObjectType::NOTE;
208                 } else {
209                         $item['gravity'] = GRAVITY_COMMENT;
210                         $item['object-type'] = Activity\ObjectType::COMMENT;
211                 }
212
213                 if (empty($activity['directmessage']) && ($activity['id'] != $activity['reply-to-id']) && !Item::exists(['uri' => $activity['reply-to-id']])) {
214                         Logger::notice('Parent not found. Try to refetch it.', ['parent' => $activity['reply-to-id']]);
215                         self::fetchMissingActivity($activity['reply-to-id'], $activity);
216                 }
217
218                 $item['diaspora_signed_text'] = $activity['diaspora:comment'] ?? '';
219
220                 /// @todo What to do with $activity['context']?
221                 if (empty($activity['directmessage']) && ($item['gravity'] != GRAVITY_PARENT) && !Item::exists(['uri' => $item['thr-parent']])) {
222                         Logger::info('Parent not found, message will be discarded.', ['thr-parent' => $item['thr-parent']]);
223                         return [];
224                 }
225
226                 $item['network'] = Protocol::ACTIVITYPUB;
227                 $item['author-link'] = $activity['author'];
228                 $item['author-id'] = Contact::getIdForURL($activity['author']);
229                 $item['owner-link'] = $activity['actor'];
230                 $item['owner-id'] = Contact::getIdForURL($activity['actor']);
231
232                 if (in_array(0, $activity['receiver']) && !empty($activity['unlisted'])) {
233                         $item['private'] = Item::UNLISTED;
234                 } elseif (in_array(0, $activity['receiver'])) {
235                         $item['private'] = Item::PUBLIC;
236                 } else {
237                         $item['private'] = Item::PRIVATE;
238                 }
239
240                 if (!empty($activity['raw'])) {
241                         $item['source'] = $activity['raw'];
242                         $item['protocol'] = Conversation::PARCEL_ACTIVITYPUB;
243                         $item['conversation-href'] = $activity['context'] ?? '';
244                         $item['conversation-uri'] = $activity['conversation'] ?? '';
245
246                         if (isset($activity['push'])) {
247                                 $item['direction'] = $activity['push'] ? Conversation::PUSH : Conversation::PULL;
248                         }
249                 }
250
251                 $item['isForum'] = false;
252
253                 if (!empty($activity['thread-completion'])) {
254                         // Store the original actor in the "causer" fields to enable the check for ignored or blocked contacts
255                         $item['causer-link'] = $item['owner-link'];
256                         $item['causer-id'] = $item['owner-id'];
257
258                         Logger::info('Ignoring actor because of thread completion.', ['actor' => $item['owner-link']]);
259                         $item['owner-link'] = $item['author-link'];
260                         $item['owner-id'] = $item['author-id'];
261                 } else {
262                         $actor = APContact::getByURL($item['owner-link'], false);
263                         $item['isForum'] = ($actor['type'] == 'Group');
264                 }
265
266                 $item['uri'] = $activity['id'];
267
268                 $item['created'] = DateTimeFormat::utc($activity['published']);
269                 $item['edited'] = DateTimeFormat::utc($activity['updated']);
270                 $guid = $activity['sc:identifier'] ?: self::getGUIDByURL($item['uri']);
271                 $item['guid'] = $activity['diaspora:guid'] ?: $guid;
272
273                 $item['uri-id'] = ItemURI::insert(['uri' => $item['uri'], 'guid' => $item['guid']]);
274
275                 $item = self::processContent($activity, $item);
276                 if (empty($item)) {
277                         Logger::info('Message was not processed');
278                         return [];
279                 }
280
281                 $item['plink'] = $activity['alternate-url'] ?? $item['uri'];
282
283                 $item = self::constructAttachList($activity, $item);
284
285                 return $item;
286         }
287
288         /**
289          * Delete items
290          *
291          * @param array $activity
292          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
293          * @throws \ImagickException
294          */
295         public static function deleteItem($activity)
296         {
297                 $owner = Contact::getIdForURL($activity['actor']);
298
299                 Logger::info('Deleting item', ['object' => $activity['object_id'], 'owner'  => $owner]);
300                 Item::markForDeletion(['uri' => $activity['object_id'], 'owner-id' => $owner]);
301         }
302
303         /**
304          * Prepare the item array for an activity
305          *
306          * @param array $activity Activity array
307          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
308          * @throws \ImagickException
309          */
310         public static function addTag($activity)
311         {
312                 if (empty($activity['object_content']) || empty($activity['object_id'])) {
313                         return;
314                 }
315
316                 foreach ($activity['receiver'] as $receiver) {
317                         $item = Item::selectFirst(['id', 'uri-id', 'tag', 'origin', 'author-link'], ['uri' => $activity['target_id'], 'uid' => $receiver]);
318                         if (!DBA::isResult($item)) {
319                                 // We don't fetch missing content for this purpose
320                                 continue;
321                         }
322
323                         if (($item['author-link'] != $activity['actor']) && !$item['origin']) {
324                                 Logger::info('Not origin, not from the author, skipping update', ['id' => $item['id'], 'author' => $item['author-link'], 'actor' => $activity['actor']]);
325                                 continue;
326                         }
327
328                         Tag::store($item['uri-id'], Tag::HASHTAG, $activity['object_content'], $activity['object_id']);
329                         Logger::info('Tagged item', ['id' => $item['id'], 'tag' => $activity['object_content'], 'uri' => $activity['target_id'], 'actor' => $activity['actor']]);
330                 }
331         }
332
333         /**
334          * Prepare the item array for an activity
335          *
336          * @param array  $activity Activity array
337          * @param string $verb     Activity verb
338          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
339          * @throws \ImagickException
340          */
341         public static function createActivity($activity, $verb)
342         {
343                 $item = self::createItem($activity);
344                 $item['verb'] = $verb;
345                 $item['thr-parent'] = $activity['object_id'];
346                 $item['gravity'] = GRAVITY_ACTIVITY;
347                 $item['object-type'] = Activity\ObjectType::NOTE;
348
349                 $item['diaspora_signed_text'] = $activity['diaspora:like'] ?? '';
350
351                 self::postItem($activity, $item);
352         }
353
354         /**
355          * Create an event
356          *
357          * @param array $activity Activity array
358          * @param array $item
359          * @throws \Exception
360          */
361         public static function createEvent($activity, $item)
362         {
363                 $event['summary']  = HTML::toBBCode($activity['name']);
364                 $event['desc']     = HTML::toBBCode($activity['content']);
365                 $event['start']    = $activity['start-time'];
366                 $event['finish']   = $activity['end-time'];
367                 $event['nofinish'] = empty($event['finish']);
368                 $event['location'] = $activity['location'];
369                 $event['adjust']   = true;
370                 $event['cid']      = $item['contact-id'];
371                 $event['uid']      = $item['uid'];
372                 $event['uri']      = $item['uri'];
373                 $event['edited']   = $item['edited'];
374                 $event['private']  = $item['private'];
375                 $event['guid']     = $item['guid'];
376                 $event['plink']    = $item['plink'];
377
378                 $condition = ['uri' => $item['uri'], 'uid' => $item['uid']];
379                 $ev = DBA::selectFirst('event', ['id'], $condition);
380                 if (DBA::isResult($ev)) {
381                         $event['id'] = $ev['id'];
382                 }
383
384                 $event_id = Event::store($event);
385                 Logger::info('Event was stored', ['id' => $event_id]);
386         }
387
388         /**
389          * Process the content
390          *
391          * @param array $activity Activity array
392          * @param array $item
393          * @return array|bool Returns the item array or false if there was an unexpected occurrence
394          * @throws \Exception
395          */
396         private static function processContent($activity, $item)
397         {
398                 $item['title'] = HTML::toBBCode($activity['name']);
399
400                 if (!empty($activity['source'])) {
401                         $item['body'] = $activity['source'];
402                 } else {
403                         $content = HTML::toBBCode($activity['content']);
404
405                         if (!empty($activity['emojis'])) {
406                                 $content = self::replaceEmojis($content, $activity['emojis']);
407                         }
408
409                         $content = self::convertMentions($content);
410
411                         if (empty($activity['directmessage']) && ($item['thr-parent'] != $item['uri']) && ($item['gravity'] == GRAVITY_COMMENT)) {
412                                 $item_private = !in_array(0, $activity['item_receiver']);
413                                 $parent = Item::selectFirst(['id', 'uri-id', 'private', 'author-link', 'alias'], ['uri' => $item['thr-parent']]);
414                                 if (!DBA::isResult($parent)) {
415                                         Logger::warning('Unknown parent item.', ['uri' => $item['thr-parent']]);
416                                         return false;
417                                 }
418                                 if ($item_private && ($parent['private'] != Item::PRIVATE)) {
419                                         Logger::warning('Item is private but the parent is not. Dropping.', ['item-uri' => $item['uri'], 'thr-parent' => $item['thr-parent']]);
420                                         return false;
421                                 }
422
423                                 $content = self::removeImplicitMentionsFromBody($content, $parent);
424                         }
425                         $item['content-warning'] = HTML::toBBCode($activity['summary']);
426                         $item['body'] = $content;
427                 }
428
429                 self::storeFromBody($item);
430                 self::storeTags($item['uri-id'], $activity['tags']);
431
432                 $item['location'] = $activity['location'];
433
434                 if (!empty($activity['latitude']) && !empty($activity['longitude'])) {
435                         $item['coord'] = $activity['latitude'] . ' ' . $activity['longitude'];
436                 }
437
438                 $item['app'] = $activity['generator'];
439
440                 return $item;
441         }
442
443         /**
444          * Store hashtags and mentions
445          *
446          * @param array $item
447          */
448         private static function storeFromBody(array $item)
449         {
450                 // Make sure to delete all existing tags (can happen when called via the update functionality)
451                 DBA::delete('post-tag', ['uri-id' => $item['uri-id']]);
452
453                 Tag::storeFromBody($item['uri-id'], $item['body'], '@!');
454         }
455
456         /**
457          * Generate a GUID out of an URL
458          *
459          * @param string $url message URL
460          * @return string with GUID
461          */
462         private static function getGUIDByURL(string $url)
463         {
464                 $parsed = parse_url($url);
465
466                 $host_hash = hash('crc32', $parsed['host']);
467
468                 unset($parsed["scheme"]);
469                 unset($parsed["host"]);
470
471                 $path = implode("/", $parsed);
472
473                 return $host_hash . '-'. hash('fnv164', $path) . '-'. hash('joaat', $path);
474         }
475
476         /**
477          * Creates an item post
478          *
479          * @param array $activity Activity data
480          * @param array $item     item array
481          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
482          * @throws \ImagickException
483          */
484         public static function postItem(array $activity, array $item)
485         {
486                 if (empty($item)) {
487                         return;
488                 }
489
490                 $stored = false;
491
492                 foreach ($activity['receiver'] as $receiver) {
493                         if ($receiver == -1) {
494                                 continue;
495                         }
496
497                         $item['uid'] = $receiver;
498
499                         $type = $activity['reception_type'][$receiver] ?? Receiver::TARGET_UNKNOWN;
500                         switch($type) {
501                                 case Receiver::TARGET_TO:
502                                         $item['post-type'] = Item::PT_TO;
503                                         break;
504                                 case Receiver::TARGET_CC:
505                                         $item['post-type'] = Item::PT_CC;
506                                         break;
507                                 case Receiver::TARGET_BTO:
508                                         $item['post-type'] = Item::PT_BTO;
509                                         break;
510                                 case Receiver::TARGET_BCC:
511                                         $item['post-type'] = Item::PT_BCC;
512                                         break;
513                                 case Receiver::TARGET_FOLLOWER:
514                                         $item['post-type'] = Item::PT_FOLLOWER;
515                                         break;
516                                 case Receiver::TARGET_ANSWER:
517                                         $item['post-type'] = Item::PT_COMMENT;
518                                         break;
519                                 case Receiver::TARGET_GLOBAL:
520                                         $item['post-type'] = Item::PT_GLOBAL;
521                                         break;
522                                 default:
523                                         $item['post-type'] = Item::PT_ARTICLE;
524                         }
525
526                         if (in_array($item['post-type'], [Item::PT_COMMENT, Item::PT_GLOBAL, Item::PT_ARTICLE])) {
527                                 if (!empty($activity['from-relay'])) {
528                                         $item['post-type'] = Item::PT_RELAY;
529                                 } elseif (!empty($activity['thread-completion'])) {
530                                         $item['post-type'] = Item::PT_FETCHED;
531                                 }
532                         }
533
534                         if (!empty($activity['from-relay'])) {
535                                 $item['causer-id'] = $activity['from-relay'];
536                         }
537
538                         if ($item['isForum'] ?? false) {
539                                 $item['contact-id'] = Contact::getIdForURL($activity['actor'], $receiver);
540                         } else {
541                                 $item['contact-id'] = Contact::getIdForURL($activity['author'], $receiver);
542                         }
543
544                         if (($receiver != 0) && empty($item['contact-id'])) {
545                                 $item['contact-id'] = Contact::getIdForURL($activity['author']);
546                         }
547
548                         if (!empty($activity['directmessage'])) {
549                                 self::postMail($activity, $item);
550                                 continue;
551                         }
552
553                         if (DI::pConfig()->get($receiver, 'system', 'accept_only_sharer', false) && ($receiver != 0) && ($item['gravity'] == GRAVITY_PARENT)) {
554                                 $skip = !Contact::isSharingByURL($activity['author'], $receiver);
555
556                                 if ($skip && (($activity['type'] == 'as:Announce') || ($item['isForum'] ?? false))) {
557                                         $skip = !Contact::isSharingByURL($activity['actor'], $receiver);
558                                 }
559
560                                 if ($skip) {
561                                         Logger::info('Skipping post', ['uid' => $receiver, 'url' => $item['uri']]);
562                                         continue;
563                                 }
564
565                                 Logger::info('Accepting post', ['uid' => $receiver, 'url' => $item['uri']]);
566                         }
567
568                         if (($item['gravity'] != GRAVITY_ACTIVITY) && ($activity['object_type'] == 'as:Event')) {
569                                 self::createEvent($activity, $item);
570                         }
571
572                         $item_id = Item::insert($item);
573                         if ($item_id) {
574                                 Logger::info('Item insertion successful', ['user' => $item['uid'], 'item_id' => $item_id]);
575                         } else {
576                                 Logger::notice('Item insertion aborted', ['user' => $item['uid']]);
577                         }
578
579                         if ($item['uid'] == 0) {
580                                 $stored = $item_id;
581                         }
582                 }
583
584                 // Store send a follow request for every reshare - but only when the item had been stored
585                 if ($stored && ($item['private'] != Item::PRIVATE) && ($item['gravity'] == GRAVITY_PARENT) && ($item['author-link'] != $item['owner-link'])) {
586                         $author = APContact::getByURL($item['owner-link'], false);
587                         // We send automatic follow requests for reshared messages. (We don't need though for forum posts)
588                         if ($author['type'] != 'Group') {
589                                 Logger::info('Send follow request', ['uri' => $item['uri'], 'stored' => $stored, 'to' => $item['author-link']]);
590                                 ActivityPub\Transmitter::sendFollowObject($item['uri'], $item['author-link']);
591                         }
592                 }
593         }
594
595         /**
596          * Store tags and mentions into the tag table
597          *
598          * @param integer $uriid
599          * @param array $tags
600          */
601         private static function storeTags(int $uriid, array $tags = null)
602         {
603                 foreach ($tags as $tag) {
604                         if (empty($tag['name']) || empty($tag['type']) || !in_array($tag['type'], ['Mention', 'Hashtag'])) {
605                                 continue;
606                         }
607
608                         $hash = substr($tag['name'], 0, 1);
609
610                         if ($tag['type'] == 'Mention') {
611                                 if (in_array($hash, [Tag::TAG_CHARACTER[Tag::MENTION],
612                                         Tag::TAG_CHARACTER[Tag::EXCLUSIVE_MENTION],
613                                         Tag::TAG_CHARACTER[Tag::IMPLICIT_MENTION]])) {
614                                         $tag['name'] = substr($tag['name'], 1);
615                                 }
616                                 $type = Tag::IMPLICIT_MENTION;
617
618                                 if (!empty($tag['href'])) {
619                                         $apcontact = APContact::getByURL($tag['href']);
620                                         if (!empty($apcontact['name']) || !empty($apcontact['nick'])) {
621                                                 $tag['name'] = $apcontact['name'] ?: $apcontact['nick'];
622                                         }
623                                 }
624                         } elseif ($tag['type'] == 'Hashtag') {
625                                 if ($hash == Tag::TAG_CHARACTER[Tag::HASHTAG]) {
626                                         $tag['name'] = substr($tag['name'], 1);
627                                 }
628                                 $type = Tag::HASHTAG;
629                         }
630
631                         if (empty($tag['name'])) {
632                                 continue;
633                         }
634
635                         Tag::store($uriid, $type, $tag['name'], $tag['href']);
636                 }
637         }
638
639         /**
640          * Creates an mail post
641          *
642          * @param array $activity Activity data
643          * @param array $item     item array
644          * @return int|bool New mail table row id or false on error
645          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
646          */
647         private static function postMail($activity, $item)
648         {
649                 if (($item['gravity'] != GRAVITY_PARENT) && !DBA::exists('mail', ['uri' => $item['thr-parent'], 'uid' => $item['uid']])) {
650                         Logger::info('Parent not found, mail will be discarded.', ['uid' => $item['uid'], 'uri' => $item['thr-parent']]);
651                         return false;
652                 }
653
654                 Logger::info('Direct Message', $item);
655
656                 $msg = [];
657                 $msg['uid'] = $item['uid'];
658
659                 $msg['contact-id'] = $item['contact-id'];
660
661                 $contact = Contact::getById($item['contact-id'], ['name', 'url', 'photo']);
662                 $msg['from-name'] = $contact['name'];
663                 $msg['from-url'] = $contact['url'];
664                 $msg['from-photo'] = $contact['photo'];
665
666                 $msg['uri'] = $item['uri'];
667                 $msg['created'] = $item['created'];
668
669                 $parent = DBA::selectFirst('mail', ['parent-uri', 'title'], ['uri' => $item['thr-parent']]);
670                 if (DBA::isResult($parent)) {
671                         $msg['parent-uri'] = $parent['parent-uri'];
672                         $msg['title'] = $parent['title'];
673                 } else {
674                         $msg['parent-uri'] = $item['thr-parent'];
675
676                         if (!empty($item['title'])) {
677                                 $msg['title'] = $item['title'];
678                         } elseif (!empty($item['content-warning'])) {
679                                 $msg['title'] = $item['content-warning'];
680                         } else {
681                                 // Trying to generate a title out of the body
682                                 $title = $item['body'];
683
684                                 while (preg_match('#^(@\[url=([^\]]+)].*?\[\/url]\s)(.*)#is', $title, $matches)) {
685                                         $title = $matches[3];
686                                 }
687
688                                 $title = trim(HTML::toPlaintext(BBCode::convert($title, false, BBCode::API, true), 0));
689
690                                 if (strlen($title) > 20) {
691                                         $title = substr($title, 0, 20) . '...';
692                                 }
693
694                                 $msg['title'] = $title;
695                         }
696                 }
697                 $msg['body'] = $item['body'];
698
699                 return Mail::insert($msg);
700         }
701
702         /**
703          * Fetches missing posts
704          *
705          * @param string $url         message URL
706          * @param array  $child       activity array with the child of this message
707          * @param string $relay_actor Relay actor
708          * @return string fetched message URL
709          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
710          */
711         public static function fetchMissingActivity(string $url, array $child = [], string $relay_actor = '')
712         {
713                 if (!empty($child['receiver'])) {
714                         $uid = ActivityPub\Receiver::getFirstUserFromReceivers($child['receiver']);
715                 } else {
716                         $uid = 0;
717                 }
718
719                 $object = ActivityPub::fetchContent($url, $uid);
720                 if (empty($object)) {
721                         Logger::log('Activity ' . $url . ' was not fetchable, aborting.');
722                         return '';
723                 }
724
725                 if (empty($object['id'])) {
726                         Logger::log('Activity ' . $url . ' has got not id, aborting. ' . json_encode($object));
727                         return '';
728                 }
729
730                 if (!empty($object['actor'])) {
731                         $object_actor = $object['actor'];
732                 } elseif (!empty($object['attributedTo'])) {
733                         $object_actor = $object['attributedTo'];
734                 } else {
735                         // Shouldn't happen
736                         $object_actor = '';
737                 }
738
739                 $signer = [$object_actor];
740
741                 if (!empty($child['author'])) {
742                         $actor = $child['author'];
743                         $signer[] = $actor;
744                 } else {
745                         $actor = $object_actor;
746                 }
747
748                 if (!empty($object['published'])) {
749                         $published = $object['published'];
750                 } elseif (!empty($child['published'])) {
751                         $published = $child['published'];
752                 } else {
753                         $published = DateTimeFormat::utcNow();
754                 }
755
756                 $activity = [];
757                 $activity['@context'] = $object['@context'];
758                 unset($object['@context']);
759                 $activity['id'] = $object['id'];
760                 $activity['to'] = $object['to'] ?? [];
761                 $activity['cc'] = $object['cc'] ?? [];
762                 $activity['actor'] = $actor;
763                 $activity['object'] = $object;
764                 $activity['published'] = $published;
765                 $activity['type'] = 'Create';
766
767                 $ldactivity = JsonLD::compact($activity);
768
769                 $ldactivity['thread-completion'] = true;
770                 $ldactivity['from-relay'] = Contact::getIdForURL($relay_actor);
771
772                 if (!empty($relay_actor) && !self::acceptIncomingMessage($ldactivity, $object['id'])) {
773                         return '';
774                 }
775
776                 ActivityPub\Receiver::processActivity($ldactivity, json_encode($activity), $uid, true, false, $signer);
777
778                 Logger::notice('Activity had been fetched and processed.', ['url' => $url, 'object' => $activity['id']]);
779
780                 return $activity['id'];
781         }
782
783         /**
784          * Test if incoming relay messages should be accepted
785          *
786          * @param array $activity activity array
787          * @param string $id      object ID
788          * @return boolean true if message is accepted
789          */
790         private static function acceptIncomingMessage(array $activity, string $id)
791         {
792                 if (empty($activity['as:object'])) {
793                         Logger::info('No object field in activity - accepted', ['id' => $id]);
794                         return true;
795                 }
796
797                 $config = DI::config();
798
799                 $subscribe = $config->get('system', 'relay_subscribe', false);
800                 if ($subscribe) {
801                         $scope = $config->get('system', 'relay_scope', SR_SCOPE_ALL);
802                 } else {
803                         $scope = SR_SCOPE_NONE;
804                 }
805
806                 if ($scope == SR_SCOPE_ALL) {
807                         Logger::info('Server accept all posts - accepted', ['id' => $id]);
808                         return true;
809                 }
810
811                 $replyto = JsonLD::fetchElement($activity['as:object'], 'as:inReplyTo', '@id');
812                 if (Item::exists(['uri' => $replyto])) {
813                         Logger::info('Post is a reply to an existing post - accepted', ['id' => $id, 'replyto' => $replyto]);
814                         return true;
815                 }
816
817                 if ($scope == SR_SCOPE_NONE) {
818                         Logger::info('Server does not accept relay posts - rejected', ['id' => $id]);
819                         return false;
820                 }
821
822                 $messageTags = [];
823                 $tags = Receiver::processTags(JsonLD::fetchElementArray($activity['as:object'], 'as:tag') ?? []);
824                 if (!empty($tags)) {
825                         foreach ($tags as $tag) {
826                                 if ($tag['type'] != 'Hashtag') {
827                                         continue;
828                                 }
829                                 $messageTags[] = ltrim(mb_strtolower($tag['name']), '#');
830                         }
831                 }
832
833                 $systemTags = [];
834                 $userTags = [];
835
836                 if ($scope == SR_SCOPE_TAGS) {
837                         $server_tags = $config->get('system', 'relay_server_tags', []);
838                         $tagitems = explode(',', mb_strtolower($server_tags));
839
840                         foreach ($tagitems AS $tag) {
841                                 $systemTags[] = trim($tag, '# ');
842                         }
843
844                         if ($config->get('system', 'relay_user_tags')) {
845                                 $userTags = Search::getUserTags();
846                         }
847                 }
848
849                 $content = mb_strtolower(BBCode::toPlaintext(HTML::toBBCode(JsonLD::fetchElement($activity['as:object'], 'as:content', '@value')), false));
850
851                 $tagList = array_unique(array_merge($systemTags, $userTags));
852                 foreach ($messageTags as $tag) {
853                         if (in_array($tag, $tagList)) {
854                                 Logger::info('Subscribed hashtag found - accepted', ['id' => $id, 'hashtag' => $tag]);
855                                 return true;
856                         }
857                         // We check with "strpos" for performance issues. Only when this is true, the regular expression check is used
858                         // RegExp is taken from here: https://medium.com/@shiba1014/regex-word-boundaries-with-unicode-207794f6e7ed
859                         if ((strpos($content, $tag) !== false) && preg_match('/(?<=[\s,.:;"\']|^)' . preg_quote($tag, '/') . '(?=[\s,.:;"\']|$)/', $content)) {
860                                 Logger::info('Subscribed hashtag found in content - accepted', ['id' => $id, 'hashtag' => $tag]);
861                                 return true;
862                         }
863                 }
864
865                 Logger::info('No matching hashtags found - rejected', ['id' => $id]);
866                 return false;
867         }
868
869         /**
870          * perform a "follow" request
871          *
872          * @param array $activity
873          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
874          * @throws \ImagickException
875          */
876         public static function followUser($activity)
877         {
878                 $uid = User::getIdForURL($activity['object_id']);
879                 if (empty($uid)) {
880                         return;
881                 }
882
883                 $owner = User::getOwnerDataById($uid);
884                 if (empty($owner)) {
885                         return;
886                 }
887
888                 $cid = Contact::getIdForURL($activity['actor'], $uid);
889                 if (!empty($cid)) {
890                         self::switchContact($cid);
891                         DBA::update('contact', ['hub-verify' => $activity['id'], 'protocol' => Protocol::ACTIVITYPUB], ['id' => $cid]);
892                         $contact = DBA::selectFirst('contact', [], ['id' => $cid, 'network' => Protocol::NATIVE_SUPPORT]);
893                 } else {
894                         $contact = [];
895                 }
896
897                 $item = ['author-id' => Contact::getIdForURL($activity['actor']),
898                         'author-link' => $activity['actor']];
899
900                 $note = Strings::escapeTags(trim($activity['content'] ?? ''));
901
902                 // Ensure that the contact has got the right network type
903                 self::switchContact($item['author-id']);
904
905                 $result = Contact::addRelationship($owner, $contact, $item, false, $note);
906                 if ($result === true) {
907                         ActivityPub\Transmitter::sendContactAccept($item['author-link'], $activity['id'], $owner['uid']);
908                 }
909
910                 $cid = Contact::getIdForURL($activity['actor'], $uid);
911                 if (empty($cid)) {
912                         return;
913                 }
914
915                 if (empty($contact)) {
916                         DBA::update('contact', ['hub-verify' => $activity['id'], 'protocol' => Protocol::ACTIVITYPUB], ['id' => $cid]);
917                 }
918
919                 Logger::log('Follow user ' . $uid . ' from contact ' . $cid . ' with id ' . $activity['id']);
920         }
921
922         /**
923          * Update the given profile
924          *
925          * @param array $activity
926          * @throws \Exception
927          */
928         public static function updatePerson($activity)
929         {
930                 if (empty($activity['object_id'])) {
931                         return;
932                 }
933
934                 Logger::info('Updating profile', ['object' => $activity['object_id']]);
935                 Contact::updateFromProbeByURL($activity['object_id']);
936         }
937
938         /**
939          * Delete the given profile
940          *
941          * @param array $activity
942          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
943          */
944         public static function deletePerson($activity)
945         {
946                 if (empty($activity['object_id']) || empty($activity['actor'])) {
947                         Logger::info('Empty object id or actor.');
948                         return;
949                 }
950
951                 if ($activity['object_id'] != $activity['actor']) {
952                         Logger::info('Object id does not match actor.');
953                         return;
954                 }
955
956                 $contacts = DBA::select('contact', ['id'], ['nurl' => Strings::normaliseLink($activity['object_id'])]);
957                 while ($contact = DBA::fetch($contacts)) {
958                         Contact::remove($contact['id']);
959                 }
960                 DBA::close($contacts);
961
962                 Logger::info('Deleted contact', ['object' => $activity['object_id']]);
963         }
964
965         /**
966          * Accept a follow request
967          *
968          * @param array $activity
969          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
970          * @throws \ImagickException
971          */
972         public static function acceptFollowUser($activity)
973         {
974                 $uid = User::getIdForURL($activity['object_actor']);
975                 if (empty($uid)) {
976                         return;
977                 }
978
979                 $cid = Contact::getIdForURL($activity['actor'], $uid);
980                 if (empty($cid)) {
981                         Logger::info('No contact found', ['actor' => $activity['actor']]);
982                         return;
983                 }
984
985                 self::switchContact($cid);
986
987                 $fields = ['pending' => false];
988
989                 $contact = DBA::selectFirst('contact', ['rel'], ['id' => $cid]);
990                 if ($contact['rel'] == Contact::FOLLOWER) {
991                         $fields['rel'] = Contact::FRIEND;
992                 }
993
994                 $condition = ['id' => $cid];
995                 DBA::update('contact', $fields, $condition);
996                 Logger::info('Accept contact request', ['contact' => $cid, 'user' => $uid]);
997         }
998
999         /**
1000          * Reject a follow request
1001          *
1002          * @param array $activity
1003          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
1004          * @throws \ImagickException
1005          */
1006         public static function rejectFollowUser($activity)
1007         {
1008                 $uid = User::getIdForURL($activity['object_actor']);
1009                 if (empty($uid)) {
1010                         return;
1011                 }
1012
1013                 $cid = Contact::getIdForURL($activity['actor'], $uid);
1014                 if (empty($cid)) {
1015                         Logger::info('No contact found', ['actor' => $activity['actor']]);
1016                         return;
1017                 }
1018
1019                 self::switchContact($cid);
1020
1021                 if (DBA::exists('contact', ['id' => $cid, 'rel' => Contact::SHARING])) {
1022                         Contact::remove($cid);
1023                         Logger::info('Rejected contact request - contact removed', ['contact' => $cid, 'user' => $uid]);
1024                 } else {
1025                         Logger::info('Rejected contact request', ['contact' => $cid, 'user' => $uid]);
1026                 }
1027         }
1028
1029         /**
1030          * Undo activity like "like" or "dislike"
1031          *
1032          * @param array $activity
1033          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
1034          * @throws \ImagickException
1035          */
1036         public static function undoActivity($activity)
1037         {
1038                 if (empty($activity['object_id'])) {
1039                         return;
1040                 }
1041
1042                 if (empty($activity['object_actor'])) {
1043                         return;
1044                 }
1045
1046                 $author_id = Contact::getIdForURL($activity['object_actor']);
1047                 if (empty($author_id)) {
1048                         return;
1049                 }
1050
1051                 Item::markForDeletion(['uri' => $activity['object_id'], 'author-id' => $author_id, 'gravity' => GRAVITY_ACTIVITY]);
1052         }
1053
1054         /**
1055          * Activity to remove a follower
1056          *
1057          * @param array $activity
1058          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
1059          * @throws \ImagickException
1060          */
1061         public static function undoFollowUser($activity)
1062         {
1063                 $uid = User::getIdForURL($activity['object_object']);
1064                 if (empty($uid)) {
1065                         return;
1066                 }
1067
1068                 $owner = User::getOwnerDataById($uid);
1069                 if (empty($owner)) {
1070                         return;
1071                 }
1072
1073                 $cid = Contact::getIdForURL($activity['actor'], $uid);
1074                 if (empty($cid)) {
1075                         Logger::info('No contact found', ['actor' => $activity['actor']]);
1076                         return;
1077                 }
1078
1079                 self::switchContact($cid);
1080
1081                 $contact = DBA::selectFirst('contact', [], ['id' => $cid]);
1082                 if (!DBA::isResult($contact)) {
1083                         return;
1084                 }
1085
1086                 Contact::removeFollower($owner, $contact);
1087                 Logger::info('Undo following request', ['contact' => $cid, 'user' => $uid]);
1088         }
1089
1090         /**
1091          * Switches a contact to AP if needed
1092          *
1093          * @param integer $cid Contact ID
1094          * @throws \Exception
1095          */
1096         private static function switchContact($cid)
1097         {
1098                 $contact = DBA::selectFirst('contact', ['network', 'url'], ['id' => $cid]);
1099                 if (!DBA::isResult($contact) || in_array($contact['network'], [Protocol::ACTIVITYPUB, Protocol::DFRN]) || Contact::isLocal($contact['url'])) {
1100                         return;
1101                 }
1102
1103                 Logger::info('Change existing contact', ['cid' => $cid, 'previous' => $contact['network']]);
1104                 Contact::updateFromProbe($cid);
1105         }
1106
1107         /**
1108          * Collects implicit mentions like:
1109          * - the author of the parent item
1110          * - all the mentioned conversants in the parent item
1111          *
1112          * @param array $parent Item array with at least ['id', 'author-link', 'alias']
1113          * @return array
1114          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
1115          */
1116         private static function getImplicitMentionList(array $parent)
1117         {
1118                 $parent_terms = Tag::getByURIId($parent['uri-id'], [Tag::MENTION, Tag::IMPLICIT_MENTION, Tag::EXCLUSIVE_MENTION]);
1119
1120                 $parent_author = Contact::getByURL($parent['author-link'], false, ['url', 'nurl', 'alias']);
1121
1122                 $implicit_mentions = [];
1123                 if (empty($parent_author['url'])) {
1124                         Logger::notice('Author public contact unknown.', ['author-link' => $parent['author-link'], 'item-id' => $parent['id']]);
1125                 } else {
1126                         $implicit_mentions[] = $parent_author['url'];
1127                         $implicit_mentions[] = $parent_author['nurl'];
1128                         $implicit_mentions[] = $parent_author['alias'];
1129                 }
1130
1131                 if (!empty($parent['alias'])) {
1132                         $implicit_mentions[] = $parent['alias'];
1133                 }
1134
1135                 foreach ($parent_terms as $term) {
1136                         $contact = Contact::getByURL($term['url'], false, ['url', 'nurl', 'alias']);
1137                         if (!empty($contact['url'])) {
1138                                 $implicit_mentions[] = $contact['url'];
1139                                 $implicit_mentions[] = $contact['nurl'];
1140                                 $implicit_mentions[] = $contact['alias'];
1141                         }
1142                 }
1143
1144                 return $implicit_mentions;
1145         }
1146
1147         /**
1148          * Strips from the body prepended implicit mentions
1149          *
1150          * @param string $body
1151          * @param array $parent
1152          * @return string
1153          */
1154         private static function removeImplicitMentionsFromBody(string $body, array $parent)
1155         {
1156                 if (DI::config()->get('system', 'disable_implicit_mentions')) {
1157                         return $body;
1158                 }
1159
1160                 $potential_mentions = self::getImplicitMentionList($parent);
1161
1162                 $kept_mentions = [];
1163
1164                 // Extract one prepended mention at a time from the body
1165                 while(preg_match('#^(@\[url=([^\]]+)].*?\[\/url]\s)(.*)#is', $body, $matches)) {
1166                         if (!in_array($matches[2], $potential_mentions)) {
1167                                 $kept_mentions[] = $matches[1];
1168                         }
1169
1170                         $body = $matches[3];
1171                 }
1172
1173                 // Re-appending the kept mentions to the body after extraction
1174                 $kept_mentions[] = $body;
1175
1176                 return implode('', $kept_mentions);
1177         }
1178 }