]> git.mxchange.org Git - friendica.git/blob - src/Protocol/DFRN.php
Improved message handling / new activity relay handling
[friendica.git] / src / Protocol / DFRN.php
1 <?php
2 /**
3  * @copyright Copyright (C) 2010-2022, the Friendica project
4  *
5  * @license GNU AGPL version 3 or any later version
6  *
7  * This program is free software: you can redistribute it and/or modify
8  * it under the terms of the GNU Affero General Public License as
9  * published by the Free Software Foundation, either version 3 of the
10  * License, or (at your option) any later version.
11  *
12  * This program is distributed in the hope that it will be useful,
13  * but WITHOUT ANY WARRANTY; without even the implied warranty of
14  * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
15  * GNU Affero General Public License for more details.
16  *
17  * You should have received a copy of the GNU Affero General Public License
18  * along with this program.  If not, see <https://www.gnu.org/licenses/>.
19  *
20  */
21
22 namespace Friendica\Protocol;
23
24 use DOMDocument;
25 use DOMElement;
26 use DOMNode;
27 use DOMXPath;
28 use Friendica\Content\Text\BBCode;
29 use Friendica\Core\Logger;
30 use Friendica\Core\Protocol;
31 use Friendica\Database\DBA;
32 use Friendica\DI;
33 use Friendica\Model\Contact;
34 use Friendica\Model\Conversation;
35 use Friendica\Model\Event;
36 use Friendica\Model\FContact;
37 use Friendica\Model\GServer;
38 use Friendica\Model\Item;
39 use Friendica\Model\ItemURI;
40 use Friendica\Model\Mail;
41 use Friendica\Model\Notification;
42 use Friendica\Model\Photo;
43 use Friendica\Model\Post;
44 use Friendica\Model\Profile;
45 use Friendica\Model\Tag;
46 use Friendica\Model\User;
47 use Friendica\Network\Probe;
48 use Friendica\Util\Crypto;
49 use Friendica\Util\DateTimeFormat;
50 use Friendica\Util\Images;
51 use Friendica\Util\Proxy;
52 use Friendica\Util\Strings;
53 use Friendica\Util\XML;
54 use GuzzleHttp\Psr7\Uri;
55
56 /**
57  * This class contain functions to create and send DFRN XML files
58  */
59 class DFRN
60 {
61
62         const TOP_LEVEL = 0;    // Top level posting
63         const REPLY = 1;                // Regular reply that is stored locally
64         const REPLY_RC = 2;     // Reply that will be relayed
65
66         /**
67          * Generates an array of contact and user for DFRN imports
68          *
69          * This array contains not only the receiver but also the sender of the message.
70          *
71          * @param integer $cid Contact id
72          * @param integer $uid User id
73          *
74          * @return array importer
75          * @throws \Exception
76          */
77         public static function getImporter(int $cid, int $uid = 0): array
78         {
79                 $condition = ['id' => $cid, 'blocked' => false, 'pending' => false];
80                 $contact = DBA::selectFirst('contact', [], $condition);
81                 if (!DBA::isResult($contact)) {
82                         return [];
83                 }
84
85                 $contact['cpubkey'] = $contact['pubkey'];
86                 $contact['cprvkey'] = $contact['prvkey'];
87                 $contact['senderName'] = $contact['name'];
88
89                 if ($uid != 0) {
90                         $condition = ['uid' => $uid, 'account_expired' => false, 'account_removed' => false];
91                         $user = DBA::selectFirst('user', [], $condition);
92                         if (!DBA::isResult($user)) {
93                                 return [];
94                         }
95
96                         $user['importer_uid'] = $user['uid'];
97                         $user['uprvkey'] = $user['prvkey'];
98                 } else {
99                         $user = ['importer_uid' => 0, 'uprvkey' => '', 'timezone' => 'UTC',
100                                 'nickname' => '', 'sprvkey' => '', 'spubkey' => '',
101                                 'page-flags' => 0, 'account-type' => 0, 'prvnets' => 0];
102                 }
103
104                 return array_merge($contact, $user);
105         }
106
107         /**
108          * Generates the atom entries for delivery.php
109          *
110          * This function is used whenever content is transmitted via DFRN.
111          *
112          * @param array $items Item elements
113          * @param array $owner Owner record
114          *
115          * @return string DFRN entries
116          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
117          * @throws \ImagickException
118          * @todo  Find proper type-hints
119          */
120         public static function entries(array $items, array $owner): string
121         {
122                 $doc = new DOMDocument('1.0', 'utf-8');
123                 $doc->formatOutput = true;
124
125                 $root = self::addHeader($doc, $owner, 'dfrn:owner', '', false);
126
127                 if (! count($items)) {
128                         return trim($doc->saveXML());
129                 }
130
131                 foreach ($items as $item) {
132                         // These values aren't sent when sending from the queue.
133                         /// @todo Check if we can set these values from the queue or if they are needed at all.
134                         $item['entry:comment-allow'] = ($item['entry:comment-allow'] ?? '') ?: true;
135                         $item['entry:cid'] = $item['entry:cid'] ?? 0;
136
137                         $entry = self::entry($doc, 'text', $item, $owner, $item['entry:comment-allow'], $item['entry:cid']);
138                         if (isset($entry)) {
139                                 $root->appendChild($entry);
140                         }
141                 }
142
143                 return trim($doc->saveXML());
144         }
145
146         /**
147          * Generate an atom entry for a given uri id and user
148          *
149          * @param int     $uri_id       The uri id
150          * @param int     $uid          The user id
151          * @param boolean $conversation Show the conversation. If false show the single post.
152          *
153          * @return string DFRN feed entry
154          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
155          * @throws \ImagickException
156          */
157         public static function itemFeed(int $uri_id, int $uid, bool $conversation = false): string
158         {
159                 if ($conversation) {
160                         $condition = ['parent-uri-id' => $uri_id];
161                 } else {
162                         $condition = ['uri-id' => $uri_id];
163                 }
164
165                 $condition['uid'] = $uid;
166
167                 $items = Post::selectToArray(Item::DELIVER_FIELDLIST, $condition);
168                 if (!DBA::isResult($items)) {
169                         return '';
170                 }
171
172                 $item = $items[0];
173
174                 if ($item['uid'] != 0) {
175                         $owner = User::getOwnerDataById($item['uid']);
176                         if (!$owner) {
177                                 return '';
178                         }
179                 } else {
180                         $owner = ['uid' => 0, 'nick' => 'feed-item'];
181                 }
182
183                 $doc = new DOMDocument('1.0', 'utf-8');
184                 $doc->formatOutput = true;
185                 $type = 'html';
186
187                 if ($conversation) {
188                         $root = $doc->createElementNS(ActivityNamespace::ATOM1, 'feed');
189                         $doc->appendChild($root);
190
191                         $root->setAttribute('xmlns:thr', ActivityNamespace::THREAD);
192                         $root->setAttribute('xmlns:at', ActivityNamespace::TOMB);
193                         $root->setAttribute('xmlns:media', ActivityNamespace::MEDIA);
194                         $root->setAttribute('xmlns:dfrn', ActivityNamespace::DFRN);
195                         $root->setAttribute('xmlns:activity', ActivityNamespace::ACTIVITY);
196                         $root->setAttribute('xmlns:georss', ActivityNamespace::GEORSS);
197                         $root->setAttribute('xmlns:poco', ActivityNamespace::POCO);
198                         $root->setAttribute('xmlns:ostatus', ActivityNamespace::OSTATUS);
199                         $root->setAttribute('xmlns:statusnet', ActivityNamespace::STATUSNET);
200
201                         foreach ($items as $item) {
202                                 $entry = self::entry($doc, $type, $item, $owner, true, 0);
203                                 if (isset($entry)) {
204                                         $root->appendChild($entry);
205                                 }
206                         }
207                 } else {
208                         self::entry($doc, $type, $item, $owner, true, 0, true);
209                 }
210
211                 $atom = trim($doc->saveXML());
212                 return $atom;
213         }
214
215         /**
216          * Create XML text for DFRN mails
217          *
218          * @param array $mail  Mail record
219          * @param array $owner Owner record
220          *
221          * @return string DFRN mail
222          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
223          * @todo  Find proper type-hints
224          */
225         public static function mail(array $mail, array $owner): string
226         {
227                 $doc = new DOMDocument('1.0', 'utf-8');
228                 $doc->formatOutput = true;
229
230                 $root = self::addHeader($doc, $owner, 'dfrn:owner', '', false);
231
232                 $mailElement = $doc->createElement('dfrn:mail');
233                 $senderElement = $doc->createElement('dfrn:sender');
234
235                 XML::addElement($doc, $senderElement, 'dfrn:name', $owner['name']);
236                 XML::addElement($doc, $senderElement, 'dfrn:uri', $owner['url']);
237                 XML::addElement($doc, $senderElement, 'dfrn:avatar', $owner['thumb']);
238
239                 $mailElement->appendChild($senderElement);
240
241                 XML::addElement($doc, $mailElement, 'dfrn:id', $mail['uri']);
242                 XML::addElement($doc, $mailElement, 'dfrn:in-reply-to', $mail['parent-uri']);
243                 XML::addElement($doc, $mailElement, 'dfrn:sentdate', DateTimeFormat::utc($mail['created'] . '+00:00', DateTimeFormat::ATOM));
244                 XML::addElement($doc, $mailElement, 'dfrn:subject', $mail['title']);
245                 XML::addElement($doc, $mailElement, 'dfrn:content', $mail['body']);
246
247                 $root->appendChild($mailElement);
248
249                 return trim($doc->saveXML());
250         }
251
252         /**
253          * Create XML text for DFRN friend suggestions
254          *
255          * @param array $item  suggestion elements
256          * @param array $owner Owner record
257          *
258          * @return string DFRN suggestions
259          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
260          * @todo  Find proper type-hints
261          */
262         public static function fsuggest(array $item, array $owner): string
263         {
264                 $doc = new DOMDocument('1.0', 'utf-8');
265                 $doc->formatOutput = true;
266
267                 $root = self::addHeader($doc, $owner, 'dfrn:owner', '', false);
268
269                 $suggest = $doc->createElement('dfrn:suggest');
270
271                 XML::addElement($doc, $suggest, 'dfrn:url', $item['url']);
272                 XML::addElement($doc, $suggest, 'dfrn:name', $item['name']);
273                 XML::addElement($doc, $suggest, 'dfrn:photo', $item['photo']);
274                 XML::addElement($doc, $suggest, 'dfrn:request', $item['request']);
275                 XML::addElement($doc, $suggest, 'dfrn:note', $item['note']);
276
277                 $root->appendChild($suggest);
278
279                 return trim($doc->saveXML());
280         }
281
282         /**
283          * Create XML text for DFRN relocations
284          *
285          * @param array $owner Owner record
286          * @param int   $uid   User ID
287          *
288          * @return string DFRN relocations
289          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
290          * @todo  Find proper type-hints
291          */
292         public static function relocate(array $owner, int $uid): string
293         {
294
295                 /* get site pubkey. this could be a new installation with no site keys*/
296                 $pubkey = DI::config()->get('system', 'site_pubkey');
297                 if (! $pubkey) {
298                         $res = Crypto::newKeypair(1024);
299                         DI::config()->set('system', 'site_prvkey', $res['prvkey']);
300                         DI::config()->set('system', 'site_pubkey', $res['pubkey']);
301                 }
302
303                 $profilephotos = Photo::selectToArray(['resource-id' , 'scale'], ['profile' => true, 'uid' => $uid], ['order' => ['scale']]);
304
305                 $photos = [];
306                 $ext = Images::supportedTypes();
307
308                 foreach ($profilephotos as $p) {
309                         $photos[$p['scale']] = DI::baseUrl().'/photo/'.$p['resource-id'].'-'.$p['scale'].'.'.$ext[$p['type']];
310                 }
311
312
313                 $doc = new DOMDocument('1.0', 'utf-8');
314                 $doc->formatOutput = true;
315
316                 $root = self::addHeader($doc, $owner, 'dfrn:owner', '', false);
317
318                 $relocate = $doc->createElement('dfrn:relocate');
319
320                 XML::addElement($doc, $relocate, 'dfrn:url', $owner['url']);
321                 XML::addElement($doc, $relocate, 'dfrn:name', $owner['name']);
322                 XML::addElement($doc, $relocate, 'dfrn:addr', $owner['addr']);
323                 XML::addElement($doc, $relocate, 'dfrn:avatar', $owner['avatar']);
324                 XML::addElement($doc, $relocate, 'dfrn:photo', $photos[4]);
325                 XML::addElement($doc, $relocate, 'dfrn:thumb', $photos[5]);
326                 XML::addElement($doc, $relocate, 'dfrn:micro', $photos[6]);
327                 XML::addElement($doc, $relocate, 'dfrn:request', $owner['request']);
328                 XML::addElement($doc, $relocate, 'dfrn:confirm', $owner['confirm']);
329                 XML::addElement($doc, $relocate, 'dfrn:notify', $owner['notify']);
330                 XML::addElement($doc, $relocate, 'dfrn:poll', $owner['poll']);
331                 XML::addElement($doc, $relocate, 'dfrn:sitepubkey', DI::config()->get('system', 'site_pubkey'));
332
333                 $root->appendChild($relocate);
334
335                 return trim($doc->saveXML());
336         }
337
338         /**
339          * Adds the header elements for the DFRN protocol
340          *
341          * @param DOMDocument $doc           XML document
342          * @param array       $owner         Owner record
343          * @param string      $authorelement Element name for the author
344          * @param string      $alternatelink link to profile or category
345          * @param bool        $public        Is it a header for public posts?
346          * @return DOMElement XML root element
347          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
348          * @todo  Find proper type-hint for returned type
349          */
350         private static function addHeader(DOMDocument $doc, array $owner, string $authorelement, string $alternatelink = '', bool $public = false): DOMElement
351         {
352                 if ($alternatelink == '') {
353                         $alternatelink = $owner['url'];
354                 }
355
356                 $root = $doc->createElementNS(ActivityNamespace::ATOM1, 'feed');
357                 $doc->appendChild($root);
358
359                 $root->setAttribute('xmlns:thr', ActivityNamespace::THREAD);
360                 $root->setAttribute('xmlns:at', ActivityNamespace::TOMB);
361                 $root->setAttribute('xmlns:media', ActivityNamespace::MEDIA);
362                 $root->setAttribute('xmlns:dfrn', ActivityNamespace::DFRN);
363                 $root->setAttribute('xmlns:activity', ActivityNamespace::ACTIVITY);
364                 $root->setAttribute('xmlns:georss', ActivityNamespace::GEORSS);
365                 $root->setAttribute('xmlns:poco', ActivityNamespace::POCO);
366                 $root->setAttribute('xmlns:ostatus', ActivityNamespace::OSTATUS);
367                 $root->setAttribute('xmlns:statusnet', ActivityNamespace::STATUSNET);
368
369                 XML::addElement($doc, $root, 'id', DI::baseUrl() . '/profile/' . $owner['nick']);
370                 XML::addElement($doc, $root, 'title', $owner['name']);
371
372                 $attributes = ['uri' => 'https://friendi.ca', 'version' => FRIENDICA_VERSION . '-' . DB_UPDATE_VERSION];
373                 XML::addElement($doc, $root, 'generator', FRIENDICA_PLATFORM, $attributes);
374
375                 $attributes = ['rel' => 'license', 'href' => 'http://creativecommons.org/licenses/by/3.0/'];
376                 XML::addElement($doc, $root, 'link', '', $attributes);
377
378                 $attributes = ['rel' => 'alternate', 'type' => 'text/html', 'href' => $alternatelink];
379                 XML::addElement($doc, $root, 'link', '', $attributes);
380
381
382                 if ($public) {
383                         // DFRN itself doesn't uses this. But maybe someone else wants to subscribe to the public feed.
384                         OStatus::addHubLink($doc, $root, $owner['nick']);
385
386                         $attributes = ['rel' => 'salmon', 'href' => DI::baseUrl() . '/salmon/' . $owner['nick']];
387                         XML::addElement($doc, $root, 'link', '', $attributes);
388
389                         $attributes = ['rel' => 'http://salmon-protocol.org/ns/salmon-replies', 'href' => DI::baseUrl() . '/salmon/' . $owner['nick']];
390                         XML::addElement($doc, $root, 'link', '', $attributes);
391
392                         $attributes = ['rel' => 'http://salmon-protocol.org/ns/salmon-mention', 'href' => DI::baseUrl() . '/salmon/' . $owner['nick']];
393                         XML::addElement($doc, $root, 'link', '', $attributes);
394                 }
395
396                 // For backward compatibility we keep this element
397                 if ($owner['page-flags'] == User::PAGE_FLAGS_COMMUNITY) {
398                         XML::addElement($doc, $root, 'dfrn:community', 1);
399                 }
400
401                 // The former element is replaced by this one
402                 XML::addElement($doc, $root, 'dfrn:account_type', $owner['account-type']);
403
404                 /// @todo We need a way to transmit the different page flags like "User::PAGE_FLAGS_PRVGROUP"
405
406                 XML::addElement($doc, $root, 'updated', DateTimeFormat::utcNow(DateTimeFormat::ATOM));
407
408                 $author = self::addAuthor($doc, $owner, $authorelement, $public);
409                 $root->appendChild($author);
410
411                 return $root;
412         }
413
414         /**
415          * Determine the next birthday, but only if the birthday is published
416          * in the default profile. We _could_ also look for a private profile that the
417          * recipient can see, but somebody could get mad at us if they start getting
418          * public birthday greetings when they haven't made this info public.
419          *
420          * Assuming we are able to publish this info, we are then going to convert
421          * the start time from the owner's timezone to UTC.
422          *
423          * This will potentially solve the problem found with some social networks
424          * where birthdays are converted to the viewer's timezone and salutations from
425          * elsewhere in the world show up on the wrong day. We will convert it to the
426          * viewer's timezone also, but first we are going to convert it from the birthday
427          * person's timezone to GMT - so the viewer may find the birthday starting at
428          * 6:00PM the day before, but that will correspond to midnight to the birthday person.
429          *
430          * @param int $uid User id
431          * @param string $tz Time zone string, like UTC
432          * @return string Formatted birthday string
433          */
434         private static function determineNextBirthday(int $uid, string $tz): string
435         {
436                 $birthday = '';
437
438                 if (!strlen($tz)) {
439                         $tz = 'UTC';
440                 }
441
442                 $profile = DBA::selectFirst('profile', ['dob'], ['uid' => $uid]);
443                 if (DBA::isResult($profile)) {
444                         $tmp_dob = substr($profile['dob'], 5);
445                         if (intval($tmp_dob)) {
446                                 $y = DateTimeFormat::timezoneNow($tz, 'Y');
447                                 $bd = $y . '-' . $tmp_dob . ' 00:00';
448                                 $t_dob = strtotime($bd);
449                                 $now = strtotime(DateTimeFormat::timezoneNow($tz));
450                                 if ($t_dob < $now) {
451                                         $bd = $y + 1 . '-' . $tmp_dob . ' 00:00';
452                                 }
453                                 $birthday = DateTimeFormat::convert($bd, 'UTC', $tz, DateTimeFormat::ATOM);
454                         }
455                 }
456
457                 return $birthday;
458         }
459
460         /**
461          * Adds the author element in the header for the DFRN protocol
462          *
463          * @param DOMDocument $doc           XML document
464          * @param array       $owner         Owner record
465          * @param string      $authorelement Element name for the author
466          * @param boolean     $public        boolean
467          * @return DOMElement XML author object
468          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
469          * @todo  Find proper type-hints
470          */
471         private static function addAuthor(DOMDocument $doc, array $owner, string $authorelement, bool $public): DOMElement
472         {
473                 // Should the profile be "unsearchable" in the net? Then add the "hide" element
474                 $hide = DBA::exists('profile', ['uid' => $owner['uid'], 'net-publish' => false]);
475
476                 $author = $doc->createElement($authorelement);
477
478                 $namdate = DateTimeFormat::utc($owner['name-date'].'+00:00', DateTimeFormat::ATOM);
479                 $picdate = DateTimeFormat::utc($owner['avatar-date'].'+00:00', DateTimeFormat::ATOM);
480
481                 $attributes = [];
482
483                 if (!$public || !$hide) {
484                         $attributes = ['dfrn:updated' => $namdate];
485                 }
486
487                 XML::addElement($doc, $author, 'name', $owner['name'], $attributes);
488                 XML::addElement($doc, $author, 'uri', DI::baseUrl().'/profile/' . $owner['nickname'], $attributes);
489                 XML::addElement($doc, $author, 'dfrn:handle', $owner['addr'], $attributes);
490
491                 $attributes = [
492                         'rel' => 'photo',
493                         'type' => 'image/jpeg',
494                         'media:width' => Proxy::PIXEL_SMALL,
495                         'media:height' => Proxy::PIXEL_SMALL,
496                         'href' => User::getAvatarUrl($owner, Proxy::SIZE_SMALL),
497                 ];
498
499                 if (!$public || !$hide) {
500                         $attributes['dfrn:updated'] = $picdate;
501                 }
502
503                 XML::addElement($doc, $author, 'link', '', $attributes);
504
505                 $attributes['rel'] = 'avatar';
506                 XML::addElement($doc, $author, 'link', '', $attributes);
507
508                 if ($hide) {
509                         XML::addElement($doc, $author, 'dfrn:hide', 'true');
510                 }
511
512                 // The following fields will only be generated if the data isn't meant for a public feed
513                 if ($public) {
514                         return $author;
515                 }
516
517                 $birthday = self::determineNextBirthday($owner['uid'], $owner['timezone']);
518
519                 if ($birthday) {
520                         XML::addElement($doc, $author, 'dfrn:birthday', $birthday);
521                 }
522
523                 // Only show contact details when we are allowed to
524                 $profile = DBA::selectFirst('owner-view',
525                         ['about', 'name', 'homepage', 'nickname', 'timezone', 'locality', 'region', 'country-name', 'pub_keywords', 'xmpp', 'dob'],
526                         ['uid' => $owner['uid'], 'hidewall' => false]);
527                 if (DBA::isResult($profile)) {
528                         XML::addElement($doc, $author, 'poco:displayName', $profile['name']);
529                         XML::addElement($doc, $author, 'poco:updated', $namdate);
530
531                         if (trim($profile['dob']) > DBA::NULL_DATE) {
532                                 XML::addElement($doc, $author, 'poco:birthday', '0000-'.date('m-d', strtotime($profile['dob'])));
533                         }
534
535                         XML::addElement($doc, $author, 'poco:note', $profile['about']);
536                         XML::addElement($doc, $author, 'poco:preferredUsername', $profile['nickname']);
537
538                         XML::addElement($doc, $author, 'poco:utcOffset', DateTimeFormat::timezoneNow($profile['timezone'], 'P'));
539
540                         if (trim($profile['homepage']) != '') {
541                                 $urls = $doc->createElement('poco:urls');
542                                 XML::addElement($doc, $urls, 'poco:type', 'homepage');
543                                 XML::addElement($doc, $urls, 'poco:value', $profile['homepage']);
544                                 XML::addElement($doc, $urls, 'poco:primary', 'true');
545                                 $author->appendChild($urls);
546                         }
547
548                         if (trim($profile['pub_keywords']) != '') {
549                                 $keywords = explode(',', $profile['pub_keywords']);
550
551                                 foreach ($keywords as $keyword) {
552                                         XML::addElement($doc, $author, 'poco:tags', trim($keyword));
553                                 }
554                         }
555
556                         if (trim($profile['xmpp']) != '') {
557                                 $ims = $doc->createElement('poco:ims');
558                                 XML::addElement($doc, $ims, 'poco:type', 'xmpp');
559                                 XML::addElement($doc, $ims, 'poco:value', $profile['xmpp']);
560                                 XML::addElement($doc, $ims, 'poco:primary', 'true');
561                                 $author->appendChild($ims);
562                         }
563
564                         if (trim($profile['locality'] . $profile['region'] . $profile['country-name']) != '') {
565                                 $element = $doc->createElement('poco:address');
566
567                                 XML::addElement($doc, $element, 'poco:formatted', Profile::formatLocation($profile));
568
569                                 if (trim($profile['locality']) != '') {
570                                         XML::addElement($doc, $element, 'poco:locality', $profile['locality']);
571                                 }
572
573                                 if (trim($profile['region']) != '') {
574                                         XML::addElement($doc, $element, 'poco:region', $profile['region']);
575                                 }
576
577                                 if (trim($profile['country-name']) != '') {
578                                         XML::addElement($doc, $element, 'poco:country', $profile['country-name']);
579                                 }
580
581                                 $author->appendChild($element);
582                         }
583                 }
584
585                 return $author;
586         }
587
588         /**
589          * Adds the author elements in the "entry" elements of the DFRN protocol
590          *
591          * @param DOMDocument $doc         XML document
592          * @param string      $element     Element name for the author
593          * @param string      $contact_url Link of the contact
594          * @param array       $item        Item elements
595          * @return DOMElement XML author object
596          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
597          * @todo  Find proper type-hints
598          */
599         private static function addEntryAuthor(DOMDocument $doc, string $element, string $contact_url, array $item): DOMElement
600         {
601                 $author = $doc->createElement($element);
602
603                 $contact = Contact::getByURLForUser($contact_url, $item['uid'], false, ['url', 'name', 'addr', 'photo']);
604                 if (!empty($contact)) {
605                         XML::addElement($doc, $author, 'name', $contact['name']);
606                         XML::addElement($doc, $author, 'uri', $contact['url']);
607                         XML::addElement($doc, $author, 'dfrn:handle', $contact['addr']);
608
609                         /// @Todo
610                         /// - Check real image type and image size
611                         /// - Check which of these boths elements we should use
612                         $attributes = [
613                                 'rel' => 'photo',
614                                 'type' => 'image/jpeg',
615                                 'media:width' => 80,
616                                 'media:height' => 80,
617                                 'href' => $contact['photo'],
618                         ];
619                         XML::addElement($doc, $author, 'link', '', $attributes);
620
621                         $attributes = [
622                                 'rel' => 'avatar',
623                                 'type' => 'image/jpeg',
624                                 'media:width' => 80,
625                                 'media:height' => 80,
626                                 'href' => $contact['photo'],
627                         ];
628                         XML::addElement($doc, $author, 'link', '', $attributes);
629                 }
630
631                 return $author;
632         }
633
634         /**
635          * Adds the activity elements
636          *
637          * @param DOMDocument $doc      XML document
638          * @param string      $element  Element name for the activity
639          * @param string      $activity activity value
640          * @param int         $uriid    Uri-Id of the post
641          * @return DOMElement XML activity object
642          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
643          * @todo  Find proper type-hints
644          */
645         private static function createActivity(DOMDocument $doc, string $element, string $activity, int $uriid)
646         {
647                 if ($activity) {
648                         $entry = $doc->createElement($element);
649
650                         $r = XML::parseString($activity);
651                         if (!$r) {
652                                 return false;
653                         }
654
655                         if ($r->type) {
656                                 XML::addElement($doc, $entry, "activity:object-type", $r->type);
657                         }
658
659                         if ($r->id) {
660                                 XML::addElement($doc, $entry, "id", $r->id);
661                         }
662
663                         if ($r->title) {
664                                 XML::addElement($doc, $entry, "title", $r->title);
665                         }
666
667                         if ($r->link) {
668                                 if (substr($r->link, 0, 1) == '<') {
669                                         if (strstr($r->link, '&') && (! strstr($r->link, '&amp;'))) {
670                                                 $r->link = str_replace('&', '&amp;', $r->link);
671                                         }
672
673                                         $r->link = preg_replace('/\<link(.*?)\"\>/', '<link$1"/>', $r->link);
674
675                                         // XML does need a single element as root element so we add a dummy element here
676                                         $data = XML::parseString("<dummy>" . $r->link . "</dummy>");
677                                         if (is_object($data)) {
678                                                 foreach ($data->link as $link) {
679                                                         $attributes = [];
680                                                         foreach ($link->attributes() as $parameter => $value) {
681                                                                 $attributes[$parameter] = $value;
682                                                         }
683                                                         XML::addElement($doc, $entry, "link", "", $attributes);
684                                                 }
685                                         }
686                                 } else {
687                                         $attributes = ["rel" => "alternate", "type" => "text/html", "href" => $r->link];
688                                         XML::addElement($doc, $entry, "link", "", $attributes);
689                                 }
690                         }
691                         if ($r->content) {
692                                 XML::addElement($doc, $entry, "content", BBCode::convertForUriId($uriid, $r->content, BBCode::EXTERNAL), ["type" => "html"]);
693                         }
694
695                         return $entry;
696                 }
697
698                 return false;
699         }
700
701         /**
702          * Adds the elements for attachments
703          *
704          * @param object $doc  XML document
705          * @param object $root XML root
706          * @param array  $item Item element
707          *
708          * @return void XML attachment object
709          * @todo  Find proper type-hints
710          */
711         private static function getAttachment($doc, $root, array $item)
712         {
713                 foreach (Post\Media::getByURIId($item['uri-id'], [Post\Media::DOCUMENT, Post\Media::TORRENT, Post\Media::UNKNOWN]) as $attachment) {
714                         $attributes = ['rel' => 'enclosure',
715                                 'href' => $attachment['url'],
716                                 'type' => $attachment['mimetype']];
717
718                         if (!empty($attachment['size'])) {
719                                 $attributes['length'] = intval($attachment['size']);
720                         }
721                         if (!empty($attachment['description'])) {
722                                 $attributes['title'] = $attachment['description'];
723                         }
724
725                         XML::addElement($doc, $root, 'link', '', $attributes);
726                 }
727         }
728
729         /**
730          * Adds the "entry" elements for the DFRN protocol
731          *
732          * @param DOMDocument $doc     XML document
733          * @param string      $type    "text" or "html"
734          * @param array       $item    Item element
735          * @param array       $owner   Owner record
736          * @param bool        $comment Trigger the sending of the "comment" element
737          * @param int         $cid     Contact ID of the recipient
738          * @param bool        $single  If set, the entry is created as an XML document with a single "entry" element
739          *
740          * @return null|\DOMElement XML entry object
741          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
742          * @throws \ImagickException
743          * @todo  Find proper type-hints
744          */
745         private static function entry(DOMDocument $doc, string $type, array $item, array $owner, bool $comment = false, int $cid = 0, bool $single = false)
746         {
747                 $mentioned = [];
748
749                 if (!$item['parent']) {
750                         Logger::notice('Item without parent found.', ['type' => $type, 'item' => $item]);
751                         return null;
752                 }
753
754                 if ($item['deleted']) {
755                         $attributes = ["ref" => $item['uri'], "when" => DateTimeFormat::utc($item['edited'] . '+00:00', DateTimeFormat::ATOM)];
756                         return XML::createElement($doc, "at:deleted-entry", "", $attributes);
757                 }
758
759                 if (!$single) {
760                         $entry = $doc->createElement("entry");
761                 } else {
762                         $entry = $doc->createElementNS(ActivityNamespace::ATOM1, 'entry');
763                         $doc->appendChild($entry);
764
765                         $entry->setAttribute("xmlns:thr", ActivityNamespace::THREAD);
766                         $entry->setAttribute("xmlns:at", ActivityNamespace::TOMB);
767                         $entry->setAttribute("xmlns:media", ActivityNamespace::MEDIA);
768                         $entry->setAttribute("xmlns:dfrn", ActivityNamespace::DFRN);
769                         $entry->setAttribute("xmlns:activity", ActivityNamespace::ACTIVITY);
770                         $entry->setAttribute("xmlns:georss", ActivityNamespace::GEORSS);
771                         $entry->setAttribute("xmlns:poco", ActivityNamespace::POCO);
772                         $entry->setAttribute("xmlns:ostatus", ActivityNamespace::OSTATUS);
773                         $entry->setAttribute("xmlns:statusnet", ActivityNamespace::STATUSNET);
774                 }
775
776                 $body = Post\Media::addAttachmentsToBody($item['uri-id'], $item['body'] ?? '');
777
778                 if ($item['private'] == Item::PRIVATE) {
779                         $body = Item::fixPrivatePhotos($body, $owner['uid'], $item, $cid);
780                 }
781
782                 // Remove the abstract element. It is only locally important.
783                 $body = BBCode::stripAbstract($body);
784
785                 $htmlbody = '';
786                 if ($type == 'html') {
787                         $htmlbody = $body;
788
789                         if ($item['title'] != "") {
790                                 $htmlbody = "[b]" . $item['title'] . "[/b]\n\n" . $htmlbody;
791                         }
792
793                         $htmlbody = BBCode::convertForUriId($item['uri-id'], $htmlbody, BBCode::ACTIVITYPUB);
794                 }
795
796                 $author = self::addEntryAuthor($doc, "author", $item["author-link"], $item);
797                 $entry->appendChild($author);
798
799                 $dfrnowner = self::addEntryAuthor($doc, "dfrn:owner", $item["owner-link"], $item);
800                 $entry->appendChild($dfrnowner);
801
802                 if ($item['gravity'] != GRAVITY_PARENT) {
803                         $parent = Post::selectFirst(['guid', 'plink'], ['uri' => $item['thr-parent'], 'uid' => $item['uid']]);
804                         if (DBA::isResult($parent)) {
805                                 $attributes = ["ref" => $item['thr-parent'], "type" => "text/html",
806                                         "href" => $parent['plink'],
807                                         "dfrn:diaspora_guid" => $parent['guid']];
808                                 XML::addElement($doc, $entry, "thr:in-reply-to", "", $attributes);
809                         }
810                 }
811
812                 // Add conversation data. This is used for OStatus
813                 $attributes = [
814                         'href' => $item['conversation'],
815                         'ref' => $item['conversation'],
816                 ];
817
818                 XML::addElement($doc, $entry, 'ostatus:conversation', $item['conversation'], $attributes);
819
820                 XML::addElement($doc, $entry, 'id', $item['uri']);
821                 XML::addElement($doc, $entry, 'title', $item['title']);
822
823                 XML::addElement($doc, $entry, 'published', DateTimeFormat::utc($item['created'] . '+00:00', DateTimeFormat::ATOM));
824                 XML::addElement($doc, $entry, 'updated', DateTimeFormat::utc($item['edited'] . '+00:00', DateTimeFormat::ATOM));
825
826                 // "dfrn:env" is used to read the content
827                 XML::addElement($doc, $entry, 'dfrn:env', Strings::base64UrlEncode($body, true));
828
829                 // The "content" field is not read by the receiver. We could remove it when the type is "text"
830                 // We keep it at the moment, maybe there is some old version that doesn't read "dfrn:env"
831                 XML::addElement($doc, $entry, 'content', (($type == 'html') ? $htmlbody : $body), ['type' => $type]);
832
833                 // We save this value in "plink". Maybe we should read it from there as well?
834                 XML::addElement(
835                         $doc,
836                         $entry,
837                         'link',
838                         '',
839                         [
840                                 'rel' => 'alternate',
841                                 'type' => 'text/html',
842                                 'href' => DI::baseUrl() . '/display/' . $item['guid']
843                         ],
844                 );
845
846                 // "comment-allow" is some old fashioned stuff for old Friendica versions.
847                 // It is included in the rewritten code for completeness
848                 if ($comment) {
849                         XML::addElement($doc, $entry, 'dfrn:comment-allow', 1);
850                 }
851
852                 if ($item['location']) {
853                         XML::addElement($doc, $entry, 'dfrn:location', $item['location']);
854                 }
855
856                 if ($item['coord']) {
857                         XML::addElement($doc, $entry, 'georss:point', $item['coord']);
858                 }
859
860                 if ($item['private']) {
861                         // Friendica versions prior to 2020.3 can't handle "unlisted" properly. So we can only transmit public and private
862                         XML::addElement($doc, $entry, 'dfrn:private', ($item['private'] == Item::PRIVATE ? Item::PRIVATE : Item::PUBLIC));
863                         XML::addElement($doc, $entry, 'dfrn:unlisted', $item['private'] == Item::UNLISTED);
864                 }
865
866                 if ($item['extid']) {
867                         XML::addElement($doc, $entry, 'dfrn:extid', $item['extid']);
868                 }
869
870                 if ($item['post-type'] == Item::PT_PAGE) {
871                         XML::addElement($doc, $entry, 'dfrn:bookmark', 'true');
872                 }
873
874                 if ($item['app']) {
875                         XML::addElement($doc, $entry, 'statusnet:notice_info', '', ['local_id' => $item['id'], 'source' => $item['app']]);
876                 }
877
878                 XML::addElement($doc, $entry, 'dfrn:diaspora_guid', $item['guid']);
879
880                 // The signed text contains the content in Markdown, the sender handle and the signatur for the content
881                 // It is needed for relayed comments to Diaspora.
882                 if ($item['signed_text']) {
883                         $sign = base64_encode(json_encode(['signed_text' => $item['signed_text'],'signature' => '','signer' => '']));
884                         XML::addElement($doc, $entry, 'dfrn:diaspora_signature', $sign);
885                 }
886
887                 XML::addElement($doc, $entry, 'activity:verb', self::constructVerb($item));
888
889                 if ($item['object-type'] != '') {
890                         XML::addElement($doc, $entry, 'activity:object-type', $item['object-type']);
891                 } elseif ($item['gravity'] == GRAVITY_PARENT) {
892                         XML::addElement($doc, $entry, 'activity:object-type', Activity\ObjectType::NOTE);
893                 } else {
894                         XML::addElement($doc, $entry, 'activity:object-type', Activity\ObjectType::COMMENT);
895                 }
896
897                 $actobj = self::createActivity($doc, 'activity:object', $item['object'] ?? '', $item['uri-id']);
898                 if ($actobj) {
899                         $entry->appendChild($actobj);
900                 }
901
902                 $actarg = self::createActivity($doc, 'activity:target', $item['target'] ?? '', $item['uri-id']);
903                 if ($actarg) {
904                         $entry->appendChild($actarg);
905                 }
906
907                 $tags = Tag::getByURIId($item['uri-id']);
908
909                 if (count($tags)) {
910                         foreach ($tags as $tag) {
911                                 if (($type != 'html') || ($tag['type'] == Tag::HASHTAG)) {
912                                         XML::addElement($doc, $entry, 'category', '', ['scheme' => 'X-DFRN:' . Tag::TAG_CHARACTER[$tag['type']] . ':' . $tag['url'], 'term' => $tag['name']]);
913                                 }
914                                 if ($tag['type'] != Tag::HASHTAG) {
915                                         $mentioned[$tag['url']] = $tag['url'];
916                                 }
917                         }
918                 }
919
920                 foreach ($mentioned as $mention) {
921                         $condition = ['uid' => $owner['uid'], 'nurl' => Strings::normaliseLink($mention)];
922                         $contact = DBA::selectFirst('contact', ['contact-type'], $condition);
923
924                         if (DBA::isResult($contact) && ($contact['contact-type'] == Contact::TYPE_COMMUNITY)) {
925                                 XML::addElement(
926                                         $doc,
927                                         $entry,
928                                         'link',
929                                         '',
930                                         [
931                                                 'rel' => 'mentioned',
932                                                 'ostatus:object-type' => Activity\ObjectType::GROUP,
933                                                 'href' => $mention,
934                                         ],
935                                 );
936                         } else {
937                                 XML::addElement(
938                                         $doc,
939                                         $entry,
940                                         'link',
941                                         '',
942                                         [
943                                                 'rel' => 'mentioned',
944                                                 'ostatus:object-type' => Activity\ObjectType::PERSON,
945                                                 'href' => $mention,
946                                         ],
947                                 );
948                         }
949                 }
950
951                 self::getAttachment($doc, $entry, $item);
952
953                 return $entry;
954         }
955
956         /**
957          * Transmits atom content to the contacts via the Diaspora transport layer
958          *
959          * @param array  $owner   Owner record
960          * @param array  $contact Contact record of the receiver
961          * @param string $atom    Content that will be transmitted
962          * @param bool   $public_batch
963          * @return int Deliver status. Negative values mean an error.
964          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
965          * @throws \ImagickException
966          */
967         public static function transmit(array $owner, array $contact, string $atom, bool $public_batch = false)
968         {
969                 if (!$public_batch) {
970                         if (empty($contact['addr'])) {
971                                 Logger::notice('Empty contact handle for ' . $contact['id'] . ' - ' . $contact['url'] . ' - trying to update it.');
972                                 if (Contact::updateFromProbe($contact['id'])) {
973                                         $new_contact = DBA::selectFirst('contact', ['addr'], ['id' => $contact['id']]);
974                                         $contact['addr'] = $new_contact['addr'];
975                                 }
976
977                                 if (empty($contact['addr'])) {
978                                         Logger::notice('Unable to find contact handle for ' . $contact['id'] . ' - ' . $contact['url']);
979                                         return -21;
980                                 }
981                         }
982
983                         $fcontact = FContact::getByURL($contact['addr']);
984                         if (empty($fcontact)) {
985                                 Logger::notice('Unable to find contact details for ' . $contact['id'] . ' - ' . $contact['addr']);
986                                 return -22;
987                         }
988                         $pubkey = $fcontact['pubkey'];
989                 } else {
990                         $pubkey = '';
991                 }
992
993                 $envelope = Diaspora::buildMessage($atom, $owner, $contact, $owner['uprvkey'], $pubkey, $public_batch);
994
995                 // Create the endpoint for public posts. This is some WIP and should later be added to the probing
996                 if ($public_batch && empty($contact['batch'])) {
997                         $parts = parse_url($contact['notify']);
998                         $path_parts = explode('/', $parts['path']);
999                         array_pop($path_parts);
1000                         $parts['path'] =  implode('/', $path_parts);
1001                         $contact['batch'] = Uri::fromParts($parts);
1002                 }
1003
1004                 $dest_url = ($public_batch ? $contact['batch'] : $contact['notify']);
1005
1006                 if (empty($dest_url)) {
1007                         Logger::info('Empty destination', ['public' => $public_batch, 'contact' => $contact]);
1008                         return -24;
1009                 }
1010
1011                 $content_type = ($public_batch ? 'application/magic-envelope+xml' : 'application/json');
1012
1013                 $postResult = DI::httpClient()->post($dest_url, $envelope, ['Content-Type' => $content_type]);
1014                 $xml = $postResult->getBody();
1015
1016                 $curl_stat = $postResult->getReturnCode();
1017                 if (empty($curl_stat) || empty($xml)) {
1018                         Logger::notice('Empty answer from ' . $contact['id'] . ' - ' . $dest_url);
1019                         return -9; // timed out
1020                 }
1021
1022                 if (($curl_stat == 503) && $postResult->inHeader('retry-after')) {
1023                         return -10;
1024                 }
1025
1026                 if (strpos($xml, '<?xml') === false) {
1027                         Logger::notice('No valid XML returned from ' . $contact['id'] . ' - ' . $dest_url);
1028                         Logger::debug('Returned XML: ' . $xml);
1029                         return 3;
1030                 }
1031
1032                 $res = XML::parseString($xml);
1033
1034                 if (empty($res->status)) {
1035                         return -23;
1036                 }
1037
1038                 if (!empty($res->message)) {
1039                         Logger::info('Transmit to ' . $dest_url . ' returned status '.$res->status.' - '.$res->message);
1040                 }
1041
1042                 return intval($res->status);
1043         }
1044
1045         /**
1046          * Fetch the author data from head or entry items
1047          *
1048          * @param \DOMXPath $xpath     XPath object
1049          * @param \DOMNode  $context   In which context should the data be searched
1050          * @param array     $importer  Record of the importer user mixed with contact of the content
1051          * @param string    $element   Element name from which the data is fetched
1052          * @param bool      $onlyfetch Should the data only be fetched or should it update the contact record as well
1053          * @param string    $xml       optional, default empty
1054          *
1055          * @return array Relevant data of the author
1056          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
1057          * @throws \ImagickException
1058          * @todo  Find good type-hints for all parameter
1059          */
1060         private static function fetchauthor(\DOMXPath $xpath, \DOMNode $context, array $importer, string $element, bool $onlyfetch, string $xml = ''): array
1061         {
1062                 $author = [];
1063                 $author["name"] = XML::getFirstNodeValue($xpath, $element."/atom:name/text()", $context);
1064                 $author["link"] = XML::getFirstNodeValue($xpath, $element."/atom:uri/text()", $context);
1065
1066                 $fields = ['id', 'uid', 'url', 'network', 'avatar-date', 'avatar', 'name-date', 'uri-date', 'addr',
1067                         'name', 'nick', 'about', 'location', 'keywords', 'xmpp', 'bdyear', 'bd', 'hidden', 'contact-type'];
1068                 $condition = ["`uid` = ? AND `nurl` = ? AND `network` != ? AND NOT `pending` AND NOT `blocked`",
1069                         $importer["importer_uid"], Strings::normaliseLink($author["link"]), Protocol::STATUSNET];
1070
1071                 if ($importer['account-type'] != User::ACCOUNT_TYPE_COMMUNITY) {
1072                         $condition = DBA::mergeConditions($condition, ['rel' => [Contact::SHARING, Contact::FRIEND]]);
1073                 }
1074
1075                 $contact_old = DBA::selectFirst('contact', $fields, $condition);
1076
1077                 if (DBA::isResult($contact_old)) {
1078                         $author["contact-id"] = $contact_old["id"];
1079                         $author["network"] = $contact_old["network"];
1080                 } else {
1081                         Logger::info('Contact not found', ['condition' => $condition]);
1082
1083                         $author["contact-unknown"] = true;
1084                         $contact = Contact::getByURL($author["link"], null, ["id", "network"]);
1085                         $author["contact-id"] = $contact["id"] ?? $importer["id"];
1086                         $author["network"] = $contact["network"] ?? $importer["network"];
1087                         $onlyfetch = true;
1088                 }
1089
1090                 // Until now we aren't serving different sizes - but maybe later
1091                 $avatarlist = [];
1092                 /// @todo check if "avatar" or "photo" would be the best field in the specification
1093                 $avatars = $xpath->query($element . "/atom:link[@rel='avatar']", $context);
1094                 foreach ($avatars as $avatar) {
1095                         $href = "";
1096                         $width = 0;
1097                         foreach ($avatar->attributes as $attributes) {
1098                                 /// @TODO Rewrite these similar if() to one switch
1099                                 if ($attributes->name == "href") {
1100                                         $href = $attributes->textContent;
1101                                 }
1102                                 if ($attributes->name == "width") {
1103                                         $width = $attributes->textContent;
1104                                 }
1105                                 if ($attributes->name == "updated") {
1106                                         $author["avatar-date"] = $attributes->textContent;
1107                                 }
1108                         }
1109                         if (($width > 0) && ($href != "")) {
1110                                 $avatarlist[$width] = $href;
1111                         }
1112                 }
1113
1114                 if (count($avatarlist) > 0) {
1115                         krsort($avatarlist);
1116                         $author["avatar"] = current($avatarlist);
1117                 }
1118
1119                 if (empty($author['avatar']) && !empty($author['link'])) {
1120                         $cid = Contact::getIdForURL($author['link'], 0);
1121                         if (!empty($cid)) {
1122                                 $contact = DBA::selectFirst('contact', ['avatar'], ['id' => $cid]);
1123                                 if (DBA::isResult($contact)) {
1124                                         $author['avatar'] = $contact['avatar'];
1125                                 }
1126                         }
1127                 }
1128
1129                 if (empty($author['avatar'])) {
1130                         Logger::notice('Empty author: ' . $xml);
1131                         $author['avatar'] = '';
1132                 }
1133
1134                 if (DBA::isResult($contact_old) && !$onlyfetch) {
1135                         Logger::info("Check if contact details for contact " . $contact_old["id"] . " (" . $contact_old["nick"] . ") have to be updated.");
1136
1137                         $poco = ["url" => $contact_old["url"], "network" => $contact_old["network"]];
1138
1139                         // When was the last change to name or uri?
1140                         $name_element = $xpath->query($element . "/atom:name", $context)->item(0);
1141                         foreach ($name_element->attributes as $attributes) {
1142                                 if ($attributes->name == "updated") {
1143                                         $poco["name-date"] = $attributes->textContent;
1144                                 }
1145                         }
1146
1147                         $link_element = $xpath->query($element . "/atom:link", $context)->item(0);
1148                         foreach ($link_element->attributes as $attributes) {
1149                                 if ($attributes->name == "updated") {
1150                                         $poco["uri-date"] = $attributes->textContent;
1151                                 }
1152                         }
1153
1154                         // Update contact data
1155                         $value = XML::getFirstNodeValue($xpath, $element . "/dfrn:handle/text()", $context);
1156                         if ($value != "") {
1157                                 $poco["addr"] = $value;
1158                         }
1159
1160                         $value = XML::getFirstNodeValue($xpath, $element . "/poco:displayName/text()", $context);
1161                         if ($value != "") {
1162                                 $poco["name"] = $value;
1163                         }
1164
1165                         $value = XML::getFirstNodeValue($xpath, $element . "/poco:preferredUsername/text()", $context);
1166                         if ($value != "") {
1167                                 $poco["nick"] = $value;
1168                         }
1169
1170                         $value = XML::getFirstNodeValue($xpath, $element . "/poco:note/text()", $context);
1171                         if ($value != "") {
1172                                 $poco["about"] = $value;
1173                         }
1174
1175                         $value = XML::getFirstNodeValue($xpath, $element . "/poco:address/poco:formatted/text()", $context);
1176                         if ($value != "") {
1177                                 $poco["location"] = $value;
1178                         }
1179
1180                         /// @todo Only search for elements with "poco:type" = "xmpp"
1181                         $value = XML::getFirstNodeValue($xpath, $element . "/poco:ims/poco:value/text()", $context);
1182                         if ($value != "") {
1183                                 $poco["xmpp"] = $value;
1184                         }
1185
1186                         /// @todo Add support for the following fields that we don't support by now in the contact table:
1187                         /// - poco:utcOffset
1188                         /// - poco:urls
1189                         /// - poco:locality
1190                         /// - poco:region
1191                         /// - poco:country
1192
1193                         // If the "hide" element is present then the profile isn't searchable.
1194                         $hide = intval(XML::getFirstNodeValue($xpath, $element . "/dfrn:hide/text()", $context) == "true");
1195
1196                         Logger::info("Hidden status for contact " . $contact_old["url"] . ": " . $hide);
1197
1198                         // If the contact isn't searchable then set the contact to "hidden".
1199                         // Problem: This can be manually overridden by the user.
1200                         if ($hide) {
1201                                 $contact_old["hidden"] = true;
1202                         }
1203
1204                         // Save the keywords into the contact table
1205                         $tags = [];
1206                         $tagelements = $xpath->evaluate($element . "/poco:tags/text()", $context);
1207                         foreach ($tagelements as $tag) {
1208                                 $tags[$tag->nodeValue] = $tag->nodeValue;
1209                         }
1210
1211                         if (count($tags)) {
1212                                 $poco["keywords"] = implode(", ", $tags);
1213                         }
1214
1215                         // "dfrn:birthday" contains the birthday converted to UTC
1216                         $birthday = XML::getFirstNodeValue($xpath, $element . "/dfrn:birthday/text()", $context);
1217                         try {
1218                                 $birthday_date = new \DateTime($birthday);
1219                                 if ($birthday_date > new \DateTime()) {
1220                                         $poco["bdyear"] = $birthday_date->format("Y");
1221                                 }
1222                         } catch (\Exception $e) {
1223                                 // Invalid birthday
1224                         }
1225
1226                         // "poco:birthday" is the birthday in the format "yyyy-mm-dd"
1227                         $value = XML::getFirstNodeValue($xpath, $element . "/poco:birthday/text()", $context);
1228
1229                         if (!in_array($value, ["", "0000-00-00", DBA::NULL_DATE])) {
1230                                 $bdyear = date("Y");
1231                                 $value = str_replace(["0000", "0001"], $bdyear, $value);
1232
1233                                 if (strtotime($value) < time()) {
1234                                         $value = str_replace($bdyear, $bdyear + 1, $value);
1235                                 }
1236
1237                                 $poco["bd"] = $value;
1238                         }
1239
1240                         $contact = array_merge($contact_old, $poco);
1241
1242                         if ($contact_old["bdyear"] != $contact["bdyear"]) {
1243                                 Event::createBirthday($contact, $birthday);
1244                         }
1245
1246                         $fields = ['name' => $contact['name'], 'nick' => $contact['nick'], 'about' => $contact['about'],
1247                                 'location' => $contact['location'], 'addr' => $contact['addr'], 'keywords' => $contact['keywords'],
1248                                 'bdyear' => $contact['bdyear'], 'bd' => $contact['bd'], 'hidden' => $contact['hidden'],
1249                                 'xmpp' => $contact['xmpp'], 'name-date' => DateTimeFormat::utc($contact['name-date']),
1250                                 'unsearchable' => $contact['hidden'], 'uri-date' => DateTimeFormat::utc($contact['uri-date'])];
1251
1252                         Contact::update($fields, ['id' => $contact['id'], 'network' => $contact['network']], $contact_old);
1253
1254                         // Update the public contact. Don't set the "hidden" value, this is used differently for public contacts
1255                         unset($fields['hidden']);
1256                         $condition = ['uid' => 0, 'nurl' => Strings::normaliseLink($contact_old['url'])];
1257                         Contact::update($fields, $condition, true);
1258
1259                         Contact::updateAvatar($contact['id'], $author['avatar']);
1260
1261                         $pcid = Contact::getIdForURL($contact_old['url']);
1262                         if (!empty($pcid)) {
1263                                 Contact::updateAvatar($pcid, $author['avatar']);
1264                         }
1265                 }
1266
1267                 return $author;
1268         }
1269
1270         /**
1271          * Transforms activity objects into an XML string
1272          *
1273          * @param object $xpath    XPath object
1274          * @param object $activity Activity object
1275          * @param string $element  element name
1276          *
1277          * @return string XML string
1278          * @todo Find good type-hints for all parameter
1279          */
1280         private static function transformActivity($xpath, $activity, string $element): string
1281         {
1282                 if (!is_object($activity)) {
1283                         return "";
1284                 }
1285
1286                 $obj_doc = new DOMDocument("1.0", "utf-8");
1287                 $obj_doc->formatOutput = true;
1288
1289                 $obj_element = $obj_doc->createElementNS( ActivityNamespace::ATOM1, $element);
1290
1291                 $activity_type = $xpath->query("activity:object-type/text()", $activity)->item(0)->nodeValue;
1292                 XML::addElement($obj_doc, $obj_element, "type", $activity_type);
1293
1294                 $id = $xpath->query("atom:id", $activity)->item(0);
1295                 if (is_object($id)) {
1296                         $obj_element->appendChild($obj_doc->importNode($id, true));
1297                 }
1298
1299                 $title = $xpath->query("atom:title", $activity)->item(0);
1300                 if (is_object($title)) {
1301                         $obj_element->appendChild($obj_doc->importNode($title, true));
1302                 }
1303
1304                 $links = $xpath->query("atom:link", $activity);
1305                 if (is_object($links)) {
1306                         foreach ($links as $link) {
1307                                 $obj_element->appendChild($obj_doc->importNode($link, true));
1308                         }
1309                 }
1310
1311                 $content = $xpath->query("atom:content", $activity)->item(0);
1312                 if (is_object($content)) {
1313                         $obj_element->appendChild($obj_doc->importNode($content, true));
1314                 }
1315
1316                 $obj_doc->appendChild($obj_element);
1317
1318                 $objxml = $obj_doc->saveXML($obj_element);
1319
1320                 /// @todo This isn't totally clean. We should find a way to transform the namespaces
1321                 $objxml = str_replace("<".$element.' xmlns="http://www.w3.org/2005/Atom">', "<".$element.">", $objxml);
1322                 return($objxml);
1323         }
1324
1325         /**
1326          * Processes the mail elements
1327          *
1328          * @param DOMXPath $xpath    XPath object
1329          * @param DOMNode  $mail     mail elements
1330          * @param array    $importer Record of the importer user mixed with contact of the content
1331          * @return void
1332          * @throws \Exception
1333          */
1334         private static function processMail(DOMXPath $xpath, DOMNode $mail, array $importer)
1335         {
1336                 Logger::notice("Processing mails");
1337
1338                 $msg = [];
1339                 $msg['uid'] = $importer['importer_uid'];
1340                 $msg['from-name'] = XML::getFirstValue($xpath, 'dfrn:sender/dfrn:name/text()', $mail);
1341                 $msg['from-url'] = XML::getFirstValue($xpath, 'dfrn:sender/dfrn:uri/text()', $mail);
1342                 $msg['from-photo'] = XML::getFirstValue($xpath, 'dfrn:sender/dfrn:avatar/text()', $mail);
1343                 $msg['contact-id'] = $importer['id'];
1344                 $msg['uri'] = XML::getFirstValue($xpath, 'dfrn:id/text()', $mail);
1345                 $msg['parent-uri'] = XML::getFirstValue($xpath, 'dfrn:in-reply-to/text()', $mail);
1346                 $msg['created'] = DateTimeFormat::utc(XML::getFirstValue($xpath, 'dfrn:sentdate/text()', $mail));
1347                 $msg['title'] = XML::getFirstValue($xpath, 'dfrn:subject/text()', $mail);
1348                 $msg['body'] = XML::getFirstValue($xpath, 'dfrn:content/text()', $mail);
1349
1350                 Mail::insert($msg);
1351         }
1352
1353         /**
1354          * Processes the suggestion elements
1355          *
1356          * @param DOMXPath $xpath      XPath object
1357          * @param DOMNode  $suggestion suggestion elements
1358          * @param array    $importer   Record of the importer user mixed with contact of the content
1359          * @return boolean
1360          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
1361          */
1362         private static function processSuggestion(DOMXPath $xpath, DOMNode $suggestion, array $importer)
1363         {
1364                 Logger::notice('Processing suggestions');
1365
1366                 $url = $xpath->evaluate('string(dfrn:url[1]/text())', $suggestion);
1367                 $cid = Contact::getIdForURL($url);
1368                 $note = $xpath->evaluate('string(dfrn:note[1]/text())', $suggestion);
1369
1370                 return self::addSuggestion($importer['importer_uid'], $cid, $importer['id'], $note);
1371         }
1372
1373         /**
1374          * Suggest a given contact to a given user from a given contact
1375          *
1376          * @param integer $uid
1377          * @param integer $cid
1378          * @param integer $from_cid
1379          * @return bool   Was the adding successful?
1380          */
1381         private static function addSuggestion(int $uid, int $cid, int $from_cid, string $note = ''): bool
1382         {
1383                 $owner = User::getOwnerDataById($uid);
1384                 $contact = Contact::getById($cid);
1385                 $from_contact = Contact::getById($from_cid);
1386
1387                 if (DBA::exists('contact', ['nurl' => Strings::normaliseLink($contact['url']), 'uid' => $uid])) {
1388                         return false;
1389                 }
1390
1391                 // Quit if we already have an introduction for this person
1392                 if (DI::intro()->suggestionExistsForUser($cid, $uid)) {
1393                         return false;
1394                 }
1395
1396                 $suggest = [];
1397                 $suggest['uid'] = $uid;
1398                 $suggest['cid'] = $from_cid;
1399                 $suggest['url'] = $contact['url'];
1400                 $suggest['name'] = $contact['name'];
1401                 $suggest['photo'] = $contact['photo'];
1402                 $suggest['request'] = $contact['request'];
1403                 $suggest['title'] = '';
1404                 $suggest['body'] = $note;
1405
1406                 DI::intro()->save(DI::introFactory()->createNew(
1407                         $suggest['uid'],
1408                         $suggest['cid'],
1409                         $suggest['body'],
1410                         null,
1411                         $cid
1412                 ));
1413
1414                 DI::notify()->createFromArray([
1415                         'type'  => Notification\Type::SUGGEST,
1416                         'otype' => Notification\ObjectType::INTRO,
1417                         'verb'  => Activity::REQ_FRIEND,
1418                         'uid'   => $owner['uid'],
1419                         'cid'   => $from_contact['uid'],
1420                         'item'  => $suggest,
1421                         'link'  => DI::baseUrl().'/notifications/intros',
1422                 ]);
1423
1424                 return true;
1425         }
1426
1427         /**
1428          * Processes the relocation elements
1429          *
1430          * @param DOMXPath $xpath      XPath object
1431          * @param DOMNode  $relocation relocation elements
1432          * @param array    $importer   Record of the importer user mixed with contact of the content
1433          * @return boolean
1434          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
1435          * @throws \ImagickException
1436          * @todo  Find good type-hints for all parameter
1437          */
1438         private static function processRelocation(DOMXPath $xpath, DOMNode $relocation, array $importer): bool
1439         {
1440                 Logger::notice("Processing relocations");
1441
1442                 /// @TODO Rewrite this to one statement
1443                 $relocate = [];
1444                 $relocate['uid'] = $importer['importer_uid'];
1445                 $relocate['cid'] = $importer['id'];
1446                 $relocate['url'] = $xpath->query('dfrn:url/text()', $relocation)->item(0)->nodeValue;
1447                 $relocate['addr'] = $xpath->query('dfrn:addr/text()', $relocation)->item(0)->nodeValue;
1448                 $relocate['name'] = $xpath->query('dfrn:name/text()', $relocation)->item(0)->nodeValue;
1449                 $relocate['avatar'] = $xpath->query('dfrn:avatar/text()', $relocation)->item(0)->nodeValue;
1450                 $relocate['photo'] = $xpath->query('dfrn:photo/text()', $relocation)->item(0)->nodeValue;
1451                 $relocate['thumb'] = $xpath->query('dfrn:thumb/text()', $relocation)->item(0)->nodeValue;
1452                 $relocate['micro'] = $xpath->query('dfrn:micro/text()', $relocation)->item(0)->nodeValue;
1453                 $relocate['request'] = $xpath->query('dfrn:request/text()', $relocation)->item(0)->nodeValue;
1454                 $relocate['confirm'] = $xpath->query('dfrn:confirm/text()', $relocation)->item(0)->nodeValue;
1455                 $relocate['notify'] = $xpath->query('dfrn:notify/text()', $relocation)->item(0)->nodeValue;
1456                 $relocate['poll'] = $xpath->query('dfrn:poll/text()', $relocation)->item(0)->nodeValue;
1457                 $relocate['sitepubkey'] = $xpath->query('dfrn:sitepubkey/text()', $relocation)->item(0)->nodeValue;
1458
1459                 if (($relocate['avatar'] == '') && ($relocate['photo'] != '')) {
1460                         $relocate['avatar'] = $relocate['photo'];
1461                 }
1462
1463                 if ($relocate['addr'] == '') {
1464                         $relocate['addr'] = preg_replace("=(https?://)(.*)/profile/(.*)=ism", '$3@$2', $relocate['url']);
1465                 }
1466
1467                 // update contact
1468                 $old = Contact::selectFirst(['photo', 'url'], ['id' => $importer['id'], 'uid' => $importer['importer_uid']]);
1469
1470                 if (!DBA::isResult($old)) {
1471                         Logger::notice("Query failed to execute, no result returned in " . __FUNCTION__);
1472                         return false;
1473                 }
1474
1475                 // Update the contact table. We try to find every entry.
1476                 $fields = [
1477                         'name' => $relocate['name'],
1478                         'avatar' => $relocate['avatar'],
1479                         'url' => $relocate['url'],
1480                         'nurl' => Strings::normaliseLink($relocate['url']),
1481                         'addr' => $relocate['addr'],
1482                         'request' => $relocate['request'],
1483                         'confirm' => $relocate['confirm'],
1484                         'notify' => $relocate['notify'],
1485                         'poll' => $relocate['poll'],
1486                         'site-pubkey' => $relocate['sitepubkey'],
1487                 ];
1488                 $condition = ["(`id` = ?) OR (`nurl` = ?)", $importer['id'], Strings::normaliseLink($old['url'])];
1489
1490                 Contact::update($fields, $condition);
1491
1492                 Contact::updateAvatar($importer['id'], $relocate['avatar'], true);
1493
1494                 Logger::notice('Contacts are updated.');
1495
1496                 /// @TODO
1497                 /// merge with current record, current contents have priority
1498                 /// update record, set url-updated
1499                 /// update profile photos
1500                 /// schedule a scan?
1501                 return true;
1502         }
1503
1504         /**
1505          * Updates an item
1506          *
1507          * @param array $current   the current item record
1508          * @param array $item      the new item record
1509          * @param array $importer  Record of the importer user mixed with contact of the content
1510          * @param int   $entrytype Is it a toplevel entry, a comment or a relayed comment?
1511          * @return mixed
1512          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
1513          * @todo  set proper type-hints (array?)
1514          */
1515         private static function updateContent(array $current, array $item, array $importer, int $entrytype)
1516         {
1517                 $changed = false;
1518
1519                 if (self::isEditedTimestampNewer($current, $item)) {
1520                         // do not accept (ignore) an earlier edit than one we currently have.
1521                         if (DateTimeFormat::utc($item['edited']) < $current['edited']) {
1522                                 return false;
1523                         }
1524
1525                         $fields = [
1526                                 'title' => $item['title'] ?? '',
1527                                 'body' => $item['body'] ?? '',
1528                                 'changed' => DateTimeFormat::utcNow(),
1529                                 'edited' => DateTimeFormat::utc($item['edited']),
1530                         ];
1531
1532                         $condition = ["`uri` = ? AND `uid` IN (0, ?)", $item['uri'], $importer['importer_uid']];
1533                         Item::update($fields, $condition);
1534
1535                         $changed = true;
1536                 }
1537                 return $changed;
1538         }
1539
1540         /**
1541          * Detects the entry type of the item
1542          *
1543          * @param array $importer Record of the importer user mixed with contact of the content
1544          * @param array $item     the new item record
1545          *
1546          * @return int Is it a toplevel entry, a comment or a relayed comment?
1547          * @throws \Exception
1548          * @todo  set proper type-hints (array?)
1549          */
1550         private static function getEntryType(array $importer, array $item): int
1551         {
1552                 if ($item['thr-parent'] != $item['uri']) {
1553                         $community = false;
1554
1555                         if ($importer['account-type'] == User::ACCOUNT_TYPE_COMMUNITY) {
1556                                 $sql_extra = '';
1557                                 $community = true;
1558                                 Logger::notice("possible community action");
1559                         } else {
1560                                 $sql_extra = " AND `self` AND `wall`";
1561                         }
1562
1563                         // was the top-level post for this action written by somebody on this site?
1564                         // Specifically, the recipient?
1565                         $parent = Post::selectFirst(['wall'],
1566                                 ["`uri` = ? AND `uid` = ?" . $sql_extra, $item['thr-parent'], $importer['importer_uid']]);
1567
1568                         $is_a_remote_action = DBA::isResult($parent);
1569
1570                         if ($is_a_remote_action) {
1571                                 return DFRN::REPLY_RC;
1572                         } else {
1573                                 return DFRN::REPLY;
1574                         }
1575                 } else {
1576                         return DFRN::TOP_LEVEL;
1577                 }
1578         }
1579
1580         /**
1581          * Send a "poke"
1582          *
1583          * @param array $item      The new item record
1584          * @param array $importer  Record of the importer user mixed with contact of the content
1585          * @return void
1586          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
1587          * @todo  set proper type-hints (array?)
1588          */
1589         private static function doPoke(array $item, array $importer)
1590         {
1591                 $verb = urldecode(substr($item['verb'], strpos($item['verb'], '#')+1));
1592                 if (!$verb) {
1593                         return;
1594                 }
1595                 $xo = XML::parseString($item['object']);
1596
1597                 if (($xo->type == Activity\ObjectType::PERSON) && ($xo->id)) {
1598                         // somebody was poked/prodded. Was it me?
1599                         $Blink = '';
1600                         foreach ($xo->link as $l) {
1601                                 $atts = $l->attributes();
1602                                 switch ($atts['rel']) {
1603                                         case 'alternate':
1604                                                 $Blink = $atts['href'];
1605                                                 break;
1606
1607                                         default:
1608                                                 break;
1609                                 }
1610                         }
1611
1612                         if ($Blink && Strings::compareLink($Blink, DI::baseUrl() . '/profile/' . $importer['nickname'])) {
1613                                 $author = DBA::selectFirst('contact', ['id', 'name', 'thumb', 'url'], ['id' => $item['author-id']]);
1614
1615                                 $parent = Post::selectFirst(['id'], ['uri' => $item['thr-parent'], 'uid' => $importer['importer_uid']]);
1616                                 $item['parent'] = $parent['id'];
1617
1618                                 // send a notification
1619                                 DI::notify()->createFromArray(
1620                                         [
1621                                         'type'     => Notification\Type::POKE,
1622                                         'otype'    => Notification\ObjectType::PERSON,
1623                                         'activity' => $verb,
1624                                         'verb'     => $item['verb'],
1625                                         'uid'      => $importer['importer_uid'],
1626                                         'cid'      => $author['id'],
1627                                         'item'     => $item,
1628                                         'link'     => DI::baseUrl() . '/display/' . urlencode($item['guid']),
1629                                         ]
1630                                 );
1631                         }
1632                 }
1633         }
1634
1635         /**
1636          * Processes several actions, depending on the verb
1637          *
1638          * @param int   $entrytype Is it a toplevel entry, a comment or a relayed comment?
1639          * @param array $importer  Record of the importer user mixed with contact of the content
1640          * @param array $item      the new item record
1641          * @param bool  $is_like   Is the verb a "like"?
1642          *
1643          * @return bool Should the processing of the entries be continued?
1644          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
1645          */
1646         private static function processVerbs(int $entrytype, array $importer, array &$item, bool &$is_like)
1647         {
1648                 Logger::info('Process verb ' . $item['verb'] . ' and object-type ' . $item['object-type'] . ' for entrytype ' . $entrytype);
1649
1650                 if (($entrytype == DFRN::TOP_LEVEL) && !empty($importer['id'])) {
1651                         // The filling of the the "contact" variable is done for legcy reasons
1652                         // The functions below are partly used by ostatus.php as well - where we have this variable
1653                         $contact = Contact::selectFirst([], ['id' => $importer['id']]);
1654
1655                         $activity = DI::activity();
1656
1657                         // Big question: Do we need these functions? They were part of the "consume_feed" function.
1658                         // This function once was responsible for DFRN and OStatus.
1659                         if ($activity->match($item['verb'], Activity::FOLLOW)) {
1660                                 Logger::notice("New follower");
1661                                 Contact::addRelationship($importer, $contact, $item);
1662                                 return false;
1663                         }
1664                         if ($activity->match($item['verb'], Activity::UNFOLLOW)) {
1665                                 Logger::notice("Lost follower");
1666                                 Contact::removeFollower($contact);
1667                                 return false;
1668                         }
1669                         if ($activity->match($item['verb'], Activity::REQ_FRIEND)) {
1670                                 Logger::notice("New friend request");
1671                                 Contact::addRelationship($importer, $contact, $item, true);
1672                                 return false;
1673                         }
1674                         if ($activity->match($item['verb'], Activity::UNFRIEND)) {
1675                                 Logger::notice("Lost sharer");
1676                                 Contact::removeSharer($contact);
1677                                 return false;
1678                         }
1679                 } else {
1680                         if (($item['verb'] == Activity::LIKE)
1681                                 || ($item['verb'] == Activity::DISLIKE)
1682                                 || ($item['verb'] == Activity::ATTEND)
1683                                 || ($item['verb'] == Activity::ATTENDNO)
1684                                 || ($item['verb'] == Activity::ATTENDMAYBE)
1685                                 || ($item['verb'] == Activity::ANNOUNCE)
1686                         ) {
1687                                 $is_like = true;
1688                                 $item['gravity'] = GRAVITY_ACTIVITY;
1689                                 // only one like or dislike per person
1690                                 // split into two queries for performance issues
1691                                 $condition = [
1692                                         'uid' => $item['uid'],
1693                                         'author-id' => $item['author-id'],
1694                                         'gravity' => GRAVITY_ACTIVITY,
1695                                         'verb' => $item['verb'],
1696                                         'parent-uri' => $item['thr-parent'],
1697                                 ];
1698                                 if (Post::exists($condition)) {
1699                                         return false;
1700                                 }
1701
1702                                 $condition = ['uid' => $item['uid'], 'author-id' => $item['author-id'], 'gravity' => GRAVITY_ACTIVITY,
1703                                         'verb' => $item['verb'], 'thr-parent' => $item['thr-parent']];
1704                                 if (Post::exists($condition)) {
1705                                         return false;
1706                                 }
1707
1708                                 // The owner of an activity must be the author
1709                                 $item['owner-name'] = $item['author-name'];
1710                                 $item['owner-link'] = $item['author-link'];
1711                                 $item['owner-avatar'] = $item['author-avatar'];
1712                                 $item['owner-id'] = $item['author-id'];
1713                         } else {
1714                                 $is_like = false;
1715                         }
1716
1717                         if (($item['verb'] == Activity::TAG) && ($item['object-type'] == Activity\ObjectType::TAGTERM)) {
1718                                 $xo = XML::parseString($item['object']);
1719                                 $xt = XML::parseString($item['target']);
1720
1721                                 if ($xt->type == Activity\ObjectType::NOTE) {
1722                                         $item_tag = Post::selectFirst(['id', 'uri-id'], ['uri' => $xt->id, 'uid' => $importer['importer_uid']]);
1723
1724                                         if (!DBA::isResult($item_tag)) {
1725                                                 Logger::notice("Query failed to execute, no result returned in " . __FUNCTION__);
1726                                                 return false;
1727                                         }
1728
1729                                         // extract tag, if not duplicate, add to parent item
1730                                         if ($xo->content) {
1731                                                 Tag::store($item_tag['uri-id'], Tag::HASHTAG, $xo->content);
1732                                         }
1733                                 }
1734                         }
1735                 }
1736                 return true;
1737         }
1738
1739         /**
1740          * Processes the link elements
1741          *
1742          * @param object $links link elements
1743          * @param array  $item  the item record
1744          * @return void
1745          * @todo set proper type-hints
1746          */
1747         private static function parseLinks($links, array &$item)
1748         {
1749                 $rel = '';
1750                 $href = '';
1751                 $type = null;
1752                 $length = null;
1753                 $title = null;
1754                 foreach ($links as $link) {
1755                         foreach ($link->attributes as $attributes) {
1756                                 switch ($attributes->name) {
1757                                         case 'href'  : $href   = $attributes->textContent; break;
1758                                         case 'rel'   : $rel    = $attributes->textContent; break;
1759                                         case 'type'  : $type   = $attributes->textContent; break;
1760                                         case 'length': $length = $attributes->textContent; break;
1761                                         case 'title' : $title  = $attributes->textContent; break;
1762                                 }
1763                         }
1764                         if (($rel != '') && ($href != '')) {
1765                                 switch ($rel) {
1766                                         case 'alternate':
1767                                                 $item['plink'] = $href;
1768                                                 break;
1769
1770                                         case 'enclosure':
1771                                                 Post\Media::insert(['uri-id' => $item['uri-id'], 'type' => Post\Media::DOCUMENT,
1772                                                         'url' => $href, 'mimetype' => $type, 'size' => $length, 'description' => $title]);
1773                                                 break;
1774                                 }
1775                         }
1776                 }
1777         }
1778
1779         /**
1780          * Checks if an incoming message is wanted
1781          *
1782          * @param array $item
1783          * @param array $imporer
1784          * @return boolean Is the message wanted?
1785          */
1786         private static function isSolicitedMessage(array $item, array $importer): bool
1787         {
1788                 if (DBA::exists('contact', ["`nurl` = ? AND `uid` != ? AND `rel` IN (?, ?)",
1789                         Strings::normaliseLink($item["author-link"]), 0, Contact::FRIEND, Contact::SHARING])) {
1790                         Logger::debug('Author has got followers - accepted', ['uri-id' => $item['uri-id'], 'guid' => $item['guid'], 'url' => $item['uri'], 'author' => $item["author-link"]]);
1791                         return true;
1792                 }
1793
1794                 if ($importer['importer_uid'] != 0) {
1795                         Logger::debug('Message is directed to a user - accepted', ['uri-id' => $item['uri-id'], 'guid' => $item['guid'], 'url' => $item['uri'], 'importer' => $importer['importer_uid']]);
1796                         return true;
1797                 }
1798
1799                 if ($item['uri'] != $item['thr-parent']) {
1800                         Logger::debug('Message is no parent - accepted', ['uri-id' => $item['uri-id'], 'guid' => $item['guid'], 'url' => $item['uri']]);
1801                         return true;
1802                 }
1803
1804                 $tags = array_column(Tag::getByURIId($item['uri-id'], [Tag::HASHTAG]), 'name');
1805                 if (Relay::isSolicitedPost($tags, $item['body'], $item['author-id'], $item['uri'], Protocol::DFRN)) {
1806                         Logger::debug('Post is accepted because of the relay settings', ['uri-id' => $item['uri-id'], 'guid' => $item['guid'], 'url' => $item['uri'], 'author' => $item["author-link"]]);
1807                         return true;
1808                 } else {
1809                         return false;
1810                 }
1811         }
1812
1813         /**
1814          * Processes the entry elements which contain the items and comments
1815          *
1816          * @param array    $header   Array of the header elements that always stay the same
1817          * @param DOMXPath $xpath    XPath object
1818          * @param DOMNode  $entry    entry elements
1819          * @param array    $importer Record of the importer user mixed with contact of the content
1820          * @param string   $xml      XML
1821          * @param int $protocol Protocol
1822          * @return void
1823          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
1824          * @throws \ImagickException
1825          * @todo  Add type-hints
1826          */
1827         private static function processEntry(array $header, DOMXPath $xpath, DOMNode $entry, array $importer, string $xml, int $protocol)
1828         {
1829                 Logger::notice("Processing entries");
1830
1831                 $item = $header;
1832
1833                 $item['protocol'] = $protocol;
1834
1835                 $item['source'] = $xml;
1836
1837                 // Get the uri
1838                 $item['uri'] = XML::getFirstNodeValue($xpath, 'atom:id/text()', $entry);
1839
1840                 $item['edited'] = XML::getFirstNodeValue($xpath, 'atom:updated/text()', $entry);
1841
1842                 $current = Post::selectFirst(['id', 'uid', 'edited', 'body'],
1843                         ['uri' => $item['uri'], 'uid' => $importer['importer_uid']]
1844                 );
1845                 // Is there an existing item?
1846                 if (DBA::isResult($current) && !self::isEditedTimestampNewer($current, $item)) {
1847                         Logger::info("Item " . $item['uri'] . " (" . $item['edited'] . ") already existed.");
1848                         return;
1849                 }
1850
1851                 // Fetch the owner
1852                 $owner = self::fetchauthor($xpath, $entry, $importer, 'dfrn:owner', true, $xml);
1853
1854                 $owner_unknown = (isset($owner['contact-unknown']) && $owner['contact-unknown']);
1855
1856                 $item['owner-name'] = $owner['name'];
1857                 $item['owner-link'] = $owner['link'];
1858                 $item['owner-avatar'] = $owner['avatar'];
1859                 $item['owner-id'] = Contact::getIdForURL($owner['link'], 0);
1860
1861                 // fetch the author
1862                 $author = self::fetchauthor($xpath, $entry, $importer, 'atom:author', true, $xml);
1863
1864                 $item['author-name'] = $author['name'];
1865                 $item['author-link'] = $author['link'];
1866                 $item['author-avatar'] = $author['avatar'];
1867                 $item['author-id'] = Contact::getIdForURL($author['link'], 0);
1868
1869                 $item['title'] = XML::getFirstNodeValue($xpath, 'atom:title/text()', $entry);
1870
1871                 if (!empty($item['title'])) {
1872                         $item['post-type'] = Item::PT_ARTICLE;
1873                 } else {
1874                         $item['post-type'] = Item::PT_NOTE;
1875                 }
1876
1877                 $item['created'] = XML::getFirstNodeValue($xpath, 'atom:published/text()', $entry);
1878
1879                 $item['body'] = XML::getFirstNodeValue($xpath, 'dfrn:env/text()', $entry);
1880                 $item['body'] = str_replace([' ',"\t","\r","\n"], ['','','',''], $item['body']);
1881
1882                 $item['body'] = Strings::base64UrlDecode($item['body']);
1883
1884                 $item['body'] = BBCode::limitBodySize($item['body']);
1885
1886                 /// @todo We should check for a repeated post and if we know the repeated author.
1887
1888                 // We don't need the content element since "dfrn:env" is always present
1889                 //$item['body'] = $xpath->query('atom:content/text()', $entry)->item(0)->nodeValue;
1890                 $item['location'] = XML::getFirstNodeValue($xpath, 'dfrn:location/text()', $entry);
1891                 $item['coord'] = XML::getFirstNodeValue($xpath, 'georss:point', $entry);
1892                 $item['private'] = XML::getFirstNodeValue($xpath, 'dfrn:private/text()', $entry);
1893
1894                 $unlisted = XML::getFirstNodeValue($xpath, 'dfrn:unlisted/text()', $entry);
1895                 if (!empty($unlisted) && ($item['private'] != Item::PRIVATE)) {
1896                         $item['private'] = Item::UNLISTED;
1897                 }
1898
1899                 $item['extid'] = XML::getFirstNodeValue($xpath, 'dfrn:extid/text()', $entry);
1900
1901                 if (XML::getFirstNodeValue($xpath, 'dfrn:bookmark/text()', $entry) == 'true') {
1902                         $item['post-type'] = Item::PT_PAGE;
1903                 }
1904
1905                 $notice_info = $xpath->query('statusnet:notice_info', $entry);
1906                 if ($notice_info && ($notice_info->length > 0)) {
1907                         foreach ($notice_info->item(0)->attributes as $attributes) {
1908                                 if ($attributes->name == 'source') {
1909                                         $item['app'] = strip_tags($attributes->textContent);
1910                                 }
1911                         }
1912                 }
1913
1914                 $item['guid'] = XML::getFirstNodeValue($xpath, 'dfrn:diaspora_guid/text()', $entry);
1915
1916                 $item['uri-id'] = ItemURI::insert(['uri' => $item['uri'], 'guid' => $item['guid']]);
1917
1918                 $item['body'] = Item::improveSharedDataInBody($item);
1919
1920                 Tag::storeFromBody($item['uri-id'], $item['body']);
1921
1922                 // We store the data from "dfrn:diaspora_signature" in a different table, this is done in "Item::insert"
1923                 $dsprsig = XML::unescape(XML::getFirstNodeValue($xpath, 'dfrn:diaspora_signature/text()', $entry));
1924                 if ($dsprsig != '') {
1925                         $signature = json_decode(base64_decode($dsprsig));
1926                         // We don't store the old style signatures anymore that also contained the "signature" and "signer"
1927                         if (!empty($signature->signed_text) && empty($signature->signature) && empty($signature->signer)) {
1928                                 $item['diaspora_signed_text'] = $signature->signed_text;
1929                         }
1930                 }
1931
1932                 $item['verb'] = XML::getFirstNodeValue($xpath, 'activity:verb/text()', $entry);
1933
1934                 if (XML::getFirstNodeValue($xpath, 'activity:object-type/text()', $entry) != '') {
1935                         $item['object-type'] = XML::getFirstNodeValue($xpath, 'activity:object-type/text()', $entry);
1936                 }
1937
1938                 $object = $xpath->query('activity:object', $entry)->item(0);
1939                 $item['object'] = self::transformActivity($xpath, $object, 'object');
1940
1941                 if (trim($item['object']) != '') {
1942                         $r = XML::parseString($item['object']);
1943                         if (isset($r->type)) {
1944                                 $item['object-type'] = $r->type;
1945                         }
1946                 }
1947
1948                 $target = $xpath->query('activity:target', $entry)->item(0);
1949                 $item['target'] = self::transformActivity($xpath, $target, 'target');
1950
1951                 $categories = $xpath->query('atom:category', $entry);
1952                 if ($categories) {
1953                         foreach ($categories as $category) {
1954                                 $term = '';
1955                                 $scheme = '';
1956                                 foreach ($category->attributes as $attributes) {
1957                                         if ($attributes->name == 'term') {
1958                                                 $term = $attributes->textContent;
1959                                         }
1960
1961                                         if ($attributes->name == 'scheme') {
1962                                                 $scheme = $attributes->textContent;
1963                                         }
1964                                 }
1965
1966                                 if (($term != '') && ($scheme != '')) {
1967                                         $parts = explode(':', $scheme);
1968                                         if ((count($parts) >= 4) && (array_shift($parts) == 'X-DFRN')) {
1969                                                 $termurl = array_pop($parts);
1970                                                 $termurl = array_pop($parts) . ':' . $termurl;
1971                                                 Tag::store($item['uri-id'], Tag::IMPLICIT_MENTION, $term, $termurl);
1972                                         }
1973                                 }
1974                         }
1975                 }
1976
1977                 $links = $xpath->query('atom:link', $entry);
1978                 if ($links) {
1979                         self::parseLinks($links, $item);
1980                 }
1981
1982                 $item['conversation'] = XML::getFirstNodeValue($xpath, 'ostatus:conversation/text()', $entry);
1983
1984                 $conv = $xpath->query('ostatus:conversation', $entry);
1985                 if (is_object($conv->item(0))) {
1986                         foreach ($conv->item(0)->attributes as $attributes) {
1987                                 if ($attributes->name == 'ref') {
1988                                         $item['conversation'] = $attributes->textContent;
1989                                 }
1990                                 if ($attributes->name == 'href') {
1991                                         $item['conversation'] = $attributes->textContent;
1992                                 }
1993                         }
1994                 }
1995
1996                 // Is it a reply or a top level posting?
1997                 $item['thr-parent'] = $item['uri'];
1998
1999                 $inreplyto = $xpath->query('thr:in-reply-to', $entry);
2000                 if (is_object($inreplyto->item(0))) {
2001                         foreach ($inreplyto->item(0)->attributes as $attributes) {
2002                                 if ($attributes->name == 'ref') {
2003                                         $item['thr-parent'] = $attributes->textContent;
2004                                 }
2005                         }
2006                 }
2007
2008                 // Check if the message is wanted
2009                 if (!self::isSolicitedMessage($item, $importer)) {
2010                         DBA::delete('item-uri', ['uri' => $item['uri']]);
2011                         return 403;
2012                 }
2013
2014                 // Get the type of the item (Top level post, reply or remote reply)
2015                 $entrytype = self::getEntryType($importer, $item);
2016
2017                 // Now assign the rest of the values that depend on the type of the message
2018                 if (in_array($entrytype, [DFRN::REPLY, DFRN::REPLY_RC])) {
2019                         if (!isset($item['object-type'])) {
2020                                 $item['object-type'] = Activity\ObjectType::COMMENT;
2021                         }
2022
2023                         if ($item['contact-id'] != $owner['contact-id']) {
2024                                 $item['contact-id'] = $owner['contact-id'];
2025                         }
2026
2027                         if (($item['network'] != $owner['network']) && ($owner['network'] != '')) {
2028                                 $item['network'] = $owner['network'];
2029                         }
2030
2031                         if ($item['contact-id'] != $author['contact-id']) {
2032                                 $item['contact-id'] = $author['contact-id'];
2033                         }
2034
2035                         if (($item['network'] != $author['network']) && ($author['network'] != '')) {
2036                                 $item['network'] = $author['network'];
2037                         }
2038                 }
2039
2040                 // Ensure to have the correct share data
2041                 $item = Item::addShareDataFromOriginal($item);
2042
2043                 if ($entrytype == DFRN::REPLY_RC) {
2044                         $item['wall'] = 1;
2045                 } elseif ($entrytype == DFRN::TOP_LEVEL) {
2046                         if (!isset($item['object-type'])) {
2047                                 $item['object-type'] = Activity\ObjectType::NOTE;
2048                         }
2049
2050                         // Is it an event?
2051                         if (($item['object-type'] == Activity\ObjectType::EVENT) && !$owner_unknown) {
2052                                 Logger::info("Item " . $item['uri'] . " seems to contain an event.");
2053                                 $ev = Event::fromBBCode($item['body']);
2054                                 if ((!empty($ev['desc']) || !empty($ev['summary'])) && !empty($ev['start'])) {
2055                                         Logger::info("Event in item " . $item['uri'] . " was found.");
2056                                         $ev['cid']       = $importer['id'];
2057                                         $ev['uid']       = $importer['importer_uid'];
2058                                         $ev['uri']       = $item['uri'];
2059                                         $ev['edited']    = $item['edited'];
2060                                         $ev['private']   = $item['private'];
2061                                         $ev['guid']      = $item['guid'];
2062                                         $ev['plink']     = $item['plink'];
2063                                         $ev['network']   = $item['network'];
2064                                         $ev['protocol']  = $item['protocol'];
2065                                         $ev['direction'] = $item['direction'];
2066                                         $ev['source']    = $item['source'];
2067
2068                                         $condition = ['uri' => $item['uri'], 'uid' => $importer['importer_uid']];
2069                                         $event = DBA::selectFirst('event', ['id'], $condition);
2070                                         if (DBA::isResult($event)) {
2071                                                 $ev['id'] = $event['id'];
2072                                         }
2073
2074                                         $event_id = Event::store($ev);
2075                                         Logger::info('Event was stored', ['id' => $event_id]);
2076
2077                                         $item = Event::getItemArrayForImportedId($event_id, $item);
2078                                 }
2079                         }
2080                 }
2081
2082                 // Need to initialize variable, otherwise E_NOTICE will happen
2083                 $is_like = false;
2084
2085                 if (!self::processVerbs($entrytype, $importer, $item, $is_like)) {
2086                         Logger::info("Exiting because 'processVerbs' told us so");
2087                         return;
2088                 }
2089
2090                 // This check is done here to be able to receive connection requests in "processVerbs"
2091                 if (($entrytype == DFRN::TOP_LEVEL) && $owner_unknown) {
2092                         Logger::info("Item won't be stored because user " . $importer['importer_uid'] . " doesn't follow " . $item['owner-link'] . ".");
2093                         return;
2094                 }
2095
2096
2097                 // Update content if 'updated' changes
2098                 if (DBA::isResult($current)) {
2099                         if (self::updateContent($current, $item, $importer, $entrytype)) {
2100                                 Logger::info("Item " . $item['uri'] . " was updated.");
2101                         } else {
2102                                 Logger::info("Item " . $item['uri'] . " already existed.");
2103                         }
2104                         return;
2105                 }
2106
2107                 if (in_array($entrytype, [DFRN::REPLY, DFRN::REPLY_RC])) {
2108                         // Will be overwritten for sharing accounts in Item::insert
2109                         if (empty($item['post-reason']) && ($entrytype == DFRN::REPLY)) {
2110                                 $item['post-reason'] = Item::PR_COMMENT;
2111                         }
2112
2113                         $posted_id = Item::insert($item);
2114                         if ($posted_id) {
2115                                 Logger::info("Reply from contact " . $item['contact-id'] . " was stored with id " . $posted_id);
2116
2117                                 if ($item['uid'] == 0) {
2118                                         Item::distribute($posted_id);
2119                                 }
2120
2121                                 return true;
2122                         }
2123                 } else { // $entrytype == DFRN::TOP_LEVEL
2124                         if (($importer['uid'] == 0) && ($importer['importer_uid'] != 0)) {
2125                                 Logger::info("Contact " . $importer['id'] . " isn't known to user " . $importer['importer_uid'] . ". The post will be ignored.");
2126                                 return;
2127                         }
2128                         if (!Strings::compareLink($item['owner-link'], $importer['url'])) {
2129                                 /*
2130                                  * The item owner info is not our contact. It's OK and is to be expected if this is a tgroup delivery,
2131                                  * but otherwise there's a possible data mixup on the sender's system.
2132                                  * the tgroup delivery code called from Item::insert will correct it if it's a forum,
2133                                  * but we're going to unconditionally correct it here so that the post will always be owned by our contact.
2134                                  */
2135                                 Logger::info('Correcting item owner.');
2136                                 $item['owner-link'] = $importer['url'];
2137                                 $item['owner-id'] = Contact::getIdForURL($importer['url'], 0);
2138                         }
2139
2140                         if (($importer['rel'] == Contact::FOLLOWER) && (!self::tgroupCheck($importer['importer_uid'], $item))) {
2141                                 Logger::info("Contact " . $importer['id'] . " is only follower and tgroup check was negative.");
2142                                 return;
2143                         }
2144
2145                         // This is my contact on another system, but it's really me.
2146                         // Turn this into a wall post.
2147                         $notify = Item::isRemoteSelf($importer, $item);
2148
2149                         $posted_id = Item::insert($item, $notify);
2150
2151                         if ($notify) {
2152                                 $posted_id = $notify;
2153                         }
2154
2155                         Logger::info("Item was stored with id " . $posted_id);
2156
2157                         if ($item['uid'] == 0) {
2158                                 Item::distribute($posted_id);
2159                         }
2160
2161                         if (stristr($item['verb'], Activity::POKE)) {
2162                                 $item['id'] = $posted_id;
2163                                 self::doPoke($item, $importer);
2164                         }
2165                 }
2166         }
2167
2168         /**
2169          * Deletes items
2170          *
2171          * @param DOMXPath $xpath XPath object
2172          * @param DOMNode  $deletion deletion elements
2173          * @param array   $importer Record of the importer user mixed with contact of the content
2174          * @return void
2175          * @throws \Exception
2176          */
2177         private static function processDeletion(DOMXPath $xpath, DOMNode $deletion, array $importer)
2178         {
2179                 Logger::notice("Processing deletions");
2180                 $uri = null;
2181
2182                 foreach ($deletion->attributes as $attributes) {
2183                         if ($attributes->name == 'ref') {
2184                                 $uri = $attributes->textContent;
2185                         }
2186                 }
2187
2188                 if (!$uri || !$importer['id']) {
2189                         return false;
2190                 }
2191
2192                 $condition = ['uri' => $uri, 'uid' => $importer['importer_uid']];
2193                 $item = Post::selectFirst(['id', 'parent', 'contact-id', 'uri-id', 'deleted', 'gravity'], $condition);
2194                 if (!DBA::isResult($item)) {
2195                         Logger::info('Item with URI ' . $uri . ' for user ' . $importer['importer_uid'] . ' was not found.');
2196                         return;
2197                 }
2198
2199                 if (DBA::exists('post-category', ['uri-id' => $item['uri-id'], 'uid' => $importer['importer_uid'], 'type' => Post\Category::FILE])) {
2200                         Logger::notice('Item is filed. It will not be deleted.', ['uri' => $uri, 'uri-id' => $item['uri_id'], 'uid' => $importer['importer_uid']]);
2201                         return;
2202                 }
2203
2204                 // When it is a starting post it has to belong to the person that wants to delete it
2205                 if (($item['gravity'] == GRAVITY_PARENT) && ($item['contact-id'] != $importer['id'])) {
2206                         Logger::info('Item with URI ' . $uri . ' do not belong to contact ' . $importer['id'] . ' - ignoring deletion.');
2207                         return;
2208                 }
2209
2210                 // Comments can be deleted by the thread owner or comment owner
2211                 if (($item['gravity'] != GRAVITY_PARENT) && ($item['contact-id'] != $importer['id'])) {
2212                         $condition = ['id' => $item['parent'], 'contact-id' => $importer['id']];
2213                         if (!Post::exists($condition)) {
2214                                 Logger::info('Item with URI ' . $uri . ' was not found or must not be deleted by contact ' . $importer['id'] . ' - ignoring deletion.');
2215                                 return;
2216                         }
2217                 }
2218
2219                 if ($item['deleted']) {
2220                         return;
2221                 }
2222
2223                 Logger::info('deleting item '.$item['id'].' uri='.$uri);
2224
2225                 Item::markForDeletion(['id' => $item['id']]);
2226         }
2227
2228         /**
2229          * Imports a DFRN message
2230          *
2231          * @param string $xml       The DFRN message
2232          * @param array  $importer  Record of the importer user mixed with contact of the content
2233          * @param int    $protocol  Transport protocol
2234          * @param int    $direction Is the message pushed or pulled?
2235          * @return integer Import status
2236          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
2237          * @throws \ImagickException
2238          */
2239         public static function import(string $xml, array $importer, int $protocol, int $direction): int
2240         {
2241                 if ($xml == '') {
2242                         return 400;
2243                 }
2244
2245                 $doc = new DOMDocument();
2246                 @$doc->loadXML($xml);
2247
2248                 $xpath = new DOMXPath($doc);
2249                 $xpath->registerNamespace('atom', ActivityNamespace::ATOM1);
2250                 $xpath->registerNamespace('thr', ActivityNamespace::THREAD);
2251                 $xpath->registerNamespace('at', ActivityNamespace::TOMB);
2252                 $xpath->registerNamespace('media', ActivityNamespace::MEDIA);
2253                 $xpath->registerNamespace('dfrn', ActivityNamespace::DFRN);
2254                 $xpath->registerNamespace('activity', ActivityNamespace::ACTIVITY);
2255                 $xpath->registerNamespace('georss', ActivityNamespace::GEORSS);
2256                 $xpath->registerNamespace('poco', ActivityNamespace::POCO);
2257                 $xpath->registerNamespace('ostatus', ActivityNamespace::OSTATUS);
2258                 $xpath->registerNamespace('statusnet', ActivityNamespace::STATUSNET);
2259
2260                 $header = [];
2261                 $header['uid'] = $importer['importer_uid'];
2262                 $header['network'] = Protocol::DFRN;
2263                 $header['wall'] = 0;
2264                 $header['origin'] = 0;
2265                 $header['contact-id'] = $importer['id'];
2266                 $header['direction'] = $direction;
2267
2268                 if ($direction === Conversation::RELAY) {
2269                         $header['post-reason'] = Item::PR_RELAY;
2270                 }
2271
2272                 // Update the contact table if the data has changed
2273
2274                 // The "atom:author" is only present in feeds
2275                 if ($xpath->query('/atom:feed/atom:author')->length > 0) {
2276                         self::fetchauthor($xpath, $doc->firstChild, $importer, 'atom:author', false, $xml);
2277                 }
2278
2279                 // Only the "dfrn:owner" in the head section contains all data
2280                 if ($xpath->query('/atom:feed/dfrn:owner')->length > 0) {
2281                         self::fetchauthor($xpath, $doc->firstChild, $importer, 'dfrn:owner', false, $xml);
2282                 }
2283
2284                 Logger::info("Import DFRN message for user " . $importer['importer_uid'] . " from contact " . $importer['id']);
2285
2286                 if (!empty($importer['gsid']) && ($protocol == Conversation::PARCEL_DIASPORA_DFRN)) {
2287                         GServer::setProtocol($importer['gsid'], Post\DeliveryData::DFRN);
2288                 }
2289
2290                 // is it a public forum? Private forums aren't exposed with this method
2291                 $forum = intval(XML::getFirstNodeValue($xpath, '/atom:feed/dfrn:community/text()'));
2292
2293                 // The account type is new since 3.5.1
2294                 if ($xpath->query('/atom:feed/dfrn:account_type')->length > 0) {
2295                         // Hint: We are using separate update calls for uid=0 and uid!=0 since a combined call is bad for the database performance
2296
2297                         $accounttype = intval(XML::getFirstNodeValue($xpath, '/atom:feed/dfrn:account_type/text()'));
2298
2299                         if ($accounttype != $importer['contact-type']) {
2300                                 Contact::update(['contact-type' => $accounttype], ['id' => $importer['id']]);
2301
2302                                 // Updating the public contact as well
2303                                 Contact::update(['contact-type' => $accounttype], ['uid' => 0, 'nurl' => $importer['nurl']]);
2304                         }
2305                         // A forum contact can either have set "forum" or "prv" - but not both
2306                         if ($accounttype == User::ACCOUNT_TYPE_COMMUNITY) {
2307                                 // It's a forum, so either set the public or private forum flag
2308                                 $condition = ['(`forum` != ? OR `prv` != ?) AND `id` = ?', $forum, !$forum, $importer['id']];
2309                                 Contact::update(['forum' => $forum, 'prv' => !$forum], $condition);
2310
2311                                 // Updating the public contact as well
2312                                 $condition = ['(`forum` != ? OR `prv` != ?) AND `uid` = 0 AND `nurl` = ?', $forum, !$forum, $importer['nurl']];
2313                                 Contact::update(['forum' => $forum, 'prv' => !$forum], $condition);
2314                         } else {
2315                                 // It's not a forum, so remove the flags
2316                                 $condition = ['(`forum` OR `prv`) AND `id` = ?', $importer['id']];
2317                                 Contact::update(['forum' => false, 'prv' => false], $condition);
2318
2319                                 // Updating the public contact as well
2320                                 $condition = ['(`forum` OR `prv`) AND `uid` = 0 AND `nurl` = ?', $importer['nurl']];
2321                                 Contact::update(['forum' => false, 'prv' => false], $condition);
2322                         }
2323                 } elseif ($forum != $importer['forum']) { // Deprecated since 3.5.1
2324                         $condition = ['`forum` != ? AND `id` = ?', $forum, $importer['id']];
2325                         Contact::update(['forum' => $forum], $condition);
2326
2327                         // Updating the public contact as well
2328                         $condition = ['`forum` != ? AND `uid` = 0 AND `nurl` = ?', $forum, $importer['nurl']];
2329                         Contact::update(['forum' => $forum], $condition);
2330                 }
2331
2332
2333                 // We are processing relocations even if we are ignoring a contact
2334                 $relocations = $xpath->query('/atom:feed/dfrn:relocate');
2335                 foreach ($relocations as $relocation) {
2336                         self::processRelocation($xpath, $relocation, $importer);
2337                 }
2338
2339                 if (($importer['uid'] != 0) && !$importer['readonly']) {
2340                         $mails = $xpath->query('/atom:feed/dfrn:mail');
2341                         foreach ($mails as $mail) {
2342                                 self::processMail($xpath, $mail, $importer);
2343                         }
2344
2345                         $suggestions = $xpath->query('/atom:feed/dfrn:suggest');
2346                         foreach ($suggestions as $suggestion) {
2347                                 self::processSuggestion($xpath, $suggestion, $importer);
2348                         }
2349                 }
2350
2351                 $deletions = $xpath->query('/atom:feed/at:deleted-entry');
2352                 if (!empty($deletions)) {
2353                         foreach ($deletions as $deletion) {
2354                                 self::processDeletion($xpath, $deletion, $importer);
2355                         }
2356                         if (count($deletions) > 0) {
2357                                 Logger::notice(count($deletions) . ' deletions had been processed');
2358                                 return 200;
2359                         }
2360                 }
2361
2362                 $entries = $xpath->query('/atom:feed/atom:entry');
2363                 foreach ($entries as $entry) {
2364                         self::processEntry($header, $xpath, $entry, $importer, $xml, $protocol);
2365                 }
2366
2367                 Logger::info("Import done for user " . $importer['importer_uid'] . " from contact " . $importer['id']);
2368                 return 200;
2369         }
2370
2371         /**
2372          * Returns the activity verb
2373          *
2374          * @param array $item Item array
2375          *
2376          * @return string activity verb
2377          */
2378         private static function constructVerb(array $item): string
2379         {
2380                 if ($item['verb']) {
2381                         return $item['verb'];
2382                 }
2383                 return Activity::POST;
2384         }
2385
2386         // @TODO Documentation missing
2387         private static function tgroupCheck(int $uid, array $item): bool
2388         {
2389                 $mention = false;
2390
2391                 // check that the message originated elsewhere and is a top-level post
2392
2393                 if ($item['wall'] || $item['origin'] || ($item['uri'] != $item['thr-parent'])) {
2394                         return false;
2395                 }
2396
2397                 $user = DBA::selectFirst('user', ['account-type', 'nickname'], ['uid' => $uid]);
2398                 if (!DBA::isResult($user)) {
2399                         return false;
2400                 }
2401
2402                 $link = Strings::normaliseLink(DI::baseUrl() . '/profile/' . $user['nickname']);
2403
2404                 /*
2405                  * Diaspora uses their own hardwired link URL in @-tags
2406                  * instead of the one we supply with webfinger
2407                  */
2408                 $dlink = Strings::normaliseLink(DI::baseUrl() . '/u/' . $user['nickname']);
2409
2410                 $cnt = preg_match_all('/[\@\!]\[url\=(.*?)\](.*?)\[\/url\]/ism', $item['body'], $matches, PREG_SET_ORDER);
2411                 if ($cnt) {
2412                         foreach ($matches as $mtch) {
2413                                 if (Strings::compareLink($link, $mtch[1]) || Strings::compareLink($dlink, $mtch[1])) {
2414                                         $mention = true;
2415                                         Logger::notice('mention found: ' . $mtch[2]);
2416                                 }
2417                         }
2418                 }
2419
2420                 if (!$mention) {
2421                         return false;
2422                 }
2423
2424                 return ($user['account-type'] == User::ACCOUNT_TYPE_COMMUNITY);
2425         }
2426
2427         /**
2428          * This function returns true if $update has an edited timestamp newer
2429          * than $existing, i.e. $update contains new data which should override
2430          * what's already there.  If there is no timestamp yet, the update is
2431          * assumed to be newer.  If the update has no timestamp, the existing
2432          * item is assumed to be up-to-date.  If the timestamps are equal it
2433          * assumes the update has been seen before and should be ignored.
2434          *
2435          * @param array $existing
2436          * @param array $update
2437          * @return bool
2438          * @throws \Exception
2439          */
2440         private static function isEditedTimestampNewer(array $existing, array $update): bool
2441         {
2442                 if (empty($existing['edited'])) {
2443                         return true;
2444                 }
2445                 if (empty($update['edited'])) {
2446                         return false;
2447                 }
2448
2449                 $existing_edited = DateTimeFormat::utc($existing['edited']);
2450                 $update_edited = DateTimeFormat::utc($update['edited']);
2451
2452                 return (strcmp($existing_edited, $update_edited) < 0);
2453         }
2454
2455         /**
2456          * Checks if the given contact url does support DFRN
2457          *
2458          * @param string  $url    profile url
2459          * @return boolean
2460          * @throws \Friendica\Network\HTTPException\InternalServerErrorException
2461          * @throws \ImagickException
2462          */
2463         public static function isSupportedByContactUrl(string $url): bool
2464         {
2465                 $probe = Probe::uri($url, Protocol::DFRN);
2466                 return $probe['network'] == Protocol::DFRN;
2467         }
2468 }