]> git.mxchange.org Git - quix0rs-gnu-social.git/blob - plugins/OStatus/classes/Ostatus_profile.php
ImageFile $id argument is only for File objects
[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         $oprofile = Ostatus_profile::getKV('feeduri', $feed_url);
1124         if ($oprofile instanceof Ostatus_profile) {
1125             return $oprofile;
1126         }
1127
1128         $discover = new FeedDiscovery();
1129
1130         $feeduri = $discover->discoverFromFeedURL($feed_url);
1131         $hints['feedurl'] = $feeduri;
1132
1133         $huburi = $discover->getHubLink();
1134         $hints['hub'] = $huburi;
1135
1136         // XXX: NS_REPLIES is deprecated anyway, so let's remove it in the future.
1137         $salmonuri = $discover->getAtomLink(Salmon::REL_SALMON)
1138                         ?: $discover->getAtomLink(Salmon::NS_REPLIES);
1139         $hints['salmon'] = $salmonuri;
1140
1141         if (!$huburi && !common_config('feedsub', 'fallback_hub') && !common_config('feedsub', 'nohub')) {
1142             // We can only deal with folks with a PuSH hub
1143             // unless we have something similar available locally.
1144             throw new FeedSubNoHubException();
1145         }
1146
1147         $feedEl = $discover->root;
1148
1149         if ($feedEl->tagName == 'feed') {
1150             return self::ensureAtomFeed($feedEl, $hints);
1151         } else if ($feedEl->tagName == 'channel') {
1152             return self::ensureRssChannel($feedEl, $hints);
1153         } else {
1154             throw new FeedSubBadXmlException($feeduri);
1155         }
1156     }
1157
1158     /**
1159      * Look up and, if necessary, create an Ostatus_profile for the remote
1160      * profile with the given Atom feed - actually loaded from the feed.
1161      * This should never return null -- you will either get an object or
1162      * an exception will be thrown.
1163      *
1164      * @param DOMElement $feedEl root element of a loaded Atom feed
1165      * @param array $hints additional discovery information passed from higher levels
1166      * @todo FIXME: Should this be marked public?
1167      * @return Ostatus_profile
1168      * @throws Exception
1169      */
1170     public static function ensureAtomFeed(DOMElement $feedEl, array $hints)
1171     {
1172         $author = ActivityUtils::getFeedAuthor($feedEl);
1173
1174         if (empty($author)) {
1175             // XXX: make some educated guesses here
1176             // TRANS: Feed sub exception.
1177             throw new FeedSubException(_m('Cannot find enough profile '.
1178                                           'information to make a feed.'));
1179         }
1180
1181         return self::ensureActivityObjectProfile($author, $hints);
1182     }
1183
1184     /**
1185      * Look up and, if necessary, create an Ostatus_profile for the remote
1186      * profile with the given RSS feed - actually loaded from the feed.
1187      * This should never return null -- you will either get an object or
1188      * an exception will be thrown.
1189      *
1190      * @param DOMElement $feedEl root element of a loaded RSS feed
1191      * @param array $hints additional discovery information passed from higher levels
1192      * @todo FIXME: Should this be marked public?
1193      * @return Ostatus_profile
1194      * @throws Exception
1195      */
1196     public static function ensureRssChannel(DOMElement $feedEl, array $hints)
1197     {
1198         // Special-case for Posterous. They have some nice metadata in their
1199         // posterous:author elements. We should use them instead of the channel.
1200
1201         $items = $feedEl->getElementsByTagName('item');
1202
1203         if ($items->length > 0) {
1204             $item = $items->item(0);
1205             $authorEl = ActivityUtils::child($item, ActivityObject::AUTHOR, ActivityObject::POSTEROUS);
1206             if (!empty($authorEl)) {
1207                 $obj = ActivityObject::fromPosterousAuthor($authorEl);
1208                 // Posterous has multiple authors per feed, and multiple feeds
1209                 // per author. We check if this is the "main" feed for this author.
1210                 if (array_key_exists('profileurl', $hints) &&
1211                     !empty($obj->poco) &&
1212                     common_url_to_nickname($hints['profileurl']) == $obj->poco->preferredUsername) {
1213                     return self::ensureActivityObjectProfile($obj, $hints);
1214                 }
1215             }
1216         }
1217
1218         // @todo FIXME: We should check whether this feed has elements
1219         // with different <author> or <dc:creator> elements, and... I dunno.
1220         // Do something about that.
1221
1222         $obj = ActivityObject::fromRssChannel($feedEl);
1223
1224         return self::ensureActivityObjectProfile($obj, $hints);
1225     }
1226
1227     /**
1228      * Download and update given avatar image
1229      *
1230      * @param string $url
1231      * @return Avatar    The Avatar we have on disk. (seldom used)
1232      * @throws Exception in various failure cases
1233      */
1234     public function updateAvatar($url, $force=false)
1235     {
1236         try {
1237             // If avatar URL differs: update. If URLs were identical but we're forced: update.
1238             if ($url == $this->avatar && !$force) {
1239                 // If there's no locally stored avatar, throw an exception and continue fetching below.
1240                 $avatar = Avatar::getUploaded($this->localProfile()) instanceof Avatar;
1241                 return $avatar;
1242             }
1243         } catch (NoAvatarException $e) {
1244             // No avatar available, let's fetch it.
1245         }
1246
1247         if (!common_valid_http_url($url)) {
1248             // TRANS: Server exception. %s is a URL.
1249             throw new ServerException(sprintf(_m('Invalid avatar URL %s.'), $url));
1250         }
1251
1252         $self = $this->localProfile();
1253
1254         // @todo FIXME: This should be better encapsulated
1255         // ripped from oauthstore.php (for old OMB client)
1256         $temp_filename = tempnam(sys_get_temp_dir(), 'listener_avatar');
1257         try {
1258             $imgData = HTTPClient::quickGet($url);
1259             // Make sure it's at least an image file. ImageFile can do the rest.
1260             if (false === getimagesizefromstring($imgData)) {
1261                 throw new UnsupportedMediaException(_('Downloaded group avatar was not an image.'));
1262             }
1263             file_put_contents($temp_filename, $imgData);
1264             unset($imgData);    // No need to carry this in memory.
1265
1266             if ($this->isGroup()) {
1267                 $id = $this->group_id;
1268             } else {
1269                 $id = $this->profile_id;
1270             }
1271             $imagefile = new ImageFile(null, $temp_filename);
1272             $filename = Avatar::filename($id,
1273                                          image_type_to_extension($imagefile->type),
1274                                          null,
1275                                          common_timestamp());
1276             rename($temp_filename, Avatar::path($filename));
1277         } catch (Exception $e) {
1278             unlink($temp_filename);
1279             throw $e;
1280         }
1281         // @todo FIXME: Hardcoded chmod is lame, but seems to be necessary to
1282         // keep from accidentally saving images from command-line (queues)
1283         // that can't be read from web server, which causes hard-to-notice
1284         // problems later on:
1285         //
1286         // http://status.net/open-source/issues/2663
1287         chmod(Avatar::path($filename), 0644);
1288
1289         $self->setOriginal($filename);
1290
1291         $orig = clone($this);
1292         $this->avatar = $url;
1293         $this->update($orig);
1294
1295         return Avatar::getUploaded($self);
1296     }
1297
1298     /**
1299      * Pull avatar URL from ActivityObject or profile hints
1300      *
1301      * @param ActivityObject $object
1302      * @param array $hints
1303      * @return mixed URL string or false
1304      */
1305     public static function getActivityObjectAvatar(ActivityObject $object, array $hints=array())
1306     {
1307         if ($object->avatarLinks) {
1308             $best = false;
1309             // Take the exact-size avatar, or the largest avatar, or the first avatar if all sizeless
1310             foreach ($object->avatarLinks as $avatar) {
1311                 if ($avatar->width == AVATAR_PROFILE_SIZE && $avatar->height = AVATAR_PROFILE_SIZE) {
1312                     // Exact match!
1313                     $best = $avatar;
1314                     break;
1315                 }
1316                 if (!$best || $avatar->width > $best->width) {
1317                     $best = $avatar;
1318                 }
1319             }
1320             return $best->url;
1321         } else if (array_key_exists('avatar', $hints)) {
1322             return $hints['avatar'];
1323         }
1324         return false;
1325     }
1326
1327     /**
1328      * Get an appropriate avatar image source URL, if available.
1329      *
1330      * @param ActivityObject $actor
1331      * @param DOMElement $feed
1332      * @return string
1333      */
1334     protected static function getAvatar(ActivityObject $actor, DOMElement $feed)
1335     {
1336         $url = '';
1337         $icon = '';
1338         if ($actor->avatar) {
1339             $url = trim($actor->avatar);
1340         }
1341         if (!$url) {
1342             // Check <atom:logo> and <atom:icon> on the feed
1343             $els = $feed->childNodes();
1344             if ($els && $els->length) {
1345                 for ($i = 0; $i < $els->length; $i++) {
1346                     $el = $els->item($i);
1347                     if ($el->namespaceURI == Activity::ATOM) {
1348                         if (empty($url) && $el->localName == 'logo') {
1349                             $url = trim($el->textContent);
1350                             break;
1351                         }
1352                         if (empty($icon) && $el->localName == 'icon') {
1353                             // Use as a fallback
1354                             $icon = trim($el->textContent);
1355                         }
1356                     }
1357                 }
1358             }
1359             if ($icon && !$url) {
1360                 $url = $icon;
1361             }
1362         }
1363         if ($url) {
1364             $opts = array('allowed_schemes' => array('http', 'https'));
1365             if (common_valid_http_url($url)) {
1366                 return $url;
1367             }
1368         }
1369
1370         return Plugin::staticPath('OStatus', 'images/96px-Feed-icon.svg.png');
1371     }
1372
1373     /**
1374      * Fetch, or build if necessary, an Ostatus_profile for the actor
1375      * in a given Activity Streams activity.
1376      * This should never return null -- you will either get an object or
1377      * an exception will be thrown.
1378      *
1379      * @param Activity $activity
1380      * @param string $feeduri if we already know the canonical feed URI!
1381      * @param string $salmonuri if we already know the salmon return channel URI
1382      * @return Ostatus_profile
1383      * @throws Exception
1384      */
1385     public static function ensureActorProfile(Activity $activity, array $hints=array())
1386     {
1387         return self::ensureActivityObjectProfile($activity->actor, $hints);
1388     }
1389
1390     /**
1391      * Fetch, or build if necessary, an Ostatus_profile for the profile
1392      * in a given Activity Streams object (can be subject, actor, or object).
1393      * This should never return null -- you will either get an object or
1394      * an exception will be thrown.
1395      *
1396      * @param ActivityObject $object
1397      * @param array $hints additional discovery information passed from higher levels
1398      * @return Ostatus_profile
1399      * @throws Exception
1400      */
1401     public static function ensureActivityObjectProfile(ActivityObject $object, array $hints=array())
1402     {
1403         $profile = self::getActivityObjectProfile($object);
1404         if ($profile instanceof Ostatus_profile) {
1405             $profile->updateFromActivityObject($object, $hints);
1406         } else {
1407             $profile = self::createActivityObjectProfile($object, $hints);
1408         }
1409         return $profile;
1410     }
1411
1412     /**
1413      * @param Activity $activity
1414      * @return mixed matching Ostatus_profile or false if none known
1415      * @throws ServerException if feed info invalid
1416      */
1417     public static function getActorProfile(Activity $activity)
1418     {
1419         return self::getActivityObjectProfile($activity->actor);
1420     }
1421
1422     /**
1423      * @param ActivityObject $activity
1424      * @return mixed matching Ostatus_profile or false if none known
1425      * @throws ServerException if feed info invalid
1426      */
1427     protected static function getActivityObjectProfile(ActivityObject $object)
1428     {
1429         $uri = self::getActivityObjectProfileURI($object);
1430         return Ostatus_profile::getKV('uri', $uri);
1431     }
1432
1433     /**
1434      * Get the identifier URI for the remote entity described
1435      * by this ActivityObject. This URI is *not* guaranteed to be
1436      * a resolvable HTTP/HTTPS URL.
1437      *
1438      * @param ActivityObject $object
1439      * @return string
1440      * @throws ServerException if feed info invalid
1441      */
1442     protected static function getActivityObjectProfileURI(ActivityObject $object)
1443     {
1444         if ($object->id) {
1445             if (ActivityUtils::validateUri($object->id)) {
1446                 return $object->id;
1447             }
1448         }
1449
1450         // If the id is missing or invalid (we've seen feeds mistakenly listing
1451         // things like local usernames in that field) then we'll use the profile
1452         // page link, if valid.
1453         if ($object->link && common_valid_http_url($object->link)) {
1454             return $object->link;
1455         }
1456         // TRANS: Server exception.
1457         throw new ServerException(_m('No author ID URI found.'));
1458     }
1459
1460     /**
1461      * @todo FIXME: Validate stuff somewhere.
1462      */
1463
1464     /**
1465      * Create local ostatus_profile and profile/user_group entries for
1466      * the provided remote user or group.
1467      * This should never return null -- you will either get an object or
1468      * an exception will be thrown.
1469      *
1470      * @param ActivityObject $object
1471      * @param array $hints
1472      *
1473      * @return Ostatus_profile
1474      */
1475     protected static function createActivityObjectProfile(ActivityObject $object, array $hints=array())
1476     {
1477         $homeuri = $object->id;
1478         $discover = false;
1479
1480         if (!$homeuri) {
1481             common_log(LOG_DEBUG, __METHOD__ . " empty actor profile URI: " . var_export($activity, true));
1482             // TRANS: Exception.
1483             throw new Exception(_m('No profile URI.'));
1484         }
1485
1486         $user = User::getKV('uri', $homeuri);
1487         if ($user instanceof User) {
1488             // TRANS: Exception.
1489             throw new Exception(_m('Local user cannot be referenced as remote.'));
1490         }
1491
1492         if (OStatusPlugin::localGroupFromUrl($homeuri)) {
1493             // TRANS: Exception.
1494             throw new Exception(_m('Local group cannot be referenced as remote.'));
1495         }
1496
1497         $ptag = Profile_list::getKV('uri', $homeuri);
1498         if ($ptag instanceof Profile_list) {
1499             $local_user = User::getKV('id', $ptag->tagger);
1500             if ($local_user instanceof User) {
1501                 // TRANS: Exception.
1502                 throw new Exception(_m('Local list cannot be referenced as remote.'));
1503             }
1504         }
1505
1506         if (array_key_exists('feedurl', $hints)) {
1507             $feeduri = $hints['feedurl'];
1508         } else {
1509             $discover = new FeedDiscovery();
1510             $feeduri = $discover->discoverFromURL($homeuri);
1511         }
1512
1513         if (array_key_exists('salmon', $hints)) {
1514             $salmonuri = $hints['salmon'];
1515         } else {
1516             if (!$discover) {
1517                 $discover = new FeedDiscovery();
1518                 $discover->discoverFromFeedURL($hints['feedurl']);
1519             }
1520             // XXX: NS_REPLIES is deprecated anyway, so let's remove it in the future.
1521             $salmonuri = $discover->getAtomLink(Salmon::REL_SALMON)
1522                             ?: $discover->getAtomLink(Salmon::NS_REPLIES);
1523         }
1524
1525         if (array_key_exists('hub', $hints)) {
1526             $huburi = $hints['hub'];
1527         } else {
1528             if (!$discover) {
1529                 $discover = new FeedDiscovery();
1530                 $discover->discoverFromFeedURL($hints['feedurl']);
1531             }
1532             $huburi = $discover->getHubLink();
1533         }
1534
1535         if (!$huburi && !common_config('feedsub', 'fallback_hub') && !common_config('feedsub', 'nohub')) {
1536             // We can only deal with folks with a PuSH hub
1537             throw new FeedSubNoHubException();
1538         }
1539
1540         $oprofile = new Ostatus_profile();
1541
1542         $oprofile->uri        = $homeuri;
1543         $oprofile->feeduri    = $feeduri;
1544         $oprofile->salmonuri  = $salmonuri;
1545
1546         $oprofile->created    = common_sql_now();
1547         $oprofile->modified   = common_sql_now();
1548
1549         if ($object->type == ActivityObject::PERSON) {
1550             $profile = new Profile();
1551             $profile->created = common_sql_now();
1552             self::updateProfile($profile, $object, $hints);
1553
1554             $oprofile->profile_id = $profile->insert();
1555             if ($oprofile->profile_id === false) {
1556                 // TRANS: Server exception.
1557                 throw new ServerException(_m('Cannot save local profile.'));
1558             }
1559         } else if ($object->type == ActivityObject::GROUP) {
1560             $profile = new Profile();
1561             $profile->query('BEGIN');
1562
1563             $group = new User_group();
1564             $group->uri = $homeuri;
1565             $group->created = common_sql_now();
1566             self::updateGroup($group, $object, $hints);
1567
1568             // TODO: We should do this directly in User_group->insert()!
1569             // currently it's duplicated in User_group->update()
1570             // AND User_group->register()!!!
1571             $fields = array(/*group field => profile field*/
1572                         'nickname'      => 'nickname',
1573                         'fullname'      => 'fullname',
1574                         'mainpage'      => 'profileurl',
1575                         'homepage'      => 'homepage',
1576                         'description'   => 'bio',
1577                         'location'      => 'location',
1578                         'created'       => 'created',
1579                         'modified'      => 'modified',
1580                         );
1581             foreach ($fields as $gf=>$pf) {
1582                 $profile->$pf = $group->$gf;
1583             }
1584             $profile_id = $profile->insert();
1585             if ($profile_id === false) {
1586                 $profile->query('ROLLBACK');
1587                 throw new ServerException(_('Profile insertion failed.'));
1588             }
1589
1590             $group->profile_id = $profile_id;
1591
1592             $oprofile->group_id = $group->insert();
1593             if ($oprofile->group_id === false) {
1594                 $profile->query('ROLLBACK');
1595                 // TRANS: Server exception.
1596                 throw new ServerException(_m('Cannot save local profile.'));
1597             }
1598
1599             $profile->query('COMMIT');
1600         } else if ($object->type == ActivityObject::_LIST) {
1601             $ptag = new Profile_list();
1602             $ptag->uri = $homeuri;
1603             $ptag->created = common_sql_now();
1604             self::updatePeopletag($ptag, $object, $hints);
1605
1606             $oprofile->peopletag_id = $ptag->insert();
1607             if ($oprofile->peopletag_id === false) {
1608                 // TRANS: Server exception.
1609                 throw new ServerException(_m('Cannot save local list.'));
1610             }
1611         }
1612
1613         $ok = $oprofile->insert();
1614
1615         if ($ok === false) {
1616             // TRANS: Server exception.
1617             throw new ServerException(_m('Cannot save OStatus profile.'));
1618         }
1619
1620         $avatar = self::getActivityObjectAvatar($object, $hints);
1621
1622         if ($avatar) {
1623             try {
1624                 $oprofile->updateAvatar($avatar);
1625             } catch (Exception $ex) {
1626                 // Profile is saved, but Avatar is messed up. We're
1627                 // just going to continue.
1628                 common_log(LOG_WARNING, "Exception saving OStatus profile avatar: ". $ex->getMessage());
1629             }
1630         }
1631
1632         return $oprofile;
1633     }
1634
1635     /**
1636      * Save any updated profile information to our local copy.
1637      * @param ActivityObject $object
1638      * @param array $hints
1639      */
1640     public function updateFromActivityObject(ActivityObject $object, array $hints=array())
1641     {
1642         if ($this->isGroup()) {
1643             $group = $this->localGroup();
1644             self::updateGroup($group, $object, $hints);
1645         } else if ($this->isPeopletag()) {
1646             $ptag = $this->localPeopletag();
1647             self::updatePeopletag($ptag, $object, $hints);
1648         } else {
1649             $profile = $this->localProfile();
1650             self::updateProfile($profile, $object, $hints);
1651         }
1652
1653         $avatar = self::getActivityObjectAvatar($object, $hints);
1654         if ($avatar && !isset($ptag)) {
1655             try {
1656                 $this->updateAvatar($avatar);
1657             } catch (Exception $ex) {
1658                 common_log(LOG_WARNING, "Exception saving OStatus profile avatar: " . $ex->getMessage());
1659             }
1660         }
1661     }
1662
1663     public static function updateProfile(Profile $profile, ActivityObject $object, array $hints=array())
1664     {
1665         $orig = clone($profile);
1666
1667         // Existing nickname is better than nothing.
1668
1669         if (!array_key_exists('nickname', $hints)) {
1670             $hints['nickname'] = $profile->nickname;
1671         }
1672
1673         $nickname = self::getActivityObjectNickname($object, $hints);
1674
1675         if (!empty($nickname)) {
1676             $profile->nickname = $nickname;
1677         }
1678
1679         if (!empty($object->title)) {
1680             $profile->fullname = $object->title;
1681         } else if (array_key_exists('fullname', $hints)) {
1682             $profile->fullname = $hints['fullname'];
1683         }
1684
1685         if (!empty($object->link)) {
1686             $profile->profileurl = $object->link;
1687         } else if (array_key_exists('profileurl', $hints)) {
1688             $profile->profileurl = $hints['profileurl'];
1689         } else if (common_valid_http_url($object->id)) {
1690             $profile->profileurl = $object->id;
1691         }
1692
1693         $bio = self::getActivityObjectBio($object, $hints);
1694
1695         if (!empty($bio)) {
1696             $profile->bio = $bio;
1697         }
1698
1699         $location = self::getActivityObjectLocation($object, $hints);
1700
1701         if (!empty($location)) {
1702             $profile->location = $location;
1703         }
1704
1705         $homepage = self::getActivityObjectHomepage($object, $hints);
1706
1707         if (!empty($homepage)) {
1708             $profile->homepage = $homepage;
1709         }
1710
1711         if (!empty($object->geopoint)) {
1712             $location = ActivityContext::locationFromPoint($object->geopoint);
1713             if (!empty($location)) {
1714                 $profile->lat = $location->lat;
1715                 $profile->lon = $location->lon;
1716             }
1717         }
1718
1719         // @todo FIXME: tags/categories
1720         // @todo tags from categories
1721
1722         if ($profile->id) {
1723             common_log(LOG_DEBUG, "Updating OStatus profile $profile->id from remote info $object->id: " . var_export($object, true) . var_export($hints, true));
1724             $profile->update($orig);
1725         }
1726     }
1727
1728     protected static function updateGroup(User_group $group, ActivityObject $object, array $hints=array())
1729     {
1730         $orig = clone($group);
1731
1732         $group->nickname = self::getActivityObjectNickname($object, $hints);
1733         $group->fullname = $object->title;
1734
1735         if (!empty($object->link)) {
1736             $group->mainpage = $object->link;
1737         } else if (array_key_exists('profileurl', $hints)) {
1738             $group->mainpage = $hints['profileurl'];
1739         }
1740
1741         // @todo tags from categories
1742         $group->description = self::getActivityObjectBio($object, $hints);
1743         $group->location = self::getActivityObjectLocation($object, $hints);
1744         $group->homepage = self::getActivityObjectHomepage($object, $hints);
1745
1746         if ($group->id) {   // If no id, we haven't called insert() yet, so don't run update()
1747             common_log(LOG_DEBUG, "Updating OStatus group $group->id from remote info $object->id: " . var_export($object, true) . var_export($hints, true));
1748             $group->update($orig);
1749         }
1750     }
1751
1752     protected static function updatePeopletag($tag, ActivityObject $object, array $hints=array()) {
1753         $orig = clone($tag);
1754
1755         $tag->tag = $object->title;
1756
1757         if (!empty($object->link)) {
1758             $tag->mainpage = $object->link;
1759         } else if (array_key_exists('profileurl', $hints)) {
1760             $tag->mainpage = $hints['profileurl'];
1761         }
1762
1763         $tag->description = $object->summary;
1764         $tagger = self::ensureActivityObjectProfile($object->owner);
1765         $tag->tagger = $tagger->profile_id;
1766
1767         if ($tag->id) {
1768             common_log(LOG_DEBUG, "Updating OStatus peopletag $tag->id from remote info $object->id: " . var_export($object, true) . var_export($hints, true));
1769             $tag->update($orig);
1770         }
1771     }
1772
1773     protected static function getActivityObjectHomepage(ActivityObject $object, array $hints=array())
1774     {
1775         $homepage = null;
1776         $poco     = $object->poco;
1777
1778         if (!empty($poco)) {
1779             $url = $poco->getPrimaryURL();
1780             if ($url && $url->type == 'homepage') {
1781                 $homepage = $url->value;
1782             }
1783         }
1784
1785         // @todo Try for a another PoCo URL?
1786
1787         return $homepage;
1788     }
1789
1790     protected static function getActivityObjectLocation(ActivityObject $object, array $hints=array())
1791     {
1792         $location = null;
1793
1794         if (!empty($object->poco) &&
1795             isset($object->poco->address->formatted)) {
1796             $location = $object->poco->address->formatted;
1797         } else if (array_key_exists('location', $hints)) {
1798             $location = $hints['location'];
1799         }
1800
1801         if (!empty($location)) {
1802             if (mb_strlen($location) > 191) {   // not 255 because utf8mb4 takes more space
1803                 $location = mb_substr($note, 0, 191 - 3) . ' â€¦ ';
1804             }
1805         }
1806
1807         // @todo Try to find location some othe way? Via goerss point?
1808
1809         return $location;
1810     }
1811
1812     protected static function getActivityObjectBio(ActivityObject $object, array $hints=array())
1813     {
1814         $bio  = null;
1815
1816         if (!empty($object->poco)) {
1817             $note = $object->poco->note;
1818         } else if (array_key_exists('bio', $hints)) {
1819             $note = $hints['bio'];
1820         }
1821
1822         if (!empty($note)) {
1823             if (Profile::bioTooLong($note)) {
1824                 // XXX: truncate ok?
1825                 $bio = mb_substr($note, 0, Profile::maxBio() - 3) . ' â€¦ ';
1826             } else {
1827                 $bio = $note;
1828             }
1829         }
1830
1831         // @todo Try to get bio info some other way?
1832
1833         return $bio;
1834     }
1835
1836     public static function getActivityObjectNickname(ActivityObject $object, array $hints=array())
1837     {
1838         if ($object->poco) {
1839             if (!empty($object->poco->preferredUsername)) {
1840                 return common_nicknamize($object->poco->preferredUsername);
1841             }
1842         }
1843
1844         if (!empty($object->nickname)) {
1845             return common_nicknamize($object->nickname);
1846         }
1847
1848         if (array_key_exists('nickname', $hints)) {
1849             return $hints['nickname'];
1850         }
1851
1852         // Try the profile url (like foo.example.com or example.com/user/foo)
1853         if (!empty($object->link)) {
1854             $profileUrl = $object->link;
1855         } else if (!empty($hints['profileurl'])) {
1856             $profileUrl = $hints['profileurl'];
1857         }
1858
1859         if (!empty($profileUrl)) {
1860             $nickname = self::nicknameFromURI($profileUrl);
1861         }
1862
1863         // Try the URI (may be a tag:, http:, acct:, ...
1864
1865         if (empty($nickname)) {
1866             $nickname = self::nicknameFromURI($object->id);
1867         }
1868
1869         // Try a Webfinger if one was passed (way) down
1870
1871         if (empty($nickname)) {
1872             if (array_key_exists('webfinger', $hints)) {
1873                 $nickname = self::nicknameFromURI($hints['webfinger']);
1874             }
1875         }
1876
1877         // Try the name
1878
1879         if (empty($nickname)) {
1880             $nickname = common_nicknamize($object->title);
1881         }
1882
1883         return $nickname;
1884     }
1885
1886     protected static function nicknameFromURI($uri)
1887     {
1888         if (preg_match('/(\w+):/', $uri, $matches)) {
1889             $protocol = $matches[1];
1890         } else {
1891             return null;
1892         }
1893
1894         switch ($protocol) {
1895         case 'acct':
1896         case 'mailto':
1897             if (preg_match("/^$protocol:(.*)?@.*\$/", $uri, $matches)) {
1898                 return common_canonical_nickname($matches[1]);
1899             }
1900             return null;
1901         case 'http':
1902             return common_url_to_nickname($uri);
1903             break;
1904         default:
1905             return null;
1906         }
1907     }
1908
1909     /**
1910      * Look up, and if necessary create, an Ostatus_profile for the remote
1911      * entity with the given webfinger address.
1912      * This should never return null -- you will either get an object or
1913      * an exception will be thrown.
1914      *
1915      * @param string $addr webfinger address
1916      * @return Ostatus_profile
1917      * @throws Exception on error conditions
1918      * @throws OStatusShadowException if this reference would obscure a local user/group
1919      */
1920     public static function ensureWebfinger($addr)
1921     {
1922         // First, try the cache
1923
1924         $uri = self::cacheGet(sprintf('ostatus_profile:webfinger:%s', $addr));
1925
1926         if ($uri !== false) {
1927             if (is_null($uri)) {
1928                 // Negative cache entry
1929                 // TRANS: Exception.
1930                 throw new Exception(_m('Not a valid webfinger address.'));
1931             }
1932             $oprofile = Ostatus_profile::getKV('uri', $uri);
1933             if ($oprofile instanceof Ostatus_profile) {
1934                 return $oprofile;
1935             }
1936         }
1937
1938         // Try looking it up
1939         $oprofile = Ostatus_profile::getKV('uri', Discovery::normalize($addr));
1940
1941         if ($oprofile instanceof Ostatus_profile) {
1942             self::cacheSet(sprintf('ostatus_profile:webfinger:%s', $addr), $oprofile->getUri());
1943             return $oprofile;
1944         }
1945
1946         // Now, try some discovery
1947
1948         $disco = new Discovery();
1949
1950         try {
1951             $xrd = $disco->lookup($addr);
1952         } catch (Exception $e) {
1953             // Save negative cache entry so we don't waste time looking it up again.
1954             // @todo FIXME: Distinguish temporary failures?
1955             self::cacheSet(sprintf('ostatus_profile:webfinger:%s', $addr), null);
1956             // TRANS: Exception.
1957             throw new Exception(_m('Not a valid webfinger address.'));
1958         }
1959
1960         $hints = array('webfinger' => $addr);
1961
1962         $dhints = DiscoveryHints::fromXRD($xrd);
1963
1964         $hints = array_merge($hints, $dhints);
1965
1966         // If there's an Hcard, let's grab its info
1967         if (array_key_exists('hcard', $hints)) {
1968             if (!array_key_exists('profileurl', $hints) ||
1969                 $hints['hcard'] != $hints['profileurl']) {
1970                 $hcardHints = DiscoveryHints::fromHcardUrl($hints['hcard']);
1971                 $hints = array_merge($hcardHints, $hints);
1972             }
1973         }
1974
1975         // If we got a feed URL, try that
1976         $feedUrl = null;
1977         if (array_key_exists('feedurl', $hints)) {
1978             $feedUrl = $hints['feedurl'];
1979             try {
1980                 common_log(LOG_INFO, "Discovery on acct:$addr with feed URL " . $hints['feedurl']);
1981                 $oprofile = self::ensureFeedURL($hints['feedurl'], $hints);
1982                 self::cacheSet(sprintf('ostatus_profile:webfinger:%s', $addr), $oprofile->getUri());
1983                 return $oprofile;
1984             } catch (Exception $e) {
1985                 common_log(LOG_WARNING, "Failed creating profile from feed URL '$feedUrl': " . $e->getMessage());
1986                 // keep looking
1987             }
1988         }
1989
1990         // If we got a profile page, try that!
1991         $profileUrl = null;
1992         if (array_key_exists('profileurl', $hints)) {
1993             $profileUrl = $hints['profileurl'];
1994             try {
1995                 common_log(LOG_INFO, "Discovery on acct:$addr with profile URL $profileUrl");
1996                 $oprofile = self::ensureProfileURL($hints['profileurl'], $hints);
1997                 self::cacheSet(sprintf('ostatus_profile:webfinger:%s', $addr), $oprofile->getUri());
1998                 return $oprofile;
1999             } catch (OStatusShadowException $e) {
2000                 // We've ended up with a remote reference to a local user or group.
2001                 // @todo FIXME: Ideally we should be able to say who it was so we can
2002                 // go back and refer to it the regular way
2003                 throw $e;
2004             } catch (Exception $e) {
2005                 common_log(LOG_WARNING, "Failed creating profile from profile URL '$profileUrl': " . $e->getMessage());
2006                 // keep looking
2007                 //
2008                 // @todo FIXME: This means an error discovering from profile page
2009                 // may give us a corrupt entry using the webfinger URI, which
2010                 // will obscure the correct page-keyed profile later on.
2011             }
2012         }
2013
2014         // XXX: try hcard
2015         // XXX: try FOAF
2016
2017         if (array_key_exists('salmon', $hints)) {
2018             $salmonEndpoint = $hints['salmon'];
2019
2020             // An account URL, a salmon endpoint, and a dream? Not much to go
2021             // on, but let's give it a try
2022
2023             $uri = 'acct:'.$addr;
2024
2025             $profile = new Profile();
2026
2027             $profile->nickname = self::nicknameFromUri($uri);
2028             $profile->created  = common_sql_now();
2029
2030             if (!is_null($profileUrl)) {
2031                 $profile->profileurl = $profileUrl;
2032             }
2033
2034             $profile_id = $profile->insert();
2035
2036             if ($profile_id === false) {
2037                 common_log_db_error($profile, 'INSERT', __FILE__);
2038                 // TRANS: Exception. %s is a webfinger address.
2039                 throw new Exception(sprintf(_m('Could not save profile for "%s".'),$addr));
2040             }
2041
2042             $oprofile = new Ostatus_profile();
2043
2044             $oprofile->uri        = $uri;
2045             $oprofile->salmonuri  = $salmonEndpoint;
2046             $oprofile->profile_id = $profile_id;
2047             $oprofile->created    = common_sql_now();
2048
2049             if (!is_null($feedUrl)) {
2050                 $oprofile->feeduri = $feedUrl;
2051             }
2052
2053             $result = $oprofile->insert();
2054
2055             if ($result === false) {
2056                 $profile->delete();
2057                 common_log_db_error($oprofile, 'INSERT', __FILE__);
2058                 // TRANS: Exception. %s is a webfinger address.
2059                 throw new Exception(sprintf(_m('Could not save OStatus profile for "%s".'),$addr));
2060             }
2061
2062             self::cacheSet(sprintf('ostatus_profile:webfinger:%s', $addr), $oprofile->getUri());
2063             return $oprofile;
2064         }
2065
2066         // TRANS: Exception. %s is a webfinger address.
2067         throw new Exception(sprintf(_m('Could not find a valid profile for "%s".'),$addr));
2068     }
2069
2070     /**
2071      * Store the full-length scrubbed HTML of a remote notice to an attachment
2072      * file on our server. We'll link to this at the end of the cropped version.
2073      *
2074      * @param string $title plaintext for HTML page's title
2075      * @param string $rendered HTML fragment for HTML page's body
2076      * @return File
2077      */
2078     function saveHTMLFile($title, $rendered)
2079     {
2080         $final = sprintf("<!DOCTYPE html>\n" .
2081                          '<html><head>' .
2082                          '<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">' .
2083                          '<title>%s</title>' .
2084                          '</head>' .
2085                          '<body>%s</body></html>',
2086                          htmlspecialchars($title),
2087                          $rendered);
2088
2089         $filename = File::filename($this->localProfile(),
2090                                    'ostatus', // ignored?
2091                                    'text/html');
2092
2093         $filepath = File::path($filename);
2094         $fileurl = File::url($filename);
2095
2096         file_put_contents($filepath, $final);
2097
2098         $file = new File;
2099
2100         $file->filename = $filename;
2101         $file->urlhash  = File::hashurl($fileurl);
2102         $file->url      = $fileurl;
2103         $file->size     = filesize($filepath);
2104         $file->date     = time();
2105         $file->mimetype = 'text/html';
2106
2107         $file_id = $file->insert();
2108
2109         if ($file_id === false) {
2110             common_log_db_error($file, "INSERT", __FILE__);
2111             // TRANS: Server exception.
2112             throw new ServerException(_m('Could not store HTML content of long post as file.'));
2113         }
2114
2115         return $file;
2116     }
2117
2118     static function ensureProfileURI($uri)
2119     {
2120         $oprofile = null;
2121
2122         // First, try to query it
2123
2124         $oprofile = Ostatus_profile::getKV('uri', $uri);
2125
2126         if ($oprofile instanceof Ostatus_profile) {
2127             return $oprofile;
2128         }
2129
2130         // If unfound, do discovery stuff
2131         if (preg_match("/^(\w+)\:(.*)/", $uri, $match)) {
2132             $protocol = $match[1];
2133             switch ($protocol) {
2134             case 'http':
2135             case 'https':
2136                 $oprofile = self::ensureProfileURL($uri);
2137                 break;
2138             case 'acct':
2139             case 'mailto':
2140                 $rest = $match[2];
2141                 $oprofile = self::ensureWebfinger($rest);
2142                 break;
2143             default:
2144                 // TRANS: Server exception.
2145                 // TRANS: %1$s is a protocol, %2$s is a URI.
2146                 throw new ServerException(sprintf(_m('Unrecognized URI protocol for profile: %1$s (%2$s).'),
2147                                                   $protocol,
2148                                                   $uri));
2149             }
2150         } else {
2151             // TRANS: Server exception. %s is a URI.
2152             throw new ServerException(sprintf(_m('No URI protocol for profile: %s.'),$uri));
2153         }
2154
2155         return $oprofile;
2156     }
2157
2158     public function checkAuthorship(Activity $activity)
2159     {
2160         if ($this->isGroup() || $this->isPeopletag()) {
2161             // A group or propletag feed will contain posts from multiple authors.
2162             $oprofile = self::ensureActorProfile($activity);
2163             if ($oprofile->isGroup() || $oprofile->isPeopletag()) {
2164                 // Groups can't post notices in StatusNet.
2165                 common_log(LOG_WARNING,
2166                     "OStatus: skipping post with group listed ".
2167                     "as author: " . $oprofile->getUri() . " in feed from " . $this->getUri());
2168                 throw new ServerException('Activity author is a non-actor');
2169             }
2170         } else {
2171             $actor = $activity->actor;
2172
2173             if (empty($actor)) {
2174                 // OK here! assume the default
2175             } else if ($actor->id == $this->getUri() || $actor->link == $this->getUri()) {
2176                 $this->updateFromActivityObject($actor);
2177             } else if ($actor->id) {
2178                 // We have an ActivityStreams actor with an explicit ID that doesn't match the feed owner.
2179                 // This isn't what we expect from mainline OStatus person feeds!
2180                 // Group feeds go down another path, with different validation...
2181                 // Most likely this is a plain ol' blog feed of some kind which
2182                 // doesn't match our expectations. We'll take the entry, but ignore
2183                 // the <author> info.
2184                 common_log(LOG_WARNING, "Got an actor '{$actor->title}' ({$actor->id}) on single-user feed for " . $this->getUri());
2185             } else {
2186                 // Plain <author> without ActivityStreams actor info.
2187                 // We'll just ignore this info for now and save the update under the feed's identity.
2188             }
2189
2190             $oprofile = $this;
2191         }
2192
2193         return $oprofile->localProfile();
2194     }
2195 }
2196
2197 /**
2198  * Exception indicating we've got a remote reference to a local user,
2199  * not a remote user!
2200  *
2201  * If we can ue a local profile after all, it's available as $e->profile.
2202  */
2203 class OStatusShadowException extends Exception
2204 {
2205     public $profile;
2206
2207     /**
2208      * @param Profile $profile
2209      * @param string $message
2210      */
2211     function __construct($profile, $message) {
2212         $this->profile = $profile;
2213         parent::__construct($message);
2214     }
2215 }