]> git.mxchange.org Git - friendica.git/blob - src/Model/Contact.php
90b86789cc5e8b9201016f2b8cc7c4defc0cb562
[friendica.git] / src / Model / Contact.php
1 <?php
2 /**
3  * @file src/Model/Contact.php
4  */
5 namespace Friendica\Model;
6
7 use Friendica\BaseObject;
8 use Friendica\Content\Pager;
9 use Friendica\Core\Addon;
10 use Friendica\Core\Config;
11 use Friendica\Core\Hook;
12 use Friendica\Core\L10n;
13 use Friendica\Core\Logger;
14 use Friendica\Core\Protocol;
15 use Friendica\Core\System;
16 use Friendica\Core\Worker;
17 use Friendica\Database\DBA;
18 use Friendica\Network\Probe;
19 use Friendica\Object\Image;
20 use Friendica\Protocol\ActivityPub;
21 use Friendica\Protocol\DFRN;
22 use Friendica\Protocol\Diaspora;
23 use Friendica\Protocol\OStatus;
24 use Friendica\Protocol\PortableContact;
25 use Friendica\Protocol\Salmon;
26 use Friendica\Util\DateTimeFormat;
27 use Friendica\Util\Network;
28 use Friendica\Util\Strings;
29
30 /**
31  * @brief functions for interacting with a contact
32  */
33 class Contact extends BaseObject
34 {
35         /**
36          * @name page/profile types
37          *
38          * PAGE_NORMAL is a typical personal profile account
39          * PAGE_SOAPBOX automatically approves all friend requests as Contact::SHARING, (readonly)
40          * PAGE_COMMUNITY automatically approves all friend requests as Contact::SHARING, but with
41          *      write access to wall and comments (no email and not included in page owner's ACL lists)
42          * PAGE_FREELOVE automatically approves all friend requests as full friends (Contact::FRIEND).
43          *
44          * @{
45          */
46         const PAGE_NORMAL    = 0;
47         const PAGE_SOAPBOX   = 1;
48         const PAGE_COMMUNITY = 2;
49         const PAGE_FREELOVE  = 3;
50         const PAGE_BLOG      = 4;
51         const PAGE_PRVGROUP  = 5;
52         /**
53          * @}
54          */
55
56         /**
57          * @name account types
58          *
59          * ACCOUNT_TYPE_PERSON - the account belongs to a person
60          *      Associated page types: PAGE_NORMAL, PAGE_SOAPBOX, PAGE_FREELOVE
61          *
62          * ACCOUNT_TYPE_ORGANISATION - the account belongs to an organisation
63          *      Associated page type: PAGE_SOAPBOX
64          *
65          * ACCOUNT_TYPE_NEWS - the account is a news reflector
66          *      Associated page type: PAGE_SOAPBOX
67          *
68          * ACCOUNT_TYPE_COMMUNITY - the account is community forum
69          *      Associated page types: PAGE_COMMUNITY, PAGE_PRVGROUP
70          *
71          * ACCOUNT_TYPE_RELAY - the account is a relay
72          *      This will only be assigned to contacts, not to user accounts
73          * @{
74          */
75         const ACCOUNT_TYPE_PERSON =       0;
76         const ACCOUNT_TYPE_ORGANISATION = 1;
77         const ACCOUNT_TYPE_NEWS =         2;
78         const ACCOUNT_TYPE_COMMUNITY =    3;
79         const ACCOUNT_TYPE_RELAY =        4;
80         /**
81          * @}
82          */
83
84         /**
85          * @name Contact_is
86          *
87          * Relationship types
88          * @{
89          */
90         const FOLLOWER = 1;
91         const SHARING  = 2;
92         const FRIEND   = 3;
93         /**
94          * @}
95          */
96
97         /**
98          * @brief Tests if the given contact is a follower
99          *
100          * @param int $cid Either public contact id or user's contact id
101          * @param int $uid User ID
102          *
103          * @return boolean is the contact id a follower?
104          */
105         public static function isFollower($cid, $uid)
106         {
107                 if (self::isBlockedByUser($cid, $uid)) {
108                         return false;
109                 }
110
111                 $cdata = self::getPublicAndUserContacID($cid, $uid);
112                 if (empty($cdata['user'])) {
113                         return false;
114                 }
115
116                 $condition = ['id' => $cdata['user'], 'rel' => [self::FOLLOWER, self::FRIEND]];
117                 return DBA::exists('contact', $condition);
118         }
119
120         /**
121          * @brief Get the basepath for a given contact link
122          * @todo Add functionality to store this value in the contact table
123          *
124          * @param string $url The contact link
125          *
126          * @return string basepath
127          */
128         public static function getBasepath($url)
129         {
130                 $data = Probe::uri($url);
131                 if (!empty($data['baseurl'])) {
132                         return $data['baseurl'];
133                 }
134
135                 // When we can't probe the server, we use some ugly function that does some pattern matching
136                 return PortableContact::detectServer($url);
137         }
138
139         /**
140          * @brief Returns the contact id for the user and the public contact id for a given contact id
141          *
142          * @param int $cid Either public contact id or user's contact id
143          * @param int $uid User ID
144          *
145          * @return array with public and user's contact id
146          */
147         public static function getPublicAndUserContacID($cid, $uid)
148         {
149                 if (empty($uid) || empty($cid)) {
150                         return [];
151                 }
152
153                 $contact = DBA::selectFirst('contact', ['id', 'uid', 'url'], ['id' => $cid]);
154                 if (!DBA::isResult($contact)) {
155                         return [];
156                 }
157
158                 // We quit when the user id don't match the user id of the provided contact
159                 if (($contact['uid'] != $uid) && ($contact['uid'] != 0)) {
160                         return [];
161                 }
162
163                 if ($contact['uid'] != 0) {
164                         $pcid = Contact::getIdForURL($contact['url'], 0, true, ['url' => $contact['url']]);
165                         if (empty($pcid)) {
166                                 return [];
167                         }
168                         $ucid = $contact['id'];
169                 } else {
170                         $pcid = $contact['id'];
171                         $ucid = Contact::getIdForURL($contact['url'], $uid, true);
172                 }
173
174                 return ['public' => $pcid, 'user' => $ucid];
175         }
176
177         /**
178          * @brief Block contact id for user id
179          *
180          * @param int     $cid     Either public contact id or user's contact id
181          * @param int     $uid     User ID
182          * @param boolean $blocked Is the contact blocked or unblocked?
183          */
184         public static function setBlockedForUser($cid, $uid, $blocked)
185         {
186                 $cdata = self::getPublicAndUserContacID($cid, $uid);
187                 if (empty($cdata)) {
188                         return;
189                 }
190
191                 if ($cdata['user'] != 0) {
192                         DBA::update('contact', ['blocked' => $blocked], ['id' => $cdata['user'], 'pending' => false]);
193                 }
194
195                 DBA::update('user-contact', ['blocked' => $blocked], ['cid' => $cdata['public'], 'uid' => $uid], true);
196         }
197
198         /**
199          * @brief Returns "block" state for contact id and user id
200          *
201          * @param int $cid Either public contact id or user's contact id
202          * @param int $uid User ID
203          *
204          * @return boolean is the contact id blocked for the given user?
205          */
206         public static function isBlockedByUser($cid, $uid)
207         {
208                 $cdata = self::getPublicAndUserContacID($cid, $uid);
209                 if (empty($cdata)) {
210                         return;
211                 }
212
213                 $public_blocked = false;
214
215                 if (!empty($cdata['public'])) {
216                         $public_contact = DBA::selectFirst('user-contact', ['blocked'], ['cid' => $cdata['public'], 'uid' => $uid]);
217                         if (DBA::isResult($public_contact)) {
218                                 $public_blocked = $public_contact['blocked'];
219                         }
220                 }
221
222                 $user_blocked = $public_blocked;
223
224                 if (!empty($cdata['user'])) {
225                         $user_contact = DBA::selectFirst('contact', ['blocked'], ['id' => $cdata['user'], 'pending' => false]);
226                         if (DBA::isResult($user_contact)) {
227                                 $user_blocked = $user_contact['blocked'];
228                         }
229                 }
230
231                 if ($user_blocked != $public_blocked) {
232                         DBA::update('user-contact', ['blocked' => $user_blocked], ['cid' => $cdata['public'], 'uid' => $uid], true);
233                 }
234
235                 return $user_blocked;
236         }
237
238         /**
239          * @brief Ignore contact id for user id
240          *
241          * @param int     $cid     Either public contact id or user's contact id
242          * @param int     $uid     User ID
243          * @param boolean $ignored Is the contact ignored or unignored?
244          */
245         public static function setIgnoredForUser($cid, $uid, $ignored)
246         {
247                 $cdata = self::getPublicAndUserContacID($cid, $uid);
248                 if (empty($cdata)) {
249                         return;
250                 }
251
252                 if ($cdata['user'] != 0) {
253                         DBA::update('contact', ['readonly' => $ignored], ['id' => $cdata['user'], 'pending' => false]);
254                 }
255
256                 DBA::update('user-contact', ['ignored' => $ignored], ['cid' => $cdata['public'], 'uid' => $uid], true);
257         }
258
259         /**
260          * @brief Returns "ignore" state for contact id and user id
261          *
262          * @param int $cid Either public contact id or user's contact id
263          * @param int $uid User ID
264          *
265          * @return boolean is the contact id ignored for the given user?
266          */
267         public static function isIgnoredByUser($cid, $uid)
268         {
269                 $cdata = self::getPublicAndUserContacID($cid, $uid);
270                 if (empty($cdata)) {
271                         return;
272                 }
273
274                 $public_ignored = false;
275
276                 if (!empty($cdata['public'])) {
277                         $public_contact = DBA::selectFirst('user-contact', ['ignored'], ['cid' => $cdata['public'], 'uid' => $uid]);
278                         if (DBA::isResult($public_contact)) {
279                                 $public_ignored = $public_contact['ignored'];
280                         }
281                 }
282
283                 $user_ignored = $public_ignored;
284
285                 if (!empty($cdata['user'])) {
286                         $user_contact = DBA::selectFirst('contact', ['readonly'], ['id' => $cdata['user'], 'pending' => false]);
287                         if (DBA::isResult($user_contact)) {
288                                 $user_ignored = $user_contact['readonly'];
289                         }
290                 }
291
292                 if ($user_ignored != $public_ignored) {
293                         DBA::update('user-contact', ['ignored' => $user_ignored], ['cid' => $cdata['public'], 'uid' => $uid], true);
294                 }
295
296                 return $user_ignored;
297         }
298
299         /**
300          * @brief Set "collapsed" for contact id and user id
301          *
302          * @param int     $cid       Either public contact id or user's contact id
303          * @param int     $uid       User ID
304          * @param boolean $collapsed are the contact's posts collapsed or uncollapsed?
305          */
306         public static function setCollapsedForUser($cid, $uid, $collapsed)
307         {
308                 $cdata = self::getPublicAndUserContacID($cid, $uid);
309                 if (empty($cdata)) {
310                         return;
311                 }
312
313                 DBA::update('user-contact', ['collapsed' => $collapsed], ['cid' => $cdata['public'], 'uid' => $uid], true);
314         }
315
316         /**
317          * @brief Returns "collapsed" state for contact id and user id
318          *
319          * @param int $cid Either public contact id or user's contact id
320          * @param int $uid User ID
321          *
322          * @return boolean is the contact id blocked for the given user?
323          */
324         public static function isCollapsedByUser($cid, $uid)
325         {
326                 $cdata = self::getPublicAndUserContacID($cid, $uid);
327                 if (empty($cdata)) {
328                         return;
329                 }
330
331                 $collapsed = false;
332
333                 if (!empty($cdata['public'])) {
334                         $public_contact = DBA::selectFirst('user-contact', ['collapsed'], ['cid' => $cdata['public'], 'uid' => $uid]);
335                         if (DBA::isResult($public_contact)) {
336                                 $collapsed = $public_contact['collapsed'];
337                         }
338                 }
339
340                 return $collapsed;
341         }
342
343         /**
344          * @brief Returns a list of contacts belonging in a group
345          *
346          * @param int $gid
347          * @return array
348          */
349         public static function getByGroupId($gid)
350         {
351                 $return = [];
352
353                 if (intval($gid)) {
354                         $stmt = DBA::p('SELECT `group_member`.`contact-id`, `contact`.*
355                                 FROM `contact`
356                                 INNER JOIN `group_member`
357                                         ON `contact`.`id` = `group_member`.`contact-id`
358                                 WHERE `gid` = ?
359                                 AND `contact`.`uid` = ?
360                                 AND NOT `contact`.`self`
361                                 AND NOT `contact`.`deleted`
362                                 AND NOT `contact`.`blocked`
363                                 AND NOT `contact`.`pending`
364                                 ORDER BY `contact`.`name` ASC',
365                                 $gid,
366                                 local_user()
367                         );
368
369                         if (DBA::isResult($stmt)) {
370                                 $return = DBA::toArray($stmt);
371                         }
372                 }
373
374                 return $return;
375         }
376
377         /**
378          * @brief Returns the count of OStatus contacts in a group
379          *
380          * @param int $gid
381          * @return int
382          */
383         public static function getOStatusCountByGroupId($gid)
384         {
385                 $return = 0;
386                 if (intval($gid)) {
387                         $contacts = DBA::fetchFirst('SELECT COUNT(*) AS `count`
388                                 FROM `contact`
389                                 INNER JOIN `group_member`
390                                         ON `contact`.`id` = `group_member`.`contact-id`
391                                 WHERE `gid` = ?
392                                 AND `contact`.`uid` = ?
393                                 AND `contact`.`network` = ?
394                                 AND `contact`.`notify` != ""',
395                                 $gid,
396                                 local_user(),
397                                 Protocol::OSTATUS
398                         );
399                         $return = $contacts['count'];
400                 }
401
402                 return $return;
403         }
404
405         /**
406          * Creates the self-contact for the provided user id
407          *
408          * @param int $uid
409          * @return bool Operation success
410          */
411         public static function createSelfFromUserId($uid)
412         {
413                 // Only create the entry if it doesn't exist yet
414                 if (DBA::exists('contact', ['uid' => $uid, 'self' => true])) {
415                         return true;
416                 }
417
418                 $user = DBA::selectFirst('user', ['uid', 'username', 'nickname'], ['uid' => $uid]);
419                 if (!DBA::isResult($user)) {
420                         return false;
421                 }
422
423                 $return = DBA::insert('contact', [
424                         'uid'         => $user['uid'],
425                         'created'     => DateTimeFormat::utcNow(),
426                         'self'        => 1,
427                         'name'        => $user['username'],
428                         'nick'        => $user['nickname'],
429                         'photo'       => System::baseUrl() . '/photo/profile/' . $user['uid'] . '.jpg',
430                         'thumb'       => System::baseUrl() . '/photo/avatar/'  . $user['uid'] . '.jpg',
431                         'micro'       => System::baseUrl() . '/photo/micro/'   . $user['uid'] . '.jpg',
432                         'blocked'     => 0,
433                         'pending'     => 0,
434                         'url'         => System::baseUrl() . '/profile/' . $user['nickname'],
435                         'nurl'        => Strings::normaliseLink(System::baseUrl() . '/profile/' . $user['nickname']),
436                         'addr'        => $user['nickname'] . '@' . substr(System::baseUrl(), strpos(System::baseUrl(), '://') + 3),
437                         'request'     => System::baseUrl() . '/dfrn_request/' . $user['nickname'],
438                         'notify'      => System::baseUrl() . '/dfrn_notify/'  . $user['nickname'],
439                         'poll'        => System::baseUrl() . '/dfrn_poll/'    . $user['nickname'],
440                         'confirm'     => System::baseUrl() . '/dfrn_confirm/' . $user['nickname'],
441                         'poco'        => System::baseUrl() . '/poco/'         . $user['nickname'],
442                         'name-date'   => DateTimeFormat::utcNow(),
443                         'uri-date'    => DateTimeFormat::utcNow(),
444                         'avatar-date' => DateTimeFormat::utcNow(),
445                         'closeness'   => 0
446                 ]);
447
448                 return $return;
449         }
450
451         /**
452          * Updates the self-contact for the provided user id
453          *
454          * @param int $uid
455          * @param boolean $update_avatar Force the avatar update
456          */
457         public static function updateSelfFromUserID($uid, $update_avatar = false)
458         {
459                 $fields = ['id', 'name', 'nick', 'location', 'about', 'keywords', 'gender', 'avatar',
460                         'xmpp', 'contact-type', 'forum', 'prv', 'avatar-date', 'url', 'nurl',
461                         'photo', 'thumb', 'micro', 'addr', 'request', 'notify', 'poll', 'confirm', 'poco'];
462                 $self = DBA::selectFirst('contact', $fields, ['uid' => $uid, 'self' => true]);
463                 if (!DBA::isResult($self)) {
464                         return;
465                 }
466
467                 $fields = ['nickname', 'page-flags', 'account-type'];
468                 $user = DBA::selectFirst('user', $fields, ['uid' => $uid]);
469                 if (!DBA::isResult($user)) {
470                         return;
471                 }
472
473                 $fields = ['name', 'photo', 'thumb', 'about', 'address', 'locality', 'region',
474                         'country-name', 'gender', 'pub_keywords', 'xmpp'];
475                 $profile = DBA::selectFirst('profile', $fields, ['uid' => $uid, 'is-default' => true]);
476                 if (!DBA::isResult($profile)) {
477                         return;
478                 }
479
480                 $fields = ['name' => $profile['name'], 'nick' => $user['nickname'],
481                         'avatar-date' => $self['avatar-date'], 'location' => Profile::formatLocation($profile),
482                         'about' => $profile['about'], 'keywords' => $profile['pub_keywords'],
483                         'gender' => $profile['gender'], 'avatar' => $profile['photo'],
484                         'contact-type' => $user['account-type'], 'xmpp' => $profile['xmpp']];
485
486                 $avatar = DBA::selectFirst('photo', ['resource-id', 'type'], ['uid' => $uid, 'profile' => true]);
487                 if (DBA::isResult($avatar)) {
488                         if ($update_avatar) {
489                                 $fields['avatar-date'] = DateTimeFormat::utcNow();
490                         }
491
492                         // Creating the path to the avatar, beginning with the file suffix
493                         $types = Image::supportedTypes();
494                         if (isset($types[$avatar['type']])) {
495                                 $file_suffix = $types[$avatar['type']];
496                         } else {
497                                 $file_suffix = 'jpg';
498                         }
499
500                         // We are adding a timestamp value so that other systems won't use cached content
501                         $timestamp = strtotime($fields['avatar-date']);
502
503                         $prefix = System::baseUrl() . '/photo/' .$avatar['resource-id'] . '-';
504                         $suffix = '.' . $file_suffix . '?ts=' . $timestamp;
505
506                         $fields['photo'] = $prefix . '4' . $suffix;
507                         $fields['thumb'] = $prefix . '5' . $suffix;
508                         $fields['micro'] = $prefix . '6' . $suffix;
509                 } else {
510                         // We hadn't found a photo entry, so we use the default avatar
511                         $fields['photo'] = System::baseUrl() . '/images/person-300.jpg';
512                         $fields['thumb'] = System::baseUrl() . '/images/person-80.jpg';
513                         $fields['micro'] = System::baseUrl() . '/images/person-48.jpg';
514                 }
515
516                 $fields['forum'] = $user['page-flags'] == self::PAGE_COMMUNITY;
517                 $fields['prv'] = $user['page-flags'] == self::PAGE_PRVGROUP;
518
519                 // it seems as if ported accounts can have wrong values, so we make sure that now everything is fine.
520                 $fields['url'] = System::baseUrl() . '/profile/' . $user['nickname'];
521                 $fields['nurl'] = Strings::normaliseLink($fields['url']);
522                 $fields['addr'] = $user['nickname'] . '@' . substr(System::baseUrl(), strpos(System::baseUrl(), '://') + 3);
523                 $fields['request'] = System::baseUrl() . '/dfrn_request/' . $user['nickname'];
524                 $fields['notify'] = System::baseUrl() . '/dfrn_notify/' . $user['nickname'];
525                 $fields['poll'] = System::baseUrl() . '/dfrn_poll/'. $user['nickname'];
526                 $fields['confirm'] = System::baseUrl() . '/dfrn_confirm/' . $user['nickname'];
527                 $fields['poco'] = System::baseUrl() . '/poco/' . $user['nickname'];
528
529                 $update = false;
530
531                 foreach ($fields as $field => $content) {
532                         if ($self[$field] != $content) {
533                                 $update = true;
534                         }
535                 }
536
537                 if ($update) {
538                         $fields['name-date'] = DateTimeFormat::utcNow();
539                         DBA::update('contact', $fields, ['id' => $self['id']]);
540
541                         // Update the public contact as well
542                         DBA::update('contact', $fields, ['uid' => 0, 'nurl' => $self['nurl']]);
543
544                         // Update the profile
545                         $fields = ['photo' => System::baseUrl() . '/photo/profile/' .$uid . '.jpg',
546                                 'thumb' => System::baseUrl() . '/photo/avatar/' . $uid .'.jpg'];
547                         DBA::update('profile', $fields, ['uid' => $uid, 'is-default' => true]);
548                 }
549         }
550
551         /**
552          * @brief Marks a contact for removal
553          *
554          * @param int $id contact id
555          * @return null
556          */
557         public static function remove($id)
558         {
559                 // We want just to make sure that we don't delete our "self" contact
560                 $contact = DBA::selectFirst('contact', ['uid'], ['id' => $id, 'self' => false]);
561                 if (!DBA::isResult($contact) || !intval($contact['uid'])) {
562                         return;
563                 }
564
565                 // Archive the contact
566                 DBA::update('contact', ['archive' => true, 'network' => Protocol::PHANTOM, 'deleted' => true], ['id' => $id]);
567
568                 // Delete it in the background
569                 Worker::add(PRIORITY_LOW, 'RemoveContact', $id);
570         }
571
572         /**
573          * @brief Sends an unfriend message. Does not remove the contact
574          *
575          * @param array   $user     User unfriending
576          * @param array   $contact  Contact unfriended
577          * @param boolean $dissolve Remove the contact on the remote side
578          * @return void
579          */
580         public static function terminateFriendship(array $user, array $contact, $dissolve = false)
581         {
582                 if (($contact['network'] == Protocol::DFRN) && $dissolve) {
583                         DFRN::deliver($user, $contact, 'placeholder', true);
584                 } elseif (in_array($contact['network'], [Protocol::OSTATUS, Protocol::DFRN])) {
585                         // create an unfollow slap
586                         $item = [];
587                         $item['verb'] = NAMESPACE_OSTATUS . "/unfollow";
588                         $item['follow'] = $contact["url"];
589                         $item['body'] = '';
590                         $item['title'] = '';
591                         $item['guid'] = '';
592                         $item['tag'] = '';
593                         $item['attach'] = '';
594                         $slap = OStatus::salmon($item, $user);
595
596                         if (!empty($contact['notify'])) {
597                                 Salmon::slapper($user, $contact['notify'], $slap);
598                         }
599                 } elseif ($contact['network'] == Protocol::DIASPORA) {
600                         Diaspora::sendUnshare($user, $contact);
601                 } elseif ($contact['network'] == Protocol::ACTIVITYPUB) {
602                         ActivityPub\Transmitter::sendContactUndo($contact['url'], $contact['id'], $user['uid']);
603
604                         if ($dissolve) {
605                                 ActivityPub\Transmitter::sendContactReject($contact['url'], $contact['hub-verify'], $user['uid']);
606                         }
607                 }
608         }
609
610         /**
611          * @brief Marks a contact for archival after a communication issue delay
612          *
613          * Contact has refused to recognise us as a friend. We will start a countdown.
614          * If they still don't recognise us in 32 days, the relationship is over,
615          * and we won't waste any more time trying to communicate with them.
616          * This provides for the possibility that their database is temporarily messed
617          * up or some other transient event and that there's a possibility we could recover from it.
618          *
619          * @param array $contact contact to mark for archival
620          * @return null
621          */
622         public static function markForArchival(array $contact)
623         {
624                 if (!isset($contact['url']) && !empty($contact['id'])) {
625                         $fields = ['id', 'url', 'archive', 'self', 'term-date'];
626                         $contact = DBA::selectFirst('contact', [], ['id' => $contact['id']]);
627                         if (!DBA::isResult($contact)) {
628                                 return;
629                         }
630                 } elseif (!isset($contact['url'])) {
631                         Logger::log('Empty contact: ' . json_encode($contact) . ' - ' . System::callstack(20), Logger::DEBUG);
632                 }
633
634                 // Contact already archived or "self" contact? => nothing to do
635                 if ($contact['archive'] || $contact['self']) {
636                         return;
637                 }
638
639                 if ($contact['term-date'] <= DBA::NULL_DATETIME) {
640                         DBA::update('contact', ['term-date' => DateTimeFormat::utcNow()], ['id' => $contact['id']]);
641                         DBA::update('contact', ['term-date' => DateTimeFormat::utcNow()], ['`nurl` = ? AND `term-date` <= ? AND NOT `self`', Strings::normaliseLink($contact['url']), DBA::NULL_DATETIME]);
642                 } else {
643                         /* @todo
644                          * We really should send a notification to the owner after 2-3 weeks
645                          * so they won't be surprised when the contact vanishes and can take
646                          * remedial action if this was a serious mistake or glitch
647                          */
648
649                         /// @todo Check for contact vitality via probing
650                         $archival_days = Config::get('system', 'archival_days', 32);
651
652                         $expiry = $contact['term-date'] . ' + ' . $archival_days . ' days ';
653                         if (DateTimeFormat::utcNow() > DateTimeFormat::utc($expiry)) {
654                                 /* Relationship is really truly dead. archive them rather than
655                                  * delete, though if the owner tries to unarchive them we'll start
656                                  * the whole process over again.
657                                  */
658                                 DBA::update('contact', ['archive' => 1], ['id' => $contact['id']]);
659                                 DBA::update('contact', ['archive' => 1], ['nurl' => Strings::normaliseLink($contact['url']), 'self' => false]);
660                         }
661                 }
662         }
663
664         /**
665          * @brief Cancels the archival countdown
666          *
667          * @see Contact::markForArchival()
668          *
669          * @param array $contact contact to be unmarked for archival
670          * @return null
671          */
672         public static function unmarkForArchival(array $contact)
673         {
674                 $condition = ['`id` = ? AND (`term-date` > ? OR `archive`)', $contact['id'], DBA::NULL_DATETIME];
675                 $exists = DBA::exists('contact', $condition);
676
677                 // We don't need to update, we never marked this contact for archival
678                 if (!$exists) {
679                         return;
680                 }
681
682                 if (!isset($contact['url']) && !empty($contact['id'])) {
683                         $fields = ['id', 'url', 'batch'];
684                         $contact = DBA::selectFirst('contact', [], ['id' => $contact['id']]);
685                         if (!DBA::isResult($contact)) {
686                                 return;
687                         }
688                 }
689
690                 // It's a miracle. Our dead contact has inexplicably come back to life.
691                 $fields = ['term-date' => DBA::NULL_DATETIME, 'archive' => false];
692                 DBA::update('contact', $fields, ['id' => $contact['id']]);
693                 DBA::update('contact', $fields, ['nurl' => Strings::normaliseLink($contact['url'])]);
694
695                 if (!empty($contact['batch'])) {
696                         $condition = ['batch' => $contact['batch'], 'contact-type' => self::ACCOUNT_TYPE_RELAY];
697                         DBA::update('contact', $fields, $condition);
698                 }
699         }
700
701         /**
702          * @brief Get contact data for a given profile link
703          *
704          * The function looks at several places (contact table and gcontact table) for the contact
705          * It caches its result for the same script execution to prevent duplicate calls
706          *
707          * @param string $url     The profile link
708          * @param int    $uid     User id
709          * @param array  $default If not data was found take this data as default value
710          *
711          * @return array Contact data
712          */
713         public static function getDetailsByURL($url, $uid = -1, array $default = [])
714         {
715                 static $cache = [];
716
717                 if ($url == '') {
718                         return $default;
719                 }
720
721                 if ($uid == -1) {
722                         $uid = local_user();
723                 }
724
725                 if (isset($cache[$url][$uid])) {
726                         return $cache[$url][$uid];
727                 }
728
729                 $ssl_url = str_replace('http://', 'https://', $url);
730
731                 // Fetch contact data from the contact table for the given user
732                 $s = DBA::p("SELECT `id`, `id` AS `cid`, 0 AS `gid`, 0 AS `zid`, `uid`, `url`, `nurl`, `alias`, `network`, `name`, `nick`, `addr`, `location`, `about`, `xmpp`,
733                         `keywords`, `gender`, `photo`, `thumb`, `micro`, `forum`, `prv`, (`forum` | `prv`) AS `community`, `contact-type`, `bd` AS `birthday`, `self`
734                 FROM `contact` WHERE `nurl` = ? AND `uid` = ?", Strings::normaliseLink($url), $uid);
735                 $r = DBA::toArray($s);
736
737                 // Fetch contact data from the contact table for the given user, checking with the alias
738                 if (!DBA::isResult($r)) {
739                         $s = DBA::p("SELECT `id`, `id` AS `cid`, 0 AS `gid`, 0 AS `zid`, `uid`, `url`, `nurl`, `alias`, `network`, `name`, `nick`, `addr`, `location`, `about`, `xmpp`,
740                                 `keywords`, `gender`, `photo`, `thumb`, `micro`, `forum`, `prv`, (`forum` | `prv`) AS `community`, `contact-type`, `bd` AS `birthday`, `self`
741                         FROM `contact` WHERE `alias` IN (?, ?, ?) AND `uid` = ?", Strings::normaliseLink($url), $url, $ssl_url, $uid);
742                         $r = DBA::toArray($s);
743                 }
744
745                 // Fetch the data from the contact table with "uid=0" (which is filled automatically)
746                 if (!DBA::isResult($r)) {
747                         $s = DBA::p("SELECT `id`, 0 AS `cid`, `id` AS `zid`, 0 AS `gid`, `uid`, `url`, `nurl`, `alias`, `network`, `name`, `nick`, `addr`, `location`, `about`, `xmpp`,
748                         `keywords`, `gender`, `photo`, `thumb`, `micro`, `forum`, `prv`, (`forum` | `prv`) AS `community`, `contact-type`, `bd` AS `birthday`, 0 AS `self`
749                         FROM `contact` WHERE `nurl` = ? AND `uid` = 0", Strings::normaliseLink($url));
750                         $r = DBA::toArray($s);
751                 }
752
753                 // Fetch the data from the contact table with "uid=0" (which is filled automatically) - checked with the alias
754                 if (!DBA::isResult($r)) {
755                         $s = DBA::p("SELECT `id`, 0 AS `cid`, `id` AS `zid`, 0 AS `gid`, `uid`, `url`, `nurl`, `alias`, `network`, `name`, `nick`, `addr`, `location`, `about`, `xmpp`,
756                         `keywords`, `gender`, `photo`, `thumb`, `micro`, `forum`, `prv`, (`forum` | `prv`) AS `community`, `contact-type`, `bd` AS `birthday`, 0 AS `self`
757                         FROM `contact` WHERE `alias` IN (?, ?, ?) AND `uid` = 0", Strings::normaliseLink($url), $url, $ssl_url);
758                         $r = DBA::toArray($s);
759                 }
760
761                 // Fetch the data from the gcontact table
762                 if (!DBA::isResult($r)) {
763                         $s = DBA::p("SELECT 0 AS `id`, 0 AS `cid`, `id` AS `gid`, 0 AS `zid`, 0 AS `uid`, `url`, `nurl`, `alias`, `network`, `name`, `nick`, `addr`, `location`, `about`, '' AS `xmpp`,
764                         `keywords`, `gender`, `photo`, `photo` AS `thumb`, `photo` AS `micro`, 0 AS `forum`, 0 AS `prv`, `community`, `contact-type`, `birthday`, 0 AS `self`
765                         FROM `gcontact` WHERE `nurl` = ?", Strings::normaliseLink($url));
766                         $r = DBA::toArray($s);
767                 }
768
769                 if (DBA::isResult($r)) {
770                         // If there is more than one entry we filter out the connector networks
771                         if (count($r) > 1) {
772                                 foreach ($r as $id => $result) {
773                                         if ($result["network"] == Protocol::STATUSNET) {
774                                                 unset($r[$id]);
775                                         }
776                                 }
777                         }
778
779                         $profile = array_shift($r);
780
781                         // "bd" always contains the upcoming birthday of a contact.
782                         // "birthday" might contain the birthday including the year of birth.
783                         if ($profile["birthday"] > DBA::NULL_DATE) {
784                                 $bd_timestamp = strtotime($profile["birthday"]);
785                                 $month = date("m", $bd_timestamp);
786                                 $day = date("d", $bd_timestamp);
787
788                                 $current_timestamp = time();
789                                 $current_year = date("Y", $current_timestamp);
790                                 $current_month = date("m", $current_timestamp);
791                                 $current_day = date("d", $current_timestamp);
792
793                                 $profile["bd"] = $current_year . "-" . $month . "-" . $day;
794                                 $current = $current_year . "-" . $current_month . "-" . $current_day;
795
796                                 if ($profile["bd"] < $current) {
797                                         $profile["bd"] = ( ++$current_year) . "-" . $month . "-" . $day;
798                                 }
799                         } else {
800                                 $profile["bd"] = DBA::NULL_DATE;
801                         }
802                 } else {
803                         $profile = $default;
804                 }
805
806                 if (empty($profile["photo"]) && isset($default["photo"])) {
807                         $profile["photo"] = $default["photo"];
808                 }
809
810                 if (empty($profile["name"]) && isset($default["name"])) {
811                         $profile["name"] = $default["name"];
812                 }
813
814                 if (empty($profile["network"]) && isset($default["network"])) {
815                         $profile["network"] = $default["network"];
816                 }
817
818                 if (empty($profile["thumb"]) && isset($profile["photo"])) {
819                         $profile["thumb"] = $profile["photo"];
820                 }
821
822                 if (empty($profile["micro"]) && isset($profile["thumb"])) {
823                         $profile["micro"] = $profile["thumb"];
824                 }
825
826                 if ((empty($profile["addr"]) || empty($profile["name"])) && (defaults($profile, "gid", 0) != 0)
827                         && in_array($profile["network"], [Protocol::ACTIVITYPUB, Protocol::DFRN, Protocol::DIASPORA, Protocol::OSTATUS])
828                 ) {
829                         Worker::add(PRIORITY_LOW, "UpdateGContact", $profile["gid"]);
830                 }
831
832                 // Show contact details of Diaspora contacts only if connected
833                 if ((defaults($profile, "cid", 0) == 0) && (defaults($profile, "network", "") == Protocol::DIASPORA)) {
834                         $profile["location"] = "";
835                         $profile["about"] = "";
836                         $profile["gender"] = "";
837                         $profile["birthday"] = DBA::NULL_DATE;
838                 }
839
840                 $cache[$url][$uid] = $profile;
841
842                 return $profile;
843         }
844
845         /**
846          * @brief Get contact data for a given address
847          *
848          * The function looks at several places (contact table and gcontact table) for the contact
849          *
850          * @param string $addr The profile link
851          * @param int    $uid  User id
852          *
853          * @return array Contact data
854          */
855         public static function getDetailsByAddr($addr, $uid = -1)
856         {
857                 static $cache = [];
858
859                 if ($addr == '') {
860                         return [];
861                 }
862
863                 if ($uid == -1) {
864                         $uid = local_user();
865                 }
866
867                 // Fetch contact data from the contact table for the given user
868                 $r = q("SELECT `id`, `id` AS `cid`, 0 AS `gid`, 0 AS `zid`, `uid`, `url`, `nurl`, `alias`, `network`, `name`, `nick`, `addr`, `location`, `about`, `xmpp`,
869                         `keywords`, `gender`, `photo`, `thumb`, `micro`, `forum`, `prv`, (`forum` | `prv`) AS `community`, `contact-type`, `bd` AS `birthday`, `self`
870                         FROM `contact` WHERE `addr` = '%s' AND `uid` = %d AND NOT `deleted`",
871                         DBA::escape($addr),
872                         intval($uid)
873                 );
874                 // Fetch the data from the contact table with "uid=0" (which is filled automatically)
875                 if (!DBA::isResult($r)) {
876                         $r = q("SELECT `id`, 0 AS `cid`, `id` AS `zid`, 0 AS `gid`, `uid`, `url`, `nurl`, `alias`, `network`, `name`, `nick`, `addr`, `location`, `about`, `xmpp`,
877                                 `keywords`, `gender`, `photo`, `thumb`, `micro`, `forum`, `prv`, (`forum` | `prv`) AS `community`, `contact-type`, `bd` AS `birthday`, 0 AS `self`
878                                 FROM `contact` WHERE `addr` = '%s' AND `uid` = 0 AND NOT `deleted`",
879                                 DBA::escape($addr)
880                         );
881                 }
882
883                 // Fetch the data from the gcontact table
884                 if (!DBA::isResult($r)) {
885                         $r = q("SELECT 0 AS `id`, 0 AS `cid`, `id` AS `gid`, 0 AS `zid`, 0 AS `uid`, `url`, `nurl`, `alias`, `network`, `name`, `nick`, `addr`, `location`, `about`, '' AS `xmpp`,
886                                 `keywords`, `gender`, `photo`, `photo` AS `thumb`, `photo` AS `micro`, `community` AS `forum`, 0 AS `prv`, `community`, `contact-type`, `birthday`, 0 AS `self`
887                                 FROM `gcontact` WHERE `addr` = '%s'",
888                                 DBA::escape($addr)
889                         );
890                 }
891
892                 if (!DBA::isResult($r)) {
893                         $data = Probe::uri($addr);
894
895                         $profile = self::getDetailsByURL($data['url'], $uid);
896                 } else {
897                         $profile = $r[0];
898                 }
899
900                 return $profile;
901         }
902
903         /**
904          * @brief Returns the data array for the photo menu of a given contact
905          *
906          * @param array $contact contact
907          * @param int   $uid     optional, default 0
908          * @return array
909          */
910         public static function photoMenu(array $contact, $uid = 0)
911         {
912                 // @todo Unused, to be removed
913                 $a = \get_app();
914
915                 $contact_url = '';
916                 $pm_url = '';
917                 $status_link = '';
918                 $photos_link = '';
919                 $posts_link = '';
920                 $contact_drop_link = '';
921                 $poke_link = '';
922
923                 if ($uid == 0) {
924                         $uid = local_user();
925                 }
926
927                 if (empty($contact['uid']) || ($contact['uid'] != $uid)) {
928                         if ($uid == 0) {
929                                 $profile_link = self::magicLink($contact['url']);
930                                 $menu = ['profile' => [L10n::t('View Profile'), $profile_link, true]];
931
932                                 return $menu;
933                         }
934
935                         // Look for our own contact if the uid doesn't match and isn't public
936                         $contact_own = DBA::selectFirst('contact', [], ['nurl' => $contact['nurl'], 'network' => $contact['network'], 'uid' => $uid]);
937                         if (DBA::isResult($contact_own)) {
938                                 return self::photoMenu($contact_own, $uid);
939                         }
940                 }
941
942                 $sparkle = false;
943                 if (($contact['network'] === Protocol::DFRN) && !$contact['self']) {
944                         $sparkle = true;
945                         $profile_link = System::baseUrl() . '/redir/' . $contact['id'];
946                 } else {
947                         $profile_link = $contact['url'];
948                 }
949
950                 if ($profile_link === 'mailbox') {
951                         $profile_link = '';
952                 }
953
954                 if ($sparkle) {
955                         $status_link = $profile_link . '?url=status';
956                         $photos_link = $profile_link . '?url=photos';
957                         $profile_link = $profile_link . '?url=profile';
958                 }
959
960                 if (in_array($contact['network'], [Protocol::DFRN, Protocol::DIASPORA]) && !$contact['self']) {
961                         $pm_url = System::baseUrl() . '/message/new/' . $contact['id'];
962                 }
963
964                 if (($contact['network'] == Protocol::DFRN) && !$contact['self']) {
965                         $poke_link = System::baseUrl() . '/poke/?f=&c=' . $contact['id'];
966                 }
967
968                 $contact_url = System::baseUrl() . '/contact/' . $contact['id'];
969
970                 $posts_link = System::baseUrl() . '/contact/' . $contact['id'] . '/conversations';
971
972                 if (!$contact['self']) {
973                         $contact_drop_link = System::baseUrl() . '/contact/' . $contact['id'] . '/drop?confirm=1';
974                 }
975
976                 /**
977                  * Menu array:
978                  * "name" => [ "Label", "link", (bool)Should the link opened in a new tab? ]
979                  */
980                 if (empty($contact['uid'])) {
981                         $connlnk = 'follow/?url=' . $contact['url'];
982                         $menu = [
983                                 'profile' => [L10n::t('View Profile'),   $profile_link, true],
984                                 'network' => [L10n::t('Network Posts'),  $posts_link,   false],
985                                 'edit'    => [L10n::t('View Contact'),   $contact_url,  false],
986                                 'follow'  => [L10n::t('Connect/Follow'), $connlnk,      true],
987                         ];
988                 } else {
989                         $menu = [
990                                 'status'  => [L10n::t('View Status'),   $status_link,       true],
991                                 'profile' => [L10n::t('View Profile'),  $profile_link,      true],
992                                 'photos'  => [L10n::t('View Photos'),   $photos_link,       true],
993                                 'network' => [L10n::t('Network Posts'), $posts_link,        false],
994                                 'edit'    => [L10n::t('View Contact'),  $contact_url,       false],
995                                 'drop'    => [L10n::t('Drop Contact'),  $contact_drop_link, false],
996                                 'pm'      => [L10n::t('Send PM'),       $pm_url,            false],
997                                 'poke'    => [L10n::t('Poke'),          $poke_link,         false],
998                         ];
999                 }
1000
1001                 $args = ['contact' => $contact, 'menu' => &$menu];
1002
1003                 Addon::callHooks('contact_photo_menu', $args);
1004
1005                 $menucondensed = [];
1006
1007                 foreach ($menu as $menuname => $menuitem) {
1008                         if ($menuitem[1] != '') {
1009                                 $menucondensed[$menuname] = $menuitem;
1010                         }
1011                 }
1012
1013                 return $menucondensed;
1014         }
1015
1016         /**
1017          * @brief Returns ungrouped contact count or list for user
1018          *
1019          * Returns either the total number of ungrouped contacts for the given user
1020          * id or a paginated list of ungrouped contacts.
1021          *
1022          * @param int $uid   uid
1023          * @param int $start optional, default 0
1024          * @param int $count optional, default 0
1025          *
1026          * @return array
1027          */
1028         public static function getUngroupedList($uid)
1029         {
1030                 return q("SELECT *
1031                            FROM `contact`
1032                            WHERE `uid` = %d
1033                            AND NOT `self`
1034                            AND NOT `deleted`
1035                            AND NOT `blocked`
1036                            AND NOT `pending`
1037                            AND `id` NOT IN (
1038                                 SELECT DISTINCT(`contact-id`)
1039                                 FROM `group_member`
1040                                 INNER JOIN `group` ON `group`.`id` = `group_member`.`gid`
1041                                 WHERE `group`.`uid` = %d
1042                            )", intval($uid), intval($uid));
1043         }
1044
1045         /**
1046          * @brief Fetch the contact id for a given URL and user
1047          *
1048          * First lookup in the contact table to find a record matching either `url`, `nurl`,
1049          * `addr` or `alias`.
1050          *
1051          * If there's no record and we aren't looking for a public contact, we quit.
1052          * If there's one, we check that it isn't time to update the picture else we
1053          * directly return the found contact id.
1054          *
1055          * Second, we probe the provided $url whether it's http://server.tld/profile or
1056          * nick@server.tld. We quit if we can't get any info back.
1057          *
1058          * Third, we create the contact record if it doesn't exist
1059          *
1060          * Fourth, we update the existing record with the new data (avatar, alias, nick)
1061          * if there's any updates
1062          *
1063          * @param string  $url       Contact URL
1064          * @param integer $uid       The user id for the contact (0 = public contact)
1065          * @param boolean $no_update Don't update the contact
1066          * @param array   $default   Default value for creating the contact when every else fails
1067          * @param boolean $in_loop   Internally used variable to prevent an endless loop
1068          *
1069          * @return integer Contact ID
1070          */
1071         public static function getIdForURL($url, $uid = 0, $no_update = false, $default = [], $in_loop = false)
1072         {
1073                 Logger::log("Get contact data for url " . $url . " and user " . $uid . " - " . System::callstack(), Logger::DEBUG);
1074
1075                 $contact_id = 0;
1076
1077                 if ($url == '') {
1078                         return 0;
1079                 }
1080
1081                 /// @todo Verify if we can't use Contact::getDetailsByUrl instead of the following
1082                 // We first try the nurl (http://server.tld/nick), most common case
1083                 $contact = DBA::selectFirst('contact', ['id', 'avatar', 'avatar-date'], ['nurl' => Strings::normaliseLink($url), 'uid' => $uid, 'deleted' => false]);
1084
1085                 // Then the addr (nick@server.tld)
1086                 if (!DBA::isResult($contact)) {
1087                         $contact = DBA::selectFirst('contact', ['id', 'avatar', 'avatar-date'], ['addr' => $url, 'uid' => $uid, 'deleted' => false]);
1088                 }
1089
1090                 // Then the alias (which could be anything)
1091                 if (!DBA::isResult($contact)) {
1092                         // The link could be provided as http although we stored it as https
1093                         $ssl_url = str_replace('http://', 'https://', $url);
1094                         $condition = ['`alias` IN (?, ?, ?) AND `uid` = ? AND NOT `deleted`', $url, Strings::normaliseLink($url), $ssl_url, $uid];
1095                         $contact = DBA::selectFirst('contact', ['id', 'avatar', 'avatar-date'], $condition);
1096                 }
1097
1098                 if (DBA::isResult($contact)) {
1099                         $contact_id = $contact["id"];
1100
1101                         // Update the contact every 7 days
1102                         $update_contact = ($contact['avatar-date'] < DateTimeFormat::utc('now -7 days'));
1103
1104                         // We force the update if the avatar is empty
1105                         if (empty($contact['avatar'])) {
1106                                 $update_contact = true;
1107                         }
1108                         if (!$update_contact || $no_update) {
1109                                 return $contact_id;
1110                         }
1111                 } elseif ($uid != 0) {
1112                         // Non-existing user-specific contact, exiting
1113                         return 0;
1114                 }
1115
1116                 // When we don't want to update, we look if some of our users already know this contact
1117                 if ($no_update) {
1118                         $fields = ['url', 'addr', 'alias', 'notify', 'poll', 'name', 'nick',
1119                                 'photo', 'keywords', 'location', 'about', 'network',
1120                                 'priority', 'batch', 'request', 'confirm', 'poco'];
1121                         $data = DBA::selectFirst('contact', $fields, ['nurl' => Strings::normaliseLink($url)]);
1122
1123                         if (DBA::isResult($data)) {
1124                                 // For security reasons we don't fetch key data from our users
1125                                 $data["pubkey"] = '';
1126                         }
1127                 } else {
1128                         $data = [];
1129                 }
1130
1131                 if (empty($data)) {
1132                         $data = Probe::uri($url, "", $uid);
1133
1134                         // Ensure that there is a gserver entry
1135                         if (!empty($data['baseurl']) && ($data['network'] != Protocol::PHANTOM)) {
1136                                 PortableContact::checkServer($data['baseurl']);
1137                         }
1138                 }
1139
1140                 // Last try in gcontact for unsupported networks
1141                 if (!in_array($data["network"], [Protocol::ACTIVITYPUB, Protocol::DFRN, Protocol::OSTATUS, Protocol::DIASPORA, Protocol::PUMPIO, Protocol::MAIL, Protocol::FEED])) {
1142                         if ($uid != 0) {
1143                                 return 0;
1144                         }
1145
1146                         // Get data from the gcontact table
1147                         $fields = ['name', 'nick', 'url', 'photo', 'addr', 'alias', 'network'];
1148                         $contact = DBA::selectFirst('gcontact', $fields, ['nurl' => Strings::normaliseLink($url)]);
1149                         if (!DBA::isResult($contact)) {
1150                                 $contact = DBA::selectFirst('contact', $fields, ['nurl' => Strings::normaliseLink($url)]);
1151                         }
1152
1153                         if (!DBA::isResult($contact)) {
1154                                 $fields = ['url', 'addr', 'alias', 'notify', 'poll', 'name', 'nick',
1155                                         'photo', 'keywords', 'location', 'about', 'network',
1156                                         'priority', 'batch', 'request', 'confirm', 'poco'];
1157                                 $contact = DBA::selectFirst('contact', $fields, ['addr' => $url]);
1158                         }
1159
1160                         if (!DBA::isResult($contact)) {
1161                                 // The link could be provided as http although we stored it as https
1162                                 $ssl_url = str_replace('http://', 'https://', $url);
1163                                 $condition = ['alias' => [$url, Strings::normaliseLink($url), $ssl_url]];
1164                                 $contact = DBA::selectFirst('contact', $fields, $condition);
1165                         }
1166
1167                         if (!DBA::isResult($contact)) {
1168                                 $fields = ['url', 'addr', 'alias', 'notify', 'poll', 'name', 'nick',
1169                                         'photo', 'network', 'priority', 'batch', 'request', 'confirm'];
1170                                 $condition = ['url' => [$url, Strings::normaliseLink($url), $ssl_url]];
1171                                 $contact = DBA::selectFirst('fcontact', $fields, $condition);
1172                         }
1173
1174                         if (!empty($default)) {
1175                                 $contact = $default;
1176                         }
1177
1178                         if (!DBA::isResult($contact)) {
1179                                 return 0;
1180                         } else {
1181                                 $data = array_merge($data, $contact);
1182                         }
1183                 }
1184
1185                 if (!$contact_id && ($data["alias"] != '') && ($data["alias"] != $url) && !$in_loop) {
1186                         $contact_id = self::getIdForURL($data["alias"], $uid, true, $default, true);
1187                 }
1188
1189                 $url = $data["url"];
1190                 if (!$contact_id) {
1191                         $fields = [
1192                                 'uid'       => $uid,
1193                                 'created'   => DateTimeFormat::utcNow(),
1194                                 'url'       => $data["url"],
1195                                 'nurl'      => Strings::normaliseLink($data["url"]),
1196                                 'addr'      => $data["addr"],
1197                                 'alias'     => $data["alias"],
1198                                 'notify'    => $data["notify"],
1199                                 'poll'      => $data["poll"],
1200                                 'name'      => $data["name"],
1201                                 'nick'      => $data["nick"],
1202                                 'photo'     => $data["photo"],
1203                                 'keywords'  => $data["keywords"],
1204                                 'location'  => $data["location"],
1205                                 'about'     => $data["about"],
1206                                 'network'   => $data["network"],
1207                                 'pubkey'    => $data["pubkey"],
1208                                 'rel'       => self::SHARING,
1209                                 'priority'  => $data["priority"],
1210                                 'batch'     => $data["batch"],
1211                                 'request'   => $data["request"],
1212                                 'confirm'   => $data["confirm"],
1213                                 'poco'      => $data["poco"],
1214                                 'name-date' => DateTimeFormat::utcNow(),
1215                                 'uri-date'  => DateTimeFormat::utcNow(),
1216                                 'avatar-date' => DateTimeFormat::utcNow(),
1217                                 'writable'  => 1,
1218                                 'blocked'   => 0,
1219                                 'readonly'  => 0,
1220                                 'pending'   => 0];
1221
1222                         $condition = ['nurl' => Strings::normaliseLink($data["url"]), 'uid' => $uid, 'deleted' => false];
1223
1224                         DBA::update('contact', $fields, $condition, true);
1225
1226                         $s = DBA::select('contact', ['id'], $condition, ['order' => ['id'], 'limit' => 2]);
1227                         $contacts = DBA::toArray($s);
1228                         if (!DBA::isResult($contacts)) {
1229                                 return 0;
1230                         }
1231
1232                         $contact_id = $contacts[0]["id"];
1233
1234                         // Update the newly created contact from data in the gcontact table
1235                         $gcontact = DBA::selectFirst('gcontact', ['location', 'about', 'keywords', 'gender'], ['nurl' => Strings::normaliseLink($data["url"])]);
1236                         if (DBA::isResult($gcontact)) {
1237                                 // Only use the information when the probing hadn't fetched these values
1238                                 if ($data['keywords'] != '') {
1239                                         unset($gcontact['keywords']);
1240                                 }
1241                                 if ($data['location'] != '') {
1242                                         unset($gcontact['location']);
1243                                 }
1244                                 if ($data['about'] != '') {
1245                                         unset($gcontact['about']);
1246                                 }
1247                                 DBA::update('contact', $gcontact, ['id' => $contact_id]);
1248                         }
1249
1250                         if (count($contacts) > 1 && $uid == 0 && $contact_id != 0 && $data["url"] != "") {
1251                                 $condition = ["`nurl` = ? AND `uid` = ? AND `id` != ? AND NOT `self`",
1252                                         Strings::normaliseLink($data["url"]), 0, $contact_id];
1253                                 Logger::log('Deleting duplicate contact ' . json_encode($condition), Logger::DEBUG);
1254                                 DBA::delete('contact', $condition);
1255                         }
1256                 }
1257
1258                 self::updateAvatar($data["photo"], $uid, $contact_id);
1259
1260                 $fields = ['url', 'nurl', 'addr', 'alias', 'name', 'nick', 'keywords', 'location', 'about', 'avatar-date', 'pubkey'];
1261                 $contact = DBA::selectFirst('contact', $fields, ['id' => $contact_id]);
1262
1263                 // This condition should always be true
1264                 if (!DBA::isResult($contact)) {
1265                         return $contact_id;
1266                 }
1267
1268                 $updated = ['addr' => $data['addr'],
1269                         'alias' => $data['alias'],
1270                         'url' => $data['url'],
1271                         'nurl' => Strings::normaliseLink($data['url']),
1272                         'name' => $data['name'],
1273                         'nick' => $data['nick']];
1274
1275                 if ($data['keywords'] != '') {
1276                         $updated['keywords'] = $data['keywords'];
1277                 }
1278                 if ($data['location'] != '') {
1279                         $updated['location'] = $data['location'];
1280                 }
1281
1282                 // Update the technical stuff as well - if filled
1283                 if ($data['notify'] != '') {
1284                         $updated['notify'] = $data['notify'];
1285                 }
1286                 if ($data['poll'] != '') {
1287                         $updated['poll'] = $data['poll'];
1288                 }
1289                 if ($data['batch'] != '') {
1290                         $updated['batch'] = $data['batch'];
1291                 }
1292                 if ($data['request'] != '') {
1293                         $updated['request'] = $data['request'];
1294                 }
1295                 if ($data['confirm'] != '') {
1296                         $updated['confirm'] = $data['confirm'];
1297                 }
1298                 if ($data['poco'] != '') {
1299                         $updated['poco'] = $data['poco'];
1300                 }
1301
1302                 // Only fill the pubkey if it had been empty before. We have to prevent identity theft.
1303                 if (empty($contact['pubkey'])) {
1304                         $updated['pubkey'] = $data['pubkey'];
1305                 }
1306
1307                 if (($data["addr"] != $contact["addr"]) || ($data["alias"] != $contact["alias"])) {
1308                         $updated['uri-date'] = DateTimeFormat::utcNow();
1309                 }
1310                 if (($data["name"] != $contact["name"]) || ($data["nick"] != $contact["nick"])) {
1311                         $updated['name-date'] = DateTimeFormat::utcNow();
1312                 }
1313
1314                 $updated['avatar-date'] = DateTimeFormat::utcNow();
1315
1316                 DBA::update('contact', $updated, ['id' => $contact_id], $contact);
1317
1318                 return $contact_id;
1319         }
1320
1321         /**
1322          * @brief Checks if the contact is blocked
1323          *
1324          * @param int $cid contact id
1325          *
1326          * @return boolean Is the contact blocked?
1327          */
1328         public static function isBlocked($cid)
1329         {
1330                 if ($cid == 0) {
1331                         return false;
1332                 }
1333
1334                 $blocked = DBA::selectFirst('contact', ['blocked', 'url'], ['id' => $cid]);
1335                 if (!DBA::isResult($blocked)) {
1336                         return false;
1337                 }
1338
1339                 if (Network::isUrlBlocked($blocked['url'])) {
1340                         return true;
1341                 }
1342
1343                 return (bool) $blocked['blocked'];
1344         }
1345
1346         /**
1347          * @brief Checks if the contact is hidden
1348          *
1349          * @param int $cid contact id
1350          *
1351          * @return boolean Is the contact hidden?
1352          */
1353         public static function isHidden($cid)
1354         {
1355                 if ($cid == 0) {
1356                         return false;
1357                 }
1358
1359                 $hidden = DBA::selectFirst('contact', ['hidden'], ['id' => $cid]);
1360                 if (!DBA::isResult($hidden)) {
1361                         return false;
1362                 }
1363                 return (bool) $hidden['hidden'];
1364         }
1365
1366         /**
1367          * @brief Returns posts from a given contact url
1368          *
1369          * @param string $contact_url Contact URL
1370          *
1371          * @return string posts in HTML
1372          */
1373         public static function getPostsFromUrl($contact_url, $thread_mode = false, $update = 0)
1374         {
1375                 $a = self::getApp();
1376
1377                 $cid = Self::getIdForURL($contact_url);
1378
1379                 $contact = DBA::selectFirst('contact', ['contact-type', 'network'], ['id' => $cid]);
1380                 if (!DBA::isResult($contact)) {
1381                         return '';
1382                 }
1383
1384                 if (in_array($contact["network"], [Protocol::ACTIVITYPUB, Protocol::DFRN, Protocol::DIASPORA, Protocol::OSTATUS, ""])) {
1385                         $sql = "(`item`.`uid` = 0 OR (`item`.`uid` = ? AND NOT `item`.`global`))";
1386                 } else {
1387                         $sql = "`item`.`uid` = ?";
1388                 }
1389
1390                 $contact_field = ($contact["contact-type"] == self::ACCOUNT_TYPE_COMMUNITY ? 'owner-id' : 'author-id');
1391
1392                 if ($thread_mode) {
1393                         $condition = ["`$contact_field` = ? AND `gravity` = ? AND " . $sql,
1394                                 $cid, GRAVITY_PARENT, local_user()];
1395                 } else {
1396                         $condition = ["`$contact_field` = ? AND `gravity` IN (?, ?) AND " . $sql,
1397                                 $cid, GRAVITY_PARENT, GRAVITY_COMMENT, local_user()];
1398                 }
1399
1400                 $pager = new Pager($a->query_string);
1401
1402                 $params = ['order' => ['created' => true],
1403                         'limit' => [$pager->getStart(), $pager->getItemsPerPage()]];
1404
1405                 if ($thread_mode) {
1406                         $r = Item::selectThreadForUser(local_user(), ['uri'], $condition, $params);
1407
1408                         $items = Item::inArray($r);
1409
1410                         $o = conversation($a, $items, $pager, 'contacts', $update);
1411                 } else {
1412                         $r = Item::selectForUser(local_user(), [], $condition, $params);
1413
1414                         $items = Item::inArray($r);
1415
1416                         $o = conversation($a, $items, $pager, 'contact-posts', false);
1417                 }
1418
1419                 if (!$update) {
1420                         $o .= $pager->renderMinimal(count($items));
1421                 }
1422
1423                 return $o;
1424         }
1425
1426         /**
1427          * @brief Returns the account type name
1428          *
1429          * The function can be called with either the user or the contact array
1430          *
1431          * @param array $contact contact or user array
1432          * @return string
1433          */
1434         public static function getAccountType(array $contact)
1435         {
1436                 // There are several fields that indicate that the contact or user is a forum
1437                 // "page-flags" is a field in the user table,
1438                 // "forum" and "prv" are used in the contact table. They stand for self::PAGE_COMMUNITY and self::PAGE_PRVGROUP.
1439                 // "community" is used in the gcontact table and is true if the contact is self::PAGE_COMMUNITY or self::PAGE_PRVGROUP.
1440                 if ((isset($contact['page-flags']) && (intval($contact['page-flags']) == self::PAGE_COMMUNITY))
1441                         || (isset($contact['page-flags']) && (intval($contact['page-flags']) == self::PAGE_PRVGROUP))
1442                         || (isset($contact['forum']) && intval($contact['forum']))
1443                         || (isset($contact['prv']) && intval($contact['prv']))
1444                         || (isset($contact['community']) && intval($contact['community']))
1445                 ) {
1446                         $type = self::ACCOUNT_TYPE_COMMUNITY;
1447                 } else {
1448                         $type = self::ACCOUNT_TYPE_PERSON;
1449                 }
1450
1451                 // The "contact-type" (contact table) and "account-type" (user table) are more general then the chaos from above.
1452                 if (isset($contact["contact-type"])) {
1453                         $type = $contact["contact-type"];
1454                 }
1455
1456                 if (isset($contact["account-type"])) {
1457                         $type = $contact["account-type"];
1458                 }
1459
1460                 switch ($type) {
1461                         case self::ACCOUNT_TYPE_ORGANISATION:
1462                                 $account_type = L10n::t("Organisation");
1463                                 break;
1464
1465                         case self::ACCOUNT_TYPE_NEWS:
1466                                 $account_type = L10n::t('News');
1467                                 break;
1468
1469                         case self::ACCOUNT_TYPE_COMMUNITY:
1470                                 $account_type = L10n::t("Forum");
1471                                 break;
1472
1473                         default:
1474                                 $account_type = "";
1475                                 break;
1476                 }
1477
1478                 return $account_type;
1479         }
1480
1481         /**
1482          * @brief Blocks a contact
1483          *
1484          * @param int $uid
1485          * @return bool
1486          */
1487         public static function block($uid)
1488         {
1489                 $return = DBA::update('contact', ['blocked' => true], ['id' => $uid]);
1490
1491                 return $return;
1492         }
1493
1494         /**
1495          * @brief Unblocks a contact
1496          *
1497          * @param int $uid
1498          * @return bool
1499          */
1500         public static function unblock($uid)
1501         {
1502                 $return = DBA::update('contact', ['blocked' => false], ['id' => $uid]);
1503
1504                 return $return;
1505         }
1506
1507         /**
1508          * @brief Updates the avatar links in a contact only if needed
1509          *
1510          * @param string $avatar Link to avatar picture
1511          * @param int    $uid    User id of contact owner
1512          * @param int    $cid    Contact id
1513          * @param bool   $force  force picture update
1514          *
1515          * @return array Returns array of the different avatar sizes
1516          */
1517         public static function updateAvatar($avatar, $uid, $cid, $force = false)
1518         {
1519                 $contact = DBA::selectFirst('contact', ['avatar', 'photo', 'thumb', 'micro', 'nurl'], ['id' => $cid]);
1520                 if (!DBA::isResult($contact)) {
1521                         return false;
1522                 } else {
1523                         $data = [$contact["photo"], $contact["thumb"], $contact["micro"]];
1524                 }
1525
1526                 if (($contact["avatar"] != $avatar) || $force) {
1527                         $photos = Photo::importProfilePhoto($avatar, $uid, $cid, true);
1528
1529                         if ($photos) {
1530                                 DBA::update(
1531                                         'contact',
1532                                         ['avatar' => $avatar, 'photo' => $photos[0], 'thumb' => $photos[1], 'micro' => $photos[2], 'avatar-date' => DateTimeFormat::utcNow()],
1533                                         ['id' => $cid]
1534                                 );
1535
1536                                 // Update the public contact (contact id = 0)
1537                                 if ($uid != 0) {
1538                                         $pcontact = DBA::selectFirst('contact', ['id'], ['nurl' => $contact['nurl'], 'uid' => 0]);
1539                                         if (DBA::isResult($pcontact)) {
1540                                                 self::updateAvatar($avatar, 0, $pcontact['id'], $force);
1541                                         }
1542                                 }
1543
1544                                 return $photos;
1545                         }
1546                 }
1547
1548                 return $data;
1549         }
1550
1551         /**
1552          * @param integer $id      contact id
1553          * @param string  $network Optional network we are probing for
1554          * @return boolean
1555          */
1556         public static function updateFromProbe($id, $network = '')
1557         {
1558                 /*
1559                   Warning: Never ever fetch the public key via Probe::uri and write it into the contacts.
1560                   This will reliably kill your communication with Friendica contacts.
1561                  */
1562
1563                 $fields = ['url', 'nurl', 'addr', 'alias', 'batch', 'notify', 'poll', 'poco', 'network'];
1564                 $contact = DBA::selectFirst('contact', $fields, ['id' => $id]);
1565                 if (!DBA::isResult($contact)) {
1566                         return false;
1567                 }
1568
1569                 $ret = Probe::uri($contact["url"], $network);
1570
1571                 // If Probe::uri fails the network code will be different
1572                 if (($ret["network"] != $contact["network"]) && !in_array($ret["network"], [Protocol::ACTIVITYPUB, $network])) {
1573                         return false;
1574                 }
1575
1576                 $update = false;
1577
1578                 // make sure to not overwrite existing values with blank entries
1579                 foreach ($ret as $key => $val) {
1580                         if (isset($contact[$key]) && ($contact[$key] != "") && ($val == "")) {
1581                                 $ret[$key] = $contact[$key];
1582                         }
1583
1584                         if (isset($contact[$key]) && ($ret[$key] != $contact[$key])) {
1585                                 $update = true;
1586                         }
1587                 }
1588
1589                 if (!$update) {
1590                         return true;
1591                 }
1592
1593                 DBA::update(
1594                         'contact', [
1595                                 'url'     => $ret['url'],
1596                                 'nurl'    => Strings::normaliseLink($ret['url']),
1597                                 'network' => $ret['network'],
1598                                 'addr'    => $ret['addr'],
1599                                 'alias'   => $ret['alias'],
1600                                 'batch'   => $ret['batch'],
1601                                 'notify'  => $ret['notify'],
1602                                 'poll'    => $ret['poll'],
1603                                 'poco'    => $ret['poco']
1604                         ],
1605                         ['id' => $id]
1606                 );
1607
1608                 // Update the corresponding gcontact entry
1609                 PortableContact::lastUpdated($ret["url"]);
1610
1611                 return true;
1612         }
1613
1614         /**
1615          * Takes a $uid and a url/handle and adds a new contact
1616          * Currently if the contact is DFRN, interactive needs to be true, to redirect to the
1617          * dfrn_request page.
1618          *
1619          * Otherwise this can be used to bulk add StatusNet contacts, Twitter contacts, etc.
1620          *
1621          * Returns an array
1622          * $return['success'] boolean true if successful
1623          * $return['message'] error text if success is false.
1624          *
1625          * @brief Takes a $uid and a url/handle and adds a new contact
1626          * @param int    $uid
1627          * @param string $url
1628          * @param bool   $interactive
1629          * @param string $network
1630          * @return boolean|string
1631          */
1632         public static function createFromProbe($uid, $url, $interactive = false, $network = '')
1633         {
1634                 $result = ['cid' => -1, 'success' => false, 'message' => ''];
1635
1636                 $a = \get_app();
1637
1638                 // remove ajax junk, e.g. Twitter
1639                 $url = str_replace('/#!/', '/', $url);
1640
1641                 if (!Network::isUrlAllowed($url)) {
1642                         $result['message'] = L10n::t('Disallowed profile URL.');
1643                         return $result;
1644                 }
1645
1646                 if (Network::isUrlBlocked($url)) {
1647                         $result['message'] = L10n::t('Blocked domain');
1648                         return $result;
1649                 }
1650
1651                 if (!$url) {
1652                         $result['message'] = L10n::t('Connect URL missing.');
1653                         return $result;
1654                 }
1655
1656                 $arr = ['url' => $url, 'contact' => []];
1657
1658                 Hook::callAll('follow', $arr);
1659
1660                 if (empty($arr)) {
1661                         $result['message'] = L10n::t('The contact could not be added. Please check the relevant network credentials in your Settings -> Social Networks page.');
1662                         return $result;
1663                 }
1664
1665                 if (!empty($arr['contact']['name'])) {
1666                         $ret = $arr['contact'];
1667                 } else {
1668                         $ret = Probe::uri($url, $network, $uid, false);
1669                 }
1670
1671                 if (($network != '') && ($ret['network'] != $network)) {
1672                         Logger::log('Expected network ' . $network . ' does not match actual network ' . $ret['network']);
1673                         return $result;
1674                 }
1675
1676                 // check if we already have a contact
1677                 // the poll url is more reliable than the profile url, as we may have
1678                 // indirect links or webfinger links
1679
1680                 $condition = ['uid' => $uid, 'poll' => [$ret['poll'], Strings::normaliseLink($ret['poll'])], 'network' => $ret['network'], 'pending' => false];
1681                 $contact = DBA::selectFirst('contact', ['id', 'rel'], $condition);
1682                 if (!DBA::isResult($contact)) {
1683                         $condition = ['uid' => $uid, 'nurl' => Strings::normaliseLink($url), 'network' => $ret['network'], 'pending' => false];
1684                         $contact = DBA::selectFirst('contact', ['id', 'rel'], $condition);
1685                 }
1686
1687                 if (($ret['network'] === Protocol::DFRN) && !DBA::isResult($contact)) {
1688                         if ($interactive) {
1689                                 if (strlen($a->getURLPath())) {
1690                                         $myaddr = bin2hex(System::baseUrl() . '/profile/' . $a->user['nickname']);
1691                                 } else {
1692                                         $myaddr = bin2hex($a->user['nickname'] . '@' . $a->getHostName());
1693                                 }
1694
1695                                 $a->internalRedirect($ret['request'] . "&addr=$myaddr");
1696
1697                                 // NOTREACHED
1698                         }
1699                 } elseif (Config::get('system', 'dfrn_only') && ($ret['network'] != Protocol::DFRN)) {
1700                         $result['message'] = L10n::t('This site is not configured to allow communications with other networks.') . EOL;
1701                         $result['message'] != L10n::t('No compatible communication protocols or feeds were discovered.') . EOL;
1702                         return $result;
1703                 }
1704
1705                 // This extra param just confuses things, remove it
1706                 if ($ret['network'] === Protocol::DIASPORA) {
1707                         $ret['url'] = str_replace('?absolute=true', '', $ret['url']);
1708                 }
1709
1710                 // do we have enough information?
1711                 if (empty($ret['name']) || empty($ret['poll']) || (empty($ret['url']) && empty($ret['addr']))) {
1712                         $result['message'] .= L10n::t('The profile address specified does not provide adequate information.') . EOL;
1713                         if (empty($ret['poll'])) {
1714                                 $result['message'] .= L10n::t('No compatible communication protocols or feeds were discovered.') . EOL;
1715                         }
1716                         if (empty($ret['name'])) {
1717                                 $result['message'] .= L10n::t('An author or name was not found.') . EOL;
1718                         }
1719                         if (empty($ret['url'])) {
1720                                 $result['message'] .= L10n::t('No browser URL could be matched to this address.') . EOL;
1721                         }
1722                         if (strpos($url, '@') !== false) {
1723                                 $result['message'] .= L10n::t('Unable to match @-style Identity Address with a known protocol or email contact.') . EOL;
1724                                 $result['message'] .= L10n::t('Use mailto: in front of address to force email check.') . EOL;
1725                         }
1726                         return $result;
1727                 }
1728
1729                 if ($ret['network'] === Protocol::OSTATUS && Config::get('system', 'ostatus_disabled')) {
1730                         $result['message'] .= L10n::t('The profile address specified belongs to a network which has been disabled on this site.') . EOL;
1731                         $ret['notify'] = '';
1732                 }
1733
1734                 if (!$ret['notify']) {
1735                         $result['message'] .= L10n::t('Limited profile. This person will be unable to receive direct/personal notifications from you.') . EOL;
1736                 }
1737
1738                 $writeable = ((($ret['network'] === Protocol::OSTATUS) && ($ret['notify'])) ? 1 : 0);
1739
1740                 $subhub = (($ret['network'] === Protocol::OSTATUS) ? true : false);
1741
1742                 $hidden = (($ret['network'] === Protocol::MAIL) ? 1 : 0);
1743
1744                 $pending = in_array($ret['network'], [Protocol::ACTIVITYPUB]);
1745
1746                 if (in_array($ret['network'], [Protocol::MAIL, Protocol::DIASPORA, Protocol::ACTIVITYPUB])) {
1747                         $writeable = 1;
1748                 }
1749
1750                 if (DBA::isResult($contact)) {
1751                         // update contact
1752                         $new_relation = (($contact['rel'] == self::FOLLOWER) ? self::FRIEND : self::SHARING);
1753
1754                         $fields = ['rel' => $new_relation, 'subhub' => $subhub, 'readonly' => false];
1755                         DBA::update('contact', $fields, ['id' => $contact['id']]);
1756                 } else {
1757                         $new_relation = (in_array($ret['network'], [Protocol::MAIL]) ? self::FRIEND : self::SHARING);
1758
1759                         // create contact record
1760                         DBA::insert('contact', [
1761                                 'uid'     => $uid,
1762                                 'created' => DateTimeFormat::utcNow(),
1763                                 'url'     => $ret['url'],
1764                                 'nurl'    => Strings::normaliseLink($ret['url']),
1765                                 'addr'    => $ret['addr'],
1766                                 'alias'   => $ret['alias'],
1767                                 'batch'   => $ret['batch'],
1768                                 'notify'  => $ret['notify'],
1769                                 'poll'    => $ret['poll'],
1770                                 'poco'    => $ret['poco'],
1771                                 'name'    => $ret['name'],
1772                                 'nick'    => $ret['nick'],
1773                                 'network' => $ret['network'],
1774                                 'pubkey'  => $ret['pubkey'],
1775                                 'rel'     => $new_relation,
1776                                 'priority'=> $ret['priority'],
1777                                 'writable'=> $writeable,
1778                                 'hidden'  => $hidden,
1779                                 'blocked' => 0,
1780                                 'readonly'=> 0,
1781                                 'pending' => $pending,
1782                                 'subhub'  => $subhub
1783                         ]);
1784                 }
1785
1786                 $contact = DBA::selectFirst('contact', [], ['url' => $ret['url'], 'network' => $ret['network'], 'uid' => $uid]);
1787                 if (!DBA::isResult($contact)) {
1788                         $result['message'] .= L10n::t('Unable to retrieve contact information.') . EOL;
1789                         return $result;
1790                 }
1791
1792                 $contact_id = $contact['id'];
1793                 $result['cid'] = $contact_id;
1794
1795                 Group::addMember(User::getDefaultGroup($uid, $contact["network"]), $contact_id);
1796
1797                 // Update the avatar
1798                 self::updateAvatar($ret['photo'], $uid, $contact_id);
1799
1800                 // pull feed and consume it, which should subscribe to the hub.
1801
1802                 Worker::add(PRIORITY_HIGH, "OnePoll", $contact_id, "force");
1803
1804                 $owner = User::getOwnerDataById($uid);
1805
1806                 if (DBA::isResult($owner)) {
1807                         if (in_array($contact['network'], [Protocol::OSTATUS, Protocol::DFRN])) {
1808                                 // create a follow slap
1809                                 $item = [];
1810                                 $item['verb'] = ACTIVITY_FOLLOW;
1811                                 $item['follow'] = $contact["url"];
1812                                 $item['body'] = '';
1813                                 $item['title'] = '';
1814                                 $item['guid'] = '';
1815                                 $item['tag'] = '';
1816                                 $item['attach'] = '';
1817
1818                                 $slap = OStatus::salmon($item, $owner);
1819
1820                                 if (!empty($contact['notify'])) {
1821                                         Salmon::slapper($owner, $contact['notify'], $slap);
1822                                 }
1823                         } elseif ($contact['network'] == Protocol::DIASPORA) {
1824                                 $ret = Diaspora::sendShare($a->user, $contact);
1825                                 Logger::log('share returns: ' . $ret);
1826                         } elseif ($contact['network'] == Protocol::ACTIVITYPUB) {
1827                                 $activity_id = ActivityPub\Transmitter::activityIDFromContact($contact_id);
1828                                 if (empty($activity_id)) {
1829                                         // This really should never happen
1830                                         return false;
1831                                 }
1832
1833                                 $ret = ActivityPub\Transmitter::sendActivity('Follow', $contact['url'], $uid, $activity_id);
1834                                 Logger::log('Follow returns: ' . $ret);
1835                         }
1836                 }
1837
1838                 $result['success'] = true;
1839                 return $result;
1840         }
1841
1842         /**
1843          * @brief Updated contact's SSL policy
1844          *
1845          * @param array  $contact Contact array
1846          * @param string $new_policy New policy, valid: self,full
1847          *
1848          * @return array Contact array with updated values
1849          */
1850         public static function updateSslPolicy(array $contact, $new_policy)
1851         {
1852                 $ssl_changed = false;
1853                 if ((intval($new_policy) == SSL_POLICY_SELFSIGN || $new_policy === 'self') && strstr($contact['url'], 'https:')) {
1854                         $ssl_changed = true;
1855                         $contact['url']     =   str_replace('https:', 'http:', $contact['url']);
1856                         $contact['request'] =   str_replace('https:', 'http:', $contact['request']);
1857                         $contact['notify']  =   str_replace('https:', 'http:', $contact['notify']);
1858                         $contact['poll']    =   str_replace('https:', 'http:', $contact['poll']);
1859                         $contact['confirm'] =   str_replace('https:', 'http:', $contact['confirm']);
1860                         $contact['poco']    =   str_replace('https:', 'http:', $contact['poco']);
1861                 }
1862
1863                 if ((intval($new_policy) == SSL_POLICY_FULL || $new_policy === 'full') && strstr($contact['url'], 'http:')) {
1864                         $ssl_changed = true;
1865                         $contact['url']     =   str_replace('http:', 'https:', $contact['url']);
1866                         $contact['request'] =   str_replace('http:', 'https:', $contact['request']);
1867                         $contact['notify']  =   str_replace('http:', 'https:', $contact['notify']);
1868                         $contact['poll']    =   str_replace('http:', 'https:', $contact['poll']);
1869                         $contact['confirm'] =   str_replace('http:', 'https:', $contact['confirm']);
1870                         $contact['poco']    =   str_replace('http:', 'https:', $contact['poco']);
1871                 }
1872
1873                 if ($ssl_changed) {
1874                         $fields = ['url' => $contact['url'], 'request' => $contact['request'],
1875                                         'notify' => $contact['notify'], 'poll' => $contact['poll'],
1876                                         'confirm' => $contact['confirm'], 'poco' => $contact['poco']];
1877                         DBA::update('contact', $fields, ['id' => $contact['id']]);
1878                 }
1879
1880                 return $contact;
1881         }
1882
1883         public static function addRelationship($importer, $contact, $datarray, $item = '', $sharing = false) {
1884                 // Should always be set
1885                 if (empty($datarray['author-id'])) {
1886                         return;
1887                 }
1888
1889                 $fields = ['url', 'name', 'nick', 'photo', 'network'];
1890                 $pub_contact = DBA::selectFirst('contact', $fields, ['id' => $datarray['author-id']]);
1891                 if (!DBA::isResult($pub_contact)) {
1892                         // Should never happen
1893                         return;
1894                 }
1895
1896                 $url = defaults($datarray, 'author-link', $pub_contact['url']);
1897                 $name = $pub_contact['name'];
1898                 $photo = $pub_contact['photo'];
1899                 $nick = $pub_contact['nick'];
1900                 $network = $pub_contact['network'];
1901
1902                 if (is_array($contact)) {
1903                         if (($contact['rel'] == self::SHARING)
1904                                 || ($sharing && $contact['rel'] == self::FOLLOWER)) {
1905                                 DBA::update('contact', ['rel' => self::FRIEND, 'writable' => true],
1906                                                 ['id' => $contact['id'], 'uid' => $importer['uid']]);
1907                         }
1908
1909                         if ($contact['network'] == Protocol::ACTIVITYPUB) {
1910                                 ActivityPub\Transmitter::sendContactAccept($contact['url'], $contact['hub-verify'], $importer['uid']);
1911                         }
1912
1913                         // send email notification to owner?
1914                 } else {
1915                         if (DBA::exists('contact', ['nurl' => Strings::normaliseLink($url), 'uid' => $importer['uid'], 'pending' => true])) {
1916                                 Logger::log('ignoring duplicated connection request from pending contact ' . $url);
1917                                 return;
1918                         }
1919                         // create contact record
1920                         q("INSERT INTO `contact` (`uid`, `created`, `url`, `nurl`, `name`, `nick`, `photo`, `network`, `rel`,
1921                                 `blocked`, `readonly`, `pending`, `writable`)
1922                                 VALUES (%d, '%s', '%s', '%s', '%s', '%s', '%s', '%s', %d, 0, 0, 1, 1)",
1923                                 intval($importer['uid']),
1924                                 DBA::escape(DateTimeFormat::utcNow()),
1925                                 DBA::escape($url),
1926                                 DBA::escape(Strings::normaliseLink($url)),
1927                                 DBA::escape($name),
1928                                 DBA::escape($nick),
1929                                 DBA::escape($photo),
1930                                 DBA::escape($network),
1931                                 intval(self::FOLLOWER)
1932                         );
1933
1934                         $contact_record = [
1935                                 'id' => DBA::lastInsertId(),
1936                                 'network' => $network,
1937                                 'name' => $name,
1938                                 'url' => $url,
1939                                 'photo' => $photo
1940                         ];
1941
1942                         Contact::updateAvatar($photo, $importer["uid"], $contact_record["id"], true);
1943
1944                         /// @TODO Encapsulate this into a function/method
1945                         $fields = ['uid', 'username', 'email', 'page-flags', 'notify-flags', 'language'];
1946                         $user = DBA::selectFirst('user', $fields, ['uid' => $importer['uid']]);
1947                         if (DBA::isResult($user) && !in_array($user['page-flags'], [self::PAGE_SOAPBOX, self::PAGE_FREELOVE, self::PAGE_COMMUNITY])) {
1948                                 // create notification
1949                                 $hash = Strings::getRandomHex();
1950
1951                                 if (is_array($contact_record)) {
1952                                         DBA::insert('intro', ['uid' => $importer['uid'], 'contact-id' => $contact_record['id'],
1953                                                                 'blocked' => false, 'knowyou' => false,
1954                                                                 'hash' => $hash, 'datetime' => DateTimeFormat::utcNow()]);
1955                                 }
1956
1957                                 Group::addMember(User::getDefaultGroup($importer['uid'], $contact_record["network"]), $contact_record['id']);
1958
1959                                 if (($user['notify-flags'] & NOTIFY_INTRO) &&
1960                                         in_array($user['page-flags'], [self::PAGE_NORMAL])) {
1961
1962                                         notification([
1963                                                 'type'         => NOTIFY_INTRO,
1964                                                 'notify_flags' => $user['notify-flags'],
1965                                                 'language'     => $user['language'],
1966                                                 'to_name'      => $user['username'],
1967                                                 'to_email'     => $user['email'],
1968                                                 'uid'          => $user['uid'],
1969                                                 'link'         => System::baseUrl() . '/notifications/intro',
1970                                                 'source_name'  => ((strlen(stripslashes($contact_record['name']))) ? stripslashes($contact_record['name']) : L10n::t('[Name Withheld]')),
1971                                                 'source_link'  => $contact_record['url'],
1972                                                 'source_photo' => $contact_record['photo'],
1973                                                 'verb'         => ($sharing ? ACTIVITY_FRIEND : ACTIVITY_FOLLOW),
1974                                                 'otype'        => 'intro'
1975                                         ]);
1976
1977                                 }
1978                         } elseif (DBA::isResult($user) && in_array($user['page-flags'], [self::PAGE_SOAPBOX, self::PAGE_FREELOVE, self::PAGE_COMMUNITY])) {
1979                                 $condition = ['uid' => $importer['uid'], 'url' => $url, 'pending' => true];
1980                                 DBA::update('contact', ['pending' => false], $condition);
1981
1982                                 $contact = DBA::selectFirst('contact', ['url', 'network', 'hub-verify'], ['id' => $contact_record['id']]);
1983
1984                                 if ($contact['network'] == Protocol::ACTIVITYPUB) {
1985                                         ActivityPub\Transmitter::sendContactAccept($contact['url'], $contact['hub-verify'], $importer['uid']);
1986                                 }
1987                         }
1988                 }
1989         }
1990
1991         public static function removeFollower($importer, $contact, array $datarray = [], $item = "")
1992         {
1993                 if (($contact['rel'] == self::FRIEND) || ($contact['rel'] == self::SHARING)) {
1994                         DBA::update('contact', ['rel' => self::SHARING], ['id' => $contact['id']]);
1995                 } else {
1996                         Contact::remove($contact['id']);
1997                 }
1998         }
1999
2000         public static function removeSharer($importer, $contact, array $datarray = [], $item = "")
2001         {
2002                 if (($contact['rel'] == self::FRIEND) || ($contact['rel'] == self::FOLLOWER)) {
2003                         DBA::update('contact', ['rel' => self::FOLLOWER], ['id' => $contact['id']]);
2004                 } else {
2005                         Contact::remove($contact['id']);
2006                 }
2007         }
2008
2009         /**
2010          * @brief Create a birthday event.
2011          *
2012          * Update the year and the birthday.
2013          */
2014         public static function updateBirthdays()
2015         {
2016                 $condition = [
2017                         '`bd` != ""
2018                         AND `bd` > "0001-01-01"
2019                         AND SUBSTRING(`bd`, 1, 4) != `bdyear`
2020                         AND (`contact`.`rel` = ? OR `contact`.`rel` = ?)
2021                         AND NOT `contact`.`pending`
2022                         AND NOT `contact`.`hidden`
2023                         AND NOT `contact`.`blocked`
2024                         AND NOT `contact`.`archive`
2025                         AND NOT `contact`.`deleted`',
2026                         Contact::SHARING,
2027                         Contact::FRIEND
2028                 ];
2029
2030                 $contacts = DBA::select('contact', ['id', 'uid', 'name', 'url', 'bd'], $condition);
2031
2032                 while ($contact = DBA::fetch($contacts)) {
2033                         Logger::log('update_contact_birthday: ' . $contact['bd']);
2034
2035                         $nextbd = DateTimeFormat::utcNow('Y') . substr($contact['bd'], 4);
2036
2037                         if (Event::createBirthday($contact, $nextbd)) {
2038                                 // update bdyear
2039                                 DBA::update(
2040                                         'contact',
2041                                         ['bdyear' => substr($nextbd, 0, 4), 'bd' => $nextbd],
2042                                         ['id' => $contact['id']]
2043                                 );
2044                         }
2045                 }
2046         }
2047
2048         /**
2049          * Remove the unavailable contact ids from the provided list
2050          *
2051          * @param array $contact_ids Contact id list
2052          */
2053         public static function pruneUnavailable(array &$contact_ids)
2054         {
2055                 if (empty($contact_ids)) {
2056                         return;
2057                 }
2058
2059                 $str = DBA::escape(implode(',', $contact_ids));
2060
2061                 $stmt = DBA::p("SELECT `id` FROM `contact` WHERE `id` IN ( " . $str . ") AND `blocked` = 0 AND `pending` = 0 AND `archive` = 0");
2062
2063                 $return = [];
2064                 while($contact = DBA::fetch($stmt)) {
2065                         $return[] = $contact['id'];
2066                 }
2067
2068                 DBA::close($stmt);
2069
2070                 $contact_ids = $return;
2071         }
2072
2073         /**
2074          * @brief Returns a magic link to authenticate remote visitors
2075          *
2076          * @todo check if the return is either a fully qualified URL or a relative path to Friendica basedir
2077          *
2078          * @param string $contact_url The address of the target contact profile
2079          * @param string $url An url that we will be redirected to after the authentication
2080          *
2081          * @return string with "redir" link
2082          */
2083         public static function magicLink($contact_url, $url = '')
2084         {
2085                 if (!local_user() && remote_user()) {
2086                         return $url ?: $contact_url; // Equivalent to: ($url != '') ? $url : $contact_url;
2087                 }
2088
2089                 $cid = self::getIdForURL($contact_url, 0, true);
2090                 if (empty($cid)) {
2091                         return $url ?: $contact_url; // Equivalent to: ($url != '') ? $url : $contact_url;
2092                 }
2093
2094                 return self::magicLinkbyId($cid, $url);
2095         }
2096
2097         /**
2098          * @brief Returns a magic link to authenticate remote visitors
2099          *
2100          * @param integer $cid The contact id of the target contact profile
2101          * @param integer $url An url that we will be redirected to after the authentication
2102          *
2103          * @return string with "redir" link
2104          */
2105         public static function magicLinkbyId($cid, $url = '')
2106         {
2107                 $contact = DBA::selectFirst('contact', ['id', 'network', 'url', 'uid'], ['id' => $cid]);
2108
2109                 return self::magicLinkbyContact($contact, $url);
2110         }
2111
2112         /**
2113          * @brief Returns a magic link to authenticate remote visitors
2114          *
2115          * @param array $contact The contact array with "uid", "network" and "url"
2116          * @param string $url An url that we will be redirected to after the authentication
2117          *
2118          * @return string with "redir" link
2119          */
2120         public static function magicLinkbyContact($contact, $url = '')
2121         {
2122                 if ((!local_user() && !remote_user()) || ($contact['network'] != Protocol::DFRN)) {
2123                         return $url ?: $contact['url']; // Equivalent to ($url != '') ? $url : $contact['url'];
2124                 }
2125
2126                 // Only redirections to the same host do make sense
2127                 if (($url != '') && (parse_url($url, PHP_URL_HOST) != parse_url($contact['url'], PHP_URL_HOST))) {
2128                         return $url;
2129                 }
2130
2131                 if ($contact['uid'] != 0) {
2132                         return self::magicLink($contact['url'], $url);
2133                 }
2134
2135                 $redirect = 'redir/' . $contact['id'];
2136
2137                 if ($url != '') {
2138                         $redirect .= '?url=' . $url;
2139                 }
2140
2141                 return $redirect;
2142         }
2143 }