]> git.mxchange.org Git - quix0rs-gnu-social.git/blob - plugins/OStatus/classes/Ostatus_profile.php
Merge branch 'utf8mb4' into nightly
[quix0rs-gnu-social.git] / plugins / OStatus / classes / Ostatus_profile.php
1 <?php
2 /*
3  * StatusNet - the distributed open-source microblogging tool
4  * Copyright (C) 2009-2010, StatusNet, Inc.
5  *
6  * This program is free software: you can redistribute it and/or modify
7  * it under the terms of the GNU Affero General Public License as published by
8  * the Free Software Foundation, either version 3 of the License, or
9  * (at your option) any later version.
10  *
11  * This program is distributed in the hope that it will be useful,
12  * but WITHOUT ANY WARRANTY; without even the implied warranty of
13  * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
14  * GNU Affero General Public License for more details.
15  *
16  * You should have received a copy of the GNU Affero General Public License
17  * along with this program.  If not, see <http://www.gnu.org/licenses/>.
18  */
19
20 if (!defined('STATUSNET')) {
21     exit(1);
22 }
23
24 /**
25  * @package OStatusPlugin
26  * @maintainer Brion Vibber <brion@status.net>
27  */
28 class Ostatus_profile extends Managed_DataObject
29 {
30     public $__table = 'ostatus_profile';
31
32     public $uri;
33
34     public $profile_id;
35     public $group_id;
36     public $peopletag_id;
37
38     public $feeduri;
39     public $salmonuri;
40     public $avatar; // remote URL of the last avatar we saved
41
42     public $created;
43     public $modified;
44
45     /**
46      * Return table definition for Schema setup and DB_DataObject usage.
47      *
48      * @return array array of column definitions
49      */
50     static function schemaDef()
51     {
52         return array(
53             'fields' => array(
54                 'uri' => array('type' => 'varchar', 'length' => 191, 'not null' => true),
55                 'profile_id' => array('type' => 'integer'),
56                 'group_id' => array('type' => 'integer'),
57                 'peopletag_id' => array('type' => 'integer'),
58                 'feeduri' => array('type' => 'varchar', 'length' => 191),
59                 'salmonuri' => array('type' => 'varchar', 'length' => 191),
60                 'avatar' => array('type' => 'text'),
61                 'created' => array('type' => 'datetime', 'not null' => true),
62                 'modified' => array('type' => 'datetime', 'not null' => true),
63             ),
64             'primary key' => array('uri'),
65             'unique keys' => array(
66                 'ostatus_profile_profile_id_key' => array('profile_id'),
67                 'ostatus_profile_group_id_key' => array('group_id'),
68                 'ostatus_profile_peopletag_id_key' => array('peopletag_id'),
69                 'ostatus_profile_feeduri_key' => array('feeduri'),
70             ),
71             'foreign keys' => array(
72                 'ostatus_profile_profile_id_fkey' => array('profile', array('profile_id' => 'id')),
73                 'ostatus_profile_group_id_fkey' => array('user_group', array('group_id' => 'id')),
74                 'ostatus_profile_peopletag_id_fkey' => array('profile_list', array('peopletag_id' => 'id')),
75             ),
76         );
77     }
78
79     public function getUri()
80     {
81         return $this->uri;
82     }
83
84     public function fromProfile(Profile $profile)
85     {
86         $oprofile = Ostatus_profile::getKV('profile_id', $profile->id);
87         if (!$oprofile instanceof Ostatus_profile) {
88             throw new Exception('No Ostatus_profile for Profile ID: '.$profile->id);
89         }
90     }
91
92     /**
93      * Fetch the locally stored profile for this feed
94      * @return Profile
95      * @throws NoProfileException if it was not found
96      */
97     public function localProfile()
98     {
99         if ($this->isGroup()) {
100             return $this->localGroup()->getProfile();
101         }
102
103         $profile = Profile::getKV('id', $this->profile_id);
104         if (!$profile instanceof Profile) {
105             throw new NoProfileException($this->profile_id);
106         }
107         return $profile;
108     }
109
110     /**
111      * Fetch the StatusNet-side profile for this feed
112      * @return Profile
113      */
114     public function localGroup()
115     {
116         $group = User_group::getKV('id', $this->group_id);
117
118         if (!$group instanceof User_group) {
119             throw new NoSuchGroupException(array('id'=>$this->group_id));
120         }
121
122         return $group;
123     }
124
125     /**
126      * Fetch the StatusNet-side peopletag for this feed
127      * @return Profile
128      */
129     public function localPeopletag()
130     {
131         if ($this->peopletag_id) {
132             return Profile_list::getKV('id', $this->peopletag_id);
133         }
134         return null;
135     }
136
137     /**
138      * Returns an ActivityObject describing this remote user or group profile.
139      * Can then be used to generate Atom chunks.
140      *
141      * @return ActivityObject
142      */
143     function asActivityObject()
144     {
145         if ($this->isGroup()) {
146             return ActivityObject::fromGroup($this->localGroup());
147         } else if ($this->isPeopletag()) {
148             return ActivityObject::fromPeopletag($this->localPeopletag());
149         } else {
150             return $this->localProfile()->asActivityObject();
151         }
152     }
153
154     /**
155      * Returns an XML string fragment with profile information as an
156      * Activity Streams noun object with the given element type.
157      *
158      * Assumes that 'activity' namespace has been previously defined.
159      *
160      * @todo FIXME: Replace with wrappers on asActivityObject when it's got everything.
161      *
162      * @param string $element one of 'actor', 'subject', 'object', 'target'
163      * @return string
164      */
165     function asActivityNoun($element)
166     {
167         if ($this->isGroup()) {
168             $noun = ActivityObject::fromGroup($this->localGroup());
169             return $noun->asString('activity:' . $element);
170         } else if ($this->isPeopletag()) {
171             $noun = ActivityObject::fromPeopletag($this->localPeopletag());
172             return $noun->asString('activity:' . $element);
173         } else {
174             $noun = $this->localProfile()->asActivityObject();
175             return $noun->asString('activity:' . $element);
176         }
177     }
178
179     /**
180      * @return boolean true if this is a remote group
181      */
182     function isGroup()
183     {
184         if ($this->profile_id || $this->peopletag_id && !$this->group_id) {
185             return false;
186         } else if ($this->group_id && !$this->profile_id && !$this->peopletag_id) {
187             return true;
188         } else if ($this->group_id && ($this->profile_id || $this->peopletag_id)) {
189             // TRANS: Server exception. %s is a URI
190             throw new ServerException(sprintf(_m('Invalid ostatus_profile state: Two or more IDs set for %s.'), $this->getUri()));
191         } else {
192             // TRANS: Server exception. %s is a URI
193             throw new ServerException(sprintf(_m('Invalid ostatus_profile state: All IDs empty for %s.'), $this->getUri()));
194         }
195     }
196
197     /**
198      * @return boolean true if this is a remote peopletag
199      */
200     function isPeopletag()
201     {
202         if ($this->profile_id || $this->group_id && !$this->peopletag_id) {
203             return false;
204         } else if ($this->peopletag_id && !$this->profile_id && !$this->group_id) {
205             return true;
206         } else if ($this->peopletag_id && ($this->profile_id || $this->group_id)) {
207             // TRANS: Server exception. %s is a URI
208             throw new ServerException(sprintf(_m('Invalid ostatus_profile state: Two or more IDs set for %s.'), $this->getUri()));
209         } else {
210             // TRANS: Server exception. %s is a URI
211             throw new ServerException(sprintf(_m('Invalid ostatus_profile state: All IDs empty for %s.'), $this->getUri()));
212         }
213     }
214
215     /**
216      * Send a subscription request to the hub for this feed.
217      * The hub will later send us a confirmation POST to /main/push/callback.
218      *
219      * @return void
220      * @throws ServerException if feed state is not valid or subscription fails.
221      */
222     public function subscribe()
223     {
224         $feedsub = FeedSub::ensureFeed($this->feeduri);
225         if ($feedsub->sub_state == 'active') {
226             // Active subscription, we don't need to do anything.
227             return;
228         }
229
230         // Inactive or we got left in an inconsistent state.
231         // Run a subscription request to make sure we're current!
232         return $feedsub->subscribe();
233     }
234
235     /**
236      * Check if this remote profile has any active local subscriptions, and
237      * if not drop the PuSH subscription feed.
238      *
239      * @return boolean true if subscription is removed, false if there are still subscribers to the feed
240      * @throws Exception of various kinds on failure.
241      */
242     public function unsubscribe() {
243         return $this->garbageCollect();
244     }
245
246     /**
247      * Check if this remote profile has any active local subscriptions, and
248      * if not drop the PuSH subscription feed.
249      *
250      * @return boolean true if subscription is removed, false if there are still subscribers to the feed
251      * @throws Exception of various kinds on failure.
252      */
253     public function garbageCollect()
254     {
255         $feedsub = FeedSub::getKV('uri', $this->feeduri);
256         if ($feedsub instanceof FeedSub) {
257             return $feedsub->garbageCollect();
258         }
259         // Since there's no FeedSub we can assume it's already garbage collected
260         return true;
261     }
262
263     /**
264      * Check if this remote profile has any active local subscriptions, so the
265      * PuSH subscription layer can decide if it can drop the feed.
266      *
267      * This gets called via the FeedSubSubscriberCount event when running
268      * FeedSub::garbageCollect().
269      *
270      * @return int
271      * @throws NoProfileException if there is no local profile for the object
272      */
273     public function subscriberCount()
274     {
275         if ($this->isGroup()) {
276             $members = $this->localGroup()->getMembers(0, 1);
277             $count = $members->N;
278         } else if ($this->isPeopletag()) {
279             $subscribers = $this->localPeopletag()->getSubscribers(0, 1);
280             $count = $subscribers->N;
281         } else {
282             $profile = $this->localProfile();
283             if ($profile->hasLocalTags()) {
284                 $count = 1;
285             } else {
286                 $count = $profile->subscriberCount();
287             }
288         }
289         common_log(LOG_INFO, __METHOD__ . " SUB COUNT BEFORE: $count");
290
291         // Other plugins may be piggybacking on OStatus without having
292         // an active group or user-to-user subscription we know about.
293         Event::handle('Ostatus_profileSubscriberCount', array($this, &$count));
294         common_log(LOG_INFO, __METHOD__ . " SUB COUNT AFTER: $count");
295
296         return $count;
297     }
298
299     /**
300      * Send an Activity Streams notification to the remote Salmon endpoint,
301      * if so configured.
302      *
303      * @param Profile $actor  Actor who did the activity
304      * @param string  $verb   Activity::SUBSCRIBE or Activity::JOIN
305      * @param Object  $object object of the action; must define asActivityNoun($tag)
306      */
307     public function notify(Profile $actor, $verb, $object=null, $target=null)
308     {
309         if ($object == null) {
310             $object = $this;
311         }
312         if (empty($this->salmonuri)) {
313             return false;
314         }
315         $text = 'update';
316         $id = TagURI::mint('%s:%s:%s',
317                            $verb,
318                            $actor->getURI(),
319                            common_date_iso8601(time()));
320
321         // @todo FIXME: Consolidate all these NS settings somewhere.
322         $attributes = array('xmlns' => Activity::ATOM,
323                             'xmlns:activity' => 'http://activitystrea.ms/spec/1.0/',
324                             'xmlns:thr' => 'http://purl.org/syndication/thread/1.0',
325                             'xmlns:georss' => 'http://www.georss.org/georss',
326                             'xmlns:ostatus' => 'http://ostatus.org/schema/1.0',
327                             'xmlns:poco' => 'http://portablecontacts.net/spec/1.0',
328                             'xmlns:media' => 'http://purl.org/syndication/atommedia');
329
330         $entry = new XMLStringer();
331         $entry->elementStart('entry', $attributes);
332         $entry->element('id', null, $id);
333         $entry->element('title', null, $text);
334         $entry->element('summary', null, $text);
335         $entry->element('published', null, common_date_w3dtf(common_sql_now()));
336
337         $entry->element('activity:verb', null, $verb);
338         $entry->raw($actor->asAtomAuthor());
339         $entry->raw($actor->asActivityActor());
340         $entry->raw($object->asActivityNoun('object'));
341         if ($target != null) {
342             $entry->raw($target->asActivityNoun('target'));
343         }
344         $entry->elementEnd('entry');
345
346         $xml = $entry->getString();
347         common_log(LOG_INFO, "Posting to Salmon endpoint $this->salmonuri: $xml");
348
349         Salmon::post($this->salmonuri, $xml, $actor->getUser());
350     }
351
352     /**
353      * Send a Salmon notification ping immediately, and confirm that we got
354      * an acceptable response from the remote site.
355      *
356      * @param mixed $entry XML string, Notice, or Activity
357      * @param Profile $actor
358      * @return boolean success
359      */
360     public function notifyActivity($entry, Profile $actor)
361     {
362         if ($this->salmonuri) {
363             return Salmon::post($this->salmonuri, $this->notifyPrepXml($entry), $actor->getUser());
364         }
365         common_debug(__CLASS__.' error: No salmonuri for Ostatus_profile uri: '.$this->uri);
366
367         return false;
368     }
369
370     /**
371      * Queue a Salmon notification for later. If queues are disabled we'll
372      * send immediately but won't get the return value.
373      *
374      * @param mixed $entry XML string, Notice, or Activity
375      * @return boolean success
376      */
377     public function notifyDeferred($entry, $actor)
378     {
379         if ($this->salmonuri) {
380             $data = array('salmonuri' => $this->salmonuri,
381                           'entry' => $this->notifyPrepXml($entry),
382                           'actor' => $actor->id);
383
384             $qm = QueueManager::get();
385             return $qm->enqueue($data, 'salmon');
386         }
387
388         return false;
389     }
390
391     protected function notifyPrepXml($entry)
392     {
393         $preamble = '<?xml version="1.0" encoding="UTF-8" ?' . '>';
394         if (is_string($entry)) {
395             return $entry;
396         } else if ($entry instanceof Activity) {
397             return $preamble . $entry->asString(true);
398         } else if ($entry instanceof Notice) {
399             return $preamble . $entry->asAtomEntry(true, true);
400         } else {
401             // TRANS: Server exception.
402             throw new ServerException(_m('Invalid type passed to Ostatus_profile::notify. It must be XML string or Activity entry.'));
403         }
404     }
405
406     function getBestName()
407     {
408         if ($this->isGroup()) {
409             return $this->localGroup()->getBestName();
410         } else if ($this->isPeopletag()) {
411             return $this->localPeopletag()->getBestName();
412         } else {
413             return $this->localProfile()->getBestName();
414         }
415     }
416
417     /**
418      * Read and post notices for updates from the feed.
419      * Currently assumes that all items in the feed are new,
420      * coming from a PuSH hub.
421      *
422      * @param DOMDocument $doc
423      * @param string $source identifier ("push")
424      */
425     public function processFeed(DOMDocument $doc, $source)
426     {
427         $feed = $doc->documentElement;
428
429         if ($feed->localName == 'feed' && $feed->namespaceURI == Activity::ATOM) {
430             $this->processAtomFeed($feed, $source);
431         } else if ($feed->localName == 'rss') { // @todo FIXME: Check namespace.
432             $this->processRssFeed($feed, $source);
433         } else {
434             // TRANS: Exception.
435             throw new Exception(_m('Unknown feed format.'));
436         }
437     }
438
439     public function processAtomFeed(DOMElement $feed, $source)
440     {
441         $entries = $feed->getElementsByTagNameNS(Activity::ATOM, 'entry');
442         if ($entries->length == 0) {
443             common_log(LOG_ERR, __METHOD__ . ": no entries in feed update, ignoring");
444             return;
445         }
446
447         for ($i = 0; $i < $entries->length; $i++) {
448             $entry = $entries->item($i);
449             $this->processEntry($entry, $feed, $source);
450         }
451     }
452
453     public function processRssFeed(DOMElement $rss, $source)
454     {
455         $channels = $rss->getElementsByTagName('channel');
456
457         if ($channels->length == 0) {
458             // TRANS: Exception.
459             throw new Exception(_m('RSS feed without a channel.'));
460         } else if ($channels->length > 1) {
461             common_log(LOG_WARNING, __METHOD__ . ": more than one channel in an RSS feed");
462         }
463
464         $channel = $channels->item(0);
465
466         $items = $channel->getElementsByTagName('item');
467
468         for ($i = 0; $i < $items->length; $i++) {
469             $item = $items->item($i);
470             $this->processEntry($item, $channel, $source);
471         }
472     }
473
474     /**
475      * Process a posted entry from this feed source.
476      *
477      * @param DOMElement $entry
478      * @param DOMElement $feed for context
479      * @param string $source identifier ("push" or "salmon")
480      *
481      * @return Notice Notice representing the new (or existing) activity
482      */
483     public function processEntry($entry, $feed, $source)
484     {
485         $activity = new Activity($entry, $feed);
486         return $this->processActivity($activity, $source);
487     }
488
489     // TODO: Make this throw an exception
490     public function processActivity($activity, $source)
491     {
492         $notice = null;
493
494         // The "WithProfile" events were added later.
495
496         if (Event::handle('StartHandleFeedEntryWithProfile', array($activity, $this->localProfile(), &$notice)) &&
497             Event::handle('StartHandleFeedEntry', array($activity))) {
498
499             switch ($activity->verb) {
500             case ActivityVerb::POST:
501                 // @todo process all activity objects
502                 switch ($activity->objects[0]->type) {
503                 case ActivityObject::ARTICLE:
504                 case ActivityObject::BLOGENTRY:
505                 case ActivityObject::NOTE:
506                 case ActivityObject::STATUS:
507                 case ActivityObject::COMMENT:
508                 case null:
509                     $notice = $this->processPost($activity, $source);
510                     break;
511                 default:
512                     // TRANS: Client exception.
513                     throw new ClientException(_m('Cannot handle that kind of post.'));
514                 }
515                 break;
516             case ActivityVerb::SHARE:
517                 $notice = $this->processShare($activity, $source);
518                 break;
519             default:
520                 common_log(LOG_INFO, "Ignoring activity with unrecognized verb $activity->verb");
521             }
522
523             Event::handle('EndHandleFeedEntry', array($activity));
524             Event::handle('EndHandleFeedEntryWithProfile', array($activity, $this, $notice));
525         }
526
527         return $notice;
528     }
529
530     public function processShare($activity, $method)
531     {
532         $notice = null;
533
534         try {
535             $profile = ActivityUtils::checkAuthorship($activity, $this->localProfile());
536         } catch (ServerException $e) {
537             return null;
538         }
539
540         // The id URI will be used as a unique identifier for the notice,
541         // protecting against duplicate saves. It isn't required to be a URL;
542         // tag: URIs for instance are found in Google Buzz feeds.
543         $dupe = Notice::getKV('uri', $activity->id);
544         if ($dupe instanceof Notice) {
545             common_log(LOG_INFO, "OStatus: ignoring duplicate post: {$activity->id}");
546             return $dupe;
547         }
548
549         if (count($activity->objects) != 1) {
550             // TRANS: Client exception thrown when trying to share multiple activities at once.
551             throw new ClientException(_m('Can only handle share activities with exactly one object.'));
552         }
553
554         $shared = $activity->objects[0];
555
556         if (!$shared instanceof Activity) {
557             // TRANS: Client exception thrown when trying to share a non-activity object.
558             throw new ClientException(_m('Can only handle shared activities.'));
559         }
560
561         $sharedId = $shared->id;
562         if (!empty($shared->objects[0]->id)) {
563             // Because StatusNet since commit 8cc4660 sets $shared->id to a TagURI which
564             // fucks up federation, because the URI is no longer recognised by the origin.
565             // So we set it to the object ID if it exists, otherwise we trust $shared->id
566             $sharedId = $shared->objects[0]->id;
567         }
568         if (empty($sharedId)) {
569             throw new ClientException(_m('Shared activity does not have an id'));
570         }
571
572         // First check if we have the shared activity. This has to be done first, because
573         // we can't use these functions to "ensureActivityObjectProfile" of a local user,
574         // who might be the creator of the shared activity in question.
575         $sharedNotice = Notice::getKV('uri', $sharedId);
576         if (!$sharedNotice instanceof Notice) {
577             // If no locally stored notice is found, process it!
578             // TODO: Remember to check Deleted_notice!
579             // TODO: If a post is shared that we can't retrieve - what to do?
580             try {
581                 $other = self::ensureActivityObjectProfile($shared->actor);
582                 $sharedNotice = $other->processActivity($shared, $method);
583                 if (!$sharedNotice instanceof Notice) {
584                     // And if we apparently can't get the shared notice, we'll abort the whole thing.
585                     // TRANS: Client exception thrown when saving an activity share fails.
586                     // TRANS: %s is a share ID.
587                     throw new ClientException(sprintf(_m('Failed to save activity %s.'), $sharedId));
588                 }
589             } catch (FeedSubException $e) {
590                 // Remote feed could not be found or verified, should we
591                 // transform this into an "RT @user Blah, blah, blah..."?
592                 common_log(LOG_INFO, __METHOD__ . ' got a ' . get_class($e) . ': ' . $e->getMessage());
593                 return null;
594             }
595         }
596
597         // We'll want to save a web link to the original notice, if provided.
598
599         $sourceUrl = null;
600         if ($activity->link) {
601             $sourceUrl = $activity->link;
602         } else if ($activity->link) {
603             $sourceUrl = $activity->link;
604         } else if (preg_match('!^https?://!', $activity->id)) {
605             $sourceUrl = $activity->id;
606         }
607
608         // Use summary as fallback for content
609
610         if (!empty($activity->content)) {
611             $sourceContent = $activity->content;
612         } else if (!empty($activity->summary)) {
613             $sourceContent = $activity->summary;
614         } else if (!empty($activity->title)) {
615             $sourceContent = $activity->title;
616         } else {
617             // @todo FIXME: Fetch from $sourceUrl?
618             // TRANS: Client exception. %s is a source URI.
619             throw new ClientException(sprintf(_m('No content for notice %s.'), $activity->id));
620         }
621
622         // Get (safe!) HTML and text versions of the content
623
624         $rendered = common_purify($sourceContent);
625         $content = common_strip_html($rendered);
626
627         $shortened = common_shorten_links($content);
628
629         // If it's too long, try using the summary, and make the
630         // HTML an attachment.
631
632         $attachment = null;
633
634         if (Notice::contentTooLong($shortened)) {
635             $attachment = $this->saveHTMLFile($activity->title, $rendered);
636             $summary = common_strip_html($activity->summary);
637             if (empty($summary)) {
638                 $summary = $content;
639             }
640             $shortSummary = common_shorten_links($summary);
641             if (Notice::contentTooLong($shortSummary)) {
642                 $url = common_shorten_url($sourceUrl);
643                 $shortSummary = substr($shortSummary,
644                                        0,
645                                        Notice::maxContent() - (mb_strlen($url) + 2));
646                 $content = $shortSummary . ' ' . $url;
647
648                 // We mark up the attachment link specially for the HTML output
649                 // so we can fold-out the full version inline.
650
651                 // @todo FIXME i18n: This tooltip will be saved with the site's default language
652                 // TRANS: Shown when a notice is longer than supported and/or when attachments are present. At runtime
653                 // TRANS: this will usually be replaced with localised text from StatusNet core messages.
654                 $showMoreText = _m('Show more');
655                 $attachUrl = common_local_url('attachment',
656                                               array('attachment' => $attachment->id));
657                 $rendered = common_render_text($shortSummary) .
658                             '<a href="' . htmlspecialchars($attachUrl) .'"'.
659                             ' class="attachment more"' .
660                             ' title="'. htmlspecialchars($showMoreText) . '">' .
661                             '&#8230;' .
662                             '</a>';
663             }
664         }
665
666         $options = array('is_local' => Notice::REMOTE,
667                          'url' => $sourceUrl,
668                          'uri' => $activity->id,
669                          'rendered' => $rendered,
670                          'replies' => array(),
671                          'groups' => array(),
672                          'peopletags' => array(),
673                          'tags' => array(),
674                          'urls' => array(),
675                          'repeat_of' => $sharedNotice->id,
676                          'scope' => $sharedNotice->scope);
677
678         // Check for optional attributes...
679
680         if (!empty($activity->time)) {
681             $options['created'] = common_sql_date($activity->time);
682         }
683
684         if ($activity->context) {
685             // TODO: context->attention
686             list($options['groups'], $options['replies'])
687                 = self::filterAttention($profile, $activity->context->attention);
688
689             // Maintain direct reply associations
690             // @todo FIXME: What about conversation ID?
691             if (!empty($activity->context->replyToID)) {
692                 $orig = Notice::getKV('uri',
693                                           $activity->context->replyToID);
694                 if ($orig instanceof Notice) {
695                     $options['reply_to'] = $orig->id;
696                 }
697             }
698
699             $location = $activity->context->location;
700             if ($location) {
701                 $options['lat'] = $location->lat;
702                 $options['lon'] = $location->lon;
703                 if ($location->location_id) {
704                     $options['location_ns'] = $location->location_ns;
705                     $options['location_id'] = $location->location_id;
706                 }
707             }
708         }
709
710         if ($this->isPeopletag()) {
711             $options['peopletags'][] = $this->localPeopletag();
712         }
713
714         // Atom categories <-> hashtags
715         foreach ($activity->categories as $cat) {
716             if ($cat->term) {
717                 $term = common_canonical_tag($cat->term);
718                 if ($term) {
719                     $options['tags'][] = $term;
720                 }
721             }
722         }
723
724         // Atom enclosures -> attachment URLs
725         foreach ($activity->enclosures as $href) {
726             // @todo FIXME: Save these locally or....?
727             $options['urls'][] = $href;
728         }
729
730         $notice = Notice::saveNew($profile->id,
731                                   $content,
732                                   'ostatus',
733                                   $options);
734
735         return $notice;
736     }
737
738     /**
739      * Process an incoming post activity from this remote feed.
740      * @param Activity $activity
741      * @param string $method 'push' or 'salmon'
742      * @return mixed saved Notice or false
743      * @todo FIXME: Break up this function, it's getting nasty long
744      */
745     public function processPost($activity, $method)
746     {
747         $notice = null;
748
749         $profile = ActivityUtils::checkAuthorship($activity, $this->localProfile());
750
751         // It's not always an ActivityObject::NOTE, but... let's just say it is.
752
753         $note = $activity->objects[0];
754
755         // The id URI will be used as a unique identifier for the notice,
756         // protecting against duplicate saves. It isn't required to be a URL;
757         // tag: URIs for instance are found in Google Buzz feeds.
758         $sourceUri = $note->id;
759         $dupe = Notice::getKV('uri', $sourceUri);
760         if ($dupe instanceof Notice) {
761             common_log(LOG_INFO, "OStatus: ignoring duplicate post: $sourceUri");
762             return $dupe;
763         }
764
765         // We'll also want to save a web link to the original notice, if provided.
766         $sourceUrl = null;
767         if ($note->link) {
768             $sourceUrl = $note->link;
769         } else if ($activity->link) {
770             $sourceUrl = $activity->link;
771         } else if (preg_match('!^https?://!', $note->id)) {
772             $sourceUrl = $note->id;
773         }
774
775         // Use summary as fallback for content
776
777         if (!empty($note->content)) {
778             $sourceContent = $note->content;
779         } else if (!empty($note->summary)) {
780             $sourceContent = $note->summary;
781         } else if (!empty($note->title)) {
782             $sourceContent = $note->title;
783         } else {
784             // @todo FIXME: Fetch from $sourceUrl?
785             // TRANS: Client exception. %s is a source URI.
786             throw new ClientException(sprintf(_m('No content for notice %s.'),$sourceUri));
787         }
788
789         // Get (safe!) HTML and text versions of the content
790
791         $rendered = common_purify($sourceContent);
792         $content = common_strip_html($rendered);
793
794         $shortened = common_shorten_links($content);
795
796         // If it's too long, try using the summary, and make the
797         // HTML an attachment.
798
799         $attachment = null;
800
801         if (Notice::contentTooLong($shortened)) {
802             $attachment = $this->saveHTMLFile($note->title, $rendered);
803             $summary = common_strip_html($note->summary);
804             if (empty($summary)) {
805                 $summary = $content;
806             }
807             $shortSummary = common_shorten_links($summary);
808             if (Notice::contentTooLong($shortSummary)) {
809                 $url = common_shorten_url($sourceUrl);
810                 $shortSummary = substr($shortSummary,
811                                        0,
812                                        Notice::maxContent() - (mb_strlen($url) + 2));
813                 $content = $shortSummary . ' ' . $url;
814
815                 // We mark up the attachment link specially for the HTML output
816                 // so we can fold-out the full version inline.
817
818                 // @todo FIXME i18n: This tooltip will be saved with the site's default language
819                 // TRANS: Shown when a notice is longer than supported and/or when attachments are present. At runtime
820                 // TRANS: this will usually be replaced with localised text from StatusNet core messages.
821                 $showMoreText = _m('Show more');
822                 $attachUrl = common_local_url('attachment',
823                                               array('attachment' => $attachment->id));
824                 $rendered = common_render_text($shortSummary) .
825                             '<a href="' . htmlspecialchars($attachUrl) .'"'.
826                             ' class="attachment more"' .
827                             ' title="'. htmlspecialchars($showMoreText) . '">' .
828                             '&#8230;' .
829                             '</a>';
830             }
831         }
832
833         $options = array('is_local' => Notice::REMOTE,
834                         'url' => $sourceUrl,
835                         'uri' => $sourceUri,
836                         'rendered' => $rendered,
837                         'replies' => array(),
838                         'groups' => array(),
839                         'peopletags' => array(),
840                         'tags' => array(),
841                         'urls' => array());
842
843         // Check for optional attributes...
844
845         if (!empty($activity->time)) {
846             $options['created'] = common_sql_date($activity->time);
847         }
848
849         if ($activity->context) {
850             // TODO: context->attention
851             list($options['groups'], $options['replies'])
852                 = self::filterAttention($profile, $activity->context->attention);
853
854             // Maintain direct reply associations
855             // @todo FIXME: What about conversation ID?
856             if (!empty($activity->context->replyToID)) {
857                 $orig = Notice::getKV('uri', $activity->context->replyToID);
858                 if ($orig instanceof Notice) {
859                     $options['reply_to'] = $orig->id;
860                 }
861             }
862             if (!empty($activity->context->conversation)) {
863                 // we store the URI here, Notice class can look it up later
864                 $options['conversation'] = $activity->context->conversation;
865             }
866
867             $location = $activity->context->location;
868             if ($location) {
869                 $options['lat'] = $location->lat;
870                 $options['lon'] = $location->lon;
871                 if ($location->location_id) {
872                     $options['location_ns'] = $location->location_ns;
873                     $options['location_id'] = $location->location_id;
874                 }
875             }
876         }
877
878         if ($this->isPeopletag()) {
879             $options['peopletags'][] = $this->localPeopletag();
880         }
881
882         // Atom categories <-> hashtags
883         foreach ($activity->categories as $cat) {
884             if ($cat->term) {
885                 $term = common_canonical_tag($cat->term);
886                 if ($term) {
887                     $options['tags'][] = $term;
888                 }
889             }
890         }
891
892         // Atom enclosures -> attachment URLs
893         foreach ($activity->enclosures as $href) {
894             // @todo FIXME: Save these locally or....?
895             $options['urls'][] = $href;
896         }
897
898         try {
899             $saved = Notice::saveNew($profile->id,
900                                      $content,
901                                      'ostatus',
902                                      $options);
903             if ($saved instanceof Notice) {
904                 Ostatus_source::saveNew($saved, $this, $method);
905                 if (!empty($attachment)) {
906                     File_to_post::processNew($attachment->id, $saved->id);
907                 }
908             }
909         } catch (Exception $e) {
910             common_log(LOG_ERR, "OStatus save of remote message $sourceUri failed: " . $e->getMessage());
911             throw $e;
912         }
913         common_log(LOG_INFO, "OStatus saved remote message $sourceUri as notice id $saved->id");
914         return $saved;
915     }
916
917     /**
918      * Filters a list of recipient ID URIs to just those for local delivery.
919      * @param Profile local profile of sender
920      * @param array in/out &$attention_uris set of URIs, will be pruned on output
921      * @return array of group IDs
922      */
923     static public function filterAttention(Profile $sender, array $attention)
924     {
925         common_log(LOG_DEBUG, "Original reply recipients: " . implode(', ', array_keys($attention)));
926         $groups = array();
927         $replies = array();
928         foreach ($attention as $recipient=>$type) {
929             // Is the recipient a local user?
930             $user = User::getKV('uri', $recipient);
931             if ($user instanceof User) {
932                 // @todo FIXME: Sender verification, spam etc?
933                 $replies[] = $recipient;
934                 continue;
935             }
936
937             // Is the recipient a local group?
938             // TODO: $group = User_group::getKV('uri', $recipient);
939             $id = OStatusPlugin::localGroupFromUrl($recipient);
940             if ($id) {
941                 $group = User_group::getKV('id', $id);
942                 if ($group instanceof User_group) {
943                     // Deliver to all members of this local group if allowed.
944                     if ($sender->isMember($group)) {
945                         $groups[] = $group->id;
946                     } else {
947                         common_log(LOG_DEBUG, sprintf('Skipping reply to local group %s as sender %d is not a member', $group->getNickname(), $sender->id));
948                     }
949                     continue;
950                 } else {
951                     common_log(LOG_DEBUG, "Skipping reply to bogus group $recipient");
952                 }
953             }
954
955             // Is the recipient a remote user or group?
956             try {
957                 $oprofile = self::ensureProfileURI($recipient);
958                 if ($oprofile->isGroup()) {
959                     // Deliver to local members of this remote group.
960                     // @todo FIXME: Sender verification?
961                     $groups[] = $oprofile->group_id;
962                 } else {
963                     // may be canonicalized or something
964                     $replies[] = $oprofile->getUri();
965                 }
966                 continue;
967             } catch (Exception $e) {
968                 // Neither a recognizable local nor remote user!
969                 common_log(LOG_DEBUG, "Skipping reply to unrecognized profile $recipient: " . $e->getMessage());
970             }
971
972         }
973         common_log(LOG_DEBUG, "Local reply recipients: " . implode(', ', $replies));
974         common_log(LOG_DEBUG, "Local group recipients: " . implode(', ', $groups));
975         return array($groups, $replies);
976     }
977
978     /**
979      * Look up and if necessary create an Ostatus_profile for the remote entity
980      * with the given profile page URL. This should never return null -- you
981      * will either get an object or an exception will be thrown.
982      *
983      * @param string $profile_url
984      * @return Ostatus_profile
985      * @throws Exception on various error conditions
986      * @throws OStatusShadowException if this reference would obscure a local user/group
987      */
988     public static function ensureProfileURL($profile_url, array $hints=array())
989     {
990         $oprofile = self::getFromProfileURL($profile_url);
991
992         if ($oprofile instanceof Ostatus_profile) {
993             return $oprofile;
994         }
995
996         $hints['profileurl'] = $profile_url;
997
998         // Fetch the URL
999         // XXX: HTTP caching
1000
1001         $client = new HTTPClient();
1002         $client->setHeader('Accept', 'text/html,application/xhtml+xml');
1003         $response = $client->get($profile_url);
1004
1005         if (!$response->isOk()) {
1006             // TRANS: Exception. %s is a profile URL.
1007             throw new Exception(sprintf(_m('Could not reach profile page %s.'),$profile_url));
1008         }
1009
1010         // Check if we have a non-canonical URL
1011
1012         $finalUrl = $response->getUrl();
1013
1014         if ($finalUrl != $profile_url) {
1015
1016             $hints['profileurl'] = $finalUrl;
1017
1018             $oprofile = self::getFromProfileURL($finalUrl);
1019
1020             if ($oprofile instanceof Ostatus_profile) {
1021                 return $oprofile;
1022             }
1023         }
1024
1025         // Try to get some hCard data
1026
1027         $body = $response->getBody();
1028
1029         $hcardHints = DiscoveryHints::hcardHints($body, $finalUrl);
1030
1031         if (!empty($hcardHints)) {
1032             $hints = array_merge($hints, $hcardHints);
1033         }
1034
1035         // Check if they've got an LRDD header
1036
1037         $lrdd = LinkHeader::getLink($response, 'lrdd');
1038         try {
1039             $xrd = new XML_XRD();
1040             $xrd->loadFile($lrdd);
1041             $xrdHints = DiscoveryHints::fromXRD($xrd);
1042             $hints = array_merge($hints, $xrdHints);
1043         } catch (Exception $e) {
1044             // No hints available from XRD
1045         }
1046
1047         // If discovery found a feedurl (probably from LRDD), use it.
1048
1049         if (array_key_exists('feedurl', $hints)) {
1050             return self::ensureFeedURL($hints['feedurl'], $hints);
1051         }
1052
1053         // Get the feed URL from HTML
1054
1055         $discover = new FeedDiscovery();
1056
1057         $feedurl = $discover->discoverFromHTML($finalUrl, $body);
1058
1059         if (!empty($feedurl)) {
1060             $hints['feedurl'] = $feedurl;
1061             return self::ensureFeedURL($feedurl, $hints);
1062         }
1063
1064         // TRANS: Exception. %s is a URL.
1065         throw new Exception(sprintf(_m('Could not find a feed URL for profile page %s.'),$finalUrl));
1066     }
1067
1068     /**
1069      * Look up the Ostatus_profile, if present, for a remote entity with the
1070      * given profile page URL. Will return null for both unknown and invalid
1071      * remote profiles.
1072      *
1073      * @return mixed Ostatus_profile or null
1074      * @throws OStatusShadowException for local profiles
1075      */
1076     static function getFromProfileURL($profile_url)
1077     {
1078         $profile = Profile::getKV('profileurl', $profile_url);
1079         if (!$profile instanceof Profile) {
1080             return null;
1081         }
1082
1083         try {
1084             $oprofile = self::getFromProfile($profile);
1085             // We found the profile, return it!
1086             return $oprofile;
1087         } catch (NoResultException $e) {
1088             // Could not find an OStatus profile, is it instead a local user?
1089             $user = User::getKV('id', $profile->id);
1090             if ($user instanceof User) {
1091                 // @todo i18n FIXME: use sprintf and add i18n (?)
1092                 throw new OStatusShadowException($profile, "'$profile_url' is the profile for local user '{$user->nickname}'.");
1093             }
1094         }
1095
1096         // Continue discovery; it's a remote profile
1097         // for OMB or some other protocol, may also
1098         // support OStatus
1099
1100         return null;
1101     }
1102
1103     static function getFromProfile(Profile $profile)
1104     {
1105         $oprofile = new Ostatus_profile();
1106         $oprofile->profile_id = $profile->id;
1107         if (!$oprofile->find(true)) {
1108             throw new NoResultException($oprofile);
1109         }
1110         return $oprofile;
1111     }
1112
1113     /**
1114      * Look up and if necessary create an Ostatus_profile for remote entity
1115      * with the given update feed. This should never return null -- you will
1116      * either get an object or an exception will be thrown.
1117      *
1118      * @return Ostatus_profile
1119      * @throws Exception
1120      */
1121     public static function ensureFeedURL($feed_url, array $hints=array())
1122     {
1123         $discover = new FeedDiscovery();
1124
1125         $feeduri = $discover->discoverFromFeedURL($feed_url);
1126         $hints['feedurl'] = $feeduri;
1127
1128         $huburi = $discover->getHubLink();
1129         $hints['hub'] = $huburi;
1130
1131         // XXX: NS_REPLIES is deprecated anyway, so let's remove it in the future.
1132         $salmonuri = $discover->getAtomLink(Salmon::REL_SALMON)
1133                         ?: $discover->getAtomLink(Salmon::NS_REPLIES);
1134         $hints['salmon'] = $salmonuri;
1135
1136         if (!$huburi && !common_config('feedsub', 'fallback_hub') && !common_config('feedsub', 'nohub')) {
1137             // We can only deal with folks with a PuSH hub
1138             // unless we have something similar available locally.
1139             throw new FeedSubNoHubException();
1140         }
1141
1142         $feedEl = $discover->root;
1143
1144         if ($feedEl->tagName == 'feed') {
1145             return self::ensureAtomFeed($feedEl, $hints);
1146         } else if ($feedEl->tagName == 'channel') {
1147             return self::ensureRssChannel($feedEl, $hints);
1148         } else {
1149             throw new FeedSubBadXmlException($feeduri);
1150         }
1151     }
1152
1153     /**
1154      * Look up and, if necessary, create an Ostatus_profile for the remote
1155      * profile with the given Atom feed - actually loaded from the feed.
1156      * This should never return null -- you will either get an object or
1157      * an exception will be thrown.
1158      *
1159      * @param DOMElement $feedEl root element of a loaded Atom feed
1160      * @param array $hints additional discovery information passed from higher levels
1161      * @todo FIXME: Should this be marked public?
1162      * @return Ostatus_profile
1163      * @throws Exception
1164      */
1165     public static function ensureAtomFeed(DOMElement $feedEl, array $hints)
1166     {
1167         $author = ActivityUtils::getFeedAuthor($feedEl);
1168
1169         if (empty($author)) {
1170             // XXX: make some educated guesses here
1171             // TRANS: Feed sub exception.
1172             throw new FeedSubException(_m('Cannot find enough profile '.
1173                                           'information to make a feed.'));
1174         }
1175
1176         return self::ensureActivityObjectProfile($author, $hints);
1177     }
1178
1179     /**
1180      * Look up and, if necessary, create an Ostatus_profile for the remote
1181      * profile with the given RSS feed - actually loaded from the feed.
1182      * This should never return null -- you will either get an object or
1183      * an exception will be thrown.
1184      *
1185      * @param DOMElement $feedEl root element of a loaded RSS feed
1186      * @param array $hints additional discovery information passed from higher levels
1187      * @todo FIXME: Should this be marked public?
1188      * @return Ostatus_profile
1189      * @throws Exception
1190      */
1191     public static function ensureRssChannel(DOMElement $feedEl, array $hints)
1192     {
1193         // Special-case for Posterous. They have some nice metadata in their
1194         // posterous:author elements. We should use them instead of the channel.
1195
1196         $items = $feedEl->getElementsByTagName('item');
1197
1198         if ($items->length > 0) {
1199             $item = $items->item(0);
1200             $authorEl = ActivityUtils::child($item, ActivityObject::AUTHOR, ActivityObject::POSTEROUS);
1201             if (!empty($authorEl)) {
1202                 $obj = ActivityObject::fromPosterousAuthor($authorEl);
1203                 // Posterous has multiple authors per feed, and multiple feeds
1204                 // per author. We check if this is the "main" feed for this author.
1205                 if (array_key_exists('profileurl', $hints) &&
1206                     !empty($obj->poco) &&
1207                     common_url_to_nickname($hints['profileurl']) == $obj->poco->preferredUsername) {
1208                     return self::ensureActivityObjectProfile($obj, $hints);
1209                 }
1210             }
1211         }
1212
1213         // @todo FIXME: We should check whether this feed has elements
1214         // with different <author> or <dc:creator> elements, and... I dunno.
1215         // Do something about that.
1216
1217         $obj = ActivityObject::fromRssChannel($feedEl);
1218
1219         return self::ensureActivityObjectProfile($obj, $hints);
1220     }
1221
1222     /**
1223      * Download and update given avatar image
1224      *
1225      * @param string $url
1226      * @return Avatar    The Avatar we have on disk. (seldom used)
1227      * @throws Exception in various failure cases
1228      */
1229     public function updateAvatar($url, $force=false)
1230     {
1231         try {
1232             // If avatar URL differs: update. If URLs were identical but we're forced: update.
1233             if ($url == $this->avatar && !$force) {
1234                 // If there's no locally stored avatar, throw an exception and continue fetching below.
1235                 $avatar = Avatar::getUploaded($this->localProfile()) instanceof Avatar;
1236                 return $avatar;
1237             }
1238         } catch (NoAvatarException $e) {
1239             // No avatar available, let's fetch it.
1240         }
1241
1242         if (!common_valid_http_url($url)) {
1243             // TRANS: Server exception. %s is a URL.
1244             throw new ServerException(sprintf(_m('Invalid avatar URL %s.'), $url));
1245         }
1246
1247         $self = $this->localProfile();
1248
1249         // @todo FIXME: This should be better encapsulated
1250         // ripped from oauthstore.php (for old OMB client)
1251         $temp_filename = tempnam(sys_get_temp_dir(), 'listener_avatar');
1252         try {
1253             $imgData = HTTPClient::quickGet($url);
1254             // Make sure it's at least an image file. ImageFile can do the rest.
1255             if (false === getimagesizefromstring($imgData)) {
1256                 throw new UnsupportedMediaException(_('Downloaded group avatar was not an image.'));
1257             }
1258             file_put_contents($temp_filename, $imgData);
1259             unset($imgData);    // No need to carry this in memory.
1260
1261             if ($this->isGroup()) {
1262                 $id = $this->group_id;
1263             } else {
1264                 $id = $this->profile_id;
1265             }
1266             // @todo FIXME: Should we be using different ids?
1267             $imagefile = new ImageFile($id, $temp_filename);
1268             $filename = Avatar::filename($id,
1269                                          image_type_to_extension($imagefile->type),
1270                                          null,
1271                                          common_timestamp());
1272             rename($temp_filename, Avatar::path($filename));
1273         } catch (Exception $e) {
1274             unlink($temp_filename);
1275             throw $e;
1276         }
1277         // @todo FIXME: Hardcoded chmod is lame, but seems to be necessary to
1278         // keep from accidentally saving images from command-line (queues)
1279         // that can't be read from web server, which causes hard-to-notice
1280         // problems later on:
1281         //
1282         // http://status.net/open-source/issues/2663
1283         chmod(Avatar::path($filename), 0644);
1284
1285         $self->setOriginal($filename);
1286
1287         $orig = clone($this);
1288         $this->avatar = $url;
1289         $this->update($orig);
1290
1291         return Avatar::getUploaded($self);
1292     }
1293
1294     /**
1295      * Pull avatar URL from ActivityObject or profile hints
1296      *
1297      * @param ActivityObject $object
1298      * @param array $hints
1299      * @return mixed URL string or false
1300      */
1301     public static function getActivityObjectAvatar(ActivityObject $object, array $hints=array())
1302     {
1303         if ($object->avatarLinks) {
1304             $best = false;
1305             // Take the exact-size avatar, or the largest avatar, or the first avatar if all sizeless
1306             foreach ($object->avatarLinks as $avatar) {
1307                 if ($avatar->width == AVATAR_PROFILE_SIZE && $avatar->height = AVATAR_PROFILE_SIZE) {
1308                     // Exact match!
1309                     $best = $avatar;
1310                     break;
1311                 }
1312                 if (!$best || $avatar->width > $best->width) {
1313                     $best = $avatar;
1314                 }
1315             }
1316             return $best->url;
1317         } else if (array_key_exists('avatar', $hints)) {
1318             return $hints['avatar'];
1319         }
1320         return false;
1321     }
1322
1323     /**
1324      * Get an appropriate avatar image source URL, if available.
1325      *
1326      * @param ActivityObject $actor
1327      * @param DOMElement $feed
1328      * @return string
1329      */
1330     protected static function getAvatar(ActivityObject $actor, DOMElement $feed)
1331     {
1332         $url = '';
1333         $icon = '';
1334         if ($actor->avatar) {
1335             $url = trim($actor->avatar);
1336         }
1337         if (!$url) {
1338             // Check <atom:logo> and <atom:icon> on the feed
1339             $els = $feed->childNodes();
1340             if ($els && $els->length) {
1341                 for ($i = 0; $i < $els->length; $i++) {
1342                     $el = $els->item($i);
1343                     if ($el->namespaceURI == Activity::ATOM) {
1344                         if (empty($url) && $el->localName == 'logo') {
1345                             $url = trim($el->textContent);
1346                             break;
1347                         }
1348                         if (empty($icon) && $el->localName == 'icon') {
1349                             // Use as a fallback
1350                             $icon = trim($el->textContent);
1351                         }
1352                     }
1353                 }
1354             }
1355             if ($icon && !$url) {
1356                 $url = $icon;
1357             }
1358         }
1359         if ($url) {
1360             $opts = array('allowed_schemes' => array('http', 'https'));
1361             if (common_valid_http_url($url)) {
1362                 return $url;
1363             }
1364         }
1365
1366         return Plugin::staticPath('OStatus', 'images/96px-Feed-icon.svg.png');
1367     }
1368
1369     /**
1370      * Fetch, or build if necessary, an Ostatus_profile for the actor
1371      * in a given Activity Streams activity.
1372      * This should never return null -- you will either get an object or
1373      * an exception will be thrown.
1374      *
1375      * @param Activity $activity
1376      * @param string $feeduri if we already know the canonical feed URI!
1377      * @param string $salmonuri if we already know the salmon return channel URI
1378      * @return Ostatus_profile
1379      * @throws Exception
1380      */
1381     public static function ensureActorProfile(Activity $activity, array $hints=array())
1382     {
1383         return self::ensureActivityObjectProfile($activity->actor, $hints);
1384     }
1385
1386     /**
1387      * Fetch, or build if necessary, an Ostatus_profile for the profile
1388      * in a given Activity Streams object (can be subject, actor, or object).
1389      * This should never return null -- you will either get an object or
1390      * an exception will be thrown.
1391      *
1392      * @param ActivityObject $object
1393      * @param array $hints additional discovery information passed from higher levels
1394      * @return Ostatus_profile
1395      * @throws Exception
1396      */
1397     public static function ensureActivityObjectProfile(ActivityObject $object, array $hints=array())
1398     {
1399         $profile = self::getActivityObjectProfile($object);
1400         if ($profile instanceof Ostatus_profile) {
1401             $profile->updateFromActivityObject($object, $hints);
1402         } else {
1403             $profile = self::createActivityObjectProfile($object, $hints);
1404         }
1405         return $profile;
1406     }
1407
1408     /**
1409      * @param Activity $activity
1410      * @return mixed matching Ostatus_profile or false if none known
1411      * @throws ServerException if feed info invalid
1412      */
1413     public static function getActorProfile(Activity $activity)
1414     {
1415         return self::getActivityObjectProfile($activity->actor);
1416     }
1417
1418     /**
1419      * @param ActivityObject $activity
1420      * @return mixed matching Ostatus_profile or false if none known
1421      * @throws ServerException if feed info invalid
1422      */
1423     protected static function getActivityObjectProfile(ActivityObject $object)
1424     {
1425         $uri = self::getActivityObjectProfileURI($object);
1426         return Ostatus_profile::getKV('uri', $uri);
1427     }
1428
1429     /**
1430      * Get the identifier URI for the remote entity described
1431      * by this ActivityObject. This URI is *not* guaranteed to be
1432      * a resolvable HTTP/HTTPS URL.
1433      *
1434      * @param ActivityObject $object
1435      * @return string
1436      * @throws ServerException if feed info invalid
1437      */
1438     protected static function getActivityObjectProfileURI(ActivityObject $object)
1439     {
1440         if ($object->id) {
1441             if (ActivityUtils::validateUri($object->id)) {
1442                 return $object->id;
1443             }
1444         }
1445
1446         // If the id is missing or invalid (we've seen feeds mistakenly listing
1447         // things like local usernames in that field) then we'll use the profile
1448         // page link, if valid.
1449         if ($object->link && common_valid_http_url($object->link)) {
1450             return $object->link;
1451         }
1452         // TRANS: Server exception.
1453         throw new ServerException(_m('No author ID URI found.'));
1454     }
1455
1456     /**
1457      * @todo FIXME: Validate stuff somewhere.
1458      */
1459
1460     /**
1461      * Create local ostatus_profile and profile/user_group entries for
1462      * the provided remote user or group.
1463      * This should never return null -- you will either get an object or
1464      * an exception will be thrown.
1465      *
1466      * @param ActivityObject $object
1467      * @param array $hints
1468      *
1469      * @return Ostatus_profile
1470      */
1471     protected static function createActivityObjectProfile(ActivityObject $object, array $hints=array())
1472     {
1473         $homeuri = $object->id;
1474         $discover = false;
1475
1476         if (!$homeuri) {
1477             common_log(LOG_DEBUG, __METHOD__ . " empty actor profile URI: " . var_export($activity, true));
1478             // TRANS: Exception.
1479             throw new Exception(_m('No profile URI.'));
1480         }
1481
1482         $user = User::getKV('uri', $homeuri);
1483         if ($user instanceof User) {
1484             // TRANS: Exception.
1485             throw new Exception(_m('Local user cannot be referenced as remote.'));
1486         }
1487
1488         if (OStatusPlugin::localGroupFromUrl($homeuri)) {
1489             // TRANS: Exception.
1490             throw new Exception(_m('Local group cannot be referenced as remote.'));
1491         }
1492
1493         $ptag = Profile_list::getKV('uri', $homeuri);
1494         if ($ptag instanceof Profile_list) {
1495             $local_user = User::getKV('id', $ptag->tagger);
1496             if ($local_user instanceof User) {
1497                 // TRANS: Exception.
1498                 throw new Exception(_m('Local list cannot be referenced as remote.'));
1499             }
1500         }
1501
1502         if (array_key_exists('feedurl', $hints)) {
1503             $feeduri = $hints['feedurl'];
1504         } else {
1505             $discover = new FeedDiscovery();
1506             $feeduri = $discover->discoverFromURL($homeuri);
1507         }
1508
1509         if (array_key_exists('salmon', $hints)) {
1510             $salmonuri = $hints['salmon'];
1511         } else {
1512             if (!$discover) {
1513                 $discover = new FeedDiscovery();
1514                 $discover->discoverFromFeedURL($hints['feedurl']);
1515             }
1516             // XXX: NS_REPLIES is deprecated anyway, so let's remove it in the future.
1517             $salmonuri = $discover->getAtomLink(Salmon::REL_SALMON)
1518                             ?: $discover->getAtomLink(Salmon::NS_REPLIES);
1519         }
1520
1521         if (array_key_exists('hub', $hints)) {
1522             $huburi = $hints['hub'];
1523         } else {
1524             if (!$discover) {
1525                 $discover = new FeedDiscovery();
1526                 $discover->discoverFromFeedURL($hints['feedurl']);
1527             }
1528             $huburi = $discover->getHubLink();
1529         }
1530
1531         if (!$huburi && !common_config('feedsub', 'fallback_hub') && !common_config('feedsub', 'nohub')) {
1532             // We can only deal with folks with a PuSH hub
1533             throw new FeedSubNoHubException();
1534         }
1535
1536         $oprofile = new Ostatus_profile();
1537
1538         $oprofile->uri        = $homeuri;
1539         $oprofile->feeduri    = $feeduri;
1540         $oprofile->salmonuri  = $salmonuri;
1541
1542         $oprofile->created    = common_sql_now();
1543         $oprofile->modified   = common_sql_now();
1544
1545         if ($object->type == ActivityObject::PERSON) {
1546             $profile = new Profile();
1547             $profile->created = common_sql_now();
1548             self::updateProfile($profile, $object, $hints);
1549
1550             $oprofile->profile_id = $profile->insert();
1551             if ($oprofile->profile_id === false) {
1552                 // TRANS: Server exception.
1553                 throw new ServerException(_m('Cannot save local profile.'));
1554             }
1555         } else if ($object->type == ActivityObject::GROUP) {
1556             $profile = new Profile();
1557             $profile->query('BEGIN');
1558
1559             $group = new User_group();
1560             $group->uri = $homeuri;
1561             $group->created = common_sql_now();
1562             self::updateGroup($group, $object, $hints);
1563
1564             // TODO: We should do this directly in User_group->insert()!
1565             // currently it's duplicated in User_group->update()
1566             // AND User_group->register()!!!
1567             $fields = array(/*group field => profile field*/
1568                         'nickname'      => 'nickname',
1569                         'fullname'      => 'fullname',
1570                         'mainpage'      => 'profileurl',
1571                         'homepage'      => 'homepage',
1572                         'description'   => 'bio',
1573                         'location'      => 'location',
1574                         'created'       => 'created',
1575                         'modified'      => 'modified',
1576                         );
1577             foreach ($fields as $gf=>$pf) {
1578                 $profile->$pf = $group->$gf;
1579             }
1580             $profile_id = $profile->insert();
1581             if ($profile_id === false) {
1582                 $profile->query('ROLLBACK');
1583                 throw new ServerException(_('Profile insertion failed.'));
1584             }
1585
1586             $group->profile_id = $profile_id;
1587
1588             $oprofile->group_id = $group->insert();
1589             if ($oprofile->group_id === false) {
1590                 $profile->query('ROLLBACK');
1591                 // TRANS: Server exception.
1592                 throw new ServerException(_m('Cannot save local profile.'));
1593             }
1594
1595             $profile->query('COMMIT');
1596         } else if ($object->type == ActivityObject::_LIST) {
1597             $ptag = new Profile_list();
1598             $ptag->uri = $homeuri;
1599             $ptag->created = common_sql_now();
1600             self::updatePeopletag($ptag, $object, $hints);
1601
1602             $oprofile->peopletag_id = $ptag->insert();
1603             if ($oprofile->peopletag_id === false) {
1604                 // TRANS: Server exception.
1605                 throw new ServerException(_m('Cannot save local list.'));
1606             }
1607         }
1608
1609         $ok = $oprofile->insert();
1610
1611         if ($ok === false) {
1612             // TRANS: Server exception.
1613             throw new ServerException(_m('Cannot save OStatus profile.'));
1614         }
1615
1616         $avatar = self::getActivityObjectAvatar($object, $hints);
1617
1618         if ($avatar) {
1619             try {
1620                 $oprofile->updateAvatar($avatar);
1621             } catch (Exception $ex) {
1622                 // Profile is saved, but Avatar is messed up. We're
1623                 // just going to continue.
1624                 common_log(LOG_WARNING, "Exception saving OStatus profile avatar: ". $ex->getMessage());
1625             }
1626         }
1627
1628         return $oprofile;
1629     }
1630
1631     /**
1632      * Save any updated profile information to our local copy.
1633      * @param ActivityObject $object
1634      * @param array $hints
1635      */
1636     public function updateFromActivityObject(ActivityObject $object, array $hints=array())
1637     {
1638         if ($this->isGroup()) {
1639             $group = $this->localGroup();
1640             self::updateGroup($group, $object, $hints);
1641         } else if ($this->isPeopletag()) {
1642             $ptag = $this->localPeopletag();
1643             self::updatePeopletag($ptag, $object, $hints);
1644         } else {
1645             $profile = $this->localProfile();
1646             self::updateProfile($profile, $object, $hints);
1647         }
1648
1649         $avatar = self::getActivityObjectAvatar($object, $hints);
1650         if ($avatar && !isset($ptag)) {
1651             try {
1652                 $this->updateAvatar($avatar);
1653             } catch (Exception $ex) {
1654                 common_log(LOG_WARNING, "Exception saving OStatus profile avatar: " . $ex->getMessage());
1655             }
1656         }
1657     }
1658
1659     public static function updateProfile(Profile $profile, ActivityObject $object, array $hints=array())
1660     {
1661         $orig = clone($profile);
1662
1663         // Existing nickname is better than nothing.
1664
1665         if (!array_key_exists('nickname', $hints)) {
1666             $hints['nickname'] = $profile->nickname;
1667         }
1668
1669         $nickname = self::getActivityObjectNickname($object, $hints);
1670
1671         if (!empty($nickname)) {
1672             $profile->nickname = $nickname;
1673         }
1674
1675         if (!empty($object->title)) {
1676             $profile->fullname = $object->title;
1677         } else if (array_key_exists('fullname', $hints)) {
1678             $profile->fullname = $hints['fullname'];
1679         }
1680
1681         if (!empty($object->link)) {
1682             $profile->profileurl = $object->link;
1683         } else if (array_key_exists('profileurl', $hints)) {
1684             $profile->profileurl = $hints['profileurl'];
1685         } else if (common_valid_http_url($object->id)) {
1686             $profile->profileurl = $object->id;
1687         }
1688
1689         $bio = self::getActivityObjectBio($object, $hints);
1690
1691         if (!empty($bio)) {
1692             $profile->bio = $bio;
1693         }
1694
1695         $location = self::getActivityObjectLocation($object, $hints);
1696
1697         if (!empty($location)) {
1698             $profile->location = $location;
1699         }
1700
1701         $homepage = self::getActivityObjectHomepage($object, $hints);
1702
1703         if (!empty($homepage)) {
1704             $profile->homepage = $homepage;
1705         }
1706
1707         if (!empty($object->geopoint)) {
1708             $location = ActivityContext::locationFromPoint($object->geopoint);
1709             if (!empty($location)) {
1710                 $profile->lat = $location->lat;
1711                 $profile->lon = $location->lon;
1712             }
1713         }
1714
1715         // @todo FIXME: tags/categories
1716         // @todo tags from categories
1717
1718         if ($profile->id) {
1719             common_log(LOG_DEBUG, "Updating OStatus profile $profile->id from remote info $object->id: " . var_export($object, true) . var_export($hints, true));
1720             $profile->update($orig);
1721         }
1722     }
1723
1724     protected static function updateGroup(User_group $group, ActivityObject $object, array $hints=array())
1725     {
1726         $orig = clone($group);
1727
1728         $group->nickname = self::getActivityObjectNickname($object, $hints);
1729         $group->fullname = $object->title;
1730
1731         if (!empty($object->link)) {
1732             $group->mainpage = $object->link;
1733         } else if (array_key_exists('profileurl', $hints)) {
1734             $group->mainpage = $hints['profileurl'];
1735         }
1736
1737         // @todo tags from categories
1738         $group->description = self::getActivityObjectBio($object, $hints);
1739         $group->location = self::getActivityObjectLocation($object, $hints);
1740         $group->homepage = self::getActivityObjectHomepage($object, $hints);
1741
1742         if ($group->id) {   // If no id, we haven't called insert() yet, so don't run update()
1743             common_log(LOG_DEBUG, "Updating OStatus group $group->id from remote info $object->id: " . var_export($object, true) . var_export($hints, true));
1744             $group->update($orig);
1745         }
1746     }
1747
1748     protected static function updatePeopletag($tag, ActivityObject $object, array $hints=array()) {
1749         $orig = clone($tag);
1750
1751         $tag->tag = $object->title;
1752
1753         if (!empty($object->link)) {
1754             $tag->mainpage = $object->link;
1755         } else if (array_key_exists('profileurl', $hints)) {
1756             $tag->mainpage = $hints['profileurl'];
1757         }
1758
1759         $tag->description = $object->summary;
1760         $tagger = self::ensureActivityObjectProfile($object->owner);
1761         $tag->tagger = $tagger->profile_id;
1762
1763         if ($tag->id) {
1764             common_log(LOG_DEBUG, "Updating OStatus peopletag $tag->id from remote info $object->id: " . var_export($object, true) . var_export($hints, true));
1765             $tag->update($orig);
1766         }
1767     }
1768
1769     protected static function getActivityObjectHomepage(ActivityObject $object, array $hints=array())
1770     {
1771         $homepage = null;
1772         $poco     = $object->poco;
1773
1774         if (!empty($poco)) {
1775             $url = $poco->getPrimaryURL();
1776             if ($url && $url->type == 'homepage') {
1777                 $homepage = $url->value;
1778             }
1779         }
1780
1781         // @todo Try for a another PoCo URL?
1782
1783         return $homepage;
1784     }
1785
1786     protected static function getActivityObjectLocation(ActivityObject $object, array $hints=array())
1787     {
1788         $location = null;
1789
1790         if (!empty($object->poco) &&
1791             isset($object->poco->address->formatted)) {
1792             $location = $object->poco->address->formatted;
1793         } else if (array_key_exists('location', $hints)) {
1794             $location = $hints['location'];
1795         }
1796
1797         if (!empty($location)) {
1798             if (mb_strlen($location) > 191) {   // not 255 because utf8mb4 takes more space
1799                 $location = mb_substr($note, 0, 191 - 3) . ' â€¦ ';
1800             }
1801         }
1802
1803         // @todo Try to find location some othe way? Via goerss point?
1804
1805         return $location;
1806     }
1807
1808     protected static function getActivityObjectBio(ActivityObject $object, array $hints=array())
1809     {
1810         $bio  = null;
1811
1812         if (!empty($object->poco)) {
1813             $note = $object->poco->note;
1814         } else if (array_key_exists('bio', $hints)) {
1815             $note = $hints['bio'];
1816         }
1817
1818         if (!empty($note)) {
1819             if (Profile::bioTooLong($note)) {
1820                 // XXX: truncate ok?
1821                 $bio = mb_substr($note, 0, Profile::maxBio() - 3) . ' â€¦ ';
1822             } else {
1823                 $bio = $note;
1824             }
1825         }
1826
1827         // @todo Try to get bio info some other way?
1828
1829         return $bio;
1830     }
1831
1832     public static function getActivityObjectNickname(ActivityObject $object, array $hints=array())
1833     {
1834         if ($object->poco) {
1835             if (!empty($object->poco->preferredUsername)) {
1836                 return common_nicknamize($object->poco->preferredUsername);
1837             }
1838         }
1839
1840         if (!empty($object->nickname)) {
1841             return common_nicknamize($object->nickname);
1842         }
1843
1844         if (array_key_exists('nickname', $hints)) {
1845             return $hints['nickname'];
1846         }
1847
1848         // Try the profile url (like foo.example.com or example.com/user/foo)
1849         if (!empty($object->link)) {
1850             $profileUrl = $object->link;
1851         } else if (!empty($hints['profileurl'])) {
1852             $profileUrl = $hints['profileurl'];
1853         }
1854
1855         if (!empty($profileUrl)) {
1856             $nickname = self::nicknameFromURI($profileUrl);
1857         }
1858
1859         // Try the URI (may be a tag:, http:, acct:, ...
1860
1861         if (empty($nickname)) {
1862             $nickname = self::nicknameFromURI($object->id);
1863         }
1864
1865         // Try a Webfinger if one was passed (way) down
1866
1867         if (empty($nickname)) {
1868             if (array_key_exists('webfinger', $hints)) {
1869                 $nickname = self::nicknameFromURI($hints['webfinger']);
1870             }
1871         }
1872
1873         // Try the name
1874
1875         if (empty($nickname)) {
1876             $nickname = common_nicknamize($object->title);
1877         }
1878
1879         return $nickname;
1880     }
1881
1882     protected static function nicknameFromURI($uri)
1883     {
1884         if (preg_match('/(\w+):/', $uri, $matches)) {
1885             $protocol = $matches[1];
1886         } else {
1887             return null;
1888         }
1889
1890         switch ($protocol) {
1891         case 'acct':
1892         case 'mailto':
1893             if (preg_match("/^$protocol:(.*)?@.*\$/", $uri, $matches)) {
1894                 return common_canonical_nickname($matches[1]);
1895             }
1896             return null;
1897         case 'http':
1898             return common_url_to_nickname($uri);
1899             break;
1900         default:
1901             return null;
1902         }
1903     }
1904
1905     /**
1906      * Look up, and if necessary create, an Ostatus_profile for the remote
1907      * entity with the given webfinger address.
1908      * This should never return null -- you will either get an object or
1909      * an exception will be thrown.
1910      *
1911      * @param string $addr webfinger address
1912      * @return Ostatus_profile
1913      * @throws Exception on error conditions
1914      * @throws OStatusShadowException if this reference would obscure a local user/group
1915      */
1916     public static function ensureWebfinger($addr)
1917     {
1918         // First, try the cache
1919
1920         $uri = self::cacheGet(sprintf('ostatus_profile:webfinger:%s', $addr));
1921
1922         if ($uri !== false) {
1923             if (is_null($uri)) {
1924                 // Negative cache entry
1925                 // TRANS: Exception.
1926                 throw new Exception(_m('Not a valid webfinger address.'));
1927             }
1928             $oprofile = Ostatus_profile::getKV('uri', $uri);
1929             if ($oprofile instanceof Ostatus_profile) {
1930                 return $oprofile;
1931             }
1932         }
1933
1934         // Try looking it up
1935         $oprofile = Ostatus_profile::getKV('uri', Discovery::normalize($addr));
1936
1937         if ($oprofile instanceof Ostatus_profile) {
1938             self::cacheSet(sprintf('ostatus_profile:webfinger:%s', $addr), $oprofile->getUri());
1939             return $oprofile;
1940         }
1941
1942         // Now, try some discovery
1943
1944         $disco = new Discovery();
1945
1946         try {
1947             $xrd = $disco->lookup($addr);
1948         } catch (Exception $e) {
1949             // Save negative cache entry so we don't waste time looking it up again.
1950             // @todo FIXME: Distinguish temporary failures?
1951             self::cacheSet(sprintf('ostatus_profile:webfinger:%s', $addr), null);
1952             // TRANS: Exception.
1953             throw new Exception(_m('Not a valid webfinger address.'));
1954         }
1955
1956         $hints = array('webfinger' => $addr);
1957
1958         $dhints = DiscoveryHints::fromXRD($xrd);
1959
1960         $hints = array_merge($hints, $dhints);
1961
1962         // If there's an Hcard, let's grab its info
1963         if (array_key_exists('hcard', $hints)) {
1964             if (!array_key_exists('profileurl', $hints) ||
1965                 $hints['hcard'] != $hints['profileurl']) {
1966                 $hcardHints = DiscoveryHints::fromHcardUrl($hints['hcard']);
1967                 $hints = array_merge($hcardHints, $hints);
1968             }
1969         }
1970
1971         // If we got a feed URL, try that
1972         $feedUrl = null;
1973         if (array_key_exists('feedurl', $hints)) {
1974             $feedUrl = $hints['feedurl'];
1975             try {
1976                 common_log(LOG_INFO, "Discovery on acct:$addr with feed URL " . $hints['feedurl']);
1977                 $oprofile = self::ensureFeedURL($hints['feedurl'], $hints);
1978                 self::cacheSet(sprintf('ostatus_profile:webfinger:%s', $addr), $oprofile->getUri());
1979                 return $oprofile;
1980             } catch (Exception $e) {
1981                 common_log(LOG_WARNING, "Failed creating profile from feed URL '$feedUrl': " . $e->getMessage());
1982                 // keep looking
1983             }
1984         }
1985
1986         // If we got a profile page, try that!
1987         $profileUrl = null;
1988         if (array_key_exists('profileurl', $hints)) {
1989             $profileUrl = $hints['profileurl'];
1990             try {
1991                 common_log(LOG_INFO, "Discovery on acct:$addr with profile URL $profileUrl");
1992                 $oprofile = self::ensureProfileURL($hints['profileurl'], $hints);
1993                 self::cacheSet(sprintf('ostatus_profile:webfinger:%s', $addr), $oprofile->getUri());
1994                 return $oprofile;
1995             } catch (OStatusShadowException $e) {
1996                 // We've ended up with a remote reference to a local user or group.
1997                 // @todo FIXME: Ideally we should be able to say who it was so we can
1998                 // go back and refer to it the regular way
1999                 throw $e;
2000             } catch (Exception $e) {
2001                 common_log(LOG_WARNING, "Failed creating profile from profile URL '$profileUrl': " . $e->getMessage());
2002                 // keep looking
2003                 //
2004                 // @todo FIXME: This means an error discovering from profile page
2005                 // may give us a corrupt entry using the webfinger URI, which
2006                 // will obscure the correct page-keyed profile later on.
2007             }
2008         }
2009
2010         // XXX: try hcard
2011         // XXX: try FOAF
2012
2013         if (array_key_exists('salmon', $hints)) {
2014             $salmonEndpoint = $hints['salmon'];
2015
2016             // An account URL, a salmon endpoint, and a dream? Not much to go
2017             // on, but let's give it a try
2018
2019             $uri = 'acct:'.$addr;
2020
2021             $profile = new Profile();
2022
2023             $profile->nickname = self::nicknameFromUri($uri);
2024             $profile->created  = common_sql_now();
2025
2026             if (!is_null($profileUrl)) {
2027                 $profile->profileurl = $profileUrl;
2028             }
2029
2030             $profile_id = $profile->insert();
2031
2032             if ($profile_id === false) {
2033                 common_log_db_error($profile, 'INSERT', __FILE__);
2034                 // TRANS: Exception. %s is a webfinger address.
2035                 throw new Exception(sprintf(_m('Could not save profile for "%s".'),$addr));
2036             }
2037
2038             $oprofile = new Ostatus_profile();
2039
2040             $oprofile->uri        = $uri;
2041             $oprofile->salmonuri  = $salmonEndpoint;
2042             $oprofile->profile_id = $profile_id;
2043             $oprofile->created    = common_sql_now();
2044
2045             if (!is_null($feedUrl)) {
2046                 $oprofile->feeduri = $feedUrl;
2047             }
2048
2049             $result = $oprofile->insert();
2050
2051             if ($result === false) {
2052                 $profile->delete();
2053                 common_log_db_error($oprofile, 'INSERT', __FILE__);
2054                 // TRANS: Exception. %s is a webfinger address.
2055                 throw new Exception(sprintf(_m('Could not save OStatus profile for "%s".'),$addr));
2056             }
2057
2058             self::cacheSet(sprintf('ostatus_profile:webfinger:%s', $addr), $oprofile->getUri());
2059             return $oprofile;
2060         }
2061
2062         // TRANS: Exception. %s is a webfinger address.
2063         throw new Exception(sprintf(_m('Could not find a valid profile for "%s".'),$addr));
2064     }
2065
2066     /**
2067      * Store the full-length scrubbed HTML of a remote notice to an attachment
2068      * file on our server. We'll link to this at the end of the cropped version.
2069      *
2070      * @param string $title plaintext for HTML page's title
2071      * @param string $rendered HTML fragment for HTML page's body
2072      * @return File
2073      */
2074     function saveHTMLFile($title, $rendered)
2075     {
2076         $final = sprintf("<!DOCTYPE html>\n" .
2077                          '<html><head>' .
2078                          '<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">' .
2079                          '<title>%s</title>' .
2080                          '</head>' .
2081                          '<body>%s</body></html>',
2082                          htmlspecialchars($title),
2083                          $rendered);
2084
2085         $filename = File::filename($this->localProfile(),
2086                                    'ostatus', // ignored?
2087                                    'text/html');
2088
2089         $filepath = File::path($filename);
2090         $fileurl = File::url($filename);
2091
2092         file_put_contents($filepath, $final);
2093
2094         $file = new File;
2095
2096         $file->filename = $filename;
2097         $file->urlhash  = File::hashurl($fileurl);
2098         $file->url      = $fileurl;
2099         $file->size     = filesize($filepath);
2100         $file->date     = time();
2101         $file->mimetype = 'text/html';
2102
2103         $file_id = $file->insert();
2104
2105         if ($file_id === false) {
2106             common_log_db_error($file, "INSERT", __FILE__);
2107             // TRANS: Server exception.
2108             throw new ServerException(_m('Could not store HTML content of long post as file.'));
2109         }
2110
2111         return $file;
2112     }
2113
2114     static function ensureProfileURI($uri)
2115     {
2116         $oprofile = null;
2117
2118         // First, try to query it
2119
2120         $oprofile = Ostatus_profile::getKV('uri', $uri);
2121
2122         if ($oprofile instanceof Ostatus_profile) {
2123             return $oprofile;
2124         }
2125
2126         // If unfound, do discovery stuff
2127         if (preg_match("/^(\w+)\:(.*)/", $uri, $match)) {
2128             $protocol = $match[1];
2129             switch ($protocol) {
2130             case 'http':
2131             case 'https':
2132                 $oprofile = self::ensureProfileURL($uri);
2133                 break;
2134             case 'acct':
2135             case 'mailto':
2136                 $rest = $match[2];
2137                 $oprofile = self::ensureWebfinger($rest);
2138                 break;
2139             default:
2140                 // TRANS: Server exception.
2141                 // TRANS: %1$s is a protocol, %2$s is a URI.
2142                 throw new ServerException(sprintf(_m('Unrecognized URI protocol for profile: %1$s (%2$s).'),
2143                                                   $protocol,
2144                                                   $uri));
2145                 break;
2146             }
2147         } else {
2148             // TRANS: Server exception. %s is a URI.
2149             throw new ServerException(sprintf(_m('No URI protocol for profile: %s.'),$uri));
2150         }
2151
2152         return $oprofile;
2153     }
2154
2155     public function checkAuthorship(Activity $activity)
2156     {
2157         if ($this->isGroup() || $this->isPeopletag()) {
2158             // A group or propletag feed will contain posts from multiple authors.
2159             $oprofile = self::ensureActorProfile($activity);
2160             if ($oprofile->isGroup() || $oprofile->isPeopletag()) {
2161                 // Groups can't post notices in StatusNet.
2162                 common_log(LOG_WARNING,
2163                     "OStatus: skipping post with group listed ".
2164                     "as author: " . $oprofile->getUri() . " in feed from " . $this->getUri());
2165                 throw new ServerException('Activity author is a non-actor');
2166             }
2167         } else {
2168             $actor = $activity->actor;
2169
2170             if (empty($actor)) {
2171                 // OK here! assume the default
2172             } else if ($actor->id == $this->getUri() || $actor->link == $this->getUri()) {
2173                 $this->updateFromActivityObject($actor);
2174             } else if ($actor->id) {
2175                 // We have an ActivityStreams actor with an explicit ID that doesn't match the feed owner.
2176                 // This isn't what we expect from mainline OStatus person feeds!
2177                 // Group feeds go down another path, with different validation...
2178                 // Most likely this is a plain ol' blog feed of some kind which
2179                 // doesn't match our expectations. We'll take the entry, but ignore
2180                 // the <author> info.
2181                 common_log(LOG_WARNING, "Got an actor '{$actor->title}' ({$actor->id}) on single-user feed for " . $this->getUri());
2182             } else {
2183                 // Plain <author> without ActivityStreams actor info.
2184                 // We'll just ignore this info for now and save the update under the feed's identity.
2185             }
2186
2187             $oprofile = $this;
2188         }
2189
2190         return $oprofile->localProfile();
2191     }
2192 }
2193
2194 /**
2195  * Exception indicating we've got a remote reference to a local user,
2196  * not a remote user!
2197  *
2198  * If we can ue a local profile after all, it's available as $e->profile.
2199  */
2200 class OStatusShadowException extends Exception
2201 {
2202     public $profile;
2203
2204     /**
2205      * @param Profile $profile
2206      * @param string $message
2207      */
2208     function __construct($profile, $message) {
2209         $this->profile = $profile;
2210         parent::__construct($message);
2211     }
2212 }