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