From 32a00059fabdce72e7d9914b6ea5658bb16ef3ab Mon Sep 17 00:00:00 2001 From: Shashi Gowda Date: Sun, 6 Mar 2011 23:26:27 +0530 Subject: [PATCH 01/19] Database schema --- db/095topeopletags.sql | 4 +++ db/core.php | 73 +++++++++++++++++++++++++++++++++++++++++- db/statusnet.sql | 49 +++++++++++++++++++++++++++- 3 files changed, 124 insertions(+), 2 deletions(-) create mode 100644 db/095topeopletags.sql diff --git a/db/095topeopletags.sql b/db/095topeopletags.sql new file mode 100644 index 0000000000..e193b98156 --- /dev/null +++ b/db/095topeopletags.sql @@ -0,0 +1,4 @@ +/* populate people tags metadata */ + +insert into profile_list (tagger, tag, modified, description, private) + select distinct tagger, tag, modified, null, false from profile_tag; diff --git a/db/core.php b/db/core.php index 55d724b505..9f9c7a24bb 100644 --- a/db/core.php +++ b/db/core.php @@ -604,8 +604,9 @@ $schema['profile_tag'] = array( ), 'primary key' => array('tagger', 'tagged', 'tag'), 'foreign keys' => array( - 'profile_tag_tagger_fkey' => array('user', array('tagger' => 'id')), + 'profile_tag_tagger_fkey' => array('profile', array('tagger' => 'id')), 'profile_tag_tagged_fkey' => array('profile', array('tagged' => 'id')), + 'profile_tag_tag_fkey' => array('profile_list', array('tag' => 'tag')), ), 'indexes' => array( 'profile_tag_modified_idx' => array('modified'), @@ -614,6 +615,76 @@ $schema['profile_tag'] = array( ), ); +$schema['profile_list'] = array( + 'fields' => array( + 'id' => array('type' => 'serial', 'not null' => true, 'description' => 'unique identifier'), + 'tagger' => array('type' => 'int', 'not null' => true, 'description' => 'user making the tag'), + 'tag' => array('type' => 'varchar', 'length' => 64, 'not null' => true, 'description' => 'people tag'), + 'description' => array('type' => 'text', 'description' => 'description of the people tag'), + 'private' => array('type' => 'int', 'size' => 'tiny', 'default' => 0, 'description' => 'is this tag private'), + + 'created' => array('type' => 'timestamp', 'not null' => true, 'description' => 'date the tag was added'), + 'modified' => array('type' => 'timestamp', 'not null' => true, 'description' => 'date the tag was modified'), + + 'uri' => array('type' => 'varchar', 'length' => 255, 'description' => 'universal identifier'), + 'mainpage' => array('type' => 'varchar', 'length' => 255, 'description' => 'page to link to'), + 'tagged_count' => array('type' => 'int', 'default' => 0, 'description' => 'number of people tagged with this tag by this user'), + 'subscriber_count' => array('type' => 'int', 'default' => 0, 'description' => 'number of subscribers to this tag'), + ), + 'primary key' => array('tagger', 'tag'), + 'unique keys' => array( + 'profile_list_id_key' => array('id') + ), + 'foreign keys' => array( + 'profile_list_tagger_fkey' => array('profile', array('tagger' => 'id')), + ), + 'indexes' => array( + 'profile_list_modified_idx' => array('modified'), + 'profile_list_tag_idx' => array('tag'), + 'profile_list_tagger_tag_idx' => array('tagger', 'tag'), + 'profile_list_tagged_count_idx' => array('tagged_count'), + 'profile_list_subscriber_count_idx' => array('subscriber_count'), + ), +); + +$schema['profile_tag_inbox'] = array( + 'description' => 'Many-many table listing notices associated with people tags.', + 'fields' => array( + 'profile_tag_id' => array('type' => 'int', 'not null' => true, 'description' => 'people tag receiving the message'), + 'notice_id' => array('type' => 'int', 'not null' => true, 'description' => 'notice received'), + 'created' => array('type' => 'datetime', 'not null' => true, 'description' => 'date the notice was created'), + ), + 'primary key' => array('profile_tag_id', 'notice_id'), + 'foreign keys' => array( + 'profile_tag_inbox_profile_list_id_fkey' => array('profile_list', array('profile_tag_id' => 'id')), + 'profile_tag_inbox_notice_id_fkey' => array('notice', array('notice_id' => 'id')), + ), + 'indexes' => array( + 'profile_tag_inbox_created_idx' => array('created'), + 'profile_tag_inbox_profile_tag_id_idx' => array('profile_tag_id'), + ), +); + +$schema['profile_tag_subscription'] = array( + 'fields' => array( + 'profile_tag_id' => array('type' => 'int', 'not null' => true, 'description' => 'foreign key to profile_tag'), + 'profile_id' => array('type' => 'int', 'not null' => true, 'description' => 'foreign key to profile table'), + + 'created' => array('type' => 'datetime', 'not null' => true, 'description' => 'date this record was created'), + 'modified' => array('type' => 'timestamp', 'not null' => true, 'description' => 'date this record was modified'), + ), + 'primary key' => array('profile_tag_id', 'profile_id'), + 'foreign keys' => array( + 'profile_tag_subscription_profile_list_id_fkey' => array('profile_list', array('profile_tag_id' => 'id')), + 'profile_tag_subscription_profile_id_fkey' => array('profile', array('profile_id' => 'id')), + ), + 'indexes' => array( + // @fixme probably we want a (profile_id, created) index here? + 'profile_tag_subscription_profile_id_idx' => array('profile_id'), + 'profile_tag_subscription_created_idx' => array('created'), + ), +); + $schema['profile_block'] = array( 'fields' => array( 'blocker' => array('type' => 'int', 'not null' => true, 'description' => 'user making the block'), diff --git a/db/statusnet.sql b/db/statusnet.sql index debe6f095c..29a555948b 100644 --- a/db/statusnet.sql +++ b/db/statusnet.sql @@ -403,7 +403,7 @@ create table notice_inbox ( ) ENGINE=InnoDB CHARACTER SET utf8 COLLATE utf8_bin; create table profile_tag ( - tagger integer not null comment 'user making the tag' references user (id), + tagger integer not null comment 'user making the tag' references profile (id), tagged integer not null comment 'profile tagged' references profile (id), tag varchar(64) not null comment 'hash tag associated with this notice', modified timestamp comment 'date the tag was added', @@ -414,6 +414,53 @@ create table profile_tag ( index profile_tag_tagged_idx (tagged) ) ENGINE=InnoDB CHARACTER SET utf8 COLLATE utf8_bin; +/* people tag metadata */ +create table profile_list ( + id integer auto_increment unique key comment 'unique identifier', + tagger integer not null comment 'user making the tag' references profile (id), + tag varchar(64) not null comment 'hash tag', + description text comment 'description for the tag', + private tinyint(1) default 0 comment 'is this list private', + + created datetime not null comment 'date this record was created', + modified timestamp comment 'date this record was modified', + + uri varchar(255) unique key comment 'universal identifier', + mainpage varchar(255) comment 'page for tag info info to link to', + tagged_count smallint not null default 0 comment 'number of people tagged', + subscriber_count smallint not null default 0 comment 'number of people subscribing', + + constraint primary key (tagger, tag), + index profile_list_tag_idx (tag), + index profile_list_tagged_count_idx (tagged_count), + index profile_list_modified_idx (modified), + index profile_list_subscriber_count_idx (subscriber_count) +) ENGINE=InnoDB CHARACTER SET utf8 COLLATE utf8_bin; + +create table profile_tag_inbox ( + profile_tag_id integer not null comment 'peopletag receiving the message' references profile_tag (id), + notice_id integer not null comment 'notice received' references notice (id), + created datetime not null comment 'date the notice was created', + + constraint primary key (profile_tag_id, notice_id), + index profile_tag_inbox_created_idx (created), + index profile_tag_inbox_notice_id_idx (notice_id) + +) ENGINE=InnoDB CHARACTER SET utf8 COLLATE utf8_bin; + +create table profile_tag_subscription ( + profile_tag_id integer not null comment 'foreign key to profile_tag' references profile_list (id), + + profile_id integer not null comment 'foreign key to profile table' references profile (id), + created datetime not null comment 'date this record was created', + modified timestamp comment 'date this record was modified', + + constraint primary key (profile_tag_id, profile_id), + index profile_tag_subscription_profile_id_idx (profile_id), + index profile_tag_subscription_created_idx (created) + +) ENGINE=InnoDB CHARACTER SET utf8 COLLATE utf8_bin; + create table profile_block ( blocker integer not null comment 'user making the block' references user (id), blocked integer not null comment 'profile that is blocked' references profile (id), From 1b1a427237cb4151eb42a30a4d3a1d9774fdafc5 Mon Sep 17 00:00:00 2001 From: Shashi Gowda Date: Sun, 6 Mar 2011 23:28:03 +0530 Subject: [PATCH 02/19] DB_DataObjects for people tags --- classes/Notice.php | 115 ++++ classes/Profile.php | 203 ++++++ classes/Profile_list.php | 929 +++++++++++++++++++++++++++ classes/Profile_tag.php | 269 ++++++-- classes/Profile_tag_inbox.php | 27 + classes/Profile_tag_subscription.php | 103 +++ classes/User.php | 6 +- classes/statusnet.ini | 37 ++ classes/statusnet.links.ini | 20 + 9 files changed, 1658 insertions(+), 51 deletions(-) create mode 100644 classes/Profile_list.php create mode 100644 classes/Profile_tag_inbox.php create mode 100644 classes/Profile_tag_subscription.php diff --git a/classes/Notice.php b/classes/Notice.php index 157fdf2dc4..21795ae21b 100644 --- a/classes/Notice.php +++ b/classes/Notice.php @@ -429,6 +429,12 @@ class Notice extends Memcached_DataObject $notice->saveGroups(); } + if (isset($peopletags)) { + $notice->saveProfileTags($peopletags); + } else { + $notice->saveProfileTags(); + } + if (isset($urls)) { $notice->saveKnownUrls($urls); } else { @@ -797,6 +803,7 @@ class Notice extends Memcached_DataObject } $users = $this->getSubscribedUsers(); + $ptags = $this->getProfileTags(); // FIXME: kind of ignoring 'transitional'... // we'll probably stop supporting inboxless mode @@ -817,6 +824,18 @@ class Notice extends Memcached_DataObject } } + foreach ($ptags as $ptag) { + $users = $ptag->getUserSubscribers(); + foreach ($users as $id) { + if (!array_key_exists($id, $ni)) { + $user = User::staticGet('id', $id); + if (!$user->hasBlocked($profile)) { + $ni[$id] = NOTICE_INBOX_SOURCE_PROFILE_TAG; + } + } + } + } + foreach ($recipients as $recipient) { if (!array_key_exists($recipient, $ni)) { $ni[$recipient] = NOTICE_INBOX_SOURCE_REPLY; @@ -913,6 +932,39 @@ class Notice extends Memcached_DataObject return $ids; } + function getProfileTags() + { + // Don't save ptags for repeats, for now. + + if (!empty($this->repeat_of)) { + return array(); + } + + // XXX: cache me + + $ptags = array(); + + $ptagi = new Profile_tag_inbox(); + + $ptagi->selectAdd(); + $ptagi->selectAdd('profile_tag_id'); + + $ptagi->notice_id = $this->id; + + if ($ptagi->find()) { + while ($ptagi->fetch()) { + $profile_list = Profile_list::staticGet('id', $ptagi->profile_tag_id); + if ($profile_list) { + $ptags[] = $profile_list; + } + } + } + + $ptagi->free(); + + return $ptags; + } + /** * Record this notice to the given group inboxes for delivery. * Overrides the regular parsing of !group markup. @@ -1034,6 +1086,69 @@ class Notice extends Memcached_DataObject return true; } + /** + * record targets into profile_tag_inbox. + * @return array of Profile_list objects + */ + function saveProfileTags($known=array()) + { + // Don't save ptags for repeats, for now + + if (!empty($this->repeat_of)) { + return array(); + } + + if (is_array($known)) { + $ptags = $known; + } else { + $ptags = array(); + } + + $ptag = new Profile_tag(); + $ptag->tagged = $this->profile_id; + + if($ptag->find()) { + while($ptag->fetch()) { + $plist = Profile_list::getByTaggerAndTag($ptag->tagger, $ptag->tag); + $ptags[] = clone($plist); + } + } + + foreach ($ptags as $target) { + $this->addToProfileTagInbox($target); + } + + return $ptags; + } + + function addToProfileTagInbox($plist) + { + $ptagi = Profile_tag_inbox::pkeyGet(array('profile_tag_id' => $plist->id, + 'notice_id' => $this->id)); + + if (empty($ptagi)) { + + $ptagi = new Profile_tag_inbox(); + + $ptagi->query('BEGIN'); + $ptagi->profile_tag_id = $plist->id; + $ptagi->notice_id = $this->id; + $ptagi->created = $this->created; + + $result = $ptagi->insert(); + if (!$result) { + common_log_db_error($ptagi, 'INSERT', __FILE__); + throw new ServerException(_('Problem saving profile_tag inbox.')); + } + + $ptagi->query('COMMIT'); + + self::blow('profile_tag:notice_ids:%d', $ptagi->profile_tag_id); + } + + return true; + } + /** * Save reply records indicating that this notice needs to be * delivered to the local users with the given URIs. diff --git a/classes/Profile.php b/classes/Profile.php index 88edf5cbb3..963b41e0d4 100644 --- a/classes/Profile.php +++ b/classes/Profile.php @@ -339,6 +339,183 @@ class Profile extends Memcached_DataObject return $groups; } + function isTagged($peopletag) + { + $tag = Profile_tag::pkeyGet(array('tagger' => $peopletag->tagger, + 'tagged' => $this->id, + 'tag' => $peopletag->tag)); + return !empty($tag); + } + + function canTag($tagged) + { + if (empty($tagged)) { + return false; + } + + if ($tagged->id == $this->id) { + return true; + } + + $all = common_config('peopletag', 'allow_tagging', 'all'); + $local = common_config('peopletag', 'allow_tagging', 'local'); + $remote = common_config('peopletag', 'allow_tagging', 'remote'); + $subs = common_config('peopletag', 'allow_tagging', 'subs'); + + if ($all) { + return true; + } + + $tagged_user = $tagged->getUser(); + if (!empty($tagged_user)) { + if ($local) { + return true; + } + } else if ($subs) { + return (Subscription::exists($this, $tagged) || + Subscription::exists($tagged, $this)); + } else if ($remote) { + return true; + } + return false; + } + + function getOwnedTags($auth_user, $offset=0, $limit=null, $since_id=0, $max_id=0) + { + $tags = new Profile_list(); + $tags->tagger = $this->id; + + if (($auth_user instanceof User || $auth_user instanceof Profile) && + $auth_user->id === $this->id) { + // no condition, get both private and public tags + } else { + $tags->private = false; + } + + $tags->selectAdd('id as "cursor"'); + + if ($since_id>0) { + $tags->whereAdd('id > '.$since_id); + } + + if ($max_id>0) { + $tags->whereAdd('id <= '.$max_id); + } + + if($offset>=0 && !is_null($limit)) { + $tags->limit($offset, $limit); + } + + $tags->orderBy('id DESC'); + $tags->find(); + + return $tags; + } + + function getOtherTags($auth_user=null, $offset=0, $limit=null, $since_id=0, $max_id=0) + { + $lists = new Profile_list(); + + $tags = new Profile_tag(); + $tags->tagged = $this->id; + + $lists->joinAdd($tags); + #@fixme: postgres (round(date_part('epoch', my_date))) + $lists->selectAdd('unix_timestamp(profile_tag.modified) as "cursor"'); + + if ($auth_user instanceof User || $auth_user instanceof Profile) { + $lists->whereAdd('( ( profile_list.private = false ) ' . + 'OR ( profile_list.tagger = ' . $auth_user->id . ' AND ' . + 'profile_list.private = true ) )'); + } else { + $lists->private = false; + } + + if ($since_id>0) { + $lists->whereAdd('cursor > '.$since_id); + } + + if ($max_id>0) { + $lists->whereAdd('cursor <= '.$max_id); + } + + if($offset>=0 && !is_null($limit)) { + $lists->limit($offset, $limit); + } + + $lists->orderBy('profile_tag.modified DESC'); + $lists->find(); + + return $lists; + } + + function getPrivateTags($offset=0, $limit=null, $since_id=0, $max_id=0) + { + $tags = new Profile_list(); + $tags->private = true; + $tags->tagger = $this->id; + + if ($since_id>0) { + $tags->whereAdd('id > '.$since_id); + } + + if ($max_id>0) { + $tags->whereAdd('id <= '.$max_id); + } + + if($offset>=0 && !is_null($limit)) { + $tags->limit($offset, $limit); + } + + $tags->orderBy('id DESC'); + $tags->find(); + + return $tags; + } + + function hasLocalTags() + { + $tags = new Profile_tag(); + + $tags->joinAdd(array('tagger', 'user:id')); + $tags->whereAdd('tagged = '.$this->id); + $tags->whereAdd('tagger != '.$this->id); + + $tags->limit(0, 1); + $tags->fetch(); + + return ($tags->N == 0) ? false : true; + } + + function getTagSubscriptions($offset=0, $limit=null, $since_id=0, $max_id=0) + { + $lists = new Profile_list(); + $subs = new Profile_tag_subscription(); + + $lists->joinAdd($subs); + #@fixme: postgres (round(date_part('epoch', my_date))) + $lists->selectAdd('unix_timestamp(profile_tag_subscription.created) as "cursor"'); + + $lists->whereAdd('profile_tag_subscription.profile_id = '.$this->id); + + if ($since_id>0) { + $lists->whereAdd('cursor > '.$since_id); + } + + if ($max_id>0) { + $lists->whereAdd('cursor <= '.$max_id); + } + + if($offset>=0 && !is_null($limit)) { + $lists->limit($offset, $limit); + } + + $lists->orderBy('"cursor" DESC'); + $lists->find(); + + return $lists; + } + function avatarUrl($size=AVATAR_PROFILE_SIZE) { $avatar = $this->getAvatar($size); @@ -385,6 +562,32 @@ class Profile extends Memcached_DataObject return new ArrayWrapper($profiles); } + + function getTaggedSubscribers($tag) + { + $qry = + 'SELECT profile.* ' . + 'FROM profile JOIN (subscription, profile_tag, profile_list) ' . + 'ON profile.id = subscription.subscriber ' . + 'AND profile.id = profile_tag.tagged ' . + 'AND profile_tag.tagger = profile_list.tagger AND profile_tag.tag = profile_list.tag ' . + 'WHERE subscription.subscribed = %d ' . + 'AND subscription.subscribed != subscription.subscriber ' . + 'AND profile_tag.tagger = %d AND profile_tag.tag = "%s" ' . + 'AND profile_list.private = false ' . + 'ORDER BY subscription.created DESC'; + + $profile = new Profile(); + $tagged = array(); + + $cnt = $profile->query(sprintf($qry, $this->id, $this->id, $tag)); + + while ($profile->fetch()) { + $tagged[] = clone($profile); + } + return $tagged; + } + function subscriptionCount() { $c = Cache::instance(); diff --git a/classes/Profile_list.php b/classes/Profile_list.php new file mode 100644 index 0000000000..df7bef5201 --- /dev/null +++ b/classes/Profile_list.php @@ -0,0 +1,929 @@ +. + * + * @category Notices + * @package StatusNet + * @author Shashi Gowda + * @license GNU Affero General Public License http://www.gnu.org/licenses/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +/** + * Table Definition for profile_list + */ +require_once INSTALLDIR.'/classes/Memcached_DataObject.php'; + +class Profile_list extends Memcached_DataObject +{ + ###START_AUTOCODE + /* the code below is auto generated do not remove the above tag */ + + public $__table = 'profile_list'; // table name + public $id; // int(4) primary_key not_null + public $tagger; // int(4) + public $tag; // varchar(64) + public $description; // text + public $private; // tinyint(1) + public $created; // datetime not_null default_0000-00-00%2000%3A00%3A00 + public $modified; // timestamp not_null default_CURRENT_TIMESTAMP + public $uri; // varchar(255) unique_key + public $mainpage; // varchar(255) + public $tagged_count; // smallint + public $subscriber_count; // smallint + + /* Static get */ + function staticGet($k,$v=NULL) { return DB_DataObject::staticGet('Profile_list',$k,$v); } + + /* the code above is auto generated do not remove the tag below */ + ###END_AUTOCODE + + /** + * return a profile_list record, given its tag and tagger. + * + * @param array $kv ideally array('tag' => $tag, 'tagger' => $tagger) + * + * @return Profile_list a Profile_list object with the given tag and tagger. + */ + + function pkeyGet($kv) + { + return Memcached_DataObject::pkeyGet('Profile_list', $kv); + } + + /** + * get the tagger of this profile_list object + * + * @return Profile the tagger + */ + + function getTagger() + { + return Profile::staticGet('id', $this->tagger); + } + + /** + * return a string to identify this + * profile_list in the user interface etc. + * + * @return String + */ + + function getBestName() + { + return $this->tag; + } + + /** + * return a uri string for this profile_list + * + * @return String uri + */ + + function getUri() + { + $uri = null; + if (Event::handle('StartProfiletagGetUri', array($this, &$uri))) { + if (!empty($this->uri)) { + $uri = $this->uri; + } else { + $uri = common_local_url('profiletagbyid', + array('id' => $this->id, 'tagger_id' => $this->tagger)); + } + } + Event::handle('EndProfiletagGetUri', array($this, &$uri)); + return $uri; + } + + /** + * return a url to the homepage of this item + * + * @return String home url + */ + + function homeUrl() + { + $url = null; + if (Event::handle('StartUserPeopletagHomeUrl', array($this, &$url))) { + // normally stored in mainpage, but older ones may be null + if (!empty($this->mainpage)) { + $url = $this->mainpage; + } else { + $url = common_local_url('showprofiletag', + array('tagger' => $this->getTagger()->nickname, + 'tag' => $this->tag)); + } + } + Event::handle('EndUserPeopletagHomeUrl', array($this, &$url)); + return $url; + } + + /** + * return an immutable url for this object + * + * @return String permalink + */ + + function permalink() + { + $url = null; + if (Event::handle('StartProfiletagPermalink', array($this, &$url))) { + $url = common_local_url('profiletagbyid', + array('id' => $this->id)); + } + Event::handle('EndProfiletagPermalink', array($this, &$url)); + return $url; + } + + /** + * Query notices by users associated with this tag, + * but first check the cache before hitting the DB. + * + * @param integer $offset offset + * @param integer $limit maximum no of results + * @param integer $since_id=null since this id + * @param integer $max_id=null maximum id in result + * + * @return Notice the query + */ + + function getNotices($offset, $limit, $since_id=null, $max_id=null) + { + $ids = Notice::stream(array($this, '_streamDirect'), + array(), + 'profile_tag:notice_ids:' . $this->id, + $offset, $limit, $since_id, $max_id); + + return Notice::getStreamByIds($ids); + } + + /** + * Query notices by users associated with this tag from the database. + * + * @param integer $offset offset + * @param integer $limit maximum no of results + * @param integer $since_id=null since this id + * @param integer $max_id=null maximum id in result + * + * @return array array of notice ids. + */ + + function _streamDirect($offset, $limit, $since_id, $max_id) + { + $inbox = new Profile_tag_inbox(); + + $inbox->profile_tag_id = $this->id; + + $inbox->selectAdd(); + $inbox->selectAdd('notice_id'); + + if ($since_id != 0) { + $inbox->whereAdd('notice_id > ' . $since_id); + } + + if ($max_id != 0) { + $inbox->whereAdd('notice_id <= ' . $max_id); + } + + $inbox->orderBy('notice_id DESC'); + + if (!is_null($offset)) { + $inbox->limit($offset, $limit); + } + + $ids = array(); + + if ($inbox->find()) { + while ($inbox->fetch()) { + $ids[] = $inbox->notice_id; + } + } + + return $ids; + } + + /** + * Get subscribers (local and remote) to this people tag + * Order by reverse chronology + * + * @param integer $offset offset + * @param integer $limit maximum no of results + * @param integer $since_id=null since unix timestamp + * @param integer $upto=null maximum unix timestamp when subscription was made + * + * @return Profile results + */ + + function getSubscribers($offset=0, $limit=null, $since=0, $upto=0) + { + $subs = new Profile(); + $sub = new Profile_tag_subscription(); + $sub->profile_tag_id = $this->id; + + $subs->joinAdd($sub); + $subs->selectAdd('unix_timestamp(profile_tag_subscription.' . + 'created) as "cursor"'); + + if ($since != 0) { + $subs->whereAdd('cursor > ' . $since); + } + + if ($upto != 0) { + $subs->whereAdd('cursor <= ' . $upto); + } + + if ($limit != null) { + $subs->limit($offset, $limit); + } + + $subs->orderBy('profile_tag_subscription.created DESC'); + $subs->find(); + + return $subs; + } + + /** + * Get all and only local subscribers to this people tag + * used for distributing notices to user inboxes. + * + * @return array ids of users + */ + + function getUserSubscribers() + { + // XXX: cache this + + $user = new User(); + if(common_config('db','quote_identifiers')) + $user_table = '"user"'; + else $user_table = 'user'; + + $qry = + 'SELECT id ' . + 'FROM '. $user_table .' JOIN profile_tag_subscription '. + 'ON '. $user_table .'.id = profile_tag_subscription.profile_id ' . + 'WHERE profile_tag_subscription.profile_tag_id = %d '; + + $user->query(sprintf($qry, $this->id)); + + $ids = array(); + + while ($user->fetch()) { + $ids[] = $user->id; + } + + $user->free(); + + return $ids; + } + + /** + * Check to see if a given profile has + * subscribed to this people tag's timeline + * + * @param mixed $id User or Profile object or integer id + * + * @return boolean subscription status + */ + + function hasSubscriber($id) + { + if (!is_numeric($id)) { + $id = $id->id; + } + + $sub = Profile_tag_subscription::pkeyGet(array('profile_tag_id' => $this->id, + 'profile_id' => $id)); + return !empty($sub); + } + + /** + * Get profiles tagged with this people tag, + * include modified timestamp as a "cursor" field + * order by descending order of modified time + * + * @param integer $offset offset + * @param integer $limit maximum no of results + * @param integer $since_id=null since unix timestamp + * @param integer $upto=null maximum unix timestamp when subscription was made + * + * @return Profile results + */ + + function getTagged($offset=0, $limit=null, $since=0, $upto=0) + { + $tagged = new Profile(); + $tagged->joinAdd(array('id', 'profile_tag:tagged')); + + #@fixme: postgres + $tagged->selectAdd('unix_timestamp(profile_tag.modified) as "cursor"'); + $tagged->whereAdd('profile_tag.tagger = '.$this->tagger); + $tagged->whereAdd("profile_tag.tag = '{$this->tag}'"); + + if ($since != 0) { + $tagged->whereAdd('cursor > ' . $since); + } + + if ($upto != 0) { + $tagged->whereAdd('cursor <= ' . $upto); + } + + if ($limit != null) { + $tagged->limit($offset, $limit); + } + + $tagged->orderBy('profile_tag.modified DESC'); + $tagged->find(); + + return $tagged; + } + + /** + * Gracefully delete one or many people tags + * along with their members and subscriptions data + * + * @return boolean success + */ + + function delete() + { + // force delete one item at a time. + if (empty($this->id)) { + $this->find(); + while ($this->fetch()) { + $this->delete(); + } + } + + Profile_tag::cleanup($this); + Profile_tag_subscription::cleanup($this); + + return parent::delete(); + } + + /** + * Update a people tag gracefully + * also change "tag" fields in profile_tag table + * + * @param Profile_list $orig Object's original form + * + * @return boolean success + */ + + function update($orig=null) + { + $result = true; + + if (!is_object($orig) && !$orig instanceof Profile_list) { + parent::update($orig); + } + + // if original tag was different + // check to see if the new tag already exists + // if not, rename the tag correctly + if($orig->tag != $this->tag || $orig->tagger != $this->tagger) { + $existing = Profile_list::getByTaggerAndTag($this->tagger, $this->tag); + if(!empty($existing)) { + throw new ServerException(_('The tag you are trying to rename ' . + 'to already exists.')); + } + // move the tag + // XXX: allow OStatus plugin to send out profile tag + $result = Profile_tag::moveTag($orig, $this); + } + parent::update($orig); + return $result; + } + + /** + * return an xml string representing this people tag + * as the author of an atom feed + * + * @return string atom author element + */ + + function asAtomAuthor() + { + $xs = new XMLStringer(true); + + $tagger = $this->getTagger(); + $xs->elementStart('author'); + $xs->element('name', null, '@' . $tagger->nickname . '/' . $this->tag); + $xs->element('uri', null, $this->permalink()); + $xs->elementEnd('author'); + + return $xs->getString(); + } + + /** + * return an xml string to represent this people tag + * as the subject of an activitystreams feed. + * + * @return string activitystreams subject + */ + + function asActivitySubject() + { + return $this->asActivityNoun('subject'); + } + + /** + * return an xml string to represent this people tag + * as a noun in an activitystreams feed. + * + * @param string $element the xml tag + * + * @return string activitystreams noun + */ + + function asActivityNoun($element) + { + $noun = ActivityObject::fromPeopletag($this); + return $noun->asString('activity:' . $element); + } + + /** + * get the cached number of profiles tagged with this + * people tag, re-count if the argument is true. + * + * @param boolean $recount whether to ignore cache + * + * @return integer count + */ + + function taggedCount($recount=false) + { + if (!$recount) { + return $this->tagged_count; + } + + $tags = new Profile_tag(); + $tags->tag = $this->tag; + $tags->tagger = $this->tagger; + $orig = clone($this); + $this->tagged_count = (int) $tags->count('distinct tagged'); + $this->update($orig); + + return $this->tagged_count; + } + + /** + * get the cached number of profiles subscribed to this + * people tag, re-count if the argument is true. + * + * @param boolean $recount whether to ignore cache + * + * @return integer count + */ + + function subscriberCount($recount=false) + { + if ($recount) { + return $this->subscriber_count; + } + + $sub = new Profile_tag_subscription(); + $sub->profile_tag_id = $this->id; + $orig = clone($this); + $this->subscriber_count = (int) $sub->count('distinct profile_id'); + $this->update($orig); + + return $this->subscriber_count; + } + + /** + * get the Profile_list object by the + * given tagger and with given tag + * + * @param integer $tagger the id of the creator profile + * @param integer $tag the tag + * + * @return integer count + */ + + static function getByTaggerAndTag($tagger, $tag) + { + $ptag = Profile_list::pkeyGet(array('tagger' => $tagger, 'tag' => $tag)); + return $ptag; + } + + /** + * create a profile_list record for a tag, tagger pair + * if it doesn't exist, return it. + * + * @param integer $tagger the tagger + * @param string $tag the tag + * @param string $description description + * @param boolean $private protected or not + * + * @return Profile_list the people tag object + */ + + static function ensureTag($tagger, $tag, $description=null, $private=false) + { + $ptag = Profile_list::getByTaggerAndTag($tagger, $tag); + + if(empty($ptag->id)) { + $args = array( + 'tag' => $tag, + 'tagger' => $tagger, + 'description' => $description, + 'private' => $private + ); + + $new_tag = Profile_list::saveNew($args); + + return $new_tag; + } + return $ptag; + } + + /** + * get the maximum number of characters + * that can be used in the description of + * a people tag. + * + * determined by $config['peopletag']['desclimit'] + * if not set, falls back to $config['site']['textlimit'] + * + * @return integer maximum number of characters + */ + + static function maxDescription() + { + $desclimit = common_config('peopletag', 'desclimit'); + // null => use global limit (distinct from 0!) + if (is_null($desclimit)) { + $desclimit = common_config('site', 'textlimit'); + } + return $desclimit; + } + + /** + * check if the length of given text exceeds + * character limit. + * + * @param string $desc the description + * + * @return boolean is the descripition too long? + */ + + static function descriptionTooLong($desc) + { + $desclimit = self::maxDescription(); + return ($desclimit > 0 && !empty($desc) && (mb_strlen($desc) > $desclimit)); + } + + /** + * save a new people tag, this should be always used + * since it makes uri, homeurl, created and modified + * timestamps and performs checks. + * + * @param array $fields an array with fields and their values + * + * @return mixed Profile_list on success, false on fail + */ + static function saveNew($fields) { + + extract($fields); + + $ptag = new Profile_list(); + + $ptag->query('BEGIN'); + + if (empty($tagger)) { + throw new Exception(_('No tagger specified.')); + } + + if (empty($tag)) { + throw new Exception(_('No tag specified.')); + } + + if (empty($mainpage)) { + $mainpage = null; + } + + if (empty($uri)) { + // fill in later... + $uri = null; + } + + if (empty($mainpage)) { + $mainpage = null; + } + + if (empty($description)) { + $description = null; + } + + if (empty($private)) { + $private = false; + } + + $ptag->tagger = $tagger; + $ptag->tag = $tag; + $ptag->description = $description; + $ptag->private = $private; + $ptag->uri = $uri; + $ptag->mainpage = $mainpage; + $ptag->created = common_sql_now(); + $ptag->modified = common_sql_now(); + + $result = $ptag->insert(); + + if (!$result) { + common_log_db_error($ptag, 'INSERT', __FILE__); + throw new ServerException(_('Could not create profile tag.')); + } + + if (!isset($uri) || empty($uri)) { + $orig = clone($ptag); + $ptag->uri = common_local_url('profiletagbyid', array('id' => $ptag->id, 'tagger_id' => $ptag->tagger)); + $result = $ptag->update($orig); + if (!$result) { + common_log_db_error($ptag, 'UPDATE', __FILE__); + throw new ServerException(_('Could not set profile tag URI.')); + } + } + + if (!isset($mainpage) || empty($mainpage)) { + $orig = clone($ptag); + $user = User::staticGet('id', $ptag->tagger); + if(!empty($user)) { + $ptag->mainpage = common_local_url('showprofiletag', array('tag' => $ptag->tag, 'tagger' => $user->nickname)); + } else { + $ptag->mainpage = $uri; // assume this is a remote peopletag and the uri works + } + + $result = $ptag->update($orig); + if (!$result) { + common_log_db_error($ptag, 'UPDATE', __FILE__); + throw new ServerException(_('Could not set profile tag mainpage.')); + } + } + return $ptag; + } + + /** + * get all items at given cursor position for api + * + * @param callback $fn a function that takes the following arguments in order: + * $offset, $limit, $since_id, $max_id + * and returns a Profile_list object after making the DB query + * @param array $args arguments required for $fn + * @param integer $cursor the cursor + * @param integer $count max. number of results + * + * Algorithm: + * - if cursor is 0, return empty list + * - if cursor is -1, get first 21 items, next_cursor = 20th prev_cursor = 0 + * - if cursor is +ve get 22 consecutive items before starting at cursor + * - return items[1..20] if items[0] == cursor else return items[0..21] + * - prev_cursor = items[1] + * - next_cursor = id of the last item being returned + * + * - if cursor is -ve get 22 consecutive items after cursor starting at cursor + * - return items[1..20] + * + * @returns array (array (mixed items), int next_cursor, int previous_cursor) + */ + + // XXX: This should be in Memcached_DataObject... eventually. + + static function getAtCursor($fn, $args, $cursor, $count=20) + { + $items = array(); + + $since_id = 0; + $max_id = 0; + $next_cursor = 0; + $prev_cursor = 0; + + if($cursor > 0) { + // if cursor is +ve fetch $count+2 items before cursor starting at cursor + $max_id = $cursor; + $fn_args = array_merge($args, array(0, $count+2, 0, $max_id)); + $list = call_user_func_array($fn, $fn_args); + while($list->fetch()) { + $items[] = clone($list); + } + + if ((isset($items[0]->cursor) && $items[0]->cursor == $cursor) || + $items[0]->id == $cursor) { + array_shift($items); + $prev_cursor = isset($items[0]->cursor) ? + -$items[0]->cursor : -$items[0]->id; + } else { + if (count($items) > $count+1) { + array_shift($items); + } + // this means the cursor item has been deleted, check to see if there are more + $fn_args = array_merge($args, array(0, 1, $cursor)); + $more = call_user_func($fn, $fn_args); + if (!$more->fetch() || empty($more)) { + // no more items. + $prev_cursor = 0; + } else { + $prev_cursor = isset($items[0]->cursor) ? + -$items[0]->cursor : -$items[0]->id; + } + } + + if (count($items)==$count+1) { + // this means there is a next page. + $next = array_pop($items); + $next_cursor = isset($next->cursor) ? + $items[$count-1]->cursor : $items[$count-1]->id; + } + + } else if($cursor < -1) { + // if cursor is -ve fetch $count+2 items created after -$cursor-1 + $cursor = abs($cursor); + $since_id = $cursor-1; + + $fn_args = array_merge($args, array(0, $count+2, $since_id)); + $list = call_user_func_array($fn, $fn_args); + while($list->fetch()) { + $items[] = clone($list); + } + + $end = count($items)-1; + if ((isset($items[$end]->cursor) && $items[$end]->cursor == $cursor) || + $items[$end]->id == $cursor) { + array_pop($items); + $next_cursor = isset($items[$end-1]->cursor) ? + $items[$end-1]->cursor : $items[$end-1]->id; + } else { + $next_cursor = isset($items[$end]->cursor) ? + $items[$end]->cursor : $items[$end]->id; + if ($end > $count) array_pop($items); // excess item. + + // check if there are more items for next page + $fn_args = array_merge($args, array(0, 1, 0, $cursor)); + $more = call_user_func_array($fn, $fn_args); + if (!$more->fetch() || empty($more)) { + $next_cursor = 0; + } + } + + if (count($items) == $count+1) { + // this means there is a previous page. + $prev = array_shift($items); + $prev_cursor = isset($prev->cursor) ? + -$items[0]->cursor : -$items[0]->id; + } + } else if($cursor == -1) { + $fn_args = array_merge($args, array(0, $count+1)); + $list = call_user_func_array($fn, $fn_args); + + while($list->fetch()) { + $items[] = clone($list); + } + + if (count($items)==$count+1) { + $next = array_pop($items); + if(isset($next->cursor)) { + $next_cursor = $items[$count-1]->cursor; + } else { + $next_cursor = $items[$count-1]->id; + } + } + + } + return array($items, $next_cursor, $prev_cursor); + } + + /** + * save a collection of people tags into the cache + * + * @param string $ckey cache key + * @param Profile_list &$tag the results to store + * @param integer $offset offset for slicing results + * @param integer $limit maximum number of results + * + * @return boolean success + */ + + static function setCache($ckey, &$tag, $offset=0, $limit=null) { + $cache = Cache::instance(); + if (empty($cache)) { + return false; + } + $str = ''; + $tags = array(); + while ($tag->fetch()) { + $str .= $tag->tagger . ':' . $tag->tag . ';'; + $tags[] = clone($tag); + } + $str = substr($str, 0, -1); + if ($offset>=0 && !is_null($limit)) { + $tags = array_slice($tags, $offset, $limit); + } + + $tag = new ArrayWrapper($tags); + + return self::cacheSet($ckey, $str); + } + + /** + * get people tags from the cache + * + * @param string $ckey cache key + * @param integer $offset offset for slicing + * @param integer $limit limit + * + * @return Profile_list results + */ + + static function getCached($ckey, $offset=0, $limit=null) { + + $keys_str = self::cacheGet($ckey); + if ($keys_str === false) { + return false; + } + + $pairs = explode(';', $keys_str); + $keys = array(); + foreach ($pairs as $pair) { + $keys[] = explode(':', $pair); + } + + if ($offset>=0 && !is_null($limit)) { + $keys = array_slice($keys, $offset, $limit); + } + return self::getByKeys($keys); + } + + /** + * get Profile_list objects from the database + * given their (tag, tagger) key pairs. + * + * @param array $keys array of array(tagger, tag) + * + * @return Profile_list results + */ + + static function getByKeys($keys) { + $cache = Cache::instance(); + + if (!empty($cache)) { + $tags = array(); + + foreach ($keys as $key) { + $t = Profile_list::getByTaggerAndTag($key[0], $key[1]); + if (!empty($t)) { + $tags[] = $t; + } + } + return new ArrayWrapper($tags); + } else { + $tag = new Profile_list(); + if (empty($keys)) { + //if no IDs requested, just return the tag object + return $tag; + } + + $pairs = array(); + foreach ($keys as $key) { + $pairs[] = '(' . $key[0] . ', "' . $key[1] . '")'; + } + + $tag->whereAdd('(tagger, tag) in (' . implode(', ', $pairs) . ')'); + + $tag->find(); + + $temp = array(); + + while ($tag->fetch()) { + $temp[$tag->tagger.'-'.$tag->tag] = clone($tag); + } + + $wrapped = array(); + + foreach ($keys as $key) { + $id = $key[0].'-'.$key[1]; + if (array_key_exists($id, $temp)) { + $wrapped[] = $temp[$id]; + } + } + + return new ArrayWrapper($wrapped); + } + } +} diff --git a/classes/Profile_tag.php b/classes/Profile_tag.php index ab6bab0964..183f79145a 100644 --- a/classes/Profile_tag.php +++ b/classes/Profile_tag.php @@ -22,31 +22,91 @@ class Profile_tag extends Memcached_DataObject /* the code above is auto generated do not remove the tag below */ ###END_AUTOCODE - static function getTags($tagger, $tagged) { - $tags = array(); + function pkeyGet($kv) { + return Memcached_DataObject::pkeyGet('Profile_tag', $kv); + } - # XXX: store this in memcached + function links() + { + return array('tagger,tag' => 'profile_list:tagger,tag'); + } - $profile_tag = new Profile_tag(); - $profile_tag->tagger = $tagger; - $profile_tag->tagged = $tagged; + function getMeta() + { + return Profile_list::pkeyGet(array('tagger' => $this->tagger, 'tag' => $this->tag)); + } - $profile_tag->find(); + static function getTags($tagger, $tagged, $auth_user=null) { - while ($profile_tag->fetch()) { - $tags[] = $profile_tag->tag; + $profile_list = new Profile_list(); + $include_priv = 1; + + if (!($auth_user instanceof User || + $auth_user instanceof Profile) || + ($auth_user->id !== $tagger)) { + + $profile_list->private = false; + $include_priv = 0; } - $profile_tag->free(); + $key = sprintf('profile_tag:tagger_tagged_privacy:%d-%d-%d', $tagger, $tagged, $include_priv); + $tags = Profile_list::getCached($key); + if ($tags !== false) { + return $tags; + } + + $profile_tag = new Profile_tag(); + $profile_list->tagger = $tagger; + $profile_tag->tagged = $tagged; + + $profile_list->selectAdd(); + + // only fetch id, tag, mainpage and + // private hoping this will be faster + $profile_list->selectAdd('profile_list.id, ' . + 'profile_list.tag, ' . + 'profile_list.mainpage, ' . + 'profile_list.private'); + $profile_list->joinAdd($profile_tag); + $profile_list->find(); + + Profile_list::setCache($key, $profile_list); + + return $profile_list; + } + + static function getTagsArray($tagger, $tagged, $auth_user_id=null) + { + $ptag = new Profile_tag(); + $ptag->tagger = $tagger; + $ptag->tagged = $tagged; + + if ($tagger != $auth_user_id) { + $list = new Profile_list(); + $list->private = false; + $ptag->joinAdd($list); + $ptag->selectAdd(); + $ptag->selectAdd('profile_tag.tag'); + } + + $tags = array(); + $ptag->find(); + while ($ptag->fetch()) { + $tags[] = $ptag->tag; + } + $ptag->free(); return $tags; } - static function setTags($tagger, $tagged, $newtags) { - $newtags = array_unique($newtags); - $oldtags = Profile_tag::getTags($tagger, $tagged); + static function setTags($tagger, $tagged, $newtags, $privacy=array()) { - # Delete stuff that's old that not in new + $newtags = array_unique($newtags); + $oldtags = self::getTagsArray($tagger, $tagged, $tagger); + + $ptag = new Profile_tag(); + + # Delete stuff that's in old and not in new $to_delete = array_diff($oldtags, $newtags); @@ -54,48 +114,161 @@ class Profile_tag extends Memcached_DataObject $to_insert = array_diff($newtags, $oldtags); - $profile_tag = new Profile_tag(); - - $profile_tag->tagger = $tagger; - $profile_tag->tagged = $tagged; - - $profile_tag->query('BEGIN'); - foreach ($to_delete as $deltag) { - $profile_tag->tag = $deltag; - $result = $profile_tag->delete(); - if (!$result) { - common_log_db_error($profile_tag, 'DELETE', __FILE__); - return false; - } + self::unTag($tagger, $tagged, $deltag); } foreach ($to_insert as $instag) { - $profile_tag->tag = $instag; - $result = $profile_tag->insert(); - if (!$result) { - common_log_db_error($profile_tag, 'INSERT', __FILE__); - return false; - } + $private = isset($privacy[$instag]) ? $privacy[$instag] : false; + self::setTag($tagger, $tagged, $instag, null, $private); } - - $profile_tag->query('COMMIT'); - return true; } - # Return profiles with a given tag - static function getTagged($tagger, $tag) { - $profile = new Profile(); - $profile->query('SELECT profile.* ' . - 'FROM profile JOIN profile_tag ' . - 'ON profile.id = profile_tag.tagged ' . - 'WHERE profile_tag.tagger = ' . $tagger . ' ' . - 'AND profile_tag.tag = "' . $tag . '" '); - $tagged = array(); - while ($profile->fetch()) { - $tagged[] = clone($profile); + # set a single tag + static function setTag($tagger, $tagged, $tag, $desc=null, $private=false) { + + $ptag = Profile_tag::pkeyGet(array('tagger' => $tagger, + 'tagged' => $tagged, + 'tag' => $tag)); + + # if tag already exists, return it + if(!empty($ptag)) { + return $ptag; } - return $tagged; + + $tagger_profile = Profile::staticGet('id', $tagger); + $tagged_profile = Profile::staticGet('id', $tagged); + + if (Event::handle('StartTagProfile', array($tagger_profile, $tagged_profile, $tag))) { + + if (!$tagger_profile->canTag($tagged_profile)) { + throw new ClientException(_('You cannot tag this user.')); + return false; + } + + $tags = new Profile_list(); + $tags->tagger = $tagger; + $count = (int) $tags->count('distinct tag'); + + if ($count >= common_config('peopletag', 'maxtags')) { + throw new ClientException(sprintf(_('You already have created %d or more tags ' . + 'which is the maximum allowed number of tags. ' . + 'Try using or deleting some existing tags.'), + common_config('peopletag', 'maxtags'))); + return false; + } + + $plist = new Profile_list(); + $plist->query('BEGIN'); + + $profile_list = Profile_list::ensureTag($tagger, $tag, $desc, $private); + + if ($profile_list->taggedCount() >= common_config('peopletag', 'maxpeople')) { + throw new ClientException(sprintf(_('You already have %d or more people tagged %s ' . + 'which is the maximum allowed number.' . + 'Try untagging others with the same tag first.'), + common_config('peopletag', 'maxpeople'), $tag)); + return false; + } + + $newtag = new Profile_tag(); + + $newtag->tagger = $tagger; + $newtag->tagged = $tagged; + $newtag->tag = $tag; + + $result = $newtag->insert(); + + + if (!$result) { + common_log_db_error($newtag, 'INSERT', __FILE__); + return false; + } + + try { + $plist->query('COMMIT'); + Event::handle('EndTagProfile', array($newtag)); + } catch (Exception $e) { + $newtag->delete(); + $profile_list->delete(); + throw $e; + return false; + } + + $profile_list->taggedCount(true); + self::blowCaches($tagger, $tagged); + } + + return $newtag; + } + + static function unTag($tagger, $tagged, $tag) { + $ptag = Profile_tag::pkeyGet(array('tagger' => $tagger, + 'tagged' => $tagged, + 'tag' => $tag)); + if (!$ptag) { + return true; + } + + if (Event::handle('StartUntagProfile', array($ptag))) { + $orig = clone($ptag); + $result = $ptag->delete(); + if (!$result) { + common_log_db_error($this, 'DELETE', __FILE__); + return false; + } + Event::handle('EndUntagProfile', array($orig)); + if ($result) { + $profile_list = Profile_list::pkeyGet(array('tag' => $tag, 'tagger' => $tagger)); + $profile_list->taggedCount(true); + self::blowCaches($tagger, $tagged); + return true; + } + return false; + } + } + + // @fixme: move this to Profile_list? + static function cleanup($profile_list) { + $ptag = new Profile_tag(); + $ptag->tagger = $profile_list->tagger; + $ptag->tag = $profile_list->tag; + $ptag->find(); + + while($ptag->fetch()) { + if (Event::handle('StartUntagProfile', array($ptag))) { + $orig = clone($ptag); + $result = $ptag->delete(); + if (!$result) { + common_log_db_error($this, 'DELETE', __FILE__); + } + Event::handle('EndUntagProfile', array($orig)); + } + } + } + + // move a tag! + static function moveTag($orig, $new) { + $tags = new Profile_tag(); + $qry = 'UPDATE profile_tag SET ' . + 'tag = "%s", tagger = "%s" ' . + 'WHERE tag = "%s" ' . + 'AND tagger = "%s"'; + $result = $tags->query(sprintf($qry, $new->tag, $new->tagger, + $orig->tag, $orig->tagger)); + + if (!$result) { + common_log_db_error($tags, 'UPDATE', __FILE__); + return false; + } + return true; + } + + static function blowCaches($tagger, $tagged) { + foreach (array(0, 1) as $perm) { + self::blow(sprintf('profile_tag:tagger_tagged_privacy:%d-%d-%d', $tagger, $tagged, $perm)); + } + return true; } } diff --git a/classes/Profile_tag_inbox.php b/classes/Profile_tag_inbox.php new file mode 100644 index 0000000000..dd517b3088 --- /dev/null +++ b/classes/Profile_tag_inbox.php @@ -0,0 +1,27 @@ +private) { + return false; + } + + if (Event::handle('StartSubscribePeopletag', array($peopletag, $profile))) { + $args = array('profile_tag_id' => $peopletag->id, + 'profile_id' => $profile->id); + $existing = Profile_tag_subscription::pkeyGet($args); + if(!empty($existing)) { + return $existing; + } + + $sub = new Profile_tag_subscription(); + $sub->profile_tag_id = $peopletag->id; + $sub->profile_id = $profile->id; + $sub->created = common_sql_now(); + + $result = $sub->insert(); + + if (!$result) { + common_log_db_error($sub, 'INSERT', __FILE__); + throw new Exception(_("Adding people tag subscription failed.")); + } + + $ptag = Profile_list::staticGet('id', $peopletag->id); + $ptag->subscriberCount(true); + + Event::handle('EndSubscribePeopletag', array($peopletag, $profile)); + return $ptag; + } + } + + static function remove($peopletag, $profile) + { + $sub = Profile_tag_subscription::pkeyGet(array('profile_tag_id' => $peopletag->id, + 'profile_id' => $profile->id)); + + if (empty($sub)) { + // silence is golden? + return true; + } + + if (Event::handle('StartUnsubscribePeopletag', array($peopletag, $profile))) { + $result = $sub->delete(); + + if (!$result) { + common_log_db_error($sub, 'DELETE', __FILE__); + throw new Exception(_("Removing people tag subscription failed.")); + } + + $peopletag->subscriberCount(true); + + Event::handle('EndUnsubscribePeopletag', array($peopletag, $profile)); + return true; + } + } + + // called if a tag gets deleted / made private + static function cleanup($profile_list) { + $subs = new self(); + $subs->profile_tag_id = $profile_list->id; + $subs->find(); + + while($subs->fetch()) { + $profile = Profile::staticGet('id', $subs->profile_id); + Event::handle('StartUnsubscribePeopletag', array($profile_list, $profile)); + // Delete anyway + $subs->delete(); + Event::handle('StartUnsubscribePeopletag', array($profile_list, $profile)); + } + } +} diff --git a/classes/User.php b/classes/User.php index 970e167a3b..be362e67fa 100644 --- a/classes/User.php +++ b/classes/User.php @@ -504,12 +504,12 @@ class User extends Memcached_DataObject function getSelfTags() { - return Profile_tag::getTags($this->id, $this->id); + return Profile_tag::getTagsArray($this->id, $this->id, $this->id); } - function setSelfTags($newtags) + function setSelfTags($newtags, $privacy) { - return Profile_tag::setTags($this->id, $this->id, $newtags); + return Profile_tag::setTags($this->id, $this->id, $newtags, $privacy); } function block($other) diff --git a/classes/statusnet.ini b/classes/statusnet.ini index bf8d173805..6b68dfe713 100644 --- a/classes/statusnet.ini +++ b/classes/statusnet.ini @@ -460,6 +460,43 @@ tagger = K tagged = K tag = K +[profile_list] +id = 129 +tagger = 129 +tag = 130 +description = 34 +private = 17 +created = 142 +modified = 384 +uri = 130 +mainpage = 130 +tagged_count = 129 +subscriber_count = 129 + +[profile_list__keys] +id = U +tagger = K +tag = K + +[profile_tag_inbox] +profile_tag_id = 129 +notice_id = 129 +created = 142 + +[profile_tag_inbox__keys] +profile_tag_id = K +notice_id = K + +[profile_tag_subscription] +profile_tag_id = 129 +profile_id = 129 +created = 142 +modified = 384 + +[profile_tag_subscription__keys] +profile_tag_id = K +profile_id = K + [queue_item] id = 129 frame = 194 diff --git a/classes/statusnet.links.ini b/classes/statusnet.links.ini index b9dd5af0c9..28bf03fd45 100644 --- a/classes/statusnet.links.ini +++ b/classes/statusnet.links.ini @@ -55,3 +55,23 @@ file_id = file:id file_id = file:id post_id = notice:id +[profile_list] +tagger = profile:id + +[profile_tag] +tagger = profile:id +tagged = profile:id +; in class definition: +;tag,tagger = profile_list:tag,tagger + +[profile_list] +tagger = profile:id + +[profile_tag_inbox] +profile_tag_id = profile_list:id +notice_id = notice:id + +[profile_tag_subscription] +profile_tag_id = profile_list:id +profile_id = profile:id + From 4b8ee81ca90a5c1b49dd8224a2d6b2e7b6d813ed Mon Sep 17 00:00:00 2001 From: Shashi Gowda Date: Sun, 6 Mar 2011 23:33:39 +0530 Subject: [PATCH 03/19] Utility functions for people tags --- lib/default.php | 5 +++++ lib/framework.php | 1 + lib/util.php | 20 +++++++++++--------- 3 files changed, 17 insertions(+), 9 deletions(-) diff --git a/lib/default.php b/lib/default.php index c612557d69..40372e756b 100644 --- a/lib/default.php +++ b/lib/default.php @@ -269,6 +269,11 @@ $default = 'group' => array('maxaliases' => 3, 'desclimit' => null), + 'peopletag' => + array('maxtags' => 100, // maximum number of tags a user can create. + 'maxpeople' => 500, // maximum no. of people with the same tag by the same user + 'allow_tagging' => array('all' => true), // equivalent to array('local' => true, 'remote' => true) + 'desclimit' => null), 'oohembed' => array('endpoint' => 'http://oohembed.com/oohembed/'), 'search' => array('type' => 'fulltext'), diff --git a/lib/framework.php b/lib/framework.php index 350a1c268d..b624e312e1 100644 --- a/lib/framework.php +++ b/lib/framework.php @@ -45,6 +45,7 @@ define('NOTICE_INBOX_SOURCE_SUB', 1); define('NOTICE_INBOX_SOURCE_GROUP', 2); define('NOTICE_INBOX_SOURCE_REPLY', 3); define('NOTICE_INBOX_SOURCE_FORWARD', 4); +define('NOTICE_INBOX_SOURCE_PROFILE_TAG', 5); define('NOTICE_INBOX_SOURCE_GATEWAY', -1); # append our extlib dir as the last-resort place to find libs diff --git a/lib/util.php b/lib/util.php index 9f84e3120a..2e6768f90e 100644 --- a/lib/util.php +++ b/lib/util.php @@ -753,17 +753,19 @@ function common_find_mentions($text, $notice) foreach ($hmatches[1] as $hmatch) { $tag = common_canonical_tag($hmatch[0]); + $plist = Profile_list::getByTaggerAndTag($sender->id, $tag); + if (!empty($plist) && !$plist->private) { + $tagged = $sender->getTaggedSubscribers($tag); - $tagged = Profile_tag::getTagged($sender->id, $tag); + $url = common_local_url('showprofiletag', + array('tagger' => $sender->nickname, + 'tag' => $tag)); - $url = common_local_url('subscriptions', - array('nickname' => $sender->nickname, - 'tag' => $tag)); - - $mentions[] = array('mentioned' => $tagged, - 'text' => $hmatch[0], - 'position' => $hmatch[1], - 'url' => $url); + $mentions[] = array('mentioned' => $tagged, + 'text' => $hmatch[0], + 'position' => $hmatch[1], + 'url' => $url); + } } Event::handle('EndFindMentions', array($sender, $text, &$mentions)); From 371e923c37d947c8b276f555e612763f331dd31c Mon Sep 17 00:00:00 2001 From: Shashi Gowda Date: Sun, 6 Mar 2011 23:36:38 +0530 Subject: [PATCH 04/19] Twitter lists compatible people tags api --- actions/apilist.php | 275 +++++++++++++++++++++++++++++++ actions/apilistmember.php | 124 ++++++++++++++ actions/apilistmembers.php | 173 +++++++++++++++++++ actions/apilistmemberships.php | 136 +++++++++++++++ actions/apilists.php | 244 +++++++++++++++++++++++++++ actions/apilistsubscriber.php | 91 ++++++++++ actions/apilistsubscribers.php | 125 ++++++++++++++ actions/apilistsubscriptions.php | 126 ++++++++++++++ actions/apitimelinelist.php | 266 ++++++++++++++++++++++++++++++ lib/activityobject.php | 31 +++- lib/activityverb.php | 1 + lib/apiaction.php | 149 +++++++++++++++++ lib/apilistusers.php | 207 +++++++++++++++++++++++ lib/atomlistnoticefeed.php | 105 ++++++++++++ lib/router.php | 66 ++++++++ 15 files changed, 2117 insertions(+), 2 deletions(-) create mode 100644 actions/apilist.php create mode 100644 actions/apilistmember.php create mode 100644 actions/apilistmembers.php create mode 100644 actions/apilistmemberships.php create mode 100644 actions/apilists.php create mode 100644 actions/apilistsubscriber.php create mode 100644 actions/apilistsubscribers.php create mode 100644 actions/apilistsubscriptions.php create mode 100644 actions/apitimelinelist.php create mode 100644 lib/apilistusers.php create mode 100644 lib/atomlistnoticefeed.php diff --git a/actions/apilist.php b/actions/apilist.php new file mode 100644 index 0000000000..7a9ce70c5c --- /dev/null +++ b/actions/apilist.php @@ -0,0 +1,275 @@ +. + * + * @category API + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +require_once INSTALLDIR . '/lib/apibareauth.php'; + +class ApiListAction extends ApiBareAuthAction +{ + /** + * The list in question in the current request + */ + + var $list = null; + + /** + * Is this an update request? + */ + + var $update = false; + + /** + * Is this a delete request? + */ + + var $delete = false; + + /** + * Set the flags for handling the request. Show list if this is a GET + * request, update it if it is POST, delete list if method is DELETE + * or if method is POST and an argument _method is set to DELETE. Act + * like we don't know if the current user has no access to the list. + * + * Takes parameters: + * - user: the user id or nickname + * - id: the id of the tag or the tag itself + * + * @return boolean success flag + */ + + function prepare($args) + { + parent::prepare($args); + + $this->delete = ($_SERVER['REQUEST_METHOD'] == 'DELETE' || + ($this->trimmed('_method') == 'DELETE' && + $_SERVER['REQUEST_METHOD'] == 'POST')); + + // update list if method is POST or PUT and $this->delete is not true + $this->update = (!$this->delete && + in_array($_SERVER['REQUEST_METHOD'], array('POST', 'PUT'))); + + $this->user = $this->getTargetUser($this->arg('user')); + $this->list = $this->getTargetList($this->arg('user'), $this->arg('id')); + + if (empty($this->list)) { + $this->clientError(_('Not found'), 404, $this->format); + return false; + } + + return true; + } + + /** + * Handle the request + * + * @return boolean success flag + */ + + function handle($args) + { + parent::handle($args); + + if($this->delete) { + $this->handleDelete(); + return true; + } + + if($this->update) { + $this->handlePut(); + return true; + } + + switch($this->format) { + case 'xml': + $this->showSingleXmlList($this->list); + break; + case 'json': + $this->showSingleJsonList($this->list); + break; + default: + $this->clientError( + _('API method not found.'), + 404, + $this->format + ); + break; + } + } + + /** + * require authentication if it is a write action or user is ambiguous + * + */ + + function requiresAuth() + { + return parent::requiresAuth() || + $this->create || $this->delete; + } + + /** + * Update a list + * + * @return boolean success + */ + + function handlePut() + { + if($this->auth_user->id != $this->list->tagger) { + $this->clientError( + _('You can not update lists that don\'t belong to you.'), + 401, + $this->format + ); + } + + $new_list = clone($this->list); + $new_list->tag = common_canonical_tag($this->arg('name')); + $new_list->description = common_canonical_tag($this->arg('description')); + $new_list->private = ($this->arg('mode') === 'private') ? true : false; + + $result = $new_list->update($this->list); + + if(!$result) { + $this->clientError( + _('An error occured.'), + 503, + $this->format + ); + } + + switch($this->format) { + case 'xml': + $this->showSingleXmlList($new_list); + break; + case 'json': + $this->showSingleJsonList($new_list); + break; + default: + $this->clientError( + _('API method not found.'), + 404, + $this->format + ); + break; + } + } + + /** + * Delete a list + * + * @return boolean success + */ + + function handleDelete() + { + if($this->auth_user->id != $this->list->tagger) { + $this->clientError( + _('You can not delete lists that don\'t belong to you.'), + 401, + $this->format + ); + } + + $record = clone($this->list); + $this->list->delete(); + + switch($this->format) { + case 'xml': + $this->showSingleXmlList($record); + break; + case 'json': + $this->showSingleJsonList($record); + break; + default: + $this->clientError( + _('API method not found.'), + 404, + $this->format + ); + break; + } + } + + /** + * Indicate that this resource is not read-only. + * + * @return boolean is_read-only=false + */ + + function isReadOnly($args) + { + return false; + } + + /** + * When was the list (people tag) last updated? + * + * @return String time_last_modified + */ + + function lastModified() + { + if(!empty($this->list)) { + return strtotime($this->list->modified); + } + return null; + } + + /** + * An entity tag for this list + * + * Returns an Etag based on the action name, language, user ID and + * timestamps of the first and last list the user has joined + * + * @return string etag + */ + + function etag() + { + if (!empty($this->list)) { + + return '"' . implode( + ':', + array($this->arg('action'), + common_language(), + $this->user->id, + strtotime($this->list->created), + strtotime($this->list->modified)) + ) + . '"'; + } + + return null; + } + +} diff --git a/actions/apilistmember.php b/actions/apilistmember.php new file mode 100644 index 0000000000..18d6ea370b --- /dev/null +++ b/actions/apilistmember.php @@ -0,0 +1,124 @@ +. + * + * @category API + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +require_once INSTALLDIR . '/lib/apibareauth.php'; + +/** + * Action handler for Twitter list_memeber methods + * + * @category API + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + * @see ApiBareAuthAction + */ + +class ApiListMemberAction extends ApiBareAuthAction +{ + /** + * Set the flags for handling the request. Show the profile if this + * is a GET request AND the profile is a member of the list, add a member + * if it is a POST, remove the profile from the list if method is DELETE + * or if method is POST and an argument _method is set to DELETE. Act + * like we don't know if the current user has no access to the list. + * + * Takes parameters: + * - user: the user id or nickname + * - list_id: the id of the tag or the tag itself + * - id: the id of the member being looked for/added/removed + * + * @return boolean success flag + */ + + function prepare($args) + { + parent::prepare($args); + + $this->user = $this->getTargetUser($this->arg('id')); + $this->list = $this->getTargetList($this->arg('user'), $this->arg('list_id')); + + if (empty($this->list)) { + $this->clientError(_('Not found'), 404, $this->format); + return false; + } + + if (empty($this->user)) { + $this->clientError(_('No such user'), 404, $this->format); + return false; + } + return true; + } + + /** + * Handle the request + * + * @return boolean success flag + */ + + function handle($args) + { + parent::handle($args); + + $arr = array('tagger' => $this->list->tagger, + 'tag' => $this->list->tag, + 'tagged' => $this->user->id); + $ptag = Profile_tag::pkeyGet($arr); + + if(empty($ptag)) { + $this->clientError( + _('The specified user is not a member of this list'), + 400, + $this->format + ); + } + + $user = $this->twitterUserArray($this->user->getProfile(), true); + + switch($this->format) { + case 'xml': + $this->showTwitterXmlUser($user, 'user', true); + break; + case 'json': + $this->showSingleJsonUser($user); + break; + default: + $this->clientError( + _('API method not found.'), + 404, + $this->format + ); + break; + } + return true; + } +} diff --git a/actions/apilistmembers.php b/actions/apilistmembers.php new file mode 100644 index 0000000000..c6e92fa612 --- /dev/null +++ b/actions/apilistmembers.php @@ -0,0 +1,173 @@ +. + * + * @category API + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +require_once INSTALLDIR . '/lib/apilistusers.php'; + +class ApiListMembersAction extends ApiListUsersAction +{ + /** + * Add a user to a list (tag someone) + * + * @return boolean success + */ + + function handlePost() + { + if($this->auth_user->id != $this->list->tagger) { + $this->clientError( + _('You aren\'t allowed to add members to this list'), + 401, + $this->format + ); + return false; + } + + if($this->user === false) { + $this->clientError( + _('You must specify a member'), + 400, + $this->format + ); + return false; + } + + $result = Profile_tag::setTag($this->auth_user->id, + $this->user->id, $this->list->tag); + + if(empty($result)) { + $this->clientError( + _('An error occured.'), + 500, + $this->format + ); + return false; + } + + switch($this->format) { + case 'xml': + $this->showSingleXmlList($this->list); + break; + case 'json': + $this->showSingleJsonList($this->list); + break; + default: + $this->clientError( + _('API method not found.'), + 404, + $this->format + ); + return false; + break; + } + } + + /** + * Remove a user from a list (untag someone) + * + * @return boolean success + */ + + function handleDelete() + { + if($this->auth_user->id != $this->list->tagger) { + $this->clientError( + _('You aren\'t allowed to remove members from this list'), + 401, + $this->format + ); + return false; + } + + if($this->user === false) { + $this->clientError( + _('You must specify a member'), + 400, + $this->format + ); + return false; + } + + $args = array('tagger' => $this->auth_user->id, + 'tagged' => $this->user->id, + 'tag' => $this->list->tag); + $ptag = Profile_tag::pkeyGet($args); + + if(empty($ptag)) { + $this->clientError( + _('The user you are trying to remove from the list is not a member'), + 400, + $this->format + ); + return false; + } + + $result = $ptag->delete(); + + if(empty($result)) { + $this->clientError( + _('An error occured.'), + 500, + $this->format + ); + return false; + } + + switch($this->format) { + case 'xml': + $this->showSingleXmlList($this->list); + break; + case 'json': + $this->showSingleJsonList($this->list); + break; + default: + $this->clientError( + _('API method not found.'), + 404, + $this->format + ); + return false; + break; + } + return true; + } + + /** + * List the members of a list (people tagged) + */ + + function getUsers() + { + $fn = array($this->list, 'getTagged'); + list($this->users, $this->next_cursor, $this->prev_cursor) = + Profile_list::getAtCursor($fn, array(), $this->cursor, 20); + } +} diff --git a/actions/apilistmemberships.php b/actions/apilistmemberships.php new file mode 100644 index 0000000000..635f970e87 --- /dev/null +++ b/actions/apilistmemberships.php @@ -0,0 +1,136 @@ +. + * + * @category API + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +require_once INSTALLDIR . '/lib/apibareauth.php'; + +/** + * Action handler for API method to list lists a user belongs to. + * (people tags for a user) + * + * @category API + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + * @see ApiBareAuthAction + */ + +class ApiListMembershipsAction extends ApiBareAuthAction +{ + var $lists = array(); + var $cursor = -1; + var $next_cursor = 0; + var $prev_cursor = 0; + + /** + * Prepare for running the action + * Take arguments for running:s + * + * @param array $args $_REQUEST args + * + * @return boolean success flag + * + */ + + function prepare($args) + { + parent::prepare($args); + + $this->cursor = (int) $this->arg('cursor', -1); + $this->user = $this->getTargetUser($this->arg('user')); + + if (empty($this->user)) { + $this->clientError(_('No such user.'), 404, $this->format); + return; + } + + $this->getLists(); + + return true; + } + + /** + * Handle the request + * + * Show the lists + * + * @param array $args $_REQUEST data (unused) + * + * @return void + */ + + function handle($args) + { + parent::handle($args); + + switch($this->format) { + case 'xml': + $this->showXmlLists($this->lists, $this->next_cursor, $this->prev_cursor); + break; + case 'json': + $this->showJsonLists($this->lists, $this->next_cursor, $this->prev_cursor); + break; + default: + $this->clientError( + _('API method not found.'), + 400, + $this->format + ); + break; + } + } + + /** + * Return true if read only. + * + * MAY override + * + * @param array $args other arguments + * + * @return boolean is read only action? + */ + + function isReadOnly($args) + { + return true; + } + + function getLists() + { + $profile = $this->user->getProfile(); + $fn = array($profile, 'getOtherTags'); + + # 20 lists + list($this->lists, $this->next_cursor, $this->prev_cursor) = + Profile_list::getAtCursor($fn, array($this->auth_user), $this->cursor, 20); + } +} diff --git a/actions/apilists.php b/actions/apilists.php new file mode 100644 index 0000000000..f520e32972 --- /dev/null +++ b/actions/apilists.php @@ -0,0 +1,244 @@ +. + * + * @category API + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +require_once INSTALLDIR . '/lib/apibareauth.php'; + +/** + * Action handler for Twitter list_memeber methods + * + * @category API + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + * @see ApiBareAuthAction + */ + +class ApiListsAction extends ApiBareAuthAction +{ + var $lists = null; + var $cursor = 0; + var $next_cursor = 0; + var $prev_cursor = 0; + var $create = false; + + /** + * Set the flags for handling the request. List lists created by user if this + * is a GET request, create a new list if it is a POST request. + * + * Takes parameters: + * - user: the user id or nickname + * Parameters for POST request + * - name: name of the new list (the people tag itself) + * - mode: (optional) mode for the new list private/public + * - description: (optional) description for the list + * + * @return boolean success flag + */ + + function prepare($args) + { + parent::prepare($args); + + $this->create = ($_SERVER['REQUEST_METHOD'] == 'POST'); + + if (!$this->create) { + + $this->user = $this->getTargetUser($this->arg('user')); + + if (empty($this->user)) { + $this->clientError(_('No such user.'), 404, $this->format); + return false; + } + $this->getLists(); + } + + return true; + } + + /** + * require authentication if it is a write action or user is ambiguous + * + */ + + function requiresAuth() + { + return parent::requiresAuth() || + $this->create || $this->delete; + } + + /** + * Handle request: + * Show the lists the user has created if the request method is GET + * Create a new list by diferring to handlePost() if it is POST. + */ + + function handle($args) + { + parent::handle($args); + + if($this->create) { + return $this->handlePost(); + } + + switch($this->format) { + case 'xml': + $this->showXmlLists($this->lists, $this->next_cursor, $this->prev_cursor); + break; + case 'json': + $this->showJsonLists($this->lists, $this->next_cursor, $this->prev_cursor); + break; + default: + $this->clientError( + _('API method not found.'), + 404, + $this->format + ); + break; + } + } + + /** + * Create a new list + * + * @return boolean success + */ + + function handlePost() + { + $name=$this->arg('name'); + if(empty($name)) { + // mimick twitter + print _("A list's name can't be blank."); + exit(1); + } + + // twitter creates a new list by appending a number to the end + // if the list by the given name already exists + // it makes more sense to return the existing list instead + + $private = null; + if ($this->arg('mode') === 'public') { + $private = false; + } else if ($this->arg('mode') === 'private') { + $private = true; + } + + $list = Profile_list::ensureTag($this->auth_user->id, + $this->arg('name'), + $this->arg('description'), + $private); + if (empty($list)) { + return false; + } + + switch($this->format) { + case 'xml': + $this->showSingleXmlList($list); + break; + case 'json': + $this->showSingleJsonList($list); + break; + default: + $this->clientError( + _('API method not found.'), + 404, + $this->format + ); + break; + } + return true; + } + + /** + * Get lists + */ + + function getLists() + { + $cursor = (int) $this->arg('cursor', -1); + + // twitter fixes count at 20 + // there is no argument named count + $count = 20; + $profile = $this->user->getProfile(); + $fn = array($profile, 'getOwnedTags'); + + list($this->lists, + $this->next_cursor, + $this->prev_cursor) = Profile_list::getAtCursor($fn, array($this->auth_user), $cursor, $count); + } + + function isReadOnly($args) + { + return false; + } + + function lastModified() + { + if (!$this->create && !empty($this->lists) && (count($this->lists) > 0)) { + return strtotime($this->lists[0]->created); + } + + return null; + } + + /** + * An entity tag for this list of lists + * + * Returns an Etag based on the action name, language, user ID and + * timestamps of the first and last list the user has joined + * + * @return string etag + */ + + function etag() + { + if (!$this->create && !empty($this->lists) && (count($this->lists) > 0)) { + + $last = count($this->lists) - 1; + + return '"' . implode( + ':', + array($this->arg('action'), + common_language(), + $this->user->id, + strtotime($this->lists[0]->created), + strtotime($this->lists[$last]->created)) + ) + . '"'; + } + + return null; + } + +} diff --git a/actions/apilistsubscriber.php b/actions/apilistsubscriber.php new file mode 100644 index 0000000000..d6816b9b91 --- /dev/null +++ b/actions/apilistsubscriber.php @@ -0,0 +1,91 @@ +. + * + * @category API + * @package StatusNet + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +require_once INSTALLDIR . '/lib/apiauth.php'; + +class ApiListSubscriberAction extends ApiBareAuthAction +{ + var $list = null; + + function prepare($args) + { + parent::prepare($args); + + $this->user = $this->getTargetUser($this->arg('id')); + $this->list = $this->getTargetList($this->arg('user'), $this->arg('list_id')); + + if (empty($this->list)) { + $this->clientError(_('Not found'), 404, $this->format); + return false; + } + + if (empty($this->user)) { + $this->clientError(_('No such user'), 404, $this->format); + return false; + } + return true; + } + + function handle($args) + { + parent::handle($args); + + $arr = array('profile_tag_id' => $this->list->id, + 'profile_id' => $this->user->id); + $sub = Profile_tag_subscription::pkeyGet($arr); + + if(empty($sub)) { + $this->clientError( + _('The specified user is not a subscriber of this list'), + 400, + $this->format + ); + } + + $user = $this->twitterUserArray($this->user->getProfile(), true); + + switch($this->format) { + case 'xml': + $this->showTwitterXmlUser($user, 'user', true); + break; + case 'json': + $this->showSingleJsonUser($user); + break; + default: + $this->clientError( + _('API method not found.'), + 404, + $this->format + ); + break; + } + } +} diff --git a/actions/apilistsubscribers.php b/actions/apilistsubscribers.php new file mode 100644 index 0000000000..e8468a195d --- /dev/null +++ b/actions/apilistsubscribers.php @@ -0,0 +1,125 @@ +. + * + * @category API + * @package StatusNet + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +require_once INSTALLDIR . '/lib/apilistusers.php'; + +class ApiListSubscribersAction extends ApiListUsersAction +{ + /** + * Subscribe to list + * + * @return boolean success + */ + + function handlePost() + { + $result = Profile_tag_subscription::add($this->list, + $this->auth_user); + + if(empty($result)) { + $this->clientError( + _('An error occured.'), + 500, + $this->format + ); + return false; + } + + switch($this->format) { + case 'xml': + $this->showSingleXmlList($this->list); + break; + case 'json': + $this->showSingleJsonList($this->list); + break; + default: + $this->clientError( + _('API method not found.'), + 404, + $this->format + ); + return false; + break; + } + } + + function handleDelete() + { + $args = array('profile_tag_id' => $this->list->id, + 'profile_id' => $this->auth_user->id); + $ptag = Profile_tag_subscription::pkeyGet($args); + + if(empty($ptag)) { + $this->clientError( + _('You are not subscribed to this list'), + 400, + $this->format + ); + return false; + } + + Profile_tag_subscription::remove($this->list, $this->auth_user); + + if(empty($result)) { + $this->clientError( + _('An error occured.'), + 500, + $this->format + ); + return false; + } + + switch($this->format) { + case 'xml': + $this->showSingleXmlList($this->list); + break; + case 'json': + $this->showSingleJsonList($this->list); + break; + default: + $this->clientError( + _('API method not found.'), + 404, + $this->format + ); + return false; + break; + } + return true; + } + + function getUsers() + { + $fn = array($this->list, 'getSubscribers'); + list($this->users, $this->next_cursor, $this->prev_cursor) = + Profile_list::getAtCursor($fn, array(), $this->cursor, 20); + } +} diff --git a/actions/apilistsubscriptions.php b/actions/apilistsubscriptions.php new file mode 100644 index 0000000000..764360e149 --- /dev/null +++ b/actions/apilistsubscriptions.php @@ -0,0 +1,126 @@ +. + * + * @category API + * @package StatusNet + * @copyright 2009 StatusNet, Inc. + * @copyright 2009 Free Software Foundation, Inc http://www.fsf.org + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +require_once INSTALLDIR . '/lib/apibareauth.php'; + +class ApiListSubscriptionsAction extends ApiBareAuthAction +{ + var $lists = array(); + var $cursor = -1; + var $next_cursor = 0; + var $prev_cursor = 0; + + /** + * Take arguments for running + * + * @param array $args $_REQUEST args + * + * @return boolean success flag + * + */ + + function prepare($args) + { + parent::prepare($args); + + $this->cursor = (int) $this->arg('cursor', -1); + $this->user = $this->getTargetUser($this->arg('user')); + $this->getLists(); + + return true; + } + + /** + * Handle the request + * + * Show the lists + * + * @param array $args $_REQUEST data (unused) + * + * @return void + */ + + function handle($args) + { + parent::handle($args); + + if (empty($this->user)) { + $this->clientError(_('No such user.'), 404, $this->format); + return; + } + + switch($this->format) { + case 'xml': + $this->showXmlLists($this->lists, $this->next_cursor, $this->prev_cursor); + break; + case 'json': + $this->showJsonLists($this->lists, $this->next_cursor, $this->prev_cursor); + break; + default: + $this->clientError( + _('API method not found.'), + 400, + $this->format + ); + break; + } + } + + /** + * Return true if read only. + * + * MAY override + * + * @param array $args other arguments + * + * @return boolean is read only action? + */ + + function isReadOnly($args) + { + return true; + } + + function getLists() + { + if(empty($this->user)) { + return; + } + + $profile = $this->user->getProfile(); + $fn = array($profile, 'getTagSubscriptions'); + # 20 lists + list($this->lists, $this->next_cursor, $this->prev_cursor) = + Profile_list::getAtCursor($fn, array(), $this->cursor, 20); + } +} diff --git a/actions/apitimelinelist.php b/actions/apitimelinelist.php new file mode 100644 index 0000000000..f28eb59d53 --- /dev/null +++ b/actions/apitimelinelist.php @@ -0,0 +1,266 @@ +. + * + * @category API + * @package StatusNet + * @author Craig Andrews + * @author Evan Prodromou + * @author Jeffery To + * @author Zach Copley + * @copyright 2009 StatusNet, Inc. + * @copyright 2009 Free Software Foundation, Inc http://www.fsf.org + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +require_once INSTALLDIR . '/lib/apiprivateauth.php'; +require_once INSTALLDIR . '/lib/atomlistnoticefeed.php'; + +/** + * Returns the most recent notices (default 20) posted to the list specified by ID + * + * @category API + * @package StatusNet + * @author Craig Andrews + * @author Evan Prodromou + * @author Jeffery To + * @author Zach Copley + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +class ApiTimelineListAction extends ApiPrivateAuthAction +{ + + var $list = null; + var $notices = array(); + var $next_cursor = 0; + var $prev_cursor = 0; + var $cursor = -1; + + /** + * Take arguments for running + * + * @param array $args $_REQUEST args + * + * @return boolean success flag + * + */ + + function prepare($args) + { + parent::prepare($args); + + $this->cursor = (int) $this->arg('cursor', -1); + $this->list = $this->getTargetList($this->arg('user'), $this->arg('id')); + + return true; + } + + /** + * Handle the request + * + * Just show the notices + * + * @param array $args $_REQUEST data (unused) + * + * @return void + */ + + function handle($args) + { + parent::handle($args); + + if (empty($this->list)) { + $this->clientError(_('List not found.'), 404, $this->format); + return false; + } + + $this->getNotices(); + $this->showTimeline(); + } + + /** + * Show the timeline of notices + * + * @return void + */ + + function showTimeline() + { + // We'll pull common formatting out of this for other formats + $atom = new AtomListNoticeFeed($this->list, $this->auth_user); + + $self = $this->getSelfUri(); + + switch($this->format) { + case 'xml': + $this->initDocument('xml'); + $this->elementStart('statuses_list', + array('xmlns:statusnet' => 'http://status.net/schema/api/1/')); + $this->elementStart('statuses', array('type' => 'array')); + + foreach ($this->notices as $n) { + $twitter_status = $this->twitterStatusArray($n); + $this->showTwitterXmlStatus($twitter_status); + } + + $this->elementEnd('statuses'); + $this->element('next_cursor', null, $this->next_cursor); + $this->element('previous_cursor', null, $this->prev_cursor); + $this->elementEnd('statuses_list'); + $this->endDocument('xml'); + break; + case 'rss': + $this->showRssTimeline( + $this->notices, + $atom->title, + $this->list->getUri(), + $atom->subtitle, + null, + $atom->logo, + $self + ); + break; + case 'atom': + + header('Content-Type: application/atom+xml; charset=utf-8'); + + try { + $atom->setId($self); + $atom->setSelfLink($self); + $atom->addEntryFromNotices($this->notices); + $this->raw($atom->getString()); + } catch (Atom10FeedException $e) { + $this->serverError( + 'Could not generate feed for list - ' . $e->getMessage() + ); + return; + } + + break; + case 'json': + $this->initDocument('json'); + + $statuses = array(); + foreach ($this->notices as $n) { + $twitter_status = $this->twitterStatusArray($n); + array_push($statuses, $twitter_status); + } + + $statuses_list = array('statuses' => $statuses, + 'next_cursor' => $this->next_cusror, + 'next_cursor_str' => strval($this->next_cusror), + 'previous_cursor' => $this->prev_cusror, + 'previous_cursor_str' => strval($this->prev_cusror) + ); + $this->showJsonObjects($statuses_list); + + $this->initDocument('json'); + break; + default: + $this->clientError( + _('API method not found.'), + 404, + $this->format + ); + break; + } + } + + /** + * Get notices + * + * @return array notices + */ + + function getNotices() + { + $fn = array($this->list, 'getNotices'); + list($this->notices, $this->next_cursor, $this->prev_cursor) = + Profile_list::getAtCursor($fn, array(), $this->cursor, 20); + if (!$this->notices) { + $this->notices = array(); + } + } + + /** + * Is this action read only? + * + * @param array $args other arguments + * + * @return boolean true + */ + + function isReadOnly($args) + { + return true; + } + + /** + * When was this feed last modified? + * + * @return string datestamp of the latest notice in the stream + */ + + function lastModified() + { + if (!empty($this->notices) && (count($this->notices) > 0)) { + return strtotime($this->notices[0]->created); + } + + return null; + } + + /** + * An entity tag for this stream + * + * Returns an Etag based on the action name, language, list ID and + * timestamps of the first and last notice in the timeline + * + * @return string etag + */ + + function etag() + { + if (!empty($this->notices) && (count($this->notices) > 0)) { + + $last = count($this->notices) - 1; + + return '"' . implode( + ':', + array($this->arg('action'), + common_language(), + $this->list->id, + strtotime($this->notices[0]->created), + strtotime($this->notices[$last]->created)) + ) + . '"'; + } + + return null; + } + +} diff --git a/lib/activityobject.php b/lib/activityobject.php index a69e1a1b42..7771455443 100644 --- a/lib/activityobject.php +++ b/lib/activityobject.php @@ -64,6 +64,7 @@ class ActivityObject const BOOKMARK = 'http://activitystrea.ms/schema/1.0/bookmark'; const PERSON = 'http://activitystrea.ms/schema/1.0/person'; const GROUP = 'http://activitystrea.ms/schema/1.0/group'; + const _LIST = 'http://activitystrea.ms/schema/1.0/list'; // LIST is reserved const PLACE = 'http://activitystrea.ms/schema/1.0/place'; const COMMENT = 'http://activitystrea.ms/schema/1.0/comment'; // ^^^^^^^^^^ tea! @@ -92,6 +93,7 @@ class ActivityObject public $title; public $summary; public $content; + public $owner; public $link; public $source; public $avatarLinks = array(); @@ -168,6 +170,10 @@ class ActivityObject Activity::MEDIA ); } + if ($this->type == self::_LIST) { + $owner = ActivityUtils::child($this->element, Activity::AUTHOR, Activity::SPEC); + $this->owner = new ActivityObject($owner); + } } private function _fromAuthor($element) @@ -520,13 +526,29 @@ class ActivityObject AVATAR_MINI_SIZE); $object->poco = PoCo::fromGroup($group); - - Event::handle('EndActivityObjectFromGroup', array($group, &$object)); + Event::handle('EndActivityObjectFromGroup', array($group, &$object)); } return $object; } + static function fromPeopletag($ptag) + { + $object = new ActivityObject(); + if (Event::handle('StartActivityObjectFromPeopletag', array($ptag, &$object))) { + $object->type = ActivityObject::_LIST; + + $object->id = $ptag->getUri(); + $object->title = $ptag->tag; + $object->summary = $ptag->description; + $object->link = $ptag->homeUrl(); + $object->owner = Profile::staticGet('id', $ptag->tagger); + $object->poco = PoCo::fromProfile($object->owner); + Event::handle('EndActivityObjectFromPeopletag', array($ptag, &$object)); + } + return $object; + } + function outputTo($xo, $tag='activity:object') { if (!empty($tag)) { @@ -601,6 +623,11 @@ class ActivityObject } } + if(!empty($this->owner)) { + $owner = $this->owner->asActivityNoun(self::AUTHOR); + $xo->raw($owner); + } + if (!empty($this->geopoint)) { $xo->element( 'georss:point', diff --git a/lib/activityverb.php b/lib/activityverb.php index 264351308b..5ee68f2880 100644 --- a/lib/activityverb.php +++ b/lib/activityverb.php @@ -59,6 +59,7 @@ class ActivityVerb const UNFAVORITE = 'http://ostatus.org/schema/1.0/unfavorite'; const UNFOLLOW = 'http://ostatus.org/schema/1.0/unfollow'; const LEAVE = 'http://ostatus.org/schema/1.0/leave'; + const UNTAG = 'http://ostatus.org/schema/1.0/untag'; // For simple profile-update pings; no content to share. const UPDATE_PROFILE = 'http://ostatus.org/schema/1.0/update-profile'; diff --git a/lib/apiaction.php b/lib/apiaction.php index ebda36db7f..a77d5da13f 100644 --- a/lib/apiaction.php +++ b/lib/apiaction.php @@ -458,6 +458,32 @@ class ApiAction extends Action return $entry; } + function twitterListArray($list) + { + $profile = Profile::staticGet('id', $list->tagger); + + $twitter_list = array(); + $twitter_list['id'] = $list->id; + $twitter_list['name'] = $list->tag; + $twitter_list['full_name'] = '@'.$profile->nickname.'/'.$list->tag;; + $twitter_list['slug'] = $list->tag; + $twitter_list['description'] = $list->description; + $twitter_list['subscriber_count'] = $list->subscriberCount(); + $twitter_list['member_count'] = $list->taggedCount(); + $twitter_list['uri'] = $list->getUri(); + + if (isset($this->auth_user)) { + $twitter_list['following'] = $list->hasSubscriber($this->auth_user); + } else { + $twitter_list['following'] = false; + } + + $twitter_list['mode'] = ($list->private) ? 'private' : 'public'; + $twitter_list['user'] = $this->twitterUserArray($profile, false); + + return $twitter_list; + } + function twitterRssEntryArray($notice) { $entry = array(); @@ -633,6 +659,20 @@ class ApiAction extends Action $this->elementEnd('group'); } + function showTwitterXmlList($twitter_list) + { + $this->elementStart('list'); + foreach($twitter_list as $element => $value) { + if($element == 'user') { + $this->showTwitterXmlUser($value, 'user'); + } + else { + $this->element($element, null, $value); + } + } + $this->elementEnd('list'); + } + function showTwitterXmlUser($twitter_user, $role='user', $namespaces=false) { $attrs = array(); @@ -1110,6 +1150,65 @@ class ApiAction extends Action $this->endDocument('xml'); } + function showXmlLists($list, $next_cursor=0, $prev_cursor=0) + { + + $this->initDocument('xml'); + $this->elementStart('lists_list'); + $this->elementStart('lists', array('type' => 'array')); + + if (is_array($list)) { + foreach ($list as $l) { + $twitter_list = $this->twitterListArray($l); + $this->showTwitterXmlList($twitter_list); + } + } else { + while ($list->fetch()) { + $twitter_list = $this->twitterListArray($list); + $this->showTwitterXmlList($twitter_list); + } + } + + $this->elementEnd('lists'); + + $this->element('next_cursor', null, $next_cursor); + $this->element('previous_cursor', null, $prev_cursor); + + $this->elementEnd('lists_list'); + $this->endDocument('xml'); + } + + function showJsonLists($list, $next_cursor=0, $prev_cursor=0) + { + $this->initDocument('json'); + + $lists = array(); + + if (is_array($list)) { + foreach ($list as $l) { + $twitter_list = $this->twitterListArray($l); + array_push($lists, $twitter_list); + } + } else { + while ($list->fetch()) { + $twitter_list = $this->twitterListArray($list); + array_push($lists, $twitter_list); + } + } + + $lists_list = array( + 'lists' => $lists, + 'next_cursor' => $next_cursor, + 'next_cursor_str' => strval($next_cursor), + 'previous_cursor' => $prev_cursor, + 'previous_cursor_str' => strval($prev_cursor) + ); + + $this->showJsonObjects($lists_list); + + $this->endDocument('json'); + } + function showTwitterXmlUsers($user) { $this->initDocument('xml'); @@ -1171,6 +1270,22 @@ class ApiAction extends Action $this->endDocument('xml'); } + function showSingleJsonList($list) + { + $this->initDocument('json'); + $twitter_list = $this->twitterListArray($list); + $this->showJsonObjects($twitter_list); + $this->endDocument('json'); + } + + function showSingleXmlList($list) + { + $this->initDocument('xml'); + $twitter_list = $this->twitterListArray($list); + $this->showTwitterXmlList($twitter_list); + $this->endDocument('xml'); + } + function dateTwitter($dt) { $dateStr = date('d F Y H:i:s', strtotime($dt)); @@ -1464,6 +1579,40 @@ class ApiAction extends Action } } + function getTargetList($user=null, $id=null) + { + $tagger = $this->getTargetUser($user); + $list = null; + + if (empty($id)) { + $id = $this->arg('id'); + } + + if($id) { + if (is_numeric($id)) { + $list = Profile_list::staticGet('id', $id); + + // only if the list with the id belongs to the tagger + if(empty($list) || $list->tagger != $tagger->id) { + $list = null; + } + } + if (empty($list)) { + $tag = common_canonical_tag($id); + $list = Profile_list::getByTaggerAndTag($tagger->id, $tag); + } + + if (!empty($list) && $list->private) { + if ($this->auth_user->id == $list->tagger) { + return $list; + } + } else { + return $list; + } + } + return null; + } + /** * Returns query argument or default value if not found. Certain * parameters used throughout the API are lightly scrubbed and diff --git a/lib/apilistusers.php b/lib/apilistusers.php new file mode 100644 index 0000000000..e4451c7c41 --- /dev/null +++ b/lib/apilistusers.php @@ -0,0 +1,207 @@ +. + * + * @category API + * @package StatusNet + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +require_once INSTALLDIR . '/lib/apibareauth.php'; + +class ApiListUsersAction extends ApiBareAuthAction +{ + var $list = null; + var $user = false; + var $create = false; + var $delete = false; + var $cursor = -1; + var $next_cursor = 0; + var $prev_cursor = 0; + var $users = null; + + function prepare($args) + { + // delete list member if method is DELETE or if method is POST and an argument + // _method is set to DELETE + $this->delete = ($_SERVER['REQUEST_METHOD'] == 'DELETE' || + ($this->trimmed('_method') == 'DELETE' && + $_SERVER['REQUEST_METHOD'] == 'POST')); + + // add member if method is POST + $this->create = (!$this->delete && + $_SERVER['REQUEST_METHOD'] == 'POST'); + + if($this->arg('id')) { + $this->user = $this->getTargetUser($this->arg('id')); + } + + parent::prepare($args); + + $this->list = $this->getTargetList($this->arg('user'), $this->arg('list_id')); + + if (empty($this->list)) { + $this->clientError(_('Not found'), 404, $this->format); + return false; + } + + if(!$this->create && !$this->delete) { + $this->getUsers(); + } + return true; + } + + function requiresAuth() + { + return parent::requiresAuth() || + $this->create || $this->delete; + } + + function handle($args) + { + parent::handle($args); + + if($this->delete) { + return $this->handleDelete(); + } + + if($this->create) { + return $this->handlePost(); + } + + switch($this->format) { + case 'xml': + $this->initDocument('xml'); + $this->elementStart('users_list', array('xmlns:statusnet' => + 'http://status.net/schema/api/1/')); + $this->elementStart('users', array('type' => 'array')); + + if (is_array($this->users)) { + foreach ($this->users as $u) { + $twitter_user = $this->twitterUserArray($u, true); + $this->showTwitterXmlUser($twitter_user); + } + } else { + while ($this->users->fetch()) { + $twitter_user = $this->twitterUserArray($this->users, true); + $this->showTwitterXmlUser($twitter_user); + } + } + + $this->elementEnd('users'); + $this->element('next_cursor', null, $this->next_cursor); + $this->element('previous_cursor', null, $this->prev_cursor); + $this->elementEnd('users_list'); + break; + case 'json': + $this->initDocument('json'); + + $users = array(); + + if (is_array($this->users)) { + foreach ($this->users as $u) { + $twitter_user = $this->twitterUserArray($u, true); + array_push($users, $twitter_user); + } + } else { + while ($this->users->fetch()) { + $twitter_user = $this->twitterUserArray($this->users, true); + array_push($users, $twitter_user); + } + } + + $users_list = array('users' => $users, + 'next_cursor' => $this->next_cursor, + 'next_cursor_str' => strval($this->next_cursor), + 'previous_cursor' => $this->prev_cursor, + 'previous_cursor_str' => strval($this->prev_cursor)); + + $this->showJsonObjects($users_list); + + $this->endDocument('json'); + break; + default: + $this->clientError( + _('API method not found.'), + 404, + $this->format + ); + break; + } + } + + function handlePost() + { + } + + function handleDelete() + { + } + + function getUsers() + { + } + + function isReadOnly($args) + { + return false; + } + + function lastModified() + { + if(!empty($this->list)) { + return strtotime($this->list->modified); + } + return null; + } + + /** + * An entity tag for this list + * + * Returns an Etag based on the action name, language, user ID and + * timestamps of the first and last list the user has joined + * + * @return string etag + */ + + function etag() + { + if (!empty($this->list)) { + + return '"' . implode( + ':', + array($this->arg('action'), + common_language(), + $this->list->id, + strtotime($this->list->created), + strtotime($this->list->modified)) + ) + . '"'; + } + + return null; + } + +} diff --git a/lib/atomlistnoticefeed.php b/lib/atomlistnoticefeed.php new file mode 100644 index 0000000000..fec7e16846 --- /dev/null +++ b/lib/atomlistnoticefeed.php @@ -0,0 +1,105 @@ +. + * + * @category Feed + * @package StatusNet + * @author Zach Copley + * @copyright 2010 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) +{ + exit(1); +} + +/** + * Class for list notice feeds. May contain a reference to the list. + * + * @category Feed + * @package StatusNet + * @author Zach Copley + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ +class AtomListNoticeFeed extends AtomNoticeFeed +{ + private $list; + private $tagger; + + /** + * Constructor + * + * @param List $list the list for the feed + * @param User $cur the current authenticated user, if any + * @param boolean $indent flag to turn indenting on or off + * + * @return void + */ + function __construct($list, $cur = null, $indent = true) { + parent::__construct($cur, $indent); + $this->list = $list; + $this->tagger = Profile::staticGet('id', $list->tagger); + + // TRANS: Title in atom list notice feed. %s is a list name. + $title = sprintf(_("Timeline for people tagged #%s by %s"), $list->tag, $this->tagger->nickname); + $this->setTitle($title); + + $sitename = common_config('site', 'name'); + $subtitle = sprintf( + // TRANS: Message is used as a subtitle in atom list notice feed. + // TRANS: %1$s is a list name, %2$s is a site name. + _('Updates from %1$s\'s %2$s people tag on %3$s!'), + $this->tagger->nickname, + $list->tag, + $sitename + ); + $this->setSubtitle($subtitle); + + $avatar = $this->tagger->avatarUrl(AVATAR_PROFILE_SIZE); + $this->setLogo($avatar); + + $this->setUpdated('now'); + + $self = common_local_url('ApiTimelineList', + array('user' => $this->tagger->nickname, + 'id' => $list->tag, + 'format' => 'atom')); + $this->setId($self); + $this->setSelfLink($self); + + // FIXME: Stop using activity:subject? + $ao = ActivityObject::fromPeopletag($this->list); + + $this->addAuthorRaw($ao->asString('author'). + $ao->asString('activity:subject')); + + $this->addLink($this->list->getUri()); + } + + function getList() + { + return $this->list; + } + +} diff --git a/lib/router.php b/lib/router.php index ccc4b09781..ee1e4cd849 100644 --- a/lib/router.php +++ b/lib/router.php @@ -766,6 +766,72 @@ class Router 'id' => '[a-zA-Z0-9]+', 'format' => '(xml|json)')); + // Lists (people tags) + + $m->connect('api/lists/memberships.:format', + array('action' => 'ApiListMemberships', + 'format' => '(xml|json)')); + + $m->connect('api/:user/lists/memberships.:format', + array('action' => 'ApiListMemberships', + 'user' => '[a-zA-Z0-9]+', + 'format' => '(xml|json)')); + + $m->connect('api/lists/subscriptions.:format', + array('action' => 'ApiListSubscriptions', + 'format' => '(xml|json)')); + + $m->connect('api/:user/lists/subscriptions.:format', + array('action' => 'ApiListSubscriptions', + 'user' => '[a-zA-Z0-9]+', + 'format' => '(xml|json)')); + $m->connect('api/lists.:format', + array('action' => 'ApiLists', + 'format' => '(xml|json)')); + + $m->connect('api/:user/lists.:format', + array('action' => 'ApiLists', + 'user' => '[a-zA-Z0-9]+', + 'format' => '(xml|json)')); + + $m->connect('api/:user/lists/:id.:format', + array('action' => 'ApiList', + 'user' => '[a-zA-Z0-9]+', + 'id' => '[a-zA-Z0-9]+', + 'format' => '(xml|json)')); + + $m->connect('api/:user/lists/:id/statuses.:format', + array('action' => 'ApiTimelineList', + 'user' => '[a-zA-Z0-9]+', + 'id' => '[a-zA-Z0-9]+', + 'format' => '(xml|json|rss|atom)')); + + $m->connect('api/:user/:list_id/members.:format', + array('action' => 'ApiListMembers', + 'user' => '[a-zA-Z0-9]+', + 'list_id' => '[a-zA-Z0-9]+', + 'format' => '(xml|json)')); + + $m->connect('api/:user/:list_id/subscribers.:format', + array('action' => 'ApiListSubscribers', + 'user' => '[a-zA-Z0-9]+', + 'list_id' => '[a-zA-Z0-9]+', + 'format' => '(xml|json)')); + + $m->connect('api/:user/:list_id/members/:id.:format', + array('action' => 'ApiListMember', + 'user' => '[a-zA-Z0-9]+', + 'list_id' => '[a-zA-Z0-9]+', + 'id' => '[a-zA-Z0-9]+', + 'format' => '(xml|json)')); + + $m->connect('api/:user/:list_id/subscribers/:id.:format', + array('action' => 'ApiListSubscriber', + 'user' => '[a-zA-Z0-9]+', + 'list_id' => '[a-zA-Z0-9]+', + 'id' => '[a-zA-Z0-9]+', + 'format' => '(xml|json)')); + // Tags $m->connect('api/statusnet/tags/timeline/:tag.:format', array('action' => 'ApiTimelineTag', From f446db8e2ae9be8ae7b8489ddffcc04c6074b6f2 Mon Sep 17 00:00:00 2001 From: Shashi Gowda Date: Mon, 7 Mar 2011 00:39:24 +0530 Subject: [PATCH 05/19] people tag UI elements --- lib/peopletageditform.php | 200 +++++++++++ lib/peopletaggroupnav.php | 145 ++++++++ lib/peopletaglist.php | 320 +++++++++++++++++ lib/peopletags.php | 191 +++++++++++ lib/peopletagsbysubssection.php | 76 +++++ lib/peopletagsection.php | 139 ++++++++ lib/personalgroupnav.php | 6 + lib/profilelist.php | 19 ++ lib/publicgroupnav.php | 4 + lib/subgroupnav.php | 9 + lib/subscribepeopletagform.php | 114 +++++++ lib/subscriberspeopleselftagcloudsection.php | 2 +- lib/subscriberspeopletagcloudsection.php | 2 +- ...subscriptionspeopleselftagcloudsection.php | 2 +- lib/subscriptionspeopletagcloudsection.php | 2 +- lib/togglepeopletag.php | 322 ++++++++++++++++++ lib/unsubscribepeopletagform.php | 114 +++++++ lib/userprofile.php | 25 +- 18 files changed, 1673 insertions(+), 19 deletions(-) create mode 100644 lib/peopletageditform.php create mode 100644 lib/peopletaggroupnav.php create mode 100644 lib/peopletaglist.php create mode 100644 lib/peopletags.php create mode 100644 lib/peopletagsbysubssection.php create mode 100644 lib/peopletagsection.php create mode 100644 lib/subscribepeopletagform.php create mode 100644 lib/togglepeopletag.php create mode 100644 lib/unsubscribepeopletagform.php diff --git a/lib/peopletageditform.php b/lib/peopletageditform.php new file mode 100644 index 0000000000..d0b867ac37 --- /dev/null +++ b/lib/peopletageditform.php @@ -0,0 +1,200 @@ +. + * + * @category Form + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +require_once INSTALLDIR.'/lib/form.php'; +require_once INSTALLDIR.'/lib/togglepeopletag.php'; + +/** + * Form for editing a peopletag + * + * @category Form + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + * + * @see GroupEditForm + */ + +class PeopletagEditForm extends Form +{ + /** + * peopletag to edit + */ + + var $peopletag = null; + var $tagger = null; + + /** + * Constructor + * + * @param Action $out output channel + * @param User_group $group group to join + */ + + function __construct($out=null, Profile_list $peopletag=null) + { + parent::__construct($out); + + $this->peopletag = $peopletag; + $this->tagger = Profile::staticGet('id', $peopletag->tagger); + } + + /** + * ID of the form + * + * @return string ID of the form + */ + + function id() + { + return 'form_peopletag_edit-' . $this->peopletag->id; + } + + /** + * class of the form + * + * @return string of the form class + */ + + function formClass() + { + return 'form_settings'; + } + + /** + * Action of the form + * + * @return string URL of the action + */ + + function action() + { + return common_local_url('editpeopletag', + array('tagger' => $this->tagger->nickname, 'tag' => $this->peopletag->tag)); + } + + /** + * Name of the form + * + * @return void + */ + + function formLegend() + { + $this->out->element('legend', null, sprintf(_('Edit peopletag %s'), $this->peopletag->tag)); + } + + /** + * Data elements of the form + * + * @return void + */ + + function formData() + { + $id = $this->peopletag->id; + $tag = $this->peopletag->tag; + $description = $this->peopletag->description; + $private = $this->peopletag->private; + + $this->out->elementStart('ul', 'form_data'); + + $this->out->elementStart('li'); + $this->out->hidden('id', $id); + $this->out->input('tag', _('Tag'), + ($this->out->arg('tag')) ? $this->out->arg('tag') : $tag, + _('Change the tag (letters, numbers, -, ., and _ are allowed)')); + $this->out->elementEnd('li'); + + $this->out->elementStart('li'); + $desclimit = Profile_list::maxDescription(); + if ($desclimit == 0) { + $descinstr = _('Describe the people tag or topic'); + } else { + $descinstr = sprintf(_('Describe the people tag or topic in %d characters'), $desclimit); + } + $this->out->textarea('description', _('Description'), + ($this->out->arg('description')) ? $this->out->arg('description') : $description, + $descinstr); + $this->out->checkbox('private', _('Private'), $private); + $this->out->elementEnd('li'); + $this->out->elementEnd('ul'); + } + + /** + * Action elements + * + * @return void + */ + + function formActions() + { + $this->out->submit('submit', _('Save')); + $this->out->submit('form_action-yes', + _m('BUTTON','Delete'), + 'submit', + 'delete', + _('Delete this people tag')); + } + + function showProfileList() + { + $tagged = $this->peopletag->getTagged(); + $this->out->element('h2', null, 'Add or remove people'); + + $this->out->elementStart('div', 'profile_search_wrap'); + $this->out->element('h3', null, 'Add user'); + $search = new SearchProfileForm($this->out, $this->peopletag); + $search->show(); + $this->out->element('ul', array('id' => 'profile_search_results', 'class' => 'empty')); + $this->out->elementEnd('div'); + + $this->out->elementStart('ul', 'profile-lister'); + while ($tagged->fetch()) { + $this->out->elementStart('li', 'entity_removable_profile'); + $this->showProfileItem($tagged); + $this->out->elementStart('span', 'entity_actions'); + $untag = new UntagButton($this->out, $tagged, $this->peopletag); + $untag->show(); + $this->out->elementEnd('span'); + $this->out->elementEnd('li'); + } + $this->out->elementEnd('ul'); + } + + function showProfileItem($profile) + { + $item = new TaggedProfileItem($this->out, $profile); + $item->show(); + } +} diff --git a/lib/peopletaggroupnav.php b/lib/peopletaggroupnav.php new file mode 100644 index 0000000000..2c9a65fd44 --- /dev/null +++ b/lib/peopletaggroupnav.php @@ -0,0 +1,145 @@ +. + * + * @category Action + * @package StatusNet + * @author Evan Prodromou + * @author Sarven Capadisli + * @copyright 2008 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +require_once INSTALLDIR.'/lib/widget.php'; + +/** + * Base class for all actions + * + * This is the base class for all actions in the package. An action is + * more or less a "view" in an MVC framework. + * + * Actions are responsible for extracting and validating parameters; using + * model classes to read and write to the database; and doing ouput. + * + * @category Output + * @package StatusNet + * @author Evan Prodromou + * @author Sarven Capadisli + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + * + * @see HTMLOutputter + */ + +class PeopletagGroupNav extends Widget +{ + var $action = null; + + /** + * Construction + * + * @param Action $action current action, used for output + */ + + function __construct($action=null) + { + parent::__construct($action); + $this->action = $action; + } + + /** + * Show the menu + * + * @return void + */ + + function show() + { + $user = null; + + // FIXME: we should probably pass this in + + $action = $this->action->trimmed('action'); + $nickname = $this->action->trimmed('tagger'); + $tag = $this->action->trimmed('tag'); + + if ($nickname) { + $user = User::staticGet('nickname', $nickname); + $user_profile = $user->getProfile(); + + if ($tag) { + $tag = Profile_list::pkeyGet(array('tagger' => $user->id, + 'tag' => $tag)); + } else { + $tag = false; + } + + } else { + $user_profile = false; + } + + $this->out->elementStart('ul', array('class' => 'nav')); + + if (Event::handle('StartPeopletagGroupNav', array($this))) { + // People tag timeline + $this->out->menuItem(common_local_url('showprofiletag', array('tagger' => $user_profile->nickname, + 'tag' => $tag->tag)), + _('People tag'), + sprintf(_('%s tag by %s'), $tag->tag, + (($user_profile && $user_profile->fullname) ? $user_profile->fullname : $nickname)), + $action == 'showprofiletag', 'nav_timeline_peopletag'); + + // Tagged + $this->out->menuItem(common_local_url('peopletagged', array('tagger' => $user->nickname, + 'tag' => $tag->tag)), + _('Tagged'), + sprintf(_('%s tag by %s'), $tag->tag, + (($user_profile && $user_profile->fullname) ? $user_profile->fullname : $nickname)), + $action == 'peopletagged', 'nav_peopletag_tagged'); + + // Subscribers + $this->out->menuItem(common_local_url('peopletagsubscribers', array('tagger' => $user->nickname, + 'tag' => $tag->tag)), + _('Subscribers'), + sprintf(_('Subscribers to %s tag by %s'), $tag->tag, + (($user_profile && $user_profile->fullname) ? $user_profile->fullname : $nickname)), + $action == 'peopletagsubscribers', 'nav_peopletag_subscribers'); + + $cur = common_current_user(); + if (!empty($cur) && $user_profile->id == $cur->id) { + // Edit + $this->out->menuItem(common_local_url('editpeopletag', array('tagger' => $user->nickname, + 'tag' => $tag->tag)), + _('Edit'), + sprintf(_('Edit %s tag by you'), $tag->tag, + (($user_profile && $user_profile->fullname) ? $user_profile->fullname : $nickname)), + $action == 'editpeopletag', 'nav_peopletag_edit'); + } + + Event::handle('EndPeopletagGroupNav', array($this)); + } + $this->out->elementEnd('ul'); + } +} diff --git a/lib/peopletaglist.php b/lib/peopletaglist.php new file mode 100644 index 0000000000..8a4caf44fe --- /dev/null +++ b/lib/peopletaglist.php @@ -0,0 +1,320 @@ +. + * + * @category Public + * @package StatusNet + * @author Shashi Gowda + * @copyright 2008-2009 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +require_once INSTALLDIR.'/lib/widget.php'; + +define('PEOPLETAGS_PER_PAGE', 20); + +/** + * Widget to show a list of peopletags + * + * @category Public + * @package StatusNet + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +class PeopletagList extends Widget +{ + /** Current peopletag, peopletag query. */ + var $peopletag = null; + /** current user **/ + var $user = null; + + function __construct($peopletag, $action=null) + { + parent::__construct($action); + + $this->peopletag = $peopletag; + + if (!empty($owner)) { + $this->user = $owner; + } else { + $this->user = common_current_user(); + } + } + + function show() + { + $this->out->elementStart('ul', 'peopletags xoxo hfeed'); + + $cnt = 0; + + while ($this->peopletag->fetch()) { + $cnt++; + if($cnt > PEOPLETAGS_PER_PAGE) { + break; + } + $this->showPeopletag(); + } + + $this->out->elementEnd('ul'); + + return $cnt; + } + + function showPeopletag() + { + $ptag = new PeopletagListItem($this->peopletag, $this->user, $this->out); + $ptag->show(); + } +} + +class PeopletagListItem extends Widget +{ + var $peopletag = null; + var $current = null; + var $profile = null; + + /** + * constructor + * + * Also initializes the owner attribute. + * + * @param Notice $notice The notice we'll display + */ + + function __construct($peopletag, $current, $out=null) + { + parent::__construct($out); + $this->peopletag = $peopletag; + $this->current = $current; + $this->profile = Profile::staticGet('id', $this->peopletag->tagger); + } + + /** + * recipe function for displaying a single peopletag. + * + * This uses all the other methods to correctly display a notice. Override + * it or one of the others to fine-tune the output. + * + * @return void + */ + + function url() + { + return $this->peopletag->homeUrl(); + } + + function show() + { + if (empty($this->peopletag)) { + common_log(LOG_WARNING, "Trying to show missing peopletag; skipping."); + return; + } + + if (Event::handle('StartShowPeopletagItem', array($this))) { + $this->showStart(); + $this->showPeopletag(); + $this->showStats(); + $this->showEnd(); + Event::handle('EndShowPeopletagItem', array($this)); + } + } + + function showStart() + { + $mode = ($this->peopletag->private) ? 'private' : 'public'; + $this->out->elementStart('li', array('class' => 'hentry peopletag mode-' . $mode, + 'id' => 'peopletag-' . $this->peopletag->id)); + } + + function showEnd() + { + $this->out->elementEnd('li'); + } + + function showPeopletag() + { + $this->showCreator(); + $this->showTag(); + $this->showPrivacy(); + $this->showUpdated(); + $this->showActions(); + $this->showDescription(); + } + + function showStats() + { + $this->out->elementStart('div', 'entry-summary entity_statistics'); + $this->out->elementStart('span', 'tagged-count'); + $this->out->element('a', + array('href' => common_local_url('peopletagged', + array('tagger' => $this->profile->nickname, + 'tag' => $this->peopletag->tag))), + _('Tagged')); + $this->out->raw($this->peopletag->taggedCount()); + $this->out->elementEnd('span'); + + $this->out->elementStart('span', 'subscriber-count'); + $this->out->element('a', + array('href' => common_local_url('peopletagsubscribers', + array('tagger' => $this->profile->nickname, + 'tag' => $this->peopletag->tag))), + _('Subscribers')); + $this->out->raw($this->peopletag->subscriberCount()); + $this->out->elementEnd('span'); + $this->out->elementEnd('div'); + } + + function showOwnerOptions() + { + $this->out->elementStart('li', 'entity_edit'); + $this->out->element('a', array('href' => + common_local_url('editpeopletag', array('tagger' => $this->profile->nickname, + 'tag' => $this->peopletag->tag)), + 'title' => _('Edit peopletag settings')), + _('Edit')); + $this->out->elementEnd('li'); + } + + function showSubscribeForm() + { + $this->out->elementStart('li'); + + if (Event::handle('StartSubscribePeopletagForm', array($this->out, $this->peopletag))) { + if ($this->current) { + if ($this->peopletag->hasSubscriber($this->current->id)) { + $form = new UnsubscribePeopletagForm($this->out, $this->peopletag); + $form->show(); + } else { + $form = new SubscribePeopletagForm($this->out, $this->peopletag); + $form->show(); + } + } + Event::handle('EndSubscribePeopletagForm', array($this->out, $this->peopletag)); + } + + $this->out->elementEnd('li'); + } + + function showCreator() + { + $this->out->elementStart('span', 'author vcard'); + $attrs = array(); + $attrs['href'] = $this->profile->profileurl; + $attrs['class'] = 'url'; + $attrs['rel'] = 'contact'; + + if (!empty($this->profile->fullname)) { + $attrs['title'] = $this->profile->fullname . ' (' . $this->profile->nickname . ')'; + } + $this->out->elementStart('a', $attrs); + $this->showAvatar(); + $this->out->text(' '); + $this->out->element('span', 'nickname fn', + htmlspecialchars($this->profile->nickname)); + + $this->out->elementEnd('a'); + $this->out->elementEnd('span'); + } + + function showUpdated() + { + if (!empty($this->peopletag->modified)) { + $this->out->element('abbr', + array('title' => common_date_w3dtf($this->peopletag->modified), + 'class' => 'updated'), + common_date_string($this->peopletag->modified)); + } + } + + function showPrivacy() + { + if ($this->peopletag->private) { + $this->out->elementStart('a', + array('href' => common_local_url('peopletagsbyuser', + array('nickname' => $this->profile->nickname, 'private' => 1)))); + $this->out->element('span', 'privacy_mode', _('Private')); + $this->out->elementEnd('a'); + } + } + + function showTag() + { + $this->out->elementStart('span', 'entry-title tag'); + $this->out->element('a', + array('rel' => 'bookmark', + 'href' => $this->url()), + htmlspecialchars($this->peopletag->tag)); + $this->out->elementEnd('span'); + } + + /** + * show the avatar of the peopletag's creator + * + * This will use the default avatar if no avatar is assigned for the author. + * It makes a link to the author's profile. + * + * @return void + */ + + function showAvatar($size=AVATAR_STREAM_SIZE) + { + $avatar = $this->profile->getAvatar($size); + + $this->out->element('img', array('src' => ($avatar) ? + $avatar->displayUrl() : + Avatar::defaultImage($size), + 'class' => 'avatar photo', + 'width' => $size, + 'height' => $size, + 'alt' => + ($this->profile->fullname) ? + $this->profile->fullname : + $this->profile->nickname)); + } + + function showActions() + { + $this->out->elementStart('div', 'entity_actions'); + $this->out->elementStart('ul'); + + if (!$this->peopletag->private) { + $this->showSubscribeForm(); + } + + if (!empty($this->current) && $this->profile->id == $this->current->id) { + $this->showOwnerOptions(); + } + $this->out->elementEnd('ul'); + $this->out->elementEnd('div'); + } + + function showDescription() + { + $this->out->element('div', 'entry-content description', + $this->peopletag->description); + } +} diff --git a/lib/peopletags.php b/lib/peopletags.php new file mode 100644 index 0000000000..96b85afd4f --- /dev/null +++ b/lib/peopletags.php @@ -0,0 +1,191 @@ +. + * + * @category Action + * @package StatusNet + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +require_once INSTALLDIR.'/lib/widget.php'; + +/* + * Show a bunch of peopletags + * provide ajax editing if the current user owns the tags + * + * @category Action + * @pacage StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + */ + +class PeopletagsWidget extends Widget +{ + /* + * the query, current peopletag. + * or an array of strings (tags) + */ + + var $tag=null; + + var $user=null; + var $tagger=null; + var $tagged=null; + + function __construct($out, $tagger, $tagged) + { + parent::__construct($out); + + $this->user = common_current_user(); + $this->tag = Profile_tag::getTags($tagger->id, $tagged->id, $this->user); + $this->tagger = $tagger; + $this->tagged = $tagged; + } + + function show() + { + if (Event::handle('StartShowPeopletags', array($this, $this->tagger, $this->tagged))) { + if ($this->tag->N > 0) { + $this->showTags(); + } + else { + $this->showEmptyList(); + } + Event::handle('EndShowPeopletags', array($this, $this->tagger, $this->tagged)); + } + } + + function url() + { + return $this->tag->homeUrl(); + } + + function label() + { + return _('Tags by you'); + } + + function showTags() + { + $this->out->elementStart('dl', 'entity_tags user_profile_tags'); + $this->out->element('dt', null, $this->label()); + $this->out->elementStart('dd'); + + $class = 'tags xoxo'; + if ($this->isEditable()) { + $class .= ' editable'; + } + + $tags = array(); + $this->out->elementStart('ul', $class); + while ($this->tag->fetch()) { + $mode = $this->tag->private ? 'private' : 'public'; + $tags[] = $this->tag->tag; + + $this->out->elementStart('li', 'hashptag mode-' . $mode); + // Avoid space by using raw output. + $pt = '#'; + $this->out->raw($pt); + $this->out->elementEnd('li'); + } + $this->out->elementEnd('ul'); + + if ($this->isEditable()) { + $this->showEditTagForm($tags); + } + + $this->out->elementEnd('dd'); + $this->out->elementEnd('dl'); + } + + function showEditTagForm($tags=null) + { + $this->out->elementStart('span', 'form_tag_user_wrap'); + $this->out->elementStart('form', array('method' => 'post', + 'class' => 'form_tag_user', + 'name' => 'tagprofile', + 'action' => common_local_url('tagprofile', array('id' => $this->tagged->id)))); + + $this->out->elementStart('fieldset'); + $this->out->element('legend', null, _('Edit tags')); + $this->out->hidden('token', common_session_token()); + $this->out->hidden('id', $this->tagged->id); + + if (!$tags) { + $tags = array(); + } + + $this->out->input('tags', $this->label(), + ($this->out->arg('tags')) ? $this->out->arg('tags') : implode(' ', $tags)); + $this->out->submit('save', _('Save')); + + $this->out->elementEnd('fieldset'); + $this->out->elementEnd('form'); + $this->out->elementEnd('span'); + } + + function showEmptyList() + { + $this->out->elementStart('dl', 'entity_tags user_profile_tags'); + $this->out->element('dt', null, $this->label()); + $this->out->elementStart('dd'); + + $class = 'tags'; + if ($this->isEditable()) { + $class .= ' editable'; + } + + $this->out->elementStart('ul', $class); + $this->out->element('li', null, _('(None)')); + $this->out->elementEnd('ul'); + + if ($this->isEditable()) { + $this->showEditTagForm(); + } + $this->out->elementEnd('dd'); + $this->out->elementEnd('dl'); + } + + function isEditable() + { + return !empty($this->user) && $this->tagger->id == $this->user->id; + } +} + +class SelftagsWidget extends PeopletagsWidget +{ + function url($tag) + { + // link to self tag page + return common_local_url('selftag', array('tag' => $tag)); + } + + function label() + { + return _('Tags'); + } +} diff --git a/lib/peopletagsbysubssection.php b/lib/peopletagsbysubssection.php new file mode 100644 index 0000000000..779e7d8ef9 --- /dev/null +++ b/lib/peopletagsbysubssection.php @@ -0,0 +1,76 @@ +. + * + * @category Widget + * @package StatusNet + * @author Evan Prodromou + * @copyright 2009 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +/** + * Peopletags with the most subscribers section + * + * @category Widget + * @package StatusNet + * @author Evan Prodromou + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +class PeopletagsBySubsSection extends PeopletagSection +{ + function getPeopletags() + { + $qry = 'SELECT profile_list.*, subscriber_count as value ' . + 'FROM profile_list WHERE profile_list.private = false ' . + 'ORDER BY value DESC '; + + $limit = PEOPLETAGS_PER_SECTION; + $offset = 0; + + if (common_config('db','type') == 'pgsql') { + $qry .= ' LIMIT ' . $limit . ' OFFSET ' . $offset; + } else { + $qry .= ' LIMIT ' . $offset . ', ' . $limit; + } + + $peopletag = Memcached_DataObject::cachedQuery('Profile_list', + $qry, + 3600); + return $peopletag; + } + + function title() + { + return _('People tags with most subscribers'); + } + + function divId() + { + return 'top_peopletags_by_subs'; + } +} diff --git a/lib/peopletagsection.php b/lib/peopletagsection.php new file mode 100644 index 0000000000..6722f3a149 --- /dev/null +++ b/lib/peopletagsection.php @@ -0,0 +1,139 @@ +. + * + * @category Widget + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +require_once INSTALLDIR . '/lib/peopletaglist.php'; + +define('PEOPLETAGS_PER_SECTION', 6); + +/** + * Base class for sections + * + * These are the widgets that show interesting data about a person + * peopletag, or site. + * + * @category Widget + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +class PeopletagSection extends Section +{ + function showContent() + { + $tags = $this->getPeopletags(); + + if (!$tags) { + return false; + } + + $cnt = 0; + + $this->out->elementStart('table', 'peopletag_section'); + + while ($tags->fetch() && ++$cnt <= PEOPLETAGS_PER_SECTION) { + $this->showPeopletag($tags); + } + + $this->out->elementEnd('table'); + + return ($cnt > PEOPLETAGS_PER_SECTION); + } + + function getPeopletags() + { + return null; + } + + function showPeopletag($peopletag) + { + $tag = new PeopletagSectionItem($peopletag, null, $this->out); + $tag->show(); + } +} + +class PeopletagSectionItem extends PeopletagListItem +{ + function showStart() + { + } + + function showEnd() + { + } + + function showPeopletag() + { + $this->showCreator(); + $this->showTag(); + $this->showPrivacy(); + } + + function show() + { + if (empty($this->peopletag)) { + common_log(LOG_WARNING, "Trying to show missing peopletag; skipping."); + return; + } + + $this->out->elementStart('tr'); + + $this->out->elementStart('td', 'peopletag'); + $this->showPeopletag(); + $this->out->elementEnd('td'); + + if ($this->peopletag->value) { + $this->out->element('td', 'value', $this->peopletag->value); + } + $this->out->elementEnd('tr'); + } + + function showTag() + { + $title = _('Tagged: ') . $this->peopletag->taggedCount() . + ' ' . _('Subscribers: ') . $this->peopletag->subscriberCount(); + + $this->out->elementStart('span', 'entry-title tag'); + $this->out->element('a', + array('rel' => 'bookmark', + 'href' => $this->url(), + 'title' => $title), + htmlspecialchars($this->peopletag->tag)); + $this->out->elementEnd('span'); + } + + function showAvatar() + { + parent::showAvatar(AVATAR_MINI_SIZE); + } +} diff --git a/lib/personalgroupnav.php b/lib/personalgroupnav.php index 72d0893af7..ccd4ab506f 100644 --- a/lib/personalgroupnav.php +++ b/lib/personalgroupnav.php @@ -109,6 +109,12 @@ class PersonalGroupNav extends Widget _('Favorites'), sprintf(_('%s\'s favorite notices'), ($user_profile) ? $name : _('User')), $action == 'showfavorites', 'nav_timeline_favorites'); + $this->out->menuItem(common_local_url('peopletagsbyuser', array('nickname' => + $nickname)), + _('People tags'), + sprintf(_('People tags by %s'), ($user_profile) ? $user_profile->getBestName() : _('User')), + in_array($action, array('peopletagsbyuser', 'peopletagsforuser')), + 'nav_timeline_peopletags'); $cur = common_current_user(); diff --git a/lib/profilelist.php b/lib/profilelist.php index b010fb7249..af38fa71d9 100644 --- a/lib/profilelist.php +++ b/lib/profilelist.php @@ -33,6 +33,7 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { } require_once INSTALLDIR.'/lib/widget.php'; +require_once INSTALLDIR.'/lib/peopletags.php'; /** * Widget to show a list of profiles @@ -168,6 +169,10 @@ class ProfileListItem extends Widget $this->showBio(); Event::handle('EndProfileListItemBio', array($this)); } + if (Event::handle('StartProfileListItemTags', array($this))) { + $this->showTags(); + Event::handle('EndProfileListItemTags', array($this)); + } Event::handle('EndProfileListItemProfileElements', array($this)); } $this->endProfile(); @@ -238,6 +243,20 @@ class ProfileListItem extends Widget } } + function showTags() + { + $user = common_current_user(); + if (!empty($user)) { + if ($user->id == $this->profile->id) { + $tags = new SelftagsWidget($this->out, $user, $this->profile); + $tags->show(); + } else if ($user->getProfile()->canTag($this->profile)) { + $tags = new PeopletagsWidget($this->out, $user, $this->profile); + $tags->show(); + } + } + } + function endProfile() { $this->out->elementEnd('div'); diff --git a/lib/publicgroupnav.php b/lib/publicgroupnav.php index ae9cbdebb4..c2dc11831a 100644 --- a/lib/publicgroupnav.php +++ b/lib/publicgroupnav.php @@ -84,6 +84,10 @@ class PublicGroupNav extends Widget $this->out->menuItem(common_local_url('publictagcloud'), _('Recent tags'), _('Recent tags'), $action_name == 'publictagcloud', 'nav_recent-tags'); + $this->out->menuItem(common_local_url('publicpeopletagcloud'), _('People tags'), + _('People tags'), in_array($action_name, array('publicpeopletagcloud', + 'peopletag', 'selftag')), 'nav_people-tags'); + if (count(common_config('nickname', 'featured')) > 0) { $this->out->menuItem(common_local_url('featured'), _('Featured'), _('Featured users'), $action_name == 'featured', 'nav_featured'); diff --git a/lib/subgroupnav.php b/lib/subgroupnav.php index be3ba27480..5fccb15744 100644 --- a/lib/subgroupnav.php +++ b/lib/subgroupnav.php @@ -106,6 +106,15 @@ class SubGroupNav extends Widget $this->user->nickname), $action == 'usergroups', 'nav_usergroups'); + $this->out->menuItem(common_local_url('peopletagsbyuser', + array('nickname' => + $this->user->nickname)), + _('People tags'), + sprintf(_('People tags by %s'), + $this->user->nickname), + in_array($action, array('peopletagsbyuser', 'peopletagsforuser')), + 'nav_timeline_peopletags'); + if (common_config('invite', 'enabled') && !is_null($cur) && $this->user->id === $cur->id) { $this->out->menuItem(common_local_url('invite'), _('Invite'), diff --git a/lib/subscribepeopletagform.php b/lib/subscribepeopletagform.php new file mode 100644 index 0000000000..9489b01a1c --- /dev/null +++ b/lib/subscribepeopletagform.php @@ -0,0 +1,114 @@ +. + * + * @category Form + * @package StatusNet + * @author Evan Prodromou + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +require_once INSTALLDIR.'/lib/form.php'; + +/** + * Form for subscribing to a peopletag + * + * @category Form + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + * + * @see UnsubscribeForm + */ + +class SubscribePeopletagForm extends Form +{ + /** + * peopletag for the user to join + */ + + var $peopletag = null; + + /** + * Constructor + * + * @param HTMLOutputter $out output channel + * @param peopletag $peopletag peopletag to subscribe to + */ + + function __construct($out=null, $peopletag=null) + { + parent::__construct($out); + + $this->peopletag = $peopletag; + } + + /** + * ID of the form + * + * @return string ID of the form + */ + + function id() + { + return 'peopletag-subscribe-' . $this->peopletag->id; + } + + /** + * class of the form + * + * @return string of the form class + */ + + function formClass() + { + return 'form_peopletag_subscribe'; + } + + /** + * Action of the form + * + * @return string URL of the action + */ + + function action() + { + return common_local_url('subscribepeopletag', + array('id' => $this->peopletag->id)); + } + + /** + * Action elements + * + * @return void + */ + + function formActions() + { + $this->out->submit('submit', _('Subscribe')); + } +} diff --git a/lib/subscriberspeopleselftagcloudsection.php b/lib/subscriberspeopleselftagcloudsection.php index 5a570ae282..b4ada901c0 100644 --- a/lib/subscriberspeopleselftagcloudsection.php +++ b/lib/subscriberspeopleselftagcloudsection.php @@ -52,7 +52,7 @@ class SubscribersPeopleSelfTagCloudSection extends SubPeopleTagCloudSection // return 'select tag, count(tag) as weight from subscription left join profile_tag on tagger = subscriber where subscribed=%d and subscribed != subscriber and tagger = tagged group by tag order by weight desc'; - return 'select tag, count(tag) as weight from subscription left join profile_tag on tagger = subscriber where subscribed=%d and subscribed != subscriber and tagger = tagged and tag is not null group by tag order by weight desc'; + return 'select profile_tag.tag, count(profile_tag.tag) as weight from subscription left join (profile_tag, profile_list) on profile_list.tag = profile_tag.tag and profile_list.tagger = profile_tag.tagger and profile_tag.tagger = subscriber where subscribed=%d and subscribed != subscriber and profile_tag.tagger = tagged and profile_list.private = false and profile_tag.tag is not null group by profile_tag.tag order by weight desc'; // return 'select tag, count(tag) as weight from subscription left join profile_tag on tagger = subscribed where subscriber=%d and subscribed != subscriber and tagger = tagged and tag is not null group by tag order by weight desc'; diff --git a/lib/subscriberspeopletagcloudsection.php b/lib/subscriberspeopletagcloudsection.php index 284996b591..65c4a4f066 100644 --- a/lib/subscriberspeopletagcloudsection.php +++ b/lib/subscriberspeopletagcloudsection.php @@ -55,7 +55,7 @@ class SubscribersPeopleTagCloudSection extends SubPeopleTagCloudSection function query() { // return 'select tag, count(tag) as weight from subscription left join profile_tag on subscriber=tagged and subscribed=tagger where subscribed=%d and subscriber != subscribed group by tag order by weight desc'; - return 'select tag, count(tag) as weight from subscription left join profile_tag on subscriber=tagged and subscribed=tagger where subscribed=%d and subscriber != subscribed and tag is not null group by tag order by weight desc'; + return 'select profile_tag.tag, count(profile_tag.tag) as weight from subscription left join (profile_tag, profile_list) on subscriber=profile_tag.tagged and subscribed=profile_tag.tagger and profile_tag.tagger = profile_list.tagger and profile_tag.tag = profile_list.tag where subscribed=%d and subscriber != subscribed and profile_list.private = false and profile_tag.tag is not null group by profile_tag.tag order by weight desc'; } } diff --git a/lib/subscriptionspeopleselftagcloudsection.php b/lib/subscriptionspeopleselftagcloudsection.php index 9be60dfa14..cb87ae0440 100644 --- a/lib/subscriptionspeopleselftagcloudsection.php +++ b/lib/subscriptionspeopleselftagcloudsection.php @@ -53,7 +53,7 @@ class SubscriptionsPeopleSelfTagCloudSection extends SubPeopleTagCloudSection - return 'select tag, count(tag) as weight from subscription left join profile_tag on tagger = subscribed where subscriber=%d and subscribed != subscriber and tagger = tagged and tag is not null group by tag order by weight desc'; + return 'select profile_tag.tag, count(profile_tag.tag) as weight from subscription left join (profile_tag, profile_list) on profile_tag.tagger = subscribed and profile_tag.tag = profile_list.tag and profile_tag.tagger = profile_tag.tagger where subscriber=%d and subscribed != subscriber and profile_tag.tagger = profile_tag.tagged and profile_list.private = false and profile_tag.tag is not null group by profile_tag.tag order by weight desc'; // return 'select tag, count(tag) as weight from subscription left join profile_tag on tagger = subscriber where subscribed=%d and subscribed != subscriber and tagger = tagged and tag is not null group by tag order by weight desc'; } diff --git a/lib/subscriptionspeopletagcloudsection.php b/lib/subscriptionspeopletagcloudsection.php index fde24b282e..1a42bf90be 100644 --- a/lib/subscriptionspeopletagcloudsection.php +++ b/lib/subscriptionspeopletagcloudsection.php @@ -55,7 +55,7 @@ class SubscriptionsPeopleTagCloudSection extends SubPeopleTagCloudSection function query() { // return 'select tag, count(tag) as weight from subscription left join profile_tag on subscriber=tagger and subscribed=tagged where subscriber=%d and subscriber != subscribed group by tag order by weight desc'; - return 'select tag, count(tag) as weight from subscription left join profile_tag on subscriber=tagger and subscribed=tagged where subscriber=%d and subscriber != subscribed and tag is not null group by tag order by weight desc'; + return 'select profile_tag.tag, count(profile_tag.tag) as weight from subscription left join (profile_tag, profile_list) on subscriber=profile_tag.tagger and subscribed=tagged and profile_tag.tag = profile_list.tag and profile_tag.tagger = profile_list.tagger where subscriber=%d and subscriber != subscribed and profile_list.private = false and profile_tag.tag is not null group by profile_tag.tag order by weight desc'; } } diff --git a/lib/togglepeopletag.php b/lib/togglepeopletag.php new file mode 100644 index 0000000000..a6e07177fb --- /dev/null +++ b/lib/togglepeopletag.php @@ -0,0 +1,322 @@ +. + * + * @category Form + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +require_once INSTALLDIR.'/lib/form.php'; + +/** + * Form for editing a peopletag + * + * @category Form + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + * + * @see GroupEditForm + */ + +class SearchProfileForm extends Form +{ + var $peopletag; + + function __construct($out, Profile_list $peopletag) + { + parent::__construct($out); + $this->peopletag = $peopletag; + } + + /** + * ID of the form + * + * @return string ID of the form + */ + + function id() + { + return 'form_peopletag-add-' . $this->peopletag->id; + } + + /** + * class of the form + * + * @return string of the form class + */ + + function formClass() + { + return 'form_peopletag_edit_user_search'; + } + + /** + * Action of the form + * + * @return string URL of the action + */ + + function action() + { + return common_local_url('profilecompletion'); + } + + /** + * Name of the form + * + * @return void + */ + + function formLegend() + { + $this->out->element('legend', null, sprintf(_('Search and list people'))); + } + + /** + * Data elements of the form + * + * @return void + */ + + function formData() + { + $fields = array('fulltext' => 'Everything', + 'nickname' => 'Nickname', + 'fullname' => 'Fullname', + 'description' => 'Description', + 'location' => 'Location', + 'uri' => 'Uri (Remote users)'); + + + $this->out->hidden('peopletag_id', $this->peopletag->id); + $this->out->input('q', null); + $this->out->dropdown('field', _('Search in'), $fields, + _('Choose a field to search'), false, 'fulltext'); + } + + /** + * Action elements + * + * @return void + */ + + function formActions() + { + $this->out->submit('submit', _('Search')); + } +} + +class UntagButton extends Form +{ + var $profile; + var $peopletag; + + function __construct($out, Profile $profile, Profile_list $peopletag) + { + parent::__construct($out); + $this->profile = $profile; + $this->peopletag = $peopletag; + } + + /** + * ID of the form + * + * @return string ID of the form + */ + + function id() + { + return 'form_peopletag-' . $this->peopletag->id . '-remove-' . $this->profile->id; + } + + /** + * class of the form + * + * @return string of the form class + */ + + function formClass() + { + return 'form_user_remove_peopletag'; + } + + /** + * Action of the form + * + * @return string URL of the action + */ + + function action() + { + return common_local_url('removepeopletag'); + } + + /** + * Name of the form + * + * @return void + */ + + function formLegend() + { + $this->out->element('legend', null, sprintf(_('Untag %s as %s'), + $this->profile->nickname, $this->peopletag->tag)); + } + + /** + * Data elements of the form + * + * @return void + */ + + function formData() + { + $this->out->hidden('peopletag_id', $this->peopletag->id); + $this->out->hidden('tagged', $this->profile->id); + } + + /** + * Action elements + * + * @return void + */ + + function formActions() + { + $this->out->submit('submit', _('Remove')); + } +} + + +class TagButton extends Form +{ + var $profile; + var $peopletag; + + function __construct($out, Profile $profile, Profile_list $peopletag) + { + parent::__construct($out); + $this->profile = $profile; + $this->peopletag = $peopletag; + } + + /** + * ID of the form + * + * @return string ID of the form + */ + + function id() + { + return 'form_peopletag-' . $this->peopletag->id . '-add-' . $this->profile->id; + } + + /** + * class of the form + * + * @return string of the form class + */ + + function formClass() + { + return 'form_user_add_peopletag'; + } + + /** + * Action of the form + * + * @return string URL of the action + */ + + function action() + { + return common_local_url('addpeopletag'); + } + + /** + * Name of the form + * + * @return void + */ + + function formLegend() + { + $this->out->element('legend', null, sprintf(_('Tag %s as %s'), + $this->profile->nickname, $this->peopletag->tag)); + } + + /** + * Data elements of the form + * + * @return void + */ + + function formData() + { + UntagButton::formData(); + } + + /** + * Action elements + * + * @return void + */ + + function formActions() + { + $this->out->submit('submit', _('Add')); + } +} + +class TaggedProfileItem extends Widget +{ + var $profile=null; + + function __construct($out=null, $profile) + { + parent::__construct($out); + $this->profile = $profile; + } + + function show() + { + $this->out->elementStart('a', array('class' => 'url', + 'href' => $this->profile->profileurl, + 'title' => $this->profile->getBestName())); + $avatar = $this->profile->getAvatar(AVATAR_MINI_SIZE); + $this->out->element('img', array('src' => (($avatar) ? $avatar->displayUrl() : + Avatar::defaultImage(AVATAR_MINI_SIZE)), + 'width' => AVATAR_MINI_SIZE, + 'height' => AVATAR_MINI_SIZE, + 'class' => 'avatar photo', + 'alt' => $this->profile->getBestName())); + $this->out->element('span', 'fn nickname', $this->profile->nickname); + $this->out->elementEnd('a'); + } +} diff --git a/lib/unsubscribepeopletagform.php b/lib/unsubscribepeopletagform.php new file mode 100644 index 0000000000..777025c89d --- /dev/null +++ b/lib/unsubscribepeopletagform.php @@ -0,0 +1,114 @@ +. + * + * @category Form + * @package StatusNet + * @author Evan Prodromou + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +require_once INSTALLDIR.'/lib/form.php'; + +/** + * Form for unsubscribing to a peopletag + * + * @category Form + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + * + * @see UnunsubscribeForm + */ + +class UnsubscribePeopletagForm extends Form +{ + /** + * peopletag for the user to join + */ + + var $peopletag = null; + + /** + * Constructor + * + * @param HTMLOutputter $out output channel + * @param peopletag $peopletag peopletag to unsubscribe to + */ + + function __construct($out=null, $peopletag=null) + { + parent::__construct($out); + + $this->peopletag = $peopletag; + } + + /** + * ID of the form + * + * @return string ID of the form + */ + + function id() + { + return 'peopletag-unsubscribe-' . $this->peopletag->id; + } + + /** + * class of the form + * + * @return string of the form class + */ + + function formClass() + { + return 'form_peopletag_unsubscribe'; + } + + /** + * Action of the form + * + * @return string URL of the action + */ + + function action() + { + return common_local_url('unsubscribepeopletag', + array('id' => $this->peopletag->id)); + } + + /** + * Action elements + * + * @return void + */ + + function formActions() + { + $this->out->submit('submit', _('Unsubscribe')); + } +} diff --git a/lib/userprofile.php b/lib/userprofile.php index 0b7efb22fc..66d049e9e5 100644 --- a/lib/userprofile.php +++ b/lib/userprofile.php @@ -33,6 +33,7 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { } require_once INSTALLDIR.'/lib/widget.php'; +require_once INSTALLDIR.'/lib/peopletags.php'; /** * Profile of a user @@ -188,23 +189,17 @@ class UserProfile extends Widget function showProfileTags() { - if (Event::handle('StartProfilePageProfileTags', array($this->out, $this->profile))) { - $tags = Profile_tag::getTags($this->profile->id, $this->profile->id); + $cur = common_current_user(); - if (count($tags) > 0) { - $this->out->elementStart('ul', 'tags xoxo entity_tags'); - foreach ($tags as $tag) { - $this->out->elementStart('li'); - // Avoid space by using raw output. - $pt = '#'; - $this->out->raw($pt); - $this->out->elementEnd('li'); - } - $this->out->elementEnd('ul'); + $self_tags = new SelftagsWidget($this->out, $this->profile, $this->profile); + $self_tags->show(); + + if ($cur) { + // don't show self-tags again + if ($cur->id != $this->profile->id && $cur->getProfile()->canTag($this->profile)) { + $tags = new PeopletagsWidget($this->out, $cur, $this->profile); + $tags->show(); } - Event::handle('EndProfilePageProfileTags', array($this->out, $this->profile)); } } From 382e4d2cdbd2dbfa211077fb9bce35441b8743cd Mon Sep 17 00:00:00 2001 From: Shashi Gowda Date: Mon, 7 Mar 2011 00:43:31 +0530 Subject: [PATCH 06/19] people tag actions --- actions/addpeopletag.php | 172 ++++++++++++++ actions/editpeopletag.php | 311 +++++++++++++++++++++++++ actions/peopletag.php | 211 ++++++++--------- actions/peopletagautocomplete.php | 104 +++++++++ actions/peopletagged.php | 223 ++++++++++++++++++ actions/peopletagsbyuser.php | 258 +++++++++++++++++++++ actions/peopletagsforuser.php | 170 ++++++++++++++ actions/peopletagsubscribers.php | 238 +++++++++++++++++++ actions/peopletagsubscriptions.php | 138 +++++++++++ actions/profilecompletion.php | 214 +++++++++++++++++ actions/profilesettings.php | 30 ++- actions/profiletagbyid.php | 92 ++++++++ actions/public.php | 2 + actions/publicpeopletagcloud.php | 173 ++++++++++++++ actions/removepeopletag.php | 173 ++++++++++++++ actions/selftag.php | 204 +++++++++++++++++ actions/showprofiletag.php | 354 +++++++++++++++++++++++++++++ actions/subscribepeopletag.php | 144 ++++++++++++ actions/tagother.php | 220 ------------------ actions/tagprofile.php | 249 ++++++++++++++++++++ actions/unsubscribepeopletag.php | 142 ++++++++++++ lib/action.php | 2 + lib/router.php | 78 ++++++- 23 files changed, 3549 insertions(+), 353 deletions(-) create mode 100644 actions/addpeopletag.php create mode 100644 actions/editpeopletag.php create mode 100644 actions/peopletagautocomplete.php create mode 100644 actions/peopletagged.php create mode 100644 actions/peopletagsbyuser.php create mode 100644 actions/peopletagsforuser.php create mode 100644 actions/peopletagsubscribers.php create mode 100644 actions/peopletagsubscriptions.php create mode 100644 actions/profilecompletion.php create mode 100644 actions/profiletagbyid.php create mode 100644 actions/publicpeopletagcloud.php create mode 100644 actions/removepeopletag.php create mode 100644 actions/selftag.php create mode 100644 actions/showprofiletag.php create mode 100644 actions/subscribepeopletag.php delete mode 100644 actions/tagother.php create mode 100644 actions/tagprofile.php create mode 100644 actions/unsubscribepeopletag.php diff --git a/actions/addpeopletag.php b/actions/addpeopletag.php new file mode 100644 index 0000000000..3176a116c9 --- /dev/null +++ b/actions/addpeopletag.php @@ -0,0 +1,172 @@ +. + * + * PHP version 5 + * + * @category Action + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPLv3 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +require_once INSTALLDIR . '/lib/togglepeopletag.php'; + +/** + * + * Action to tag a profile with a single tag. + * + * Takes parameters: + * + * - tagged: the ID of the profile being tagged + * - token: session token to prevent CSRF attacks + * - ajax: boolean; whether to return Ajax or full-browser results + * - peopletag_id: the ID of the tag being used + * + * Only works if the current user is logged in. + * + * @category Action + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPLv3 + * @link http://status.net/ + */ + +class AddpeopletagAction extends Action +{ + var $user; + var $tagged; + var $peopletag; + + /** + * Check pre-requisites and instantiate attributes + * + * @param Array $args array of arguments (URL, GET, POST) + * + * @return boolean success flag + */ + + function prepare($args) + { + parent::prepare($args); + + // CSRF protection + + $token = $this->trimmed('token'); + + if (!$token || $token != common_session_token()) { + $this->clientError(_('There was a problem with your session token.'. + ' Try again, please.')); + return false; + } + + // Only for logged-in users + + $this->user = common_current_user(); + + if (empty($this->user)) { + $this->clientError(_('Not logged in.')); + return false; + } + + // Profile to subscribe to + + $tagged_id = $this->arg('tagged'); + + $this->tagged = Profile::staticGet('id', $tagged_id); + + if (empty($this->tagged)) { + $this->clientError(_('No such profile.')); + return false; + } + + $id = $this->arg('peopletag_id'); + $this->peopletag = Profile_list::staticGet('id', $id); + + if (empty($this->peopletag)) { + $this->clientError(_('No such peopletag.')); + return false; + } + + // OMB 0.1 doesn't have a mechanism for local-server- + // originated tag. + + $omb01 = Remote_profile::staticGet('id', $tagged_id); + + if (!empty($omb01)) { + $this->clientError(_('You cannot tag an OMB 0.1'. + ' remote profile with this action.')); + return false; + } + + return true; + } + + /** + * Handle request + * + * Does the tagging and returns results. + * + * @param Array $args unused. + * + * @return void + */ + + function handle($args) + { + + // Throws exception on error + $ptag = Profile_tag::setTag($this->user->id, $this->tagged->id, + $this->peopletag->tag); + + if (!$ptag) { + $user = User::staticGet('id', $id); + if ($user) { + $this->clientError( + sprintf(_('There was an unexpected error while tagging %s'), + $user->nickname)); + } else { + $this->clientError(sprintf(_('There was a problem tagging %s.' . + 'The remote server is probably not responding correctly, ' . + 'please try retrying later.'), $this->profile->profileurl)); + } + return false; + } + if ($this->boolean('ajax')) { + $this->startHTML('text/xml;charset=utf-8'); + $this->elementStart('head'); + $this->element('title', null, _('Subscribed')); + $this->elementEnd('head'); + $this->elementStart('body'); + $unsubscribe = new UntagButton($this, $this->tagged, $this->peopletag); + $unsubscribe->show(); + $this->elementEnd('body'); + $this->elementEnd('html'); + } else { + $url = common_local_url('subscriptions', + array('nickname' => $this->user->nickname)); + common_redirect($url, 303); + } + } +} diff --git a/actions/editpeopletag.php b/actions/editpeopletag.php new file mode 100644 index 0000000000..b00ccc8abb --- /dev/null +++ b/actions/editpeopletag.php @@ -0,0 +1,311 @@ +. + * + * @category Group + * @package StatusNet + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +/** + * Add a new group + * + * This is the form for adding a new group + * + * @category Group + * @package StatusNet + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +class EditpeopletagAction extends OwnerDesignAction +{ + + var $msg, $confirm, $confirm_args=array(); + + function title() + { + if ($_SERVER['REQUEST_METHOD'] == 'POST' && $this->boolean('delete')) { + return sprintf(_('Delete %s people tag'), $this->peopletag->tag); + } + return sprintf(_('Edit people tag %s'), $this->peopletag->tag); + } + + /** + * Prepare to run + */ + + function prepare($args) + { + parent::prepare($args); + + if (!common_logged_in()) { + $this->clientError(_('Not logged in.')); + return false; + } + + $id = $this->arg('id'); + $tagger_arg = $this->arg('tagger'); + $tag_arg = $this->arg('tag'); + + $tagger = common_canonical_nickname($tagger_arg); + $tag = common_canonical_tag($tag_arg); + + $current = common_current_user(); + + // Permanent redirect on non-canonical tag + + if ($tagger_arg != $tagger || $tag_arg != $tag) { + $args = array('tagger' => $tagger, 'tag' => $tag); + common_redirect(common_local_url('editpeopletag', $args), 301); + return false; + } + + $user = null; + if ($id) { + $this->peopletag = Profile_list::staticGet('id', $id); + if (!empty($this->peopletag)) { + $user = User::staticGet('id', $this->peopletag->tagger); + } + } else { + if (!$tagger) { + $this->clientError(_('No tagger or ID.'), 404); + return false; + } + + $user = User::staticGet('nickname', $tagger); + $this->peopletag = Profile_list::pkeyGet(array('tagger' => $user->id, 'tag' => $tag)); + } + + if (!$this->peopletag) { + $this->clientError(_('No such peopletag.'), 404); + return false; + } + + if (!$user) { + // This should not be happening + $this->clientError(_('Not a local user.'), 404); + return false; + } + + if ($current->id != $user->id) { + $this->clientError(_('You must be the creator of the tag to edit it.'), 404); + return false; + } + + $this->tagger = $user->getProfile(); + + return true; + } + + /** + * Handle the request + * + * On GET, show the form. On POST, try to save the group. + * + * @param array $args unused + * + * @return void + */ + + function handle($args) + { + parent::handle($args); + if ($_SERVER['REQUEST_METHOD'] == 'POST') { + $this->trySave(); + } else { + $this->showForm(); + } + } + + function showConfirm($msg=null, $fwd=null) + { + $this->confirm = $msg; + $this->confirm_args = $fwd; + $this->showPage(); + } + + function showConfirmForm() + { + $this->elementStart('form', array('id' => 'form_peopletag_edit_confirm', + 'class' => 'form_settings', + 'method' => 'post', + 'action' => common_local_url('editpeopletag', + array('tagger' => $this->tagger->nickname, + 'tag' => $this->peopletag->tag)))); + $this->elementStart('fieldset'); + $this->hidden('token', common_session_token()); + $this->hidden('id', $this->arg('id')); + + foreach ($this->confirm_args as $key => $val) { + $this->hidden($key, $val); + } + + $this->submit('form_action-no', + _m('BUTTON','No'), + 'submit form_action-primary', + 'cancel'); + $this->submit('form_action-yes', + _m('BUTTON','Yes'), + 'submit form_action-secondary', + 'confirm'); + $this->elementEnd('fieldset'); + $this->elementEnd('form'); + } + + function showForm($msg=null) + { + $this->msg = $msg; + $this->showPage(); + } + + function showLocalNav() + { + $nav = new PeopletagGroupNav($this, $this->peopletag); + $nav->show(); + } + + function showContent() + { + if ($this->confirm) { + $this->showConfirmForm(); + return; + } + + $form = new PeopletagEditForm($this, $this->peopletag); + $form->show(); + + $form->showProfileList(); + } + + function showPageNotice() + { + if ($this->msg) { + $this->element('p', 'error', $this->msg); + } else if ($this->confirm) { + $this->element('p', 'instructions', $this->confirm); + } else { + $this->element('p', 'instructions', + _('Use this form to edit the people tag.')); + } + } + + function showScripts() + { + parent::showScripts(); + $this->autofocus('tag'); + } + + function trySave() + { + $tag = common_canonical_tag($this->trimmed('tag')); + $description = $this->trimmed('description'); + $private = $this->boolean('private'); + $delete = $this->arg('delete'); + $confirm = $this->arg('confirm'); + $cancel = $this->arg('cancel'); + + if ($delete && $cancel) { + $this->showForm(_('Delete aborted.')); + return; + } + + $set_private = $private && $this->peopletag->private != $private; + + if ($delete && !$confirm) { + $this->showConfirm(_('Deleting this tag will permanantly remove ' . + 'all its subscription and membership records. ' . + 'Do you still want to continue?'), array('delete' => 1)); + return; + } else if (common_valid_tag($tag)) { + $this->showForm(_('Invalid tag.')); + return; + } else if ($tag != $this->peopletag->tag && $this->tagExists($tag)) { + $this->showForm(sprintf(_('You already have a tag named %s.'), $tag)); + return; + } else if (Profile_list::descriptionTooLong($description)) { + $this->showForm(sprintf(_('description is too long (max %d chars).'), Profile_list::maxDescription())); + return; + } else if ($set_private && !$confirm && !$cancel) { + $fwd = array('tag' => $tag, + 'description' => $description, + 'private' => (int) $private); + + $this->showConfirm(_('Setting a public tag as private will ' . + 'permanently remove all the existing ' . + 'subscriptions to it. Do you still want to continue?'), $fwd); + return; + } + + $this->peopletag->query('BEGIN'); + + $orig = clone($this->peopletag); + + $this->peopletag->tag = $tag; + $this->peopletag->description = $description; + if (!$set_private || $confirm) { + $this->peopletag->private = $private; + } + + $result = $this->peopletag->update($orig); + + if (!$result) { + common_log_db_error($this->group, 'UPDATE', __FILE__); + $this->serverError(_('Could not update peopletag.')); + } + + $this->peopletag->query('COMMIT'); + + if ($set_private && $confirm) { + Profile_tag_subscription::cleanup($this->peopletag); + } + + if ($delete) { + // This might take quite a bit of time. + $this->peopletag->delete(); + // send home. + common_redirect(common_local_url('all', + array('nickname' => $this->tagger->nickname)), + 303); + } + + if ($tag != $orig->tag) { + common_redirect(common_local_url('editpeopletag', + array('tagger' => $this->tagger->nickname, + 'tag' => $tag)), + 303); + } else { + $this->showForm(_('Options saved.')); + } + } + + function tagExists($tag) + { + $args = array('tagger' => $this->tagger->id, 'tag' => $tag); + $ptag = Profile_list::pkeyGet($args); + + return !empty($ptag); + } +} diff --git a/actions/peopletag.php b/actions/peopletag.php index 7287cfbf99..d549586f13 100644 --- a/actions/peopletag.php +++ b/actions/peopletag.php @@ -2,7 +2,7 @@ /** * StatusNet, the distributed open-source microblogging tool * - * Action for showing profiles self-tagged with a given tag + * People tags by a user * * PHP version 5 * @@ -16,13 +16,16 @@ * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU Affero General Public License for more details. * + * PHP version 5 + * * You should have received a copy of the GNU Affero General Public License * along with this program. If not, see . * - * @category Action + * @category Personal * @package StatusNet * @author Evan Prodromou * @author Zach Copley + * @author Shashi Gowda * @copyright 2009 StatusNet, Inc. * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ @@ -32,149 +35,125 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { exit(1); } -/** - * This class outputs a paginated list of profiles self-tagged with a given tag - * - * @category Output - * @package StatusNet - * @author Evan Prodromou - * @author Zach Copley - * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 - * @link http://status.net/ - * - * @see Action - */ +require_once INSTALLDIR.'/lib/peopletaglist.php'; +// cache 3 pages +define('PEOPLETAG_CACHE_WINDOW', PEOPLETAGS_PER_PAGE*3 + 1); class PeopletagAction extends Action { - - var $tag = null; var $page = null; + var $tag = null; - /** - * For initializing members of the class. - * - * @param array $argarray misc. arguments - * - * @return boolean true - */ - function prepare($argarray) + function isReadOnly($args) { - parent::prepare($argarray); + return true; + } - $this->tag = $this->trimmed('tag'); - - if (!common_valid_profile_tag($this->tag)) { - $this->clientError(sprintf(_('Not a valid people tag: %s.'), - $this->tag)); - return; + function title() + { + if ($this->page == 1) { + return sprintf(_("Public people tag %s"), $this->tag); + } else { + return sprintf(_("Public people tag %s, page %d"), $this->tag, $this->page); } + } - $this->page = ($this->arg('page')) ? $this->arg('page') : 1; + function prepare($args) + { + parent::prepare($args); + $this->page = ($this->arg('page')) ? ($this->arg('page')+0) : 1; - common_set_returnto($this->selfUrl()); + $tag_arg = $this->arg('tag'); + $tag = common_canonical_tag($tag_arg); + + // Permanent redirect on non-canonical nickname + + if ($tag_arg != $tag) { + $args = array('tag' => $nickname); + if ($this->page && $this->page != 1) { + $args['page'] = $this->page; + } + common_redirect(common_local_url('peopletag', $args), 301); + return false; + } + $this->tag = $tag; return true; } - /** - * Handler method - * - * @param array $argarray is ignored since it's now passed in in prepare() - * - * @return boolean is read only action? - */ - function handle($argarray) + function handle($args) { - parent::handle($argarray); + parent::handle($args); $this->showPage(); } - /** - * Whips up a query to get a list of profiles based on the provided - * people tag and page, initalizes a ProfileList widget, and displays - * it to the user. - * - * @return nothing - */ + function showLocalNav() + { + $nav = new PublicGroupNav($this); + $nav->show(); + } + + function showAnonymousMessage() + { + $notice = + _('People tags are how you sort similar ' . + 'people on %%site.name%%, a [micro-blogging]' . + '(http://en.wikipedia.org/wiki/Micro-blogging) service ' . + 'based on the Free Software [StatusNet](http://status.net/) tool. ' . + 'You can then easily keep track of what they ' . + 'are doing by subscribing to the tag\'s timeline.' ); + $this->elementStart('div', array('id' => 'anon_notice')); + $this->raw(common_markup_to_html($notice)); + $this->elementEnd('div'); + } + function showContent() { + $offset = ($this->page-1) * PEOPLETAGS_PER_PAGE; + $limit = PEOPLETAGS_PER_PAGE + 1; - $profile = new Profile(); + $ptags = new Profile_list(); + $ptags->tag = $this->tag; - $offset = ($this->page - 1) * PROFILES_PER_PAGE; - $limit = PROFILES_PER_PAGE + 1; + $user = common_current_user(); - if (common_config('db', 'type') == 'pgsql') { - $lim = ' LIMIT ' . $limit . ' OFFSET ' . $offset; + if (empty($user)) { + $ckey = sprintf('profile_list:tag:%s', $this->tag); + $ptags->private = false; + $ptags->orderBy('profile_list.modified DESC'); + + $c = Cache::instance(); + if ($offset+$limit <= PEOPLETAG_CACHE_WINDOW && !empty($c)) { + $cached_ptags = Profile_list::getCached($ckey, $offset, $limit); + if ($cached_ptags === false) { + $ptags->limit(0, PEOPLETAG_CACHE_WINDOW); + $ptags->find(); + + Profile_list::setCache($ckey, $ptags, $offset, $limit); + } else { + $ptags = clone($cached_ptags); + } + } else { + $ptags->limit($offset, $limit); + $ptags->find(); + } } else { - $lim = ' LIMIT ' . $offset . ', ' . $limit; + $ptags->whereAdd('(profile_list.private = false OR (' . + ' profile_list.tagger =' . $user->id . + ' AND profile_list.private = true) )'); + + $ptags->orderBy('profile_list.modified DESC'); + $ptags->find(); } - // XXX: memcached this + $pl = new PeopletagList($ptags, $this); + $cnt = $pl->show(); - $qry = 'SELECT profile.* ' . - 'FROM profile JOIN profile_tag ' . - 'ON profile.id = profile_tag.tagger ' . - 'WHERE profile_tag.tagger = profile_tag.tagged ' . - "AND tag = '%s' " . - 'ORDER BY profile_tag.modified DESC%s'; - - $profile->query(sprintf($qry, $this->tag, $lim)); - - $ptl = new PeopleTagList($profile, $this); // pass the ammunition - $cnt = $ptl->show(); - - $this->pagination($this->page > 1, - $cnt > PROFILES_PER_PAGE, - $this->page, - 'peopletag', - array('tag' => $this->tag)); + $this->pagination($this->page > 1, $cnt > PEOPLETAGS_PER_PAGE, + $this->page, 'peopletag', array('tag' => $this->tag)); } - /** - * Returns the page title - * - * @return string page title - */ - function title() + function showSections() { - return sprintf(_('Users self-tagged with %1$s - page %2$d'), - $this->tag, $this->page); - } - -} - -class PeopleTagList extends ProfileList -{ - function newListItem($profile) - { - return new PeopleTagListItem($profile, $this->action); } } - -class PeopleTagListItem extends ProfileListItem -{ - function linkAttributes() - { - $aAttrs = parent::linkAttributes(); - - if (common_config('nofollow', 'peopletag')) { - $aAttrs['rel'] .= ' nofollow'; - } - - return $aAttrs; - } - - function homepageAttributes() - { - $aAttrs = parent::linkAttributes(); - - if (common_config('nofollow', 'peopletag')) { - $aAttrs['rel'] = 'nofollow'; - } - - return $aAttrs; - } -} - diff --git a/actions/peopletagautocomplete.php b/actions/peopletagautocomplete.php new file mode 100644 index 0000000000..db11a24667 --- /dev/null +++ b/actions/peopletagautocomplete.php @@ -0,0 +1,104 @@ +. + * + * PHP version 5 + * + * @category Action + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPLv3 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +class PeopletagautocompleteAction extends Action +{ + var $user; + + /** + * Check pre-requisites and instantiate attributes + * + * @param Array $args array of arguments (URL, GET, POST) + * + * @return boolean success flag + */ + + function prepare($args) + { + parent::prepare($args); + + // Only for logged-in users + + $this->user = common_current_user(); + + if (empty($this->user)) { + $this->clientError(_('Not logged in.')); + return false; + } + + // CSRF protection + + $token = $this->trimmed('token'); + + if (!$token || $token != common_session_token()) { + $this->clientError(_('There was a problem with your session token.'. + ' Try again, please.')); + return false; + } + + return true; + } + + /** + * Handle request + * + * Does the subscription and returns results. + * + * @param Array $args unused. + * + * @return void + */ + + function handle($args) + { + $profile = $this->user->getProfile(); + $tags = $profile->getOwnedTags(common_current_user()); + + $tags_array = array(); + while ($tags->fetch()) { + $arr = array(); + $arr['tag'] = $tags->tag; + $arr['mode'] = $tags->private ? 'private' : 'public'; + // $arr['url'] = $tags->homeUrl(); + $arr['freq'] = $tags->taggedCount(); + + $tags_array[] = $arr; + } + + $tags->free(); + + //common_log(LOG_DEBUG, 'Autocomplete data: ' . json_encode($tags_array)); + print(json_encode($tags_array)); + exit(0); + } +} diff --git a/actions/peopletagged.php b/actions/peopletagged.php new file mode 100644 index 0000000000..5038d1e213 --- /dev/null +++ b/actions/peopletagged.php @@ -0,0 +1,223 @@ +. + * + * @category Group + * @package StatusNet + * @author Shashi Gowda + * @copyright 2008-2009 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +require_once(INSTALLDIR.'/lib/profilelist.php'); + +/** + * List of people tagged by the user with a tag + * + * @category Peopletag + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +class PeopletaggedAction extends OwnerDesignAction +{ + var $page = null; + var $peopletag = null; + var $tagger = null; + + function isReadOnly($args) + { + return true; + } + + function prepare($args) + { + parent::prepare($args); + $this->page = ($this->arg('page')) ? ($this->arg('page')+0) : 1; + + $tagger_arg = $this->arg('tagger'); + $tag_arg = $this->arg('tag'); + $tagger = common_canonical_nickname($tagger_arg); + $tag = common_canonical_tag($tag_arg); + + // Permanent redirect on non-canonical nickname + + if ($tagger_arg != $tagger || $tag_arg != $tag) { + $args = array('tagger' => $nickname, 'tag' => $tag); + if ($this->page != 1) { + $args['page'] = $this->page; + } + common_redirect(common_local_url('peopletagged', $args), 301); + return false; + } + + if (!$tagger) { + $this->clientError(_('No tagger.'), 404); + return false; + } + + $user = User::staticGet('nickname', $tagger); + + if (!$user) { + $this->clientError(_('No such user.'), 404); + return false; + } + + $this->tagger = $user->getProfile(); + $this->peopletag = Profile_list::pkeyGet(array('tagger' => $user->id, 'tag' => $tag)); + + if (!$this->peopletag) { + $this->clientError(_('No such peopletag.'), 404); + return false; + } + + return true; + } + + function title() + { + if ($this->page == 1) { + return sprintf(_('People tagged %s by %s'), + $this->peopletag->tag, $this->tagger->nickname); + } else { + return sprintf(_('People tagged %s by %s, page %d'), + $this->peopletag->tag, $this->user->nickname, + $this->page); + } + } + + function handle($args) + { + parent::handle($args); + $this->showPage(); + } + + function showPageNotice() + { + } + + function showLocalNav() + { + $nav = new PeopletagGroupNav($this, $this->peopletag); + $nav->show(); + } + + function showContent() + { + $offset = ($this->page-1) * PROFILES_PER_PAGE; + $limit = PROFILES_PER_PAGE + 1; + + $cnt = 0; + + $subs = $this->peopletag->getTagged($offset, $limit); + + if ($subs) { + $subscriber_list = new PeopletagMemberList($subs, $this->peopletag, $this); + $cnt = $subscriber_list->show(); + } + + $subs->free(); + + $this->pagination($this->page > 1, $cnt > PROFILES_PER_PAGE, + $this->page, 'peopletagged', + array('tagger' => $this->tagger->nickname, + 'tag' => $this->peopletag->tag)); + } +} + +class PeopletagMemberList extends ProfileList +{ + var $peopletag = null; + + function __construct($profile, $peopletag, $action) + { + parent::__construct($profile, $action); + + $this->peopletag = $peopletag; + } + + function newListItem($profile) + { + return new PeopletagMemberListItem($profile, $this->peopletag, $this->action); + } +} + +class PeopletagMemberListItem extends ProfileListItem +{ + var $peopletag = null; + + function __construct($profile, $peopletag, $action) + { + parent::__construct($profile, $action); + + $this->peopletag = $peopletag; + } + + function showFullName() + { + parent::showFullName(); + if ($this->profile->id == $this->peopletag->tagger) { + $this->out->text(' '); + $this->out->element('span', 'role', _('Creator')); + } + } + + function showActions() + { + $this->startActions(); + if (Event::handle('StartProfileListItemActionElements', array($this))) { + $this->showSubscribeButton(); + // TODO: Untag button + Event::handle('EndProfileListItemActionElements', array($this)); + } + $this->endActions(); + } + + function linkAttributes() + { + // tagging people is healthy page-rank flow. + return parent::linkAttributes(); + } + + /** + * Fetch necessary return-to arguments for the profile forms + * to return to this list when they're done. + * + * @return array + */ + protected function returnToArgs() + { + $args = array('action' => 'peopletagged', + 'tag' => $this->peopletag->tag, + 'tagger' => $this->profile->nickname); + $page = $this->out->arg('page'); + if ($page) { + $args['param-page'] = $page; + } + return $args; + } +} diff --git a/actions/peopletagsbyuser.php b/actions/peopletagsbyuser.php new file mode 100644 index 0000000000..3158b715bc --- /dev/null +++ b/actions/peopletagsbyuser.php @@ -0,0 +1,258 @@ +. + * + * @category Personal + * @package StatusNet + * @author Shashi Gowda + * @copyright 2008-2009 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +require_once INSTALLDIR.'/lib/peopletaglist.php'; + +class PeopletagsbyuserAction extends OwnerDesignAction +{ + var $page = null; + var $tagger = null; + var $tags = null; + + function isReadOnly($args) + { + return true; + } + + function title() + { + if ($this->page == 1) { + if ($this->isOwner()) { + if ($this->arg('private')) { + return _('Private people tags by you'); + } else if ($this->arg('public')) { + return _('Public people tags by you'); + } + return _('People tags by you'); + } + return sprintf(_("People tags by %s"), $this->tagger->nickname); + } else { + return sprintf(_("People tags by %s, page %d"), $this->tagger->nickname, $this->page); + } + } + + function prepare($args) + { + parent::prepare($args); + + if ($this->arg('public') && $this->arg('private')) { + $this->args['public'] = $this->args['private'] = false; + } + + $nickname_arg = $this->arg('nickname'); + $nickname = common_canonical_nickname($nickname_arg); + + // Permanent redirect on non-canonical nickname + + if ($nickname_arg != $nickname) { + $args = $this->getSelfUrlArgs(); + if ($this->arg('page') && $this->arg('page') != 1) { + $args['page'] = $this->arg['page']; + } + common_redirect(common_local_url('peopletagsbyuser', $args), 301); + return false; + } + + $this->user = User::staticGet('nickname', $nickname); + + if (!$this->user) { + $this->clientError(_('No such user.'), 404); + return false; + } + + $this->tagger = $this->user->getProfile(); + + if (!$this->tagger) { + $this->serverError(_('User has no profile.')); + return false; + } + + $this->page = ($this->arg('page')) ? ($this->arg('page')+0) : 1; + + + $offset = ($this->page-1) * PEOPLETAGS_PER_PAGE; + $limit = PEOPLETAGS_PER_PAGE + 1; + + $user = common_current_user(); + if ($this->arg('public')) { + $this->tags = $this->tagger->getOwnedTags(false, $offset, $limit); + } else if ($this->arg('private')) { + if (empty($user)) { + $this->clientError(_('Not logged in'), 403); + } + + if ($this->isOwner()) { + $this->tags = $this->tagger->getPrivateTags($offset, $limit); + } else { + $this->clientError(_('You cannot view others\' private people tags'), 403); + } + } else { + $this->tags = $this->tagger->getOwnedTags(common_current_user(), $offset, $limit); + } + return true; + } + + function handle($args) + { + parent::handle($args); + + # Post from the tag dropdown; redirect to a GET + + if ($_SERVER['REQUEST_METHOD'] == 'POST') { + common_redirect(common_local_url('peopletagsbyuser', $this->getSelfUrlArgs()), 303); + return; + } + + $this->showPage(); + } + + function showModeSelector() + { + $this->elementStart('dl', array('id'=>'filter_tags')); + $this->element('dt', null, _('Mode')); + $this->elementStart('dd'); + $this->elementStart('ul'); + $this->elementStart('li', array('id' => 'filter_tags_for', + 'class' => 'child_1')); + $this->element('a', + array('href' => + common_local_url('peopletagsforuser', + array('nickname' => $this->user->nickname))), + sprintf(_('People tags for %s'), $this->tagger->nickname)); + $this->elementEnd('li'); + + if ($this->isOwner()) { + $this->elementStart('li', array('id'=>'filter_tags_item')); + $this->elementStart('form', array('name' => 'modeselector', + 'id' => 'form_filter_bymode', + 'action' => common_local_url('peopletagsbyuser', + array('nickname' => $this->tagger->nickname)), + 'method' => 'post')); + $this->elementStart('fieldset'); + $this->element('legend', null, _('Select tag to filter')); + + $priv = $this->arg('private'); + $pub = $this->arg('public'); + + if (!$priv && !$pub) { + $priv = $pub = true; + } + $this->checkbox('private', _m('Private'), $priv, + _m('Show private tags')); + $this->checkbox('public', _m('Public'), $pub, + _m('Show public tags')); + $this->hidden('nickname', $this->user->nickname); + $this->submit('submit', _('Go')); + $this->elementEnd('fieldset'); + $this->elementEnd('form'); + $this->elementEnd('li'); + } + $this->elementEnd('ul'); + $this->elementEnd('dd'); + $this->elementEnd('dl'); + } + function showLocalNav() + { + $nav = new PersonalGroupNav($this); + $nav->show(); + } + + function showAnonymousMessage() + { + $notice = + sprintf(_('These are people tags created by **%s**. ' . + 'People tags are how you sort similar ' . + 'people on %%%%site.name%%%%, a [micro-blogging]' . + '(http://en.wikipedia.org/wiki/Micro-blogging) service ' . + 'based on the Free Software [StatusNet](http://status.net/) tool. ' . + 'You can easily keep track of what they ' . + 'are doing by subscribing to the tag\'s timeline.' ), $this->tagger->nickname); + $this->elementStart('div', array('id' => 'anon_notice')); + $this->raw(common_markup_to_html($notice)); + $this->elementEnd('div'); + } + + function showPageNotice() + { + $this->elementStart('div', 'instructions'); + $this->showModeSelector(); + $this->elementEnd('div'); + } + + function showContent() + { + #TODO: controls here. + + $pl = new PeopletagList($this->tags, $this); + $cnt = $pl->show(); + + if ($cnt == 0) { + $this->showEmptyListMessage(); + } + $this->pagination($this->page > 1, $cnt > PEOPLETAGS_PER_PAGE, + $this->page, 'peopletagsbyuser', $this->getSelfUrlArgs()); + } + + function getSelfUrlArgs() + { + $args = array(); + if ($this->arg('private')) { + $args['private'] = 1; + } else if ($this->arg('public')) { + $args['public'] = 1; + } + $args['nickname'] = $this->trimmed('nickname'); + + return $args; + } + + function isOwner() + { + $user = common_current_user(); + return !empty($user) && $user->id == $this->tagger->id; + } + + function showEmptyListMessage() + { + $message = sprintf(_('%s has not created any [people tags](%%%%doc.tags%%%%) yet.'), $this->tagger->nickname); + $this->elementStart('div', 'guide'); + $this->raw(common_markup_to_html($message)); + $this->elementEnd('div'); + } + + function showSections() + { + #TODO: tags with most subscribers + #TODO: tags with most "members" + } +} diff --git a/actions/peopletagsforuser.php b/actions/peopletagsforuser.php new file mode 100644 index 0000000000..b6875b300b --- /dev/null +++ b/actions/peopletagsforuser.php @@ -0,0 +1,170 @@ +. + * + * @category Personal + * @package StatusNet + * @author Shashi Gowda + * @copyright 2008-2009 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +require_once INSTALLDIR.'/lib/peopletaglist.php'; + +class PeopletagsforuserAction extends OwnerDesignAction +{ + var $page = null; + var $tagged = null; + + function isReadOnly($args) + { + return true; + } + + function title() + { + if ($this->page == 1) { + return sprintf(_("People tags for %s"), $this->tagged->nickname); + } else { + return sprintf(_("People tags for %s, page %d"), $this->tagged->nickname, $this->page); + } + } + + function prepare($args) + { + parent::prepare($args); + + $nickname_arg = $this->arg('nickname'); + $nickname = common_canonical_nickname($nickname_arg); + + // Permanent redirect on non-canonical nickname + + if ($nickname_arg != $nickname) { + $args = array('nickname' => $nickname); + if ($this->arg('page') && $this->arg('page') != 1) { + $args['page'] = $this->arg['page']; + } + common_redirect(common_local_url('peopletagsforuser', $args), 301); + return false; + } + + $this->user = User::staticGet('nickname', $nickname); + + if (!$this->user) { + $this->clientError(_('No such user.'), 404); + return false; + } + + $this->tagged = $this->user->getProfile(); + + if (!$this->tagged) { + $this->serverError(_('User has no profile.')); + return false; + } + + $this->page = ($this->arg('page')) ? ($this->arg('page')+0) : 1; + + return true; + } + + function handle($args) + { + parent::handle($args); + $this->showPage(); + } + + function showLocalNav() + { + $nav = new PersonalGroupNav($this); + $nav->show(); + } + + function showAnonymousMessage() + { + $notice = + sprintf(_('These are people tags for **%s**. ' . + 'People tags are how you sort similar ' . + 'people on %%%%site.name%%%%, a [micro-blogging]' . + '(http://en.wikipedia.org/wiki/Micro-blogging) service ' . + 'based on the Free Software [StatusNet](http://status.net/) tool. ' . + 'You can easily keep track of what they ' . + 'are doing by subscribing to the tag\'s timeline.' ), $this->tagged->nickname); + $this->elementStart('div', array('id' => 'anon_notice')); + $this->raw(common_markup_to_html($notice)); + $this->elementEnd('div'); + } + + function showPageNotice() + { + $this->elementStart('dl', 'filter_tags'); + $this->elementStart('dd', array('id' => 'filter_tags_for', + 'class' => 'child_1')); + + $user = common_current_user(); + $text = ($this->tagged->id == @$user->id) ? _('People tags by you') : + sprintf(_('People tags by %s'), $this->tagged->nickname); + $this->element('a', + array('href' => + common_local_url('peopletagsbyuser', + array('nickname' => $this->tagged->nickname))), + $text); + $this->elementEnd('dd'); + $this->elementEnd('dl'); + } + + + function showContent() + { + #TODO: controls here. + + $offset = ($this->page-1) * PEOPLETAGS_PER_PAGE; + $limit = PEOPLETAGS_PER_PAGE + 1; + + $ptags = $this->tagged->getOtherTags(common_current_user(), $offset, $limit); + + $pl = new PeopletagList($ptags, $this); + $cnt = $pl->show(); + + if ($cnt == 0) { + $this->showEmptyListMessage(); + } + $this->pagination($this->page > 1, $cnt > PEOPLETAGS_PER_PAGE, + $this->page, 'peopletagsforuser', array('nickname' => $this->tagged->id)); + } + + function showEmptyListMessage() + { + $message = sprintf(_('%s has not been [tagged](%%%%doc.tags%%%%) by anyone yet.'), $this->tagged->nickname); + $this->elementStart('div', 'guide'); + $this->raw(common_markup_to_html($message)); + $this->elementEnd('div'); + } + + function showSections() + { + #TODO: tags with most subscribers + #TODO: tags with most "members" + } +} diff --git a/actions/peopletagsubscribers.php b/actions/peopletagsubscribers.php new file mode 100644 index 0000000000..1f2feeca29 --- /dev/null +++ b/actions/peopletagsubscribers.php @@ -0,0 +1,238 @@ +. + * + * @category Group + * @package StatusNet + * @author Evan Prodromou + * @copyright 2008-2009 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +require_once(INSTALLDIR.'/lib/profilelist.php'); + +/** + * List of peopletag subscribers + * + * @category Peopletag + * @package StatusNet + * @author Evan Prodromou + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +class PeopletagsubscribersAction extends OwnerDesignAction +{ + var $page = null; + var $peopletag = null; + var $tagger = null; + + function isReadOnly($args) + { + return true; + } + + function prepare($args) + { + parent::prepare($args); + $this->page = ($this->arg('page')) ? ($this->arg('page')+0) : 1; + + $tagger_arg = $this->arg('tagger'); + $tag_arg = $this->arg('tag'); + $tagger = common_canonical_nickname($tagger_arg); + $tag = common_canonical_tag($tag_arg); + + // Permanent redirect on non-canonical nickname + + if ($tagger_arg != $tagger || $tag_arg != $tag) { + $args = array('tagger' => $nickname, 'tag' => $tag); + if ($this->page != 1) { + $args['page'] = $this->page; + } + common_redirect(common_local_url('peopletagged', $args), 301); + return false; + } + + if (!$tagger) { + $this->clientError(_('No tagger.'), 404); + return false; + } + + $user = User::staticGet('nickname', $tagger); + + if (!$user) { + $this->clientError(_('No such user.'), 404); + return false; + } + + $this->tagger = $user->getProfile(); + $this->peopletag = Profile_list::pkeyGet(array('tagger' => $user->id, 'tag' => $tag)); + + if (!$this->peopletag) { + $this->clientError(_('No such peopletag.'), 404); + return false; + } + + return true; + } + + function title() + { + if ($this->page == 1) { + return sprintf(_('Subscribers of people tagged %s by %s'), + $this->peopletag->tag, $this->tagger->nickname); + } else { + return sprintf(_('Subscribers of people tagged %s by %s, page %d'), + $this->peopletag->tag, $this->tagger->nickname, + $this->page); + } + } + + function handle($args) + { + parent::handle($args); + $this->showPage(); + } + + function showPageNotice() + { + } + + function showLocalNav() + { + $nav = new PeopletagGroupNav($this); + $nav->show(); + } + + function showContent() + { + $offset = ($this->page-1) * PROFILES_PER_PAGE; + $limit = PROFILES_PER_PAGE + 1; + + $cnt = 0; + + $subs = $this->peopletag->getSubscribers($offset, $limit); + + if ($subs) { + $subscriber_list = new PeopletagSubscriberList($subs, $this->peopletag, $this); + $cnt = $subscriber_list->show(); + } + + $subs->free(); + + $this->pagination($this->page > 1, $cnt > PROFILES_PER_PAGE, + $this->page, 'peopletagsubscribers', + array('tagger' => $this->tagger->nickname, + 'tag' => $this->peopletag->tag)); + } +} + +class PeopletagSubscriberList extends ProfileList +{ + var $peopletag = null; + + function __construct($profile, $peopletag, $action) + { + parent::__construct($profile, $action); + + $this->peopletag = $peopletag; + } + + function newListItem($profile) + { + return new PeopletagSubscriberListItem($profile, $this->peopletag, $this->action); + } +} + +class PeopletagSubscriberListItem extends ProfileListItem +{ + var $peopletag = null; + + function __construct($profile, $peopletag, $action) + { + parent::__construct($profile, $action); + + $this->peopletag = $peopletag; + } + + function showFullName() + { + parent::showFullName(); + if ($this->profile->id == $this->peopletag->tagger) { + $this->out->text(' '); + $this->out->element('span', 'role', _('Creator')); + } + } + + function showActions() + { + $this->startActions(); + if (Event::handle('StartProfileListItemActionElements', array($this))) { + $this->showSubscribeButton(); + Event::handle('EndProfileListItemActionElements', array($this)); + } + $this->endActions(); + } + + function linkAttributes() + { + $aAttrs = parent::linkAttributes(); + + if (common_config('nofollow', 'members')) { + $aAttrs['rel'] .= ' nofollow'; + } + + return $aAttrs; + } + + function homepageAttributes() + { + $aAttrs = parent::linkAttributes(); + + if (common_config('nofollow', 'members')) { + $aAttrs['rel'] = 'nofollow'; + } + + return $aAttrs; + } + + /** + * Fetch necessary return-to arguments for the profile forms + * to return to this list when they're done. + * + * @return array + */ + protected function returnToArgs() + { + $args = array('action' => 'peopletagsubscribers', + 'tag' => $this->peopletag->tag, + 'tagger' => $this->profile->nickname); + $page = $this->out->arg('page'); + if ($page) { + $args['param-page'] = $page; + } + return $args; + } +} diff --git a/actions/peopletagsubscriptions.php b/actions/peopletagsubscriptions.php new file mode 100644 index 0000000000..b45651d1a2 --- /dev/null +++ b/actions/peopletagsubscriptions.php @@ -0,0 +1,138 @@ +. + * + * @category Personal + * @package StatusNet + * @author Shashi Gowda + * @copyright 2008-2009 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +require_once INSTALLDIR.'/lib/peopletaglist.php'; + +class PeopletagsubscriptionsAction extends OwnerDesignAction +{ + var $page = null; + var $profile = null; + + function isReadOnly($args) + { + return true; + } + + function title() + { + if ($this->page == 1) { + return sprintf(_("People tags subscriptions by %s"), $this->profile->nickname); + } else { + return sprintf(_("People tags subscriptions by %s, page %d"), $this->profile->nickname, $this->page); + } + } + + function prepare($args) + { + parent::prepare($args); + + $nickname_arg = $this->arg('nickname'); + $nickname = common_canonical_nickname($nickname_arg); + + // Permanent redirect on non-canonical nickname + + if ($nickname_arg != $nickname) { + $args = array('nickname' => $nickname); + if ($this->arg('page') && $this->arg('page') != 1) { + $args['page'] = $this->arg['page']; + } + common_redirect(common_local_url('peopletagsbyuser', $args), 301); + return false; + } + + $user = User::staticGet('nickname', $nickname); + + if (!$user) { + $this->clientError(_('No such user.'), 404); + return false; + } + + $this->profile = $user->getProfile(); + + if (!$this->profile) { + $this->serverError(_('User has no profile.')); + return false; + } + + $this->page = ($this->arg('page')) ? ($this->arg('page')+0) : 1; + + return true; + } + + function handle($args) + { + parent::handle($args); + $this->showPage(); + } + + function showLocalNav() + { + $nav = new PersonalGroupNav($this); + $nav->show(); + } + + function showAnonymousMessage() + { + $notice = + sprintf(_('These are people tags subscribed to by **%s**. ' . + 'People tags are how you sort similar ' . + 'people on %%%%site.name%%%%, a [micro-blogging]' . + '(http://en.wikipedia.org/wiki/Micro-blogging) service ' . + 'based on the Free Software [StatusNet](http://status.net/) tool. ' . + 'You can easily keep track of what they ' . + 'are doing by subscribing to the tag\'s timeline.' ), $this->profile->nickname); + $this->elementStart('div', array('id' => 'anon_notice')); + $this->raw(common_markup_to_html($notice)); + $this->elementEnd('div'); + } + + function showContent() + { + $offset = ($this->page-1) * PEOPLETAGS_PER_PAGE; + $limit = PEOPLETAGS_PER_PAGE + 1; + + $ptags = $this->profile->getTagSubscriptions($offset, $limit); + + $pl = new PeopletagList($ptags, $this); + $cnt = $pl->show(); + + $this->pagination($this->page > 1, $cnt > PEOPLETAGS_PER_PAGE, + $this->page, 'peopletagsubscriptions', array('nickname' => $this->profile->id)); + } + + function showSections() + { + #TODO: tags with most subscribers + #TODO: tags with most "members" + } +} diff --git a/actions/profilecompletion.php b/actions/profilecompletion.php new file mode 100644 index 0000000000..8208f3bd37 --- /dev/null +++ b/actions/profilecompletion.php @@ -0,0 +1,214 @@ +. + * + * PHP version 5 + * + * @category Action + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPLv3 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +require_once INSTALLDIR . '/lib/peopletageditform.php'; + +/** + * Subscription action + * + * Subscribing to a profile. Does not work for OMB 0.1 remote subscriptions, + * but may work for other remote subscription protocols, like OStatus. + * + * Takes parameters: + * + * - subscribeto: a profile ID + * - token: session token to prevent CSRF attacks + * - ajax: boolean; whether to return Ajax or full-browser results + * + * Only works if the current user is logged in. + * + * @category Action + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPLv3 + * @link http://status.net/ + */ + +class ProfilecompletionAction extends Action +{ + var $user; + var $peopletag; + var $field; + var $msg; + + /** + * Check pre-requisites and instantiate attributes + * + * @param Array $args array of arguments (URL, GET, POST) + * + * @return boolean success flag + */ + + function prepare($args) + { + parent::prepare($args); + + // CSRF protection + + $token = $this->trimmed('token'); + + if (!$token || $token != common_session_token()) { + $this->clientError(_('There was a problem with your session token.'. + ' Try again, please.')); + return false; + } + + // Only for logged-in users + + $this->user = common_current_user(); + + if (empty($this->user)) { + $this->clientError(_('Not logged in.')); + return false; + } + + $id = $this->arg('peopletag_id'); + $this->peopletag = Profile_list::staticGet('id', $id); + + if (empty($this->peopletag)) { + $this->clientError(_('No such peopletag.')); + return false; + } + + $field = $this->arg('field'); + if (!in_array($field, array('fulltext', 'nickname', 'fullname', 'description', 'location', 'uri'))) { + $this->clientError(sprintf(_('Unidentified field %s'), htmlspecialchars($field)), 404); + return false; + } + $this->field = $field; + + return true; + } + + /** + * Handle request + * + * Does the subscription and returns results. + * + * @param Array $args unused. + * + * @return void + */ + + function handle($args) + { + $this->msg = null; + + $this->startHTML('text/xml;charset=utf-8'); + $this->elementStart('head'); + $this->element('title', null, _('Search results')); + $this->elementEnd('head'); + $this->elementStart('body'); + $profiles = $this->getResults(); + + if ($this->msg !== null) { + $this->element('p', 'error', $this->msg); + } else { + if (count($profiles) > 0) { + $this->elementStart('ul', array('id' => 'profile_search_results', 'class' => 'profile-lister')); + foreach ($profiles as $profile) { + $this->showProfileItem($profile); + } + $this->elementEnd('ul'); + } else { + $this->element('p', 'error', _('No results.')); + } + } + $this->elementEnd('body'); + $this->elementEnd('html'); + } + + function getResults() + { + $profiles = array(); + $q = $this->arg('q'); + $q = strtolower($q); + if (strlen($q) < 3) { + $this->msg = _('The search string must be atleast 3 characters long'); + } + $page = $this->arg('page'); + $page = (int) (empty($page) ? 1 : $page); + + $profile = new Profile(); + $search_engine = $profile->getSearchEngine('profile'); + + if (Event::handle('StartProfileCompletionSearch', array($this, &$profile, $search_engine))) { + $search_engine->set_sort_mode('chron'); + $search_engine->limit((($page-1)*PROFILES_PER_PAGE), PROFILES_PER_PAGE + 1); + + if (false === $search_engine->query($q)) { + $cnt = 0; + } + else { + $cnt = $profile->find(); + } + Event::handle('EndProfileCompletionSearch', $this, &$profile, $search_engine); + } + + while ($profile->fetch()) { + $profiles[] = clone($profile); + } + return $this->filter($profiles); + } + + function filter($profiles) + { + $current = $this->user->getProfile(); + $filtered_profiles = array(); + foreach ($profiles as $profile) { + if ($current->canTag($profile)) { + $filtered_profiles[] = $profile; + } + } + return $filtered_profiles; + } + + function showProfileItem($profile) + { + $this->elementStart('li', 'entity_removable_profile'); + $item = new TaggedProfileItem($this, $profile); + $item->show(); + $this->elementStart('span', 'entity_actions'); + + if ($profile->isTagged($this->peopletag)) { + $untag = new UntagButton($this, $profile, $this->peopletag); + $untag->show(); + } else { + $tag = new TagButton($this, $profile, $this->peopletag); + $tag->show(); + } + + $this->elementEnd('span'); + $this->elementEnd('li'); + } +} diff --git a/actions/profilesettings.php b/actions/profilesettings.php index e1d686ca29..046bedf8ac 100644 --- a/actions/profilesettings.php +++ b/actions/profilesettings.php @@ -279,18 +279,24 @@ class ProfilesettingsAction extends SettingsAction return; } - if ($tagstring) { - $tags = array_map('common_canonical_tag', preg_split('/[\s,]+/', $tagstring)); - } else { - $tags = array(); - } + $tags = array(); + $tag_priv = array(); + if (is_string($tagstring) && strlen($tagstring) > 0) { - foreach ($tags as $tag) { - if (!common_valid_profile_tag($tag)) { - // TRANS: Validation error in form for profile settings. - // TRANS: %s is an invalid tag. - $this->showForm(sprintf(_('Invalid tag: "%s".'), $tag)); - return; + $tags = preg_split('/[\s,]+/', $tagstring); + + foreach ($tags as &$tag) { + $private = @$tag[0] === '.'; + + $tag = common_canonical_tag($tag); + if (!common_valid_profile_tag($tag)) { + // TRANS: Validation error in form for profile settings. + // TRANS: %s is an invalid tag. + $this->showForm(sprintf(_('Invalid tag: "%s"'), $tag)); + return; + } + + $tag_priv[$tag] = $private; } } @@ -421,7 +427,7 @@ class ProfilesettingsAction extends SettingsAction } // Set the user tags - $result = $user->setSelfTags($tags); + $result = $user->setSelfTags($tags, $tag_priv); if (!$result) { // TRANS: Server error thrown when user profile settings tags could not be saved. diff --git a/actions/profiletagbyid.php b/actions/profiletagbyid.php new file mode 100644 index 0000000000..7de5737e9a --- /dev/null +++ b/actions/profiletagbyid.php @@ -0,0 +1,92 @@ +. + * + * @category Peopletag + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +class ProfiletagbyidAction extends Action +{ + /** peopletag we're viewing. */ + var $peopletag = null; + + /** + * Is this page read-only? + * + * @return boolean true + */ + + function isReadOnly($args) + { + return true; + } + + function prepare($args) + { + parent::prepare($args); + + $id = $this->arg('id'); + $tagger_id = $this->arg('tagger_id'); + + if (!$id) { + $this->clientError(_('No ID.')); + return false; + } + + common_debug("Peopletag id $id by user id $tagger_id"); + + $this->peopletag = Profile_list::staticGet('id', $id); + + if (!$this->peopletag) { + $this->clientError(_('No such people tag.'), 404); + return false; + } + + $user = User::staticGet('id', $tagger_id); + if (!$user) { + // remote peopletag, permanently redirect + common_redirect($this->peopletag->permalink(), 301); + } + + return true; + } + + /** + * Handle the request + * + * Shows a profile for the group, some controls, and a list of + * group notices. + * + * @return void + */ + + function handle($args) + { + common_redirect($this->peopletag->homeUrl(), 303); + } +} diff --git a/actions/public.php b/actions/public.php index 727c76d528..ca9af4601e 100644 --- a/actions/public.php +++ b/actions/public.php @@ -232,6 +232,8 @@ class PublicAction extends Action $pop->show(); $gbp = new GroupsByMembersSection($this); $gbp->show(); + $ptp = new PeopletagsBySubsSection($this); + $ptp->show(); $feat = new FeaturedUsersSection($this); $feat->show(); } diff --git a/actions/publicpeopletagcloud.php b/actions/publicpeopletagcloud.php new file mode 100644 index 0000000000..dc252fe4c8 --- /dev/null +++ b/actions/publicpeopletagcloud.php @@ -0,0 +1,173 @@ +. + * + * @category Public + * @package StatusNet + * @author Mike Cochrane + * @author Evan Prodromou + * @copyright 2008 Mike Cochrane + * @copyright 2008-2009 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { exit(1); } + +define('TAGS_PER_PAGE', 100); + +/** + * Public tag cloud for notices + * + * @category Personal + * @package StatusNet + * @author Mike Cochrane + * @author Evan Prodromou + * @copyright 2008 Mike Cochrane + * @copyright 2008-2009 StatusNet, Inc. + * @link http://status.net/ + */ + +class PublicpeopletagcloudAction extends Action +{ + function isReadOnly($args) + { + return true; + } + + function title() + { + return _('Public people tag cloud'); + } + + function showPageNotice() + { + $this->element('p', 'instructions', + sprintf(_('These are most used people tags on %s '), + common_config('site', 'name'))); + } + + function showEmptyList() + { + $message = _('No one has [tagged](%%doc.tags%%) anyone yet.') . ' '; + + if (common_logged_in()) { + $message .= _('Be the first to tag someone!'); + } + else { + $message .= _('Why not [register an account](%%action.register%%) and be the first to tag someone!'); + } + + $this->elementStart('div', 'guide'); + $this->raw(common_markup_to_html($message)); + $this->elementEnd('div'); + } + + function showLocalNav() + { + $nav = new PublicGroupNav($this); + $nav->show(); + } + + function handle($args) + { + parent::handle($args); + $this->showPage(); + } + + function showContent() + { + // XXX: cache this + + $tags = new Profile_tag(); + $plist = new Profile_list(); + $plist->private = false; + + $tags->joinAdd($plist); + $tags->selectAdd(); + $tags->selectAdd('profile_tag.tag'); + $tags->selectAdd('count(profile_tag.tag) as weight'); + $tags->groupBy('profile_tag.tag'); + $tags->orderBy('weight DESC'); + + $tags->limit(TAGS_PER_PAGE); + + $cnt = $tags->find(); + + if ($cnt > 0) { + $this->elementStart('div', array('id' => 'tagcloud', + 'class' => 'section')); + + $tw = array(); + $sum = 0; + while ($tags->fetch()) { + $tw[$tags->tag] = $tags->weight; + $sum += $tags->weight; + } + + ksort($tw); + + $this->elementStart('dl'); + $this->element('dt', null, _('People tag cloud')); + $this->elementStart('dd'); + $this->elementStart('ul', 'tags xoxo tag-cloud'); + foreach ($tw as $tag => $weight) { + if ($sum) { + $weightedSum = $weight/$sum; + } else { + $weightedSum = 0.5; + } + $this->showTag($tag, $weight, $weightedSum); + } + $this->elementEnd('ul'); + $this->elementEnd('dd'); + $this->elementEnd('dl'); + $this->elementEnd('div'); + } else { + $this->showEmptyList(); + } + } + + function showTag($tag, $weight, $relative) + { + if ($relative > 0.1) { + $rel = 'tag-cloud-7'; + } else if ($relative > 0.05) { + $rel = 'tag-cloud-6'; + } else if ($relative > 0.02) { + $rel = 'tag-cloud-5'; + } else if ($relative > 0.01) { + $rel = 'tag-cloud-4'; + } else if ($relative > 0.005) { + $rel = 'tag-cloud-3'; + } else if ($relative > 0.002) { + $rel = 'tag-cloud-2'; + } else { + $rel = 'tag-cloud-1'; + } + + $this->elementStart('li', $rel); + + $count = ($weight == 1) ? '1 person tagged' : '%d people tagged'; + $this->element('a', array('href' => common_local_url('peopletag', array('tag' => $tag)), + 'title' => sprintf(_($count), $weight)), $tag); + $this->elementEnd('li'); + } +} diff --git a/actions/removepeopletag.php b/actions/removepeopletag.php new file mode 100644 index 0000000000..aa8ae2b6ad --- /dev/null +++ b/actions/removepeopletag.php @@ -0,0 +1,173 @@ +. + * + * PHP version 5 + * + * @category Action + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPLv3 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +require_once INSTALLDIR . '/lib/togglepeopletag.php'; + +/** + * Subscription action + * + * Subscribing to a profile. Does not work for OMB 0.1 remote subscriptions, + * but may work for other remote subscription protocols, like OStatus. + * + * Takes parameters: + * + * - subscribeto: a profile ID + * - token: session token to prevent CSRF attacks + * - ajax: boolean; whether to return Ajax or full-browser results + * + * Only works if the current user is logged in. + * + * @category Action + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPLv3 + * @link http://status.net/ + */ + +class RemovepeopletagAction extends Action +{ + var $user; + var $tagged; + var $peopletag; + + /** + * Check pre-requisites and instantiate attributes + * + * @param Array $args array of arguments (URL, GET, POST) + * + * @return boolean success flag + */ + + function prepare($args) + { + parent::prepare($args); + + // CSRF protection + + $token = $this->trimmed('token'); + + if (!$token || $token != common_session_token()) { + $this->clientError(_('There was a problem with your session token.'. + ' Try again, please.')); + return false; + } + + // Only for logged-in users + + $this->user = common_current_user(); + + if (empty($this->user)) { + $this->clientError(_('Not logged in.')); + return false; + } + + // Profile to subscribe to + + $tagged_id = $this->arg('tagged'); + + $this->tagged = Profile::staticGet('id', $tagged_id); + + if (empty($this->tagged)) { + $this->clientError(_('No such profile.')); + return false; + } + + $id = $this->arg('peopletag_id'); + $this->peopletag = Profile_list::staticGet('id', $id); + + if (empty($this->peopletag)) { + $this->clientError(_('No such peopletag.')); + return false; + } + + // OMB 0.1 doesn't have a mechanism for local-server- + // originated tag. + + $omb01 = Remote_profile::staticGet('id', $tagged_id); + + if (!empty($omb01)) { + $this->clientError(_('You cannot tag or untag an OMB 0.1'. + ' remote profile with this action.')); + return false; + } + + return true; + } + + /** + * Handle request + * + * Does the subscription and returns results. + * + * @param Array $args unused. + * + * @return void + */ + + function handle($args) + { + // Throws exception on error + + $ptag = Profile_tag::unTag($this->user->id, $this->tagged->id, + $this->peopletag->tag); + + if (!$ptag) { + $user = User::staticGet('id', $this->tagged->id); + if ($user) { + $this->clientError( + sprintf(_('There was an unexpected error while tagging %s'), + $user->nickname)); + } else { + $this->clientError(sprintf(_('There was a problem tagging %s.' . + 'The remote server is probably not responding correctly, ' . + 'please try retrying later.'), $this->profile->profileurl)); + } + return false; + } + if ($this->boolean('ajax')) { + $this->startHTML('text/xml;charset=utf-8'); + $this->elementStart('head'); + $this->element('title', null, _('Untagged')); + $this->elementEnd('head'); + $this->elementStart('body'); + $unsubscribe = new TagButton($this, $this->tagged, $this->peopletag); + $unsubscribe->show(); + $this->elementEnd('body'); + $this->elementEnd('html'); + } else { + $url = common_local_url('subscriptions', + array('nickname' => $this->user->nickname)); + common_redirect($url, 303); + } + } +} diff --git a/actions/selftag.php b/actions/selftag.php new file mode 100644 index 0000000000..0efb896f6b --- /dev/null +++ b/actions/selftag.php @@ -0,0 +1,204 @@ +. + * + * @category Action + * @package StatusNet + * @author Evan Prodromou + * @author Zach Copley + * @copyright 2009 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +/** + * This class outputs a paginated list of profiles self-tagged with a given tag + * + * @category Output + * @package StatusNet + * @author Evan Prodromou + * @author Zach Copley + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + * + * @see Action + */ + +class SelftagAction extends Action +{ + + var $tag = null; + var $page = null; + + /** + * For initializing members of the class. + * + * @param array $argarray misc. arguments + * + * @return boolean true + */ + function prepare($argarray) + { + parent::prepare($argarray); + + $this->tag = $this->trimmed('tag'); + + if (!common_valid_profile_tag($this->tag)) { + $this->clientError(sprintf(_('Not a valid people tag: %s.'), + $this->tag)); + return; + } + + $this->page = ($this->arg('page')) ? $this->arg('page') : 1; + + common_set_returnto($this->selfUrl()); + + return true; + } + + /** + * Handler method + * + * @param array $argarray is ignored since it's now passed in in prepare() + * + * @return boolean is read only action? + */ + function handle($argarray) + { + parent::handle($argarray); + $this->showPage(); + } + + /** + * Whips up a query to get a list of profiles based on the provided + * people tag and page, initalizes a ProfileList widget, and displays + * it to the user. + * + * @return nothing + */ + function showContent() + { + + $profile = new Profile(); + + $offset = ($this->page - 1) * PROFILES_PER_PAGE; + $limit = PROFILES_PER_PAGE + 1; + + if (common_config('db', 'type') == 'pgsql') { + $lim = ' LIMIT ' . $limit . ' OFFSET ' . $offset; + } else { + $lim = ' LIMIT ' . $offset . ', ' . $limit; + } + + // XXX: memcached this + + $qry = 'SELECT profile.* ' . + 'FROM profile JOIN ( profile_tag, profile_list ) ' . + 'ON profile.id = profile_tag.tagger ' . + 'AND profile_tag.tagger = profile_list.tagger ' . + 'AND profile_list.tag = profile_tag.tag ' . + 'WHERE profile_tag.tagger = profile_tag.tagged ' . + "AND profile_tag.tag = '%s' "; + + $user = common_current_user(); + if (empty($user)) { + $qry .= 'AND profile_list.private = false '; + } else { + $qry .= 'AND (profile_list.tagger = ' . $user->id . + ' OR profile_list.private = false) '; + } + + $qry .= 'ORDER BY profile_tag.modified DESC%s'; + + $profile->query(sprintf($qry, $this->tag, $lim)); + + $ptl = new SelfTagProfileList($profile, $this); // pass the ammunition + $cnt = $ptl->show(); + + $this->pagination($this->page > 1, + $cnt > PROFILES_PER_PAGE, + $this->page, + 'selftag', + array('tag' => $this->tag)); + } + + /** + * Returns the page title + * + * @return string page title + */ + function title() + { + return sprintf(_('Users self-tagged with %1$s - page %2$d'), + $this->tag, $this->page); + } + +} + +class SelfTagProfileList extends ProfileList +{ + function newListItem($profile) + { + return new SelfTagProfileListItem($profile, $this->action); + } +} + +class SelfTagProfileListItem extends ProfileListItem +{ + function linkAttributes() + { + $aAttrs = parent::linkAttributes(); + + if (common_config('nofollow', 'selftag')) { + $aAttrs['rel'] .= ' nofollow'; + } + + return $aAttrs; + } + + function homepageAttributes() + { + $aAttrs = parent::linkAttributes(); + + if (common_config('nofollow', 'selftag')) { + $aAttrs['rel'] = 'nofollow'; + } + + return $aAttrs; + } + + function showTags() + { + $selftags = new SelfTagsWidget($this->out, $this->profile, $this->profile); + $selftags->show(); + + $user = common_current_user(); + + if (!empty($user) && $user->id != $this->profile->id && + $user->getProfile()->canTag($this->profile)) { + $yourtags = new PeopleTagsWidget($this->out, $user, $this->profile); + $yourtags->show(); + } + } +} diff --git a/actions/showprofiletag.php b/actions/showprofiletag.php new file mode 100644 index 0000000000..a4cace6e96 --- /dev/null +++ b/actions/showprofiletag.php @@ -0,0 +1,354 @@ +. + * + * @category Actions + * @package Actions + * @license GNU Affero General Public License http://www.gnu.org/licenses/ + * @link http://status.net + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +require_once INSTALLDIR.'/lib/profileminilist.php'; +require_once INSTALLDIR.'/lib/peopletaglist.php'; +require_once INSTALLDIR.'/lib/noticelist.php'; +require_once INSTALLDIR.'/lib/feedlist.php'; + +class ShowprofiletagAction extends Action +{ + var $notice, $tagger, $peopletag; + + function isReadOnly($args) + { + return true; + } + + function prepare($args) + { + parent::prepare($args); + + $tagger_arg = $this->arg('tagger'); + $tag_arg = $this->arg('tag'); + $tagger = common_canonical_nickname($tagger_arg); + $tag = common_canonical_tag($tag_arg); + + // Permanent redirect on non-canonical nickname + + if ($tagger_arg != $tagger || $tag_arg != $tag) { + $args = array('tagger' => $nickname, 'tag' => $tag); + if ($this->page != 1) { + $args['page'] = $this->page; + } + common_redirect(common_local_url('showprofiletag', $args), 301); + return false; + } + + if (!$tagger) { + $this->clientError(_('No tagger.'), 404); + return false; + } + + $user = User::staticGet('nickname', $tagger); + + if (!$user) { + $this->clientError(_('No such user.'), 404); + return false; + } + + $this->tagger = $user->getProfile(); + $this->peopletag = Profile_list::pkeyGet(array('tagger' => $user->id, 'tag' => $tag)); + + $current = common_current_user(); + $can_see = !empty($this->peopletag) && (!$this->peopletag->private || + ($this->peopletag->private && $this->peopletag->tagger === $current->id)); + + if (!$can_see) { + $this->clientError(_('No such peopletag.'), 404); + return false; + } + + $this->page = ($this->arg('page')) ? ($this->arg('page')+0) : 1; + $this->notice = $this->peopletag->getNotices(($this->page-1)*NOTICES_PER_PAGE, NOTICES_PER_PAGE + 1); + + if ($this->page > 1 && $this->notice->N == 0) { + // TRANS: Server error when page not found (404) + $this->serverError(_('No such page.'), $code = 404); + } + + return true; + } + + function handle($args) + { + parent::handle($args); + + if (!$this->peopletag) { + $this->clientError(_('No such user.')); + return; + } + + $this->showPage(); + } + + function title() + { + if ($this->page > 1) { + + if($this->peopletag->private) { + return sprintf(_('Private timeline for people tagged %s by you, page %d'), + $this->peopletag->tag, $this->page); + } + + $current = common_current_user(); + if (!empty($current) && $current->id == $this->peopletag->tagger) { + return sprintf(_('Timeline for people tagged %s by you, page %d'), + $this->peopletag->tag, $this->page); + } + + // TRANS: Page title. %1$s is user nickname, %2$d is page number + return sprintf(_('Timeline for people tagged %1$s by %2$s, page %3$d'), + $this->peopletag->tag, + $this->tagger->nickname, + $this->page + ); + } else { + + if($this->peopletag->private) { + return sprintf(_('Private timeline of people tagged %s by you'), + $this->peopletag->tag, $this->page); + } + + $current = common_current_user(); + if (!empty($current) && $current->id == $this->peopletag->tagger) { + return sprintf(_('Timeline for people tagged %s by you'), + $this->peopletag->tag, $this->page); + } + + // TRANS: Page title. %1$s is user nickname, %2$d is page number + return sprintf(_('Timeline for people tagged %1$s by %2$s'), + $this->peopletag->tag, + $this->tagger->nickname, + $this->page + ); + } + } + + function getFeeds() + { + #XXX: make these actually work + return array(new Feed(Feed::RSS2, + common_local_url( + 'ApiTimelineList', array( + 'user' => $this->tagger->id, + 'id' => $this->peopletag->id, + 'format' => 'rss' + ) + ), + // TRANS: %1$s is user nickname + sprintf(_('Feed for friends of %s (RSS 2.0)'), $this->tagger->nickname)), + new Feed(Feed::ATOM, + common_local_url( + 'ApiTimelineList', array( + 'user' => $this->tagger->id, + 'id' => $this->peopletag->id, + 'format' => 'atom' + ) + ), + // TRANS: %1$s is user nickname + sprintf(_('Feed for people tagged %s by %s (Atom)'), + $this->peopletag->tag, $this->tagger->nickname + ) + ) + ); + } + + function showLocalNav() + { + $nav = new PeopletagGroupNav($this); + $nav->show(); + } + + function showEmptyListMessage() + { + // TRANS: %1$s is user nickname + $message = sprintf(_('This is the timeline for people tagged %s by %s but no one has posted anything yet.'), $this->peopletag->tag, $this->tagger->nickname) . ' '; + + if (common_logged_in()) { + $current_user = common_current_user(); + if ($this->tagger->id == $current_user->id) { + $message .= _('Try tagging more people.'); + } + } else { + $message .= _('Why not [register an account](%%%%action.register%%%%) and start following this timeline.'); + } + + $this->elementStart('div', 'guide'); + $this->raw(common_markup_to_html($message)); + $this->elementEnd('div'); + } + + function showContent() + { + $this->showPeopletag(); + $this->showNotices(); + } + + function showPeopletag() + { + $cur = common_current_user(); + $tag = new Peopletag($this->peopletag, $cur, $this); + $tag->show(); + } + + function showNotices() + { + if (Event::handle('StartShowProfileTagContent', array($this))) { + $nl = new NoticeList($this->notice, $this); + + $cnt = $nl->show(); + + if (0 == $cnt) { + $this->showEmptyListMessage(); + } + + $this->pagination( + $this->page > 1, $cnt > NOTICES_PER_PAGE, + $this->page, 'showprofiletag', array('tag' => $this->peopletag->tag, + 'tagger' => $this->tagger->nickname) + ); + + Event::handle('EndShowProfileTagContent', array($this)); + } + } + + function showSections() + { + $this->showTagged(); + if (!$this->peopletag->private) { + $this->showSubscribers(); + } + # $this->showStatistics(); + } + + function showPageTitle() + { + $this->element('h1', null, $this->title()); + } + + function showTagged() + { + $profile = $this->peopletag->getTagged(0, PROFILES_PER_MINILIST + 1); + + $this->elementStart('div', array('id' => 'entity_tagged', + 'class' => 'section')); + if (Event::handle('StartShowTaggedProfilesMiniList', array($this))) { + + $title = ''; + + $current = common_current_user(); + if(!empty($current) && $this->peopletag->tagger == $current->id) { + $title = sprintf(_('People tagged %s by you'), $this->peopletag->tag); + } else { + $title = sprintf(_('People tagged %1$s by %2$s'), + $this->peopletag->tag, + $this->tagger->nickname); + } + + $this->element('h2', null, $title); + + $cnt = 0; + + if (!empty($profile)) { + $pml = new ProfileMiniList($profile, $this); + $cnt = $pml->show(); + if ($cnt == 0) { + $this->element('p', null, _('(None)')); + } + } + + if ($cnt > PROFILES_PER_MINILIST) { + $this->elementStart('p'); + $this->element('a', array('href' => common_local_url('taggedprofiles', + array('nickname' => $this->tagger->nickname, + 'profiletag' => $this->peopletag->tag)), + 'class' => 'more'), + _('Show all')); + $this->elementEnd('p'); + } + + Event::handle('EndShowTaggedProfilesMiniList', array($this)); + } + $this->elementEnd('div'); + } + + function showSubscribers() + { + $profile = $this->peopletag->getSubscribers(0, PROFILES_PER_MINILIST + 1); + + $this->elementStart('div', array('id' => 'entity_subscribers', + 'class' => 'section')); + if (Event::handle('StartShowProfileTagSubscribersMiniList', array($this))) { + $this->element('h2', null, _('Subscribers')); + + $cnt = 0; + + if (!empty($profile)) { + $pml = new ProfileMiniList($profile, $this); + $cnt = $pml->show(); + if ($cnt == 0) { + $this->element('p', null, _('(None)')); + } + } + + if ($cnt > PROFILES_PER_MINILIST) { + $this->elementStart('p'); + $this->element('a', array('href' => common_local_url('profiletagsubscribers', + array('nickname' => $this->tagger->nickname, + 'profiletag' => $this->peopletag->tag)), + 'class' => 'more'), + _('All subscribers')); + $this->elementEnd('p'); + } + + Event::handle('EndShowProfileTagSubscribersMiniList', array($this)); + } + $this->elementEnd('div'); + } +} + +class Peopletag extends PeopletagListItem +{ + function showStart() + { + $mode = $this->peopletag->private ? 'private' : 'public'; + $this->out->elementStart('div', array('class' => 'hentry peopletag peopletag-profile mode-'.$mode, + 'id' => 'peopletag-' . $this->peopletag->id)); + } + + function showEnd() + { + $this->out->elementEnd('div'); + } + + function showAvatar() + { + parent::showAvatar(AVATAR_PROFILE_SIZE); + } +} diff --git a/actions/subscribepeopletag.php b/actions/subscribepeopletag.php new file mode 100644 index 0000000000..e38ecb2d3e --- /dev/null +++ b/actions/subscribepeopletag.php @@ -0,0 +1,144 @@ +. + * + * @category Peopletag + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +/** + * Subscribe to a peopletag + * + * This is the action for subscribing to a peopletag. It works more or less like the join action + * for groups. + * + * @category Peopletag + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +class SubscribepeopletagAction extends Action +{ + var $peopletag = null; + var $tagger = null; + + /** + * Prepare to run + */ + + function prepare($args) + { + parent::prepare($args); + + if (!common_logged_in()) { + $this->clientError(_('You must be logged in to unsubscribe to a peopletag.')); + return false; + } + // Only allow POST requests + + if ($_SERVER['REQUEST_METHOD'] != 'POST') { + $this->clientError(_('This action only accepts POST requests.')); + return false; + } + + // CSRF protection + + $token = $this->trimmed('token'); + + if (!$token || $token != common_session_token()) { + $this->clientError(_('There was a problem with your session token.'. + ' Try again, please.')); + return false; + } + + $tagger_arg = $this->trimmed('tagger'); + $tag_arg = $this->trimmed('tag'); + + $id = intval($this->arg('id')); + if ($id) { + $this->peopletag = Profile_list::staticGet('id', $id); + } else { + $this->clientError(_('No ID given.'), 404); + return false; + } + + if (!$this->peopletag || $this->peopletag->private) { + $this->clientError(_('No such peopletag.'), 404); + return false; + } + + $this->tagger = Profile::staticGet('id', $this->peopletag->tagger); + + return true; + } + + /** + * Handle the request + * + * On POST, add the current user to the group + * + * @param array $args unused + * + * @return void + */ + + function handle($args) + { + parent::handle($args); + + $cur = common_current_user(); + + try { + Profile_tag_subscription::add($this->peopletag, $cur); + } catch (Exception $e) { + $this->serverError(sprintf(_('Could not subscribe user %1$s to peopletag %2$s.'), + $cur->nickname, $this->peopletag->tag) . ' ' . $e->getMessage()); + } + + if ($this->boolean('ajax')) { + $this->startHTML('text/xml;charset=utf-8'); + $this->elementStart('head'); + $this->element('title', null, sprintf(_('%1$s subscribed to peopletag %2$s by %3$s'), + $cur->nickname, + $this->peopletag->tag, + $this->tagger->nickname)); + $this->elementEnd('head'); + $this->elementStart('body'); + $lf = new UnsubscribePeopletagForm($this, $this->peopletag); + $lf->show(); + $this->elementEnd('body'); + $this->elementEnd('html'); + } else { + common_redirect(common_local_url('peopletagsubscribers', + array('tagger' => $this->tagger->nickname, + 'tag' =>$this->peopletag->tag)), + 303); + } + } +} diff --git a/actions/tagother.php b/actions/tagother.php deleted file mode 100644 index 258c13bdcc..0000000000 --- a/actions/tagother.php +++ /dev/null @@ -1,220 +0,0 @@ -. - */ - -if (!defined('STATUSNET') && !defined('LACONICA')) { exit(1); } - -require_once(INSTALLDIR.'/lib/settingsaction.php'); - -class TagotherAction extends Action -{ - var $profile = null; - var $error = null; - - function prepare($args) - { - parent::prepare($args); - if (!common_logged_in()) { - $this->clientError(_('Not logged in.'), 403); - return false; - } - - $id = $this->trimmed('id'); - if (!$id) { - $this->clientError(_('No ID argument.')); - return false; - } - - $this->profile = Profile::staticGet('id', $id); - - if (!$this->profile) { - $this->clientError(_('No profile with that ID.')); - return false; - } - - return true; - } - - function handle($args) - { - parent::handle($args); - if ($_SERVER['REQUEST_METHOD'] == 'POST') { - $this->saveTags(); - } else { - $this->showForm($profile); - } - } - - function title() - { - return sprintf(_('Tag %s'), $this->profile->nickname); - } - - function showForm($error=null) - { - $this->error = $error; - $this->showPage(); - } - - function showContent() - { - $this->elementStart('div', 'entity_profile vcard author'); - $this->element('h2', null, _('User profile')); - - $avatar = $this->profile->getAvatar(AVATAR_PROFILE_SIZE); - $this->element('img', array('src' => ($avatar) ? $avatar->displayUrl() : Avatar::defaultImage(AVATAR_PROFILE_SIZE), - 'class' => 'photo avatar entity_depiction', - 'width' => AVATAR_PROFILE_SIZE, - 'height' => AVATAR_PROFILE_SIZE, - 'alt' => - ($this->profile->fullname) ? $this->profile->fullname : - $this->profile->nickname)); - - $this->element('a', array('href' => $this->profile->profileurl, - 'class' => 'entity_nickname nickname'), - $this->profile->nickname); - - if ($this->profile->fullname) { - $this->element('div', 'fn entity_fn', $this->profile->fullname); - } - - if ($this->profile->location) { - $this->element('div', 'label entity_location', $this->profile->location); - } - - if ($this->profile->homepage) { - $this->element('a', array('href' => $this->profile->homepage, - 'rel' => 'me', - 'class' => 'url entity_url'), - $this->profile->homepage); - } - - if ($this->profile->bio) { - $this->element('div', 'note entity_note', $this->profile->bio); - } - - $this->elementEnd('div'); - - $this->elementStart('form', array('method' => 'post', - 'id' => 'form_tag_user', - 'class' => 'form_settings', - 'name' => 'tagother', - 'action' => common_local_url('tagother', array('id' => $this->profile->id)))); - - $this->elementStart('fieldset'); - $this->element('legend', null, _('Tag user')); - $this->hidden('token', common_session_token()); - $this->hidden('id', $this->profile->id); - - $user = common_current_user(); - - $this->elementStart('ul', 'form_data'); - $this->elementStart('li'); - $this->input('tags', _('Tags'), - ($this->arg('tags')) ? $this->arg('tags') : implode(' ', Profile_tag::getTags($user->id, $this->profile->id)), - _('Tags for this user (letters, numbers, -, ., and _), comma- or space- separated')); - $this->elementEnd('li'); - $this->elementEnd('ul'); - $this->submit('save', _('Save')); - $this->elementEnd('fieldset'); - $this->elementEnd('form'); - } - - function saveTags() - { - $id = $this->trimmed('id'); - $tagstring = $this->trimmed('tags'); - $token = $this->trimmed('token'); - - if (!$token || $token != common_session_token()) { - $this->showForm(_('There was a problem with your session token. '. - 'Try again, please.')); - return; - } - - if (is_string($tagstring) && strlen($tagstring) > 0) { - - $tags = array_map('common_canonical_tag', - preg_split('/[\s,]+/', $tagstring)); - - foreach ($tags as $tag) { - if (!common_valid_profile_tag($tag)) { - $this->showForm(sprintf(_('Invalid tag: "%s"'), $tag)); - return; - } - } - } else { - $tags = array(); - } - - $user = common_current_user(); - - if (!Subscription::pkeyGet(array('subscriber' => $user->id, - 'subscribed' => $this->profile->id)) && - !Subscription::pkeyGet(array('subscriber' => $this->profile->id, - 'subscribed' => $user->id))) - { - $this->clientError(_('You can only tag people you are subscribed to or who are subscribed to you.')); - return; - } - - $result = Profile_tag::setTags($user->id, $this->profile->id, $tags); - - if (!$result) { - $this->clientError(_('Could not save tags.')); - return; - } - - $action = $user->isSubscribed($this->profile) ? 'subscriptions' : 'subscribers'; - - if ($this->boolean('ajax')) { - $this->startHTML('text/xml;charset=utf-8'); - $this->elementStart('head'); - $this->element('title', null, _('Tags')); - $this->elementEnd('head'); - $this->elementStart('body'); - $this->elementStart('p', 'subtags'); - foreach ($tags as $tag) { - $this->element('a', array('href' => common_local_url($action, - array('nickname' => $user->nickname, - 'tag' => $tag))), - $tag); - } - $this->elementEnd('p'); - $this->elementEnd('body'); - $this->elementEnd('html'); - } else { - common_redirect(common_local_url($action, array('nickname' => - $user->nickname)), - 303); - } - } - - function showPageNotice() - { - if ($this->error) { - $this->element('p', 'error', $this->error); - } else { - $this->elementStart('div', 'instructions'); - $this->element('p', null, - _('Use this form to add tags to your subscribers or subscriptions.')); - $this->elementEnd('div'); - } - } -} - diff --git a/actions/tagprofile.php b/actions/tagprofile.php new file mode 100644 index 0000000000..8c0e039dd6 --- /dev/null +++ b/actions/tagprofile.php @@ -0,0 +1,249 @@ +. + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { exit(1); } + +require_once INSTALLDIR . '/lib/settingsaction.php'; +require_once INSTALLDIR . '/lib/peopletags.php'; + +class TagprofileAction extends Action +{ + var $profile = null; + var $error = null; + + function prepare($args) + { + parent::prepare($args); + if (!common_logged_in()) { + common_set_returnto($_SERVER['REQUEST_URI']); + if (Event::handle('RedirectToLogin', array($this, null))) { + common_redirect(common_local_url('login'), 303); + } + } + + $id = $this->trimmed('id'); + if (!$id) { + $this->profile = false; + } else { + $this->profile = Profile::staticGet('id', $id); + + if (!$this->profile) { + $this->clientError(_('No profile with that ID.')); + return false; + } + } + + $current = common_current_user()->getProfile(); + if ($this->profile && !$current->canTag($this->profile)) { + $this->clientError(_('You cannot tag this user.')); + } + return true; + } + + function handle($args) + { + parent::handle($args); + if (Event::handle('StartTagProfileAction', array($this, $this->profile))) { + if ($_SERVER['REQUEST_METHOD'] == 'POST') { + $this->saveTags(); + } else { + $this->showForm(); + } + Event::handle('EndTagProfileAction', array($this, $this->profile)); + } + } + + function title() + { + if (!$this->profile) { + return _('Tag a profile'); + } + return sprintf(_('Tag %s'), $this->profile->nickname); + } + + function showForm($error=null) + { + $this->error = $error; + if ($this->boolean('ajax')) { + $this->startHTML('text/xml;charset=utf-8'); + $this->elementStart('head'); + $this->element('title', null, _('Error')); + $this->elementEnd('head'); + $this->elementStart('body'); + $this->element('p', 'error', $error); + $this->elementEnd('body'); + $this->elementEnd('html'); + } else { + $this->showPage(); + } + } + + function showContent() + { + if (Event::handle('StartShowTagProfileForm', array($this, $this->profile)) && $this->profile) { + $this->elementStart('div', 'entity_profile vcard author'); + $this->element('h2', null, _('User profile')); + + $avatar = $this->profile->getAvatar(AVATAR_PROFILE_SIZE); + $this->element('img', array('src' => ($avatar) ? $avatar->displayUrl() : Avatar::defaultImage(AVATAR_PROFILE_SIZE), + 'class' => 'photo avatar entity_depiction', + 'width' => AVATAR_PROFILE_SIZE, + 'height' => AVATAR_PROFILE_SIZE, + 'alt' => + ($this->profile->fullname) ? $this->profile->fullname : + $this->profile->nickname)); + + $this->element('a', array('href' => $this->profile->profileurl, + 'class' => 'entity_nickname nickname'), + $this->profile->nickname); + if ($this->profile->fullname) { + $this->element('div', 'fn entity_fn', $this->profile->fullname); + } + + if ($this->profile->location) { + $this->element('div', 'label entity_location', $this->profile->location); + } + + if ($this->profile->homepage) { + $this->element('a', array('href' => $this->profile->homepage, + 'rel' => 'me', + 'class' => 'url entity_url'), + $this->profile->homepage); + } + + if ($this->profile->bio) { + $this->element('div', 'note entity_note', $this->profile->bio); + } + + $this->elementEnd('div'); + + $this->elementStart('form', array('method' => 'post', + 'id' => 'form_tag_user', + 'class' => 'form_settings', + 'name' => 'tagprofile', + 'action' => common_local_url('tagprofile', array('id' => $this->profile->id)))); + + $this->elementStart('fieldset'); + $this->element('legend', null, _('Tag user')); + $this->hidden('token', common_session_token()); + $this->hidden('id', $this->profile->id); + + $user = common_current_user(); + + $this->elementStart('ul', 'form_data'); + $this->elementStart('li'); + + $tags = Profile_tag::getTagsArray($user->id, $this->profile->id, $user->id); + $this->input('tags', _('Tags'), + ($this->arg('tags')) ? $this->arg('tags') : implode(' ', $tags), + _('Tags for this user (letters, numbers, -, ., and _), comma- or space- separated')); + $this->elementEnd('li'); + $this->elementEnd('ul'); + $this->submit('save', _('Save')); + $this->elementEnd('fieldset'); + $this->elementEnd('form'); + + Event::handle('EndShowTagProfileForm', array($this, $this->profile)); + } + } + + function saveTags() + { + $id = $this->trimmed('id'); + $tagstring = $this->trimmed('tags'); + $token = $this->trimmed('token'); + + if (Event::handle('StartSavePeopletags', array($this, $tagstring))) { + if (!$token || $token != common_session_token()) { + $this->showForm(_('There was a problem with your session token. '. + 'Try again, please.')); + return; + } + + $tags = array(); + $tag_priv = array(); + + if (is_string($tagstring) && strlen($tagstring) > 0) { + + $tags = preg_split('/[\s,]+/', $tagstring); + + foreach ($tags as &$tag) { + $private = @$tag[0] === '.'; + + $tag = common_canonical_tag($tag); + if (!common_valid_profile_tag($tag)) { + $this->showForm(sprintf(_('Invalid tag: "%s"'), $tag)); + return; + } + + $tag_priv[$tag] = $private; + } + } + + $user = common_current_user(); + + try { + $result = Profile_tag::setTags($user->id, $this->profile->id, $tags, $tag_priv); + if (!$result) { + throw new Exception('The tags could not be saved.'); + } + } catch (Exception $e) { + $this->showForm($e->getMessage()); + return false; + } + + if ($this->boolean('ajax')) { + $this->startHTML('text/xml;charset=utf-8'); + $this->elementStart('head'); + $this->element('title', null, _('Tags')); + $this->elementEnd('head'); + $this->elementStart('body'); + + if ($user->id == $this->profile->id) { + $widget = new SelftagsWidget($this, $user, $this->profile); + $widget->show(); + } else { + $widget = new PeopletagsWidget($this, $user, $this->profile); + $widget->show(); + } + + $this->elementEnd('body'); + $this->elementEnd('html'); + } else { + $this->error = 'Tags saved.'; + $this->showForm(); + } + + Event::handle('EndSavePeopletags', array($this, $tagstring)); + } + } + + function showPageNotice() + { + if ($this->error) { + $this->element('p', 'error', $this->error); + } else { + $this->elementStart('div', 'instructions'); + $this->element('p', null, + _('Use this form to add tags to your subscribers or subscriptions.')); + $this->elementEnd('div'); + } + } +} + diff --git a/actions/unsubscribepeopletag.php b/actions/unsubscribepeopletag.php new file mode 100644 index 0000000000..a912cc10f9 --- /dev/null +++ b/actions/unsubscribepeopletag.php @@ -0,0 +1,142 @@ +. + * + * @category Peopletag + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); +} + +/** + * Unsubscribe to a peopletag + * + * This is the action for subscribing to a peopletag. It works more or less like the join action + * for groups. + * + * @category Peopletag + * @package StatusNet + * @author Shashi Gowda + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +class UnsubscribepeopletagAction extends Action +{ + var $peopletag = null; + var $tagger = null; + + /** + * Prepare to run + */ + + function prepare($args) + { + parent::prepare($args); + + if (!common_logged_in()) { + $this->clientError(_('You must be logged in to unsubscribe to a peopletag.')); + return false; + } + // Only allow POST requests + + if ($_SERVER['REQUEST_METHOD'] != 'POST') { + $this->clientError(_('This action only accepts POST requests.')); + return false; + } + + // CSRF protection + + $token = $this->trimmed('token'); + + if (!$token || $token != common_session_token()) { + $this->clientError(_('There was a problem with your session token.'. + ' Try again, please.')); + return false; + } + + $tagger_arg = $this->trimmed('tagger'); + $tag_arg = $this->trimmed('tag'); + + $id = intval($this->arg('id')); + if ($id) { + $this->peopletag = Profile_list::staticGet('id', $id); + } else { + $this->clientError(_('No ID given.'), 404); + return false; + } + + if (!$this->peopletag || $this->peopletag->private) { + $this->clientError(_('No such peopletag.'), 404); + return false; + } + + $this->tagger = Profile::staticGet('id', $this->peopletag->tagger); + + return true; + } + + /** + * Handle the request + * + * On POST, add the current user to the group + * + * @param array $args unused + * + * @return void + */ + + function handle($args) + { + parent::handle($args); + + $cur = common_current_user(); + + Profile_tag_subscription::remove($this->peopletag, $cur); + + if ($this->boolean('ajax')) { + $this->startHTML('text/xml;charset=utf-8'); + $this->elementStart('head'); + $this->element('title', null, sprintf(_('%1$s unsubscribed to peopletag %2$s by %3$s'), + $cur->nickname, + $this->peopletag->tag, + $this->tagger->nickname)); + $this->elementEnd('head'); + $this->elementStart('body'); + $lf = new SubscribePeopletagForm($this, $this->peopletag); + $lf->show(); + $this->elementEnd('body'); + $this->elementEnd('html'); + } else { + if (common_get_returnto()) { + common_redirect(common_get_returnto(), 303); + return true; + } + common_redirect(common_local_url('peopletagsbyuser', + array('nickname' => $this->tagger->nickname)), + 303); + } + } +} diff --git a/lib/action.php b/lib/action.php index 31e52dfcf2..80b3176253 100644 --- a/lib/action.php +++ b/lib/action.php @@ -291,6 +291,8 @@ class Action extends HTMLOutputter // lawsuit $this->script('jquery.cookie.min.js'); $this->inlineScript('if (typeof window.JSON !== "object") { $.getScript("'.common_path('js/json2.min.js').'"); }'); $this->script('jquery.joverlay.min.js'); + $this->inlineScript('function _loadTagInput(init) { $.getScript("'.common_path('js/jquery.timers.js'). '"); $.getScript("'.common_path('js/jquery.tagInput.js').'", init); } var _peopletagAC = "' . common_local_url('peopletagautocomplete') . '";'); + Event::handle('EndShowJQueryScripts', array($this)); } if (Event::handle('StartShowStatusNetScripts', array($this)) && diff --git a/lib/router.php b/lib/router.php index ee1e4cd849..7f17f2d0a5 100644 --- a/lib/router.php +++ b/lib/router.php @@ -227,7 +227,9 @@ class Router $m->connect('main/sup/:seconds', array('action' => 'sup'), array('seconds' => '[0-9]+')); - $m->connect('main/tagother/:id', array('action' => 'tagother')); + $m->connect('main/tagprofile', array('action' => 'tagprofile')); + $m->connect('main/tagprofile/:id', array('action' => 'tagprofile'), + array('id' => '[0-9]+')); $m->connect('main/oembed', array('action' => 'oembed')); @@ -355,10 +357,6 @@ class Router array('action' => 'tag'), array('tag' => self::REGEX_TAG)); - $m->connect('peopletag/:tag', - array('action' => 'peopletag'), - array('tag' => self::REGEX_TAG)); - // groups $m->connect('group/new', array('action' => 'newgroup')); @@ -959,6 +957,76 @@ class Router array('nickname' => Nickname::DISPLAY_FMT)); } + // people tags + + $m->connect('peopletags', array('action' => 'publicpeopletagcloud')); + + $m->connect('peopletag/:tag', array('action' => 'peopletag', + 'tag' => self::REGEX_TAG)); + + $m->connect('selftag/:tag', array('action' => 'selftag', + 'tag' => self::REGEX_TAG)); + + $m->connect('main/addpeopletag', array('action' => 'addpeopletag')); + + $m->connect('main/removepeopletag', array('action' => 'removepeopletag')); + + $m->connect('main/profilecompletion', array('action' => 'profilecompletion')); + + $m->connect('main/peopletagautocomplete', array('action' => 'peopletagautocomplete')); + + $m->connect(':nickname/peopletags', + array('action' => 'peopletagsbyuser', + 'nickname' => Nickname::DISPLAY_FMT)); + + $m->connect(':nickname/peopletags/private', + array('action' => 'peopletagsbyuser', + 'nickname' => Nickname::DISPLAY_FMT, + 'private' => 1)); + + $m->connect(':nickname/peopletags/public', + array('action' => 'peopletagsbyuser', + 'nickname' => Nickname::DISPLAY_FMT, + 'public' => 1)); + + $m->connect(':nickname/othertags', + array('action' => 'peopletagsforuser', + 'nickname' => Nickname::DISPLAY_FMT)); + + $m->connect(':nickname/peopletagsubscriptions', + array('action' => 'peopletagsubscriptions', + 'nickname' => Nickname::DISPLAY_FMT)); + + $m->connect(':tagger/all/:tag/subscribers', + array('action' => 'peopletagsubscribers', + 'tagger' => Nickname::DISPLAY_FMT, + 'tag' => self::REGEX_TAG)); + + $m->connect(':tagger/all/:tag/tagged', + array('action' => 'peopletagged', + 'tagger' => Nickname::DISPLAY_FMT, + 'tag' => self::REGEX_TAG)); + + $m->connect(':tagger/all/:tag/edit', + array('action' => 'editpeopletag', + 'tagger' => Nickname::DISPLAY_FMT, + 'tag' => self::REGEX_TAG)); + + foreach(array('subscribe', 'unsubscribe') as $v) { + $m->connect('peopletag/:id/'.$v, + array('action' => $v.'peopletag', + 'id' => '[0-9]{1,64}')); + } + $m->connect('user/:tagger_id/profiletag/:id/id', + array('action' => 'profiletagbyid', + 'tagger_id' => '[0-9]+', + 'id' => '[0-9]+')); + + $m->connect(':tagger/all/:tag', + array('action' => 'showprofiletag', + 'tagger' => Nickname::DISPLAY_FMT, + 'tag' => self::REGEX_TAG)); + foreach (array('subscriptions', 'subscribers') as $a) { $m->connect(':nickname/'.$a.'/:tag', array('action' => $a), From b372ed721d83dce3ef65ae03ca7d59d13cf3a5d2 Mon Sep 17 00:00:00 2001 From: Shashi Gowda Date: Mon, 7 Mar 2011 00:44:21 +0530 Subject: [PATCH 07/19] styling for people tag UI --- js/jquery.tagInput.js | 381 ++++++++++++++++++++++++++++++++++ js/jquery.timers.js | 138 ++++++++++++ js/util.js | 126 +++++++++++ js/util.min.js | 2 +- theme/base/css/display.css | 175 ++++++++++++++-- theme/default/css/display.css | 65 +++++- 6 files changed, 867 insertions(+), 20 deletions(-) create mode 100644 js/jquery.tagInput.js create mode 100644 js/jquery.timers.js diff --git a/js/jquery.tagInput.js b/js/jquery.tagInput.js new file mode 100644 index 0000000000..8ed4058fb2 --- /dev/null +++ b/js/jquery.tagInput.js @@ -0,0 +1,381 @@ +/* + Copyright (c) 2009 Open Lab, http://www.open-lab.com/ + Written by Roberto Bicchierai http://roberto.open-lab.com. + Permission is hereby granted, free of charge, to any person obtaining + a copy of this software and associated documentation files (the + "Software"), to deal in the Software without restriction, including + without limitation the rights to use, copy, modify, merge, publish, + distribute, sublicense, and/or sell copies of the Software, and to + permit persons to whom the Software is furnished to do so, subject to + the following conditions: + + The above copyright notice and this permission notice shall be + included in all copies or substantial portions of the Software. + + THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, + EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF + MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND + NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE + LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION + OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION + WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. +*/ +/** + * options.tags an object array [{tag:"tag1",freq:1},{tag:"tag2",freq:2}, {tag:"tag3",freq:3},{tag:"tag4",freq:4} ]. + * options.jsonUrl an url returning a json object array in the same format of options.tag. The url will be called with + * "search" parameter to be used server side to filter results + * option.autoFilter true/false default=true when active show only matching tags, "false" should be used for server-side filtering + * option.autoStart true/false default=false when active dropdown will appear entering field, otherwise when typing + * options.sortBy "frequency"|"tag"|"none" default="tag" + * options.tagSeparator default="," any separator char as space, comma, semicolumn + * options.boldify true/false default trrue boldify the matching part of tag in dropdown + * + * options.suggestedTags callback an object array like ["sugtag1","sugtag2","sugtag3"] + * options.suggestedTagsPlaceHolder jquery proxy for suggested tag placeholder. When placeholder is supplied (hence unique), tagField should be applied on a single input + * (something like $("#myTagFiled").tagField(...) will works fine: $(":text").tagField(...) probably not!) + */ + +if (typeof(String.prototype.trim) == "undefined"){ + String.prototype.trim = function () { + return this.replace(/^\s*(\S*(\s+\S+)*)\s*$/, "$1"); + }; +} + + + +jQuery.fn.tagInput = function(options) { + // -------------------------- start default option values -------------------------- + if (!options.tags && !options.jsonUrl) { + options.tags = [ { tag:"tag1", freq:1 }, { tag:"tag2", freq:2 }, { tag:"tag3", freq:3 }, { tag:"tag4", freq:4 } ]; + } + + if (typeof(options.tagSeparator) == "undefined") + options.tagSeparator = ","; + + if (typeof(options.autoFilter) == "undefined") + options.autoFilter = true; + + if (typeof(options.autoStart) == "undefined") + options.autoStart = false; + + if (typeof(options.boldify) == "undefined") + options.boldify = true; + + if (typeof(options.animate) == "undefined") + options.animate = true; + + if (typeof(options.animate) != "function") { + options._animate = options.animate; + options.animate = function(show, el, cb) { + var func = (options._animate) ? (show ? 'fadeIn' : 'fadeOut') : (show ? 'show' : 'hide'); + el[func](cb); + } + } + + if (typeof(options.sortBy) == "undefined") + options.sortBy = "tag"; + + if (typeof(options.sortBy) == "string") { + options._sortBy = options.sortBy; + options.sortBy = function(obj) { return obj[options._sortBy]; } + } + + if (typeof(options.formatLine) == "undefined") + options.formatLine = function (i, obj, search, matches) { + var tag = obj.tag; + if (options.boldify && matches) { + tag = "" + tag.substring(0, search.length) + "" + tag.substring(search.length); + } + + var line = $("
"); + line.append("
" + tag + "
"); + if (obj.freq) + line.append("
" + obj.freq + "
"); + return line; + } + + if (typeof(options.formatValue == "undefined")) + options.formatValue = function (obj, i) { + return obj.tag; + } + // -------------------------- end default option values -------------------------- + + + this.each(function() { + + var theInput = $(this); + var theDiv; + + theInput.addClass("tagInput"); + theInput.tagOptions=options; + theInput.attr('autocomplete', 'off'); + + var suggestedTagsPlaceHolder=options.suggestedTagsPlaceHolder; + //create suggested tags place if the case + if (options.suggestedTags){ + if (!suggestedTagsPlaceHolder){ + //create a placeholder + var stl=$("
suggested tags:
"); + suggestedTagsPlaceHolder=stl.find(".tagInputSuggestedTagList"); + theInput.after(stl); + } + + //fill with suggestions + for (var tag in options.suggestedTags) { + suggestedTagsPlaceHolder.append($("" + options.suggestedTags[tag] + "")); + } + + // bind click on suggestion tags + suggestedTagsPlaceHolder.find(".tag").click(function() { + var element = $(this); + var val = theInput.val(); + var tag = element.text(); + + //check if already present + var re = new RegExp(tag + "\\b","g"); + if (containsTag(val, tag)) { + val = val.replace(re, ""); //remove all the tag + element.removeClass("tagUsed"); + } else { + val = val + options.tagSeparator + tag; + element.addClass("tagUsed"); + } + theInput.val(refurbishTags(val)); +// selectSuggTagFromInput(); + + }); + + } + + + // -------------------------- INPUT FOCUS -------------------------- + var tagInputFocus = function () { + theDiv = $("#__tagInputDiv"); + // check if the result box exists + if (theDiv.size() <= 0) { + //create the div + theDiv = $(""); + theInput.after(theDiv); + theDiv.css({left:theInput.position().left}); + } + if (options.autoStart) + tagInputRefreshDiv(theInput, theDiv); + }; + + + // -------------------------- INPUT BLUR -------------------------- + var tagInputBlur = function () { + // reformat string + theDiv = $("#__tagInputDiv"); + theInput.val(refurbishTags(theInput.val())); + + options.animate(0, theDiv, function() { + theDiv.remove(); + }); + }; + + + // -------------------------- INPUT KEYBOARD -------------------------- + var tagInputKey = function (e) { + var rows = theDiv.find("div.tagInputLine"); + var rowNum = rows.index(theDiv.find("div.tagInputSel")); + + var ret = true; + switch (e.which) { + case 38: //up arrow + rowNum = (rowNum < 1 ? 0 : rowNum - 1 ); + tagInputHLSCR(rows.eq(rowNum), true); + break; + + case 40: //down arrow + rowNum = (rowNum < rows.size() - 1 ? rowNum + 1 : rows.size() - 1 ); + tagInputHLSCR(rows.eq(rowNum), false); + break; + + case 9: //tab + case 13: //enter + if (theDiv.is(":visible")){ + var theRow = rows.eq(rowNum); + tagInputClickRow(theRow); + ret = false; + } + break; + + case 27: //esc + options.animate(0, theDiv); + break; + + default: + $(document).stopTime("tagInputRefresh"); + $(document).oneTime(400, "tagInputRefresh", function() { + tagInputRefreshDiv(); + }); + break; + } + return ret; + }; + + + // -------------------------- TAG DIV HIGHLIGHT AND SCROLL -------------------------- + var tagInputHLSCR = function(theRowJQ, isUp) { + if (theRowJQ.size() > 0) { + var div = theDiv.get(0); + var theRow = theRowJQ.get(0); + if (isUp) { + if (theDiv.scrollTop() > theRow.offsetTop) { + theDiv.scrollTop(theRow.offsetTop); + } + } else { + if ((theRow.offsetTop + theRow.offsetHeight) > (div.scrollTop + div.offsetHeight)) { + div.scrollTop = theRow.offsetTop + theRow.offsetHeight - div.offsetHeight; + } + } + theDiv.find("div.tagInputSel").removeClass("tagInputSel"); + theRowJQ.addClass("tagInputSel"); + } + }; + + + // -------------------------- TAG LINE CLICK -------------------------- + var tagInputClickRow = function(theRow) { + + var lastComma = theInput.val().lastIndexOf(options.tagSeparator); + var sep= lastComma<=0? (""):(options.tagSeparator+ (options.tagSeparator==" "?"":" ")); + var newVal = (theInput.val().substr(0, lastComma) + sep + theRow.attr('id').replace('val-','')).trim(); + theInput.val(newVal); + theDiv.hide(); + $().oneTime(200, function() { + theInput.focus(); + }); + }; + + + // -------------------------- REFILL TAG BOX -------------------------- + var tagInputRefreshDiv = function () { + + var lastComma = theInput.val().lastIndexOf(options.tagSeparator); + var search = theInput.val().substr(lastComma + 1).trim(); + + + // -------------------------- FILLING THE DIV -------------------------- + var fillingCallbak = function(tags) { + tags = tags.sort(function (a, b) { + if (options.sortBy(a) < options.sortBy(b)) + return 1; + if (options.sortBy(a) > options.sortBy(b)) + return -1; + return 0; + }); + + for (var i in tags) { + tags[i]._val = options.formatValue(tags[i], i); + var el = tags[i]; + var matches = el._val.toLocaleLowerCase().indexOf(search.toLocaleLowerCase()) == 0; + if (!options.autoFilter || matches) { + var line = $(options.formatLine(i, el, search, matches)); + if (!line.is('.tagInputLine')) + line = $("
").append(line); + line.attr('id', 'val-' + el._val); + theDiv.append(line); + } + } + if (theDiv.html()!=""){ + options.animate(true, theDiv); + } + + theDiv.find("div:first").addClass("tagInputSel"); + theDiv.find("div.tagInputLine").bind("click", function() { + tagInputClickRow($(this)); + }); + }; + + + if (search != "" || options.autoStart) { + theDiv.html(""); + + if (options.tags) + fillingCallbak(options.tags); + else{ + var data = {search:search}; + $.getJSON(options.jsonUrl, data, fillingCallbak ); + } + } else { + options.animate(false, theDiv); + } + }; + + // -------------------------- CLEAN THE TAG LIST FROM EXTRA SPACES, DOUBLE COMMAS ETC. -------------------------- + var refurbishTags = function (tagString) { + var splitted = tagString.split(options.tagSeparator); + var res = ""; + var first = true; + for (var i = 0; i < splitted.length; i++) { + if (splitted[i].trim() != "") { + if (first) { + first = false; + res = res + splitted[i].trim(); + } else { + res = res + options.tagSeparator+ (options.tagSeparator==" "?"":" ") + splitted[i].trim(); + } + } + } + return( res); + }; + + // -------------------------- TEST IF TAG IS PRESENT -------------------------- + var containsTag=function (tagString,tag){ + var splitted = tagString.split(options.tagSeparator); + var res=""; + var found=false; + tag=tag.trim(); + for(i = 0; i < splitted.length; i++){ + var testTag=splitted[i].trim(); + if (testTag==tag){ + found=true; + break; + } + } + return found; + }; + + + // -------------------------- SELECT TAGS BASING ON USER INPUT -------------------------- + var delayedSelectTagFromInput= function(){ + var element = $(this); + $().stopTime("suggTagRefresh"); + $().oneTime(200, "suggTagRefresh", function() { + selectSuggTagFromInput(); + }); + + }; + + var selectSuggTagFromInput = function () { + var val = theInput.val(); + suggestedTagsPlaceHolder.find(".tag").each(function(){ + var el = $(this); + var tag=el.text(); + + //check if already present + if (containsTag(val,tag)) { + el.addClass("tagUsed"); + } else { + el.removeClass("tagUsed"); + } + }); + + }; + + + + + // -------------------------- INPUT BINDINGS -------------------------- + $(this).bind("focus", tagInputFocus).bind("blur", tagInputBlur).bind("keydown", tagInputKey); + if (options.suggestedTags) + $(this).bind("keyup",delayedSelectTagFromInput) ; + + + }); + return this; +}; + + diff --git a/js/jquery.timers.js b/js/jquery.timers.js new file mode 100644 index 0000000000..bb51157d40 --- /dev/null +++ b/js/jquery.timers.js @@ -0,0 +1,138 @@ +/** + * jQuery.timers - Timer abstractions for jQuery + * Written by Blair Mitchelmore (blair DOT mitchelmore AT gmail DOT com) + * Licensed under the WTFPL (http://sam.zoy.org/wtfpl/). + * Date: 2009/10/16 + * + * @author Blair Mitchelmore + * @version 1.2 + * + **/ + +jQuery.fn.extend({ + everyTime: function(interval, label, fn, times) { + return this.each(function() { + jQuery.timer.add(this, interval, label, fn, times); + }); + }, + oneTime: function(interval, label, fn) { + return this.each(function() { + jQuery.timer.add(this, interval, label, fn, 1); + }); + }, + stopTime: function(label, fn) { + return this.each(function() { + jQuery.timer.remove(this, label, fn); + }); + } +}); + +jQuery.extend({ + timer: { + global: [], + guid: 1, + dataKey: "jQuery.timer", + regex: /^([0-9]+(?:\.[0-9]*)?)\s*(.*s)?$/, + powers: { + // Yeah this is major overkill... + 'ms': 1, + 'cs': 10, + 'ds': 100, + 's': 1000, + 'das': 10000, + 'hs': 100000, + 'ks': 1000000 + }, + timeParse: function(value) { + if (value == undefined || value == null) + return null; + var result = this.regex.exec(jQuery.trim(value.toString())); + if (result[2]) { + var num = parseFloat(result[1]); + var mult = this.powers[result[2]] || 1; + return num * mult; + } else { + return value; + } + }, + add: function(element, interval, label, fn, times) { + var counter = 0; + + if (jQuery.isFunction(label)) { + if (!times) + times = fn; + fn = label; + label = interval; + } + + interval = jQuery.timer.timeParse(interval); + + if (typeof interval != 'number' || isNaN(interval) || interval < 0) + return; + + if (typeof times != 'number' || isNaN(times) || times < 0) + times = 0; + + times = times || 0; + + var timers = jQuery.data(element, this.dataKey) || jQuery.data(element, this.dataKey, {}); + + if (!timers[label]) + timers[label] = {}; + + fn.timerID = fn.timerID || this.guid++; + + var handler = function() { + if ((++counter > times && times !== 0) || fn.call(element, counter) === false) + jQuery.timer.remove(element, label, fn); + }; + + handler.timerID = fn.timerID; + + if (!timers[label][fn.timerID]) + timers[label][fn.timerID] = window.setInterval(handler,interval); + + this.global.push( element ); + + }, + remove: function(element, label, fn) { + var timers = jQuery.data(element, this.dataKey), ret; + + if ( timers ) { + + if (!label) { + for ( label in timers ) + this.remove(element, label, fn); + } else if ( timers[label] ) { + if ( fn ) { + if ( fn.timerID ) { + window.clearInterval(timers[label][fn.timerID]); + delete timers[label][fn.timerID]; + } + } else { + for ( var fn in timers[label] ) { + window.clearInterval(timers[label][fn]); + delete timers[label][fn]; + } + } + + for ( ret in timers[label] ) break; + if ( !ret ) { + ret = null; + delete timers[label]; + } + } + + for ( ret in timers ) break; + if ( !ret ) + jQuery.removeData(element, this.dataKey); + } + } + } +}); + +jQuery(window).bind("unload", function() { + jQuery.each(jQuery.timer.global, function(index, item) { + jQuery.timer.remove(item); + }); +}); diff --git a/js/util.js b/js/util.js index cc94c5ced7..84943e8b24 100644 --- a/js/util.js +++ b/js/util.js @@ -450,6 +450,74 @@ var SN = { // StatusNet }); }, + FormProfileSearchXHR: function(form) { + $.ajax({ + type: 'POST', + dataType: 'xml', + url: form.attr('action'), + data: form.serialize() + '&ajax=1', + beforeSend: function(xhr) { + form + .addClass(SN.C.S.Processing) + .find('.submit') + .addClass(SN.C.S.Disabled) + .attr(SN.C.S.Disabled, SN.C.S.Disabled); + }, + error: function (xhr, textStatus, errorThrown) { + alert(errorThrown || textStatus); + }, + success: function(data, textStatus) { + var results_placeholder = $('#profile_search_results'); + if (typeof($('ul', data)[0]) != 'undefined') { + var list = document._importNode($('ul', data)[0], true); + results_placeholder.replaceWith(list); + } + else { + var _error = $('
  • ').append(document._importNode($('p', data)[0], true)); + results_placeholder.html(_error); + } + form + .removeClass(SN.C.S.Processing) + .find('.submit') + .removeClass(SN.C.S.Disabled) + .attr(SN.C.S.Disabled, false); + } + }); + }, + + FormPeopletagsXHR: function(form) { + $.ajax({ + type: 'POST', + dataType: 'xml', + url: form.attr('action'), + data: form.serialize() + '&ajax=1', + beforeSend: function(xhr) { + form.addClass(SN.C.S.Processing) + .find('.submit') + .addClass(SN.C.S.Disabled) + .attr(SN.C.S.Disabled, SN.C.S.Disabled); + }, + error: function (xhr, textStatus, errorThrown) { + alert(errorThrown || textStatus); + }, + success: function(data, textStatus) { + var results_placeholder = form.parents('.entity_tags'); + if (typeof($('.entity_tags', data)[0]) != 'undefined') { + var tags = document._importNode($('.entity_tags', data)[0], true); + $(tags).find('.editable').append($('').closest(".notice-options").addClass("opaque");a.find("button.close").click(function(){$(this).remove();a.removeClass("dialogbox").closest(".notice-options").removeClass("opaque");a.find(".submit_dialogbox").remove();a.find(".submit").show();return false})},NoticeAttachments:function(){$(".notice a.attachment").each(function(){SN.U.NoticeWithAttachment($(this).closest(".notice"))})},NoticeWithAttachment:function(b){if(b.find(".attachment").length===0){return}var a=b.find(".attachment.more");if(a.length>0){$(a[0]).click(function(){var c=$(this);c.addClass(SN.C.S.Processing);$.get(c.attr("href")+"/ajax",null,function(d){c.parent(".entry-content").html($(d).find("#attachment_view .entry-content").html())});return false}).attr("title",SN.msg("showmore_tooltip"))}},NoticeDataAttach:function(b){var a=b.find("input[type=file]");a.change(function(f){b.find(".attach-status").remove();var d=$(this).val();if(!d){return false}var c=$('
    ');c.find("code").text(d);c.find("button").click(function(){c.remove();a.val("");return false});b.append(c);if(typeof this.files=="object"){for(var e=0;eg){f=false}if(f){h(c,function(j){var i=$("").attr("title",e).attr("alt",e).attr("src",j).attr("style","height: 120px");d.find(".attach-status").append(i)})}else{var b=$("
    ").text(e);d.find(".attach-status").append(b)}},NoticeLocationAttach:function(a){var e=a.find("[name=lat]");var k=a.find("[name=lon]");var g=a.find("[name=location_ns]").val();var l=a.find("[name=location_id]").val();var b="";var d=a.find("[name=notice_data-geo]");var c=a.find("[name=notice_data-geo]");var j=a.find("label.notice_data-geo");function f(n){j.attr("title",jQuery.trim(j.text())).removeClass("checked");a.find("[name=lat]").val("");a.find("[name=lon]").val("");a.find("[name=location_ns]").val("");a.find("[name=location_id]").val("");a.find("[name=notice_data-geo]").attr("checked",false);$.cookie(SN.C.S.NoticeDataGeoCookie,"disabled",{path:"/"});if(n){a.find(".geo_status_wrapper").removeClass("success").addClass("error");a.find(".geo_status_wrapper .geo_status").text(n)}else{a.find(".geo_status_wrapper").remove()}}function m(n,o){SN.U.NoticeGeoStatus(a,"Looking up place name...");$.getJSON(n,o,function(p){var q,r;if(typeof(p.location_ns)!="undefined"){a.find("[name=location_ns]").val(p.location_ns);q=p.location_ns}if(typeof(p.location_id)!="undefined"){a.find("[name=location_id]").val(p.location_id);r=p.location_id}if(typeof(p.name)=="undefined"){NLN_text=o.lat+";"+o.lon}else{NLN_text=p.name}SN.U.NoticeGeoStatus(a,NLN_text,o.lat,o.lon,p.url);j.attr("title",NoticeDataGeo_text.ShareDisable+" ("+NLN_text+")");a.find("[name=lat]").val(o.lat);a.find("[name=lon]").val(o.lon);a.find("[name=location_ns]").val(q);a.find("[name=location_id]").val(r);a.find("[name=notice_data-geo]").attr("checked",true);var s={NLat:o.lat,NLon:o.lon,NLNS:q,NLID:r,NLN:NLN_text,NLNU:p.url,NDG:true};$.cookie(SN.C.S.NoticeDataGeoCookie,JSON.stringify(s),{path:"/"})})}if(c.length>0){if($.cookie(SN.C.S.NoticeDataGeoCookie)=="disabled"){c.attr("checked",false)}else{c.attr("checked",true)}var h=a.find(".notice_data-geo_wrap");var i=h.attr("title");h.removeAttr("title");j.attr("title",j.text());c.change(function(){if(c.attr("checked")===true||$.cookie(SN.C.S.NoticeDataGeoCookie)===null){j.attr("title",NoticeDataGeo_text.ShareDisable).addClass("checked");if($.cookie(SN.C.S.NoticeDataGeoCookie)===null||$.cookie(SN.C.S.NoticeDataGeoCookie)=="disabled"){if(navigator.geolocation){SN.U.NoticeGeoStatus(a,"Requesting location from browser...");navigator.geolocation.getCurrentPosition(function(p){a.find("[name=lat]").val(p.coords.latitude);a.find("[name=lon]").val(p.coords.longitude);var q={lat:p.coords.latitude,lon:p.coords.longitude,token:$("#token").val()};m(i,q)},function(p){switch(p.code){case p.PERMISSION_DENIED:f("Location permission denied.");break;case p.TIMEOUT:f("Location lookup timeout.");break}},{timeout:10000})}else{if(e.length>0&&k.length>0){var n={lat:e,lon:k,token:$("#token").val()};m(i,n)}else{f();c.remove();j.remove()}}}else{var o=JSON.parse($.cookie(SN.C.S.NoticeDataGeoCookie));a.find("[name=lat]").val(o.NLat);a.find("[name=lon]").val(o.NLon);a.find("[name=location_ns]").val(o.NLNS);a.find("[name=location_id]").val(o.NLID);a.find("[name=notice_data-geo]").attr("checked",o.NDG);SN.U.NoticeGeoStatus(a,o.NLN,o.NLat,o.NLon,o.NLNU);j.attr("title",NoticeDataGeo_text.ShareDisable+" ("+o.NLN+")").addClass("checked")}}else{f()}}).change()}},NoticeGeoStatus:function(e,a,f,g,c){var h=e.find(".geo_status_wrapper");if(h.length==0){h=$('
    ');h.find("button.close").click(function(){e.find("[name=notice_data-geo]").removeAttr("checked").change()});e.append(h)}var b;if(c){b=$("").attr("href",c)}else{b=$("")}b.text(a);if(f||g){var d=f+";"+g;b.attr("title",d);if(!a){b.text(d)}}h.find(".geo_status").empty().append(b)},NewDirectMessage:function(){NDM=$(".entity_send-a-message a");NDM.attr({href:NDM.attr("href")+"&ajax=1"});NDM.bind("click",function(){var a=$(".entity_send-a-message form");if(a.length===0){$(this).addClass(SN.C.S.Processing);$.get(NDM.attr("href"),null,function(b){$(".entity_send-a-message").append(document._importNode($("form",b)[0],true));a=$(".entity_send-a-message .form_notice");SN.U.FormNoticeXHR(a);SN.U.FormNoticeEnhancements(a);a.append('');$(".entity_send-a-message button").click(function(){a.hide();return false});NDM.removeClass(SN.C.S.Processing)})}else{a.show();$(".entity_send-a-message textarea").focus()}return false})},GetFullYear:function(c,d,a){var b=new Date();b.setFullYear(c,d,a);return b},StatusNetInstance:{Set:function(b){var a=SN.U.StatusNetInstance.Get();if(a!==null){b=$.extend(a,b)}$.cookie(SN.C.S.StatusNetInstance,JSON.stringify(b),{path:"/",expires:SN.U.GetFullYear(2029,0,1)})},Get:function(){var a=$.cookie(SN.C.S.StatusNetInstance);if(a!==null){return JSON.parse(a)}return null},Delete:function(){$.cookie(SN.C.S.StatusNetInstance,null)}},belongsOnTimeline:function(b){var a=$("body").attr("id");if(a=="public"){return true}var c=$("#nav_profile a").attr("href");if(c){var d=$(b).find(".entry-title .author a.url").attr("href");if(d==c){if(a=="all"||a=="showstream"){return true}}}return false}},Init:{NoticeForm:function(){if($("body.user_in").length>0){$("."+SN.C.S.FormNotice).each(function(){var a=$(this);SN.U.NoticeLocationAttach(a);SN.U.FormNoticeXHR(a);SN.U.FormNoticeEnhancements(a);SN.U.NoticeDataAttach(a)})}},Notices:function(){if($("body.user_in").length>0){SN.U.NoticeFavor();SN.U.NoticeRepeat();SN.U.NoticeReply();SN.U.NoticeInlineReplySetup()}SN.U.NoticeAttachments()},EntityActions:function(){if($("body.user_in").length>0){$(".form_user_subscribe").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_user_unsubscribe").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_group_join").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_group_leave").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_user_nudge").live("click",function(){SN.U.FormXHR($(this));return false});SN.U.NewDirectMessage()}},Login:function(){if(SN.U.StatusNetInstance.Get()!==null){var a=SN.U.StatusNetInstance.Get().Nickname;if(a!==null){$("#form_login #nickname").val(a)}}$("#form_login").bind("submit",function(){SN.U.StatusNetInstance.Set({Nickname:$("#form_login #nickname").val()});return true})},UploadForms:function(){$("input[type=file]").change(function(d){if(typeof this.files=="object"&&this.files.length>0){var c=0;for(var b=0;b0&&c>a){var e="File too large: maximum upload size is %d bytes.";alert(e.replace("%d",a));$(this).val("");d.preventDefault();return false}}})}}};$(document).ready(function(){SN.Init.UploadForms();if($("."+SN.C.S.FormNotice).length>0){SN.Init.NoticeForm()}if($("#content .notices").length>0){SN.Init.Notices()}if($("#content .entity_actions").length>0){SN.Init.EntityActions()}if($("#form_login").length>0){SN.Init.Login()}});if(!document.ELEMENT_NODE){document.ELEMENT_NODE=1;document.ATTRIBUTE_NODE=2;document.TEXT_NODE=3;document.CDATA_SECTION_NODE=4;document.ENTITY_REFERENCE_NODE=5;document.ENTITY_NODE=6;document.PROCESSING_INSTRUCTION_NODE=7;document.COMMENT_NODE=8;document.DOCUMENT_NODE=9;document.DOCUMENT_TYPE_NODE=10;document.DOCUMENT_FRAGMENT_NODE=11;document.NOTATION_NODE=12}document._importNode=function(e,a){switch(e.nodeType){case document.ELEMENT_NODE:var d=document.createElement(e.nodeName);if(e.attributes&&e.attributes.length>0){for(var c=0,b=e.attributes.length;c0){for(var c=0,b=e.childNodes.length;c0){var j=c.pop();j()}}};window._google_loader_apiLoaded=function(){f()};var d=function(){return(window.google&&google.loader)};var g=function(j){if(d()){return true}h(j);e();return false};e();return{shim:true,type:"ClientLocation",lastPosition:null,getCurrentPosition:function(k,n,o){var m=this;if(!g(function(){m.getCurrentPosition(k,n,o)})){return}if(google.loader.ClientLocation){var l=google.loader.ClientLocation;var j={coords:{latitude:l.latitude,longitude:l.longitude,altitude:null,accuracy:43000,altitudeAccuracy:null,heading:null,speed:null},address:{city:l.address.city,country:l.address.country,country_code:l.address.country_code,region:l.address.region},timestamp:new Date()};k(j);this.lastPosition=j}else{if(n==="function"){n({code:3,message:"Using the Google ClientLocation API and it is not able to calculate a location."})}}},watchPosition:function(j,l,m){this.getCurrentPosition(j,l,m);var k=this;var n=setInterval(function(){k.getCurrentPosition(j,l,m)},10000);return n},clearWatch:function(j){clearInterval(j)},getPermission:function(l,j,k){return true}}});navigator.geolocation=(window.google&&google.gears)?a():b()})()}; \ No newline at end of file +var SN={C:{I:{CounterBlackout:false,MaxLength:140,PatternUsername:/^[0-9a-zA-Z\-_.]*$/,HTTP20x30x:[200,201,202,203,204,205,206,300,301,302,303,304,305,306,307]},S:{Disabled:"disabled",Warning:"warning",Error:"error",Success:"success",Processing:"processing",CommandResult:"command_result",FormNotice:"form_notice",NoticeDataGeo:"notice_data-geo",NoticeDataGeoCookie:"NoticeDataGeo",NoticeDataGeoSelected:"notice_data-geo_selected",StatusNetInstance:"StatusNetInstance"}},messages:{},msg:function(a){if(typeof SN.messages[a]=="undefined"){return"["+a+"]"}else{return SN.messages[a]}},U:{FormNoticeEnhancements:function(b){if(jQuery.data(b[0],"ElementData")===undefined){MaxLength=b.find(".count").text();if(typeof(MaxLength)=="undefined"){MaxLength=SN.C.I.MaxLength}jQuery.data(b[0],"ElementData",{MaxLength:MaxLength});SN.U.Counter(b);NDT=b.find("[name=status_textarea]");NDT.bind("keyup",function(c){SN.U.Counter(b)});var a=function(c){window.setTimeout(function(){SN.U.Counter(b)},50)};NDT.bind("cut",a).bind("paste",a)}else{b.find(".count").text(jQuery.data(b[0],"ElementData").MaxLength)}},Counter:function(d){SN.C.I.FormNoticeCurrent=d;var b=jQuery.data(d[0],"ElementData").MaxLength;if(b<=0){return}var c=b-SN.U.CharacterCount(d);var a=d.find(".count");if(c.toString()!=a.text()){if(!SN.C.I.CounterBlackout||c===0){if(a.text()!=String(c)){a.text(c)}if(c<0){d.addClass(SN.C.S.Warning)}else{d.removeClass(SN.C.S.Warning)}if(!SN.C.I.CounterBlackout){SN.C.I.CounterBlackout=true;SN.C.I.FormNoticeCurrent=d;window.setTimeout("SN.U.ClearCounterBlackout(SN.C.I.FormNoticeCurrent);",500)}}}},CharacterCount:function(a){return a.find("[name=status_textarea]").val().length},ClearCounterBlackout:function(a){SN.C.I.CounterBlackout=false;SN.U.Counter(a)},RewriteAjaxAction:function(a){if(document.location.protocol=="https:"&&a.substr(0,5)=="http:"){return a.replace(/^http:\/\/[^:\/]+/,"https://"+document.location.host)}else{return a}},FormXHR:function(a){$.ajax({type:"POST",dataType:"xml",url:SN.U.RewriteAjaxAction(a.attr("action")),data:a.serialize()+"&ajax=1",beforeSend:function(b){a.addClass(SN.C.S.Processing).find(".submit").addClass(SN.C.S.Disabled).attr(SN.C.S.Disabled,SN.C.S.Disabled)},error:function(c,d,b){alert(b||d)},success:function(b,c){if(typeof($("form",b)[0])!="undefined"){form_new=document._importNode($("form",b)[0],true);a.replaceWith(form_new)}else{a.replaceWith(document._importNode($("p",b)[0],true))}}})},FormNoticeXHR:function(b){SN.C.I.NoticeDataGeo={};b.append('');b.attr("action",SN.U.RewriteAjaxAction(b.attr("action")));var c=function(d,e){b.append($('

    ').addClass(d).text(e))};var a=function(){b.find(".form_response").remove()};b.ajaxForm({dataType:"xml",timeout:"60000",beforeSend:function(d){if(b.find("[name=status_textarea]").val()==""){b.addClass(SN.C.S.Warning);return false}b.addClass(SN.C.S.Processing).find(".submit").addClass(SN.C.S.Disabled).attr(SN.C.S.Disabled,SN.C.S.Disabled);SN.U.normalizeGeoData(b);return true},error:function(f,g,e){b.removeClass(SN.C.S.Processing).find(".submit").removeClass(SN.C.S.Disabled).removeAttr(SN.C.S.Disabled,SN.C.S.Disabled);a();if(g=="timeout"){c("error","Sorry! We had trouble sending your notice. The servers are overloaded. Please try again, and contact the site administrator if this problem persists.")}else{var d=SN.U.GetResponseXML(f);if($("."+SN.C.S.Error,d).length>0){b.append(document._importNode($("."+SN.C.S.Error,d)[0],true))}else{if(parseInt(f.status)===0||jQuery.inArray(parseInt(f.status),SN.C.I.HTTP20x30x)>=0){b.resetForm().find(".attach-status").remove();SN.U.FormNoticeEnhancements(b)}else{c("error","(Sorry! We had trouble sending your notice ("+f.status+" "+f.statusText+"). Please report the problem to the site administrator if this happens again.")}}}},success:function(i,f){a();var n=$("#"+SN.C.S.Error,i);if(n.length>0){c("error",n.text())}else{if($("body")[0].id=="bookmarklet"){self.close()}var d=$("#"+SN.C.S.CommandResult,i);if(d.length>0){c("success",d.text())}else{var m=document._importNode($("li",i)[0],true);var k=$("#notices_primary .notices:first");var l=b.closest("li.notice-reply");if(l.length>0){var e=$(m).attr("id");if($("#"+e).length==0){var j=l.closest("li.notice");l.replaceWith(m);SN.U.NoticeInlineReplyPlaceholder(j)}else{l.remove()}}else{if(k.length>0&&SN.U.belongsOnTimeline(m)){if($("#"+m.id).length===0){var h=b.find("[name=inreplyto]").val();var g="#notices_primary #notice-"+h;if($("body")[0].id=="conversation"){if(h.length>0&&$(g+" .notices").length<1){$(g).append('
      ')}$($(g+" .notices")[0]).append(m)}else{k.prepend(m)}$("#"+m.id).css({display:"none"}).fadeIn(2500);SN.U.NoticeWithAttachment($("#"+m.id));SN.U.NoticeReplyTo($("#"+m.id))}}else{c("success",$("title",i).text())}}}b.resetForm();b.find("[name=inreplyto]").val("");b.find(".attach-status").remove();SN.U.FormNoticeEnhancements(b)}},complete:function(d,e){b.removeClass(SN.C.S.Processing).find(".submit").removeAttr(SN.C.S.Disabled).removeClass(SN.C.S.Disabled);b.find("[name=lat]").val(SN.C.I.NoticeDataGeo.NLat);b.find("[name=lon]").val(SN.C.I.NoticeDataGeo.NLon);b.find("[name=location_ns]").val(SN.C.I.NoticeDataGeo.NLNS);b.find("[name=location_id]").val(SN.C.I.NoticeDataGeo.NLID);b.find("[name=notice_data-geo]").attr("checked",SN.C.I.NoticeDataGeo.NDG)}})},FormProfileSearchXHR:function(a){$.ajax({type:"POST",dataType:"xml",url:a.attr("action"),data:a.serialize()+"&ajax=1",beforeSend:function(b){a.addClass(SN.C.S.Processing).find(".submit").addClass(SN.C.S.Disabled).attr(SN.C.S.Disabled,SN.C.S.Disabled)},error:function(c,d,b){alert(b||d)},success:function(d,f){var b=$("#profile_search_results");if(typeof($("ul",d)[0])!="undefined"){var c=document._importNode($("ul",d)[0],true);b.replaceWith(c)}else{var e=$("
    • ").append(document._importNode($("p",d)[0],true));b.html(e)}a.removeClass(SN.C.S.Processing).find(".submit").removeClass(SN.C.S.Disabled).attr(SN.C.S.Disabled,false)}})},FormPeopletagsXHR:function(a){$.ajax({type:"POST",dataType:"xml",url:a.attr("action"),data:a.serialize()+"&ajax=1",beforeSend:function(b){a.addClass(SN.C.S.Processing).find(".submit").addClass(SN.C.S.Disabled).attr(SN.C.S.Disabled,SN.C.S.Disabled)},error:function(c,d,b){alert(b||d)},success:function(d,e){var c=a.parents(".entity_tags");if(typeof($(".entity_tags",d)[0])!="undefined"){var b=document._importNode($(".entity_tags",d)[0],true);$(b).find(".editable").append($('').closest(".notice-options").addClass("opaque");a.find("button.close").click(function(){$(this).remove();a.removeClass("dialogbox").closest(".notice-options").removeClass("opaque");a.find(".submit_dialogbox").remove();a.find(".submit").show();return false})},NoticeAttachments:function(){$(".notice a.attachment").each(function(){SN.U.NoticeWithAttachment($(this).closest(".notice"))})},NoticeWithAttachment:function(b){if(b.find(".attachment").length===0){return}var a=b.find(".attachment.more");if(a.length>0){$(a[0]).click(function(){var c=$(this);c.addClass(SN.C.S.Processing);$.get(c.attr("href")+"/ajax",null,function(d){c.parent(".entry-content").html($(d).find("#attachment_view .entry-content").html())});return false}).attr("title",SN.msg("showmore_tooltip"))}},NoticeDataAttach:function(b){var a=b.find("input[type=file]");a.change(function(f){b.find(".attach-status").remove();var d=$(this).val();if(!d){return false}var c=$('
      ');c.find("code").text(d);c.find("button").click(function(){c.remove();a.val("");return false});b.append(c);if(typeof this.files=="object"){for(var e=0;eg){f=false}if(f){h(c,function(j){var i=$("").attr("title",e).attr("alt",e).attr("src",j).attr("style","height: 120px");d.find(".attach-status").append(i)})}else{var b=$("
      ").text(e);d.find(".attach-status").append(b)}},NoticeLocationAttach:function(a){var e=a.find("[name=lat]");var k=a.find("[name=lon]");var g=a.find("[name=location_ns]").val();var l=a.find("[name=location_id]").val();var b="";var d=a.find("[name=notice_data-geo]");var c=a.find("[name=notice_data-geo]");var j=a.find("label.notice_data-geo");function f(n){j.attr("title",jQuery.trim(j.text())).removeClass("checked");a.find("[name=lat]").val("");a.find("[name=lon]").val("");a.find("[name=location_ns]").val("");a.find("[name=location_id]").val("");a.find("[name=notice_data-geo]").attr("checked",false);$.cookie(SN.C.S.NoticeDataGeoCookie,"disabled",{path:"/"});if(n){a.find(".geo_status_wrapper").removeClass("success").addClass("error");a.find(".geo_status_wrapper .geo_status").text(n)}else{a.find(".geo_status_wrapper").remove()}}function m(n,o){SN.U.NoticeGeoStatus(a,"Looking up place name...");$.getJSON(n,o,function(p){var q,r;if(typeof(p.location_ns)!="undefined"){a.find("[name=location_ns]").val(p.location_ns);q=p.location_ns}if(typeof(p.location_id)!="undefined"){a.find("[name=location_id]").val(p.location_id);r=p.location_id}if(typeof(p.name)=="undefined"){NLN_text=o.lat+";"+o.lon}else{NLN_text=p.name}SN.U.NoticeGeoStatus(a,NLN_text,o.lat,o.lon,p.url);j.attr("title",NoticeDataGeo_text.ShareDisable+" ("+NLN_text+")");a.find("[name=lat]").val(o.lat);a.find("[name=lon]").val(o.lon);a.find("[name=location_ns]").val(q);a.find("[name=location_id]").val(r);a.find("[name=notice_data-geo]").attr("checked",true);var s={NLat:o.lat,NLon:o.lon,NLNS:q,NLID:r,NLN:NLN_text,NLNU:p.url,NDG:true};$.cookie(SN.C.S.NoticeDataGeoCookie,JSON.stringify(s),{path:"/"})})}if(c.length>0){if($.cookie(SN.C.S.NoticeDataGeoCookie)=="disabled"){c.attr("checked",false)}else{c.attr("checked",true)}var h=a.find(".notice_data-geo_wrap");var i=h.attr("title");h.removeAttr("title");j.attr("title",j.text());c.change(function(){if(c.attr("checked")===true||$.cookie(SN.C.S.NoticeDataGeoCookie)===null){j.attr("title",NoticeDataGeo_text.ShareDisable).addClass("checked");if($.cookie(SN.C.S.NoticeDataGeoCookie)===null||$.cookie(SN.C.S.NoticeDataGeoCookie)=="disabled"){if(navigator.geolocation){SN.U.NoticeGeoStatus(a,"Requesting location from browser...");navigator.geolocation.getCurrentPosition(function(p){a.find("[name=lat]").val(p.coords.latitude);a.find("[name=lon]").val(p.coords.longitude);var q={lat:p.coords.latitude,lon:p.coords.longitude,token:$("#token").val()};m(i,q)},function(p){switch(p.code){case p.PERMISSION_DENIED:f("Location permission denied.");break;case p.TIMEOUT:f("Location lookup timeout.");break}},{timeout:10000})}else{if(e.length>0&&k.length>0){var n={lat:e,lon:k,token:$("#token").val()};m(i,n)}else{f();c.remove();j.remove()}}}else{var o=JSON.parse($.cookie(SN.C.S.NoticeDataGeoCookie));a.find("[name=lat]").val(o.NLat);a.find("[name=lon]").val(o.NLon);a.find("[name=location_ns]").val(o.NLNS);a.find("[name=location_id]").val(o.NLID);a.find("[name=notice_data-geo]").attr("checked",o.NDG);SN.U.NoticeGeoStatus(a,o.NLN,o.NLat,o.NLon,o.NLNU);j.attr("title",NoticeDataGeo_text.ShareDisable+" ("+o.NLN+")").addClass("checked")}}else{f()}}).change()}},NoticeGeoStatus:function(e,a,f,g,c){var h=e.find(".geo_status_wrapper");if(h.length==0){h=$('
      ');h.find("button.close").click(function(){e.find("[name=notice_data-geo]").removeAttr("checked").change()});e.append(h)}var b;if(c){b=$("").attr("href",c)}else{b=$("")}b.text(a);if(f||g){var d=f+";"+g;b.attr("title",d);if(!a){b.text(d)}}h.find(".geo_status").empty().append(b)},NewDirectMessage:function(){NDM=$(".entity_send-a-message a");NDM.attr({href:NDM.attr("href")+"&ajax=1"});NDM.bind("click",function(){var a=$(".entity_send-a-message form");if(a.length===0){$(this).addClass(SN.C.S.Processing);$.get(NDM.attr("href"),null,function(b){$(".entity_send-a-message").append(document._importNode($("form",b)[0],true));a=$(".entity_send-a-message .form_notice");SN.U.FormNoticeXHR(a);SN.U.FormNoticeEnhancements(a);a.append('');$(".entity_send-a-message button").click(function(){a.hide();return false});NDM.removeClass(SN.C.S.Processing)})}else{a.show();$(".entity_send-a-message textarea").focus()}return false})},GetFullYear:function(c,d,a){var b=new Date();b.setFullYear(c,d,a);return b},StatusNetInstance:{Set:function(b){var a=SN.U.StatusNetInstance.Get();if(a!==null){b=$.extend(a,b)}$.cookie(SN.C.S.StatusNetInstance,JSON.stringify(b),{path:"/",expires:SN.U.GetFullYear(2029,0,1)})},Get:function(){var a=$.cookie(SN.C.S.StatusNetInstance);if(a!==null){return JSON.parse(a)}return null},Delete:function(){$.cookie(SN.C.S.StatusNetInstance,null)}},belongsOnTimeline:function(b){var a=$("body").attr("id");if(a=="public"){return true}var c=$("#nav_profile a").attr("href");if(c){var d=$(b).find(".entry-title .author a.url").attr("href");if(d==c){if(a=="all"||a=="showstream"){return true}}}return false}},Init:{NoticeForm:function(){if($("body.user_in").length>0){$("."+SN.C.S.FormNotice).each(function(){var a=$(this);SN.U.NoticeLocationAttach(a);SN.U.FormNoticeXHR(a);SN.U.FormNoticeEnhancements(a);SN.U.NoticeDataAttach(a)})}},Notices:function(){if($("body.user_in").length>0){SN.U.NoticeFavor();SN.U.NoticeRepeat();SN.U.NoticeReply();SN.U.NoticeInlineReplySetup()}SN.U.NoticeAttachments()},EntityActions:function(){if($("body.user_in").length>0){$(".form_user_subscribe").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_user_unsubscribe").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_group_join").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_group_leave").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_user_nudge").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_peopletag_subscribe").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_peopletag_unsubscribe").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_user_add_peopletag").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_user_remove_peopletag").live("click",function(){SN.U.FormXHR($(this));return false});SN.U.NewDirectMessage()}},ProfileSearch:function(){if($("body.user_in").length>0){$(".form_peopletag_edit_user_search input.submit").live("click",function(){SN.U.FormProfileSearchXHR($(this).parents("form"));return false})}},Login:function(){if(SN.U.StatusNetInstance.Get()!==null){var a=SN.U.StatusNetInstance.Get().Nickname;if(a!==null){$("#form_login #nickname").val(a)}}$("#form_login").bind("submit",function(){SN.U.StatusNetInstance.Set({Nickname:$("#form_login #nickname").val()});return true})},PeopletagAutocomplete:function(){$(".form_tag_user #tags").tagInput({tags:SN.C.PtagACData,tagSeparator:" ",animate:false,formatLine:function(d,g,c,f){var a=""+g.tag.substring(0,c.length)+""+g.tag.substring(c.length);var b=$("
      ").addClass("mode-"+g.mode);b.append($("
      "+a+" "+g.mode+"
      "));if(g.freq){b.append("
      "+g.freq+"
      ")}return b}})},PeopleTags:function(){$(".user_profile_tags .editable").append($('').closest(".notice-options").addClass("opaque");a.find("button.close").click(function(){$(this).remove();a.removeClass("dialogbox").closest(".notice-options").removeClass("opaque");a.find(".submit_dialogbox").remove();a.find(".submit").show();return false})},NoticeAttachments:function(){$(".notice a.attachment").each(function(){SN.U.NoticeWithAttachment($(this).closest(".notice"))})},NoticeWithAttachment:function(b){if(b.find(".attachment").length===0){return}var a=b.find(".attachment.more");if(a.length>0){$(a[0]).click(function(){var c=$(this);c.addClass(SN.C.S.Processing);$.get(c.attr("href")+"/ajax",null,function(d){c.parent(".entry-content").html($(d).find("#attachment_view .entry-content").html())});return false}).attr("title",SN.msg("showmore_tooltip"))}},NoticeDataAttach:function(b){var a=b.find("input[type=file]");a.change(function(f){b.find(".attach-status").remove();var d=$(this).val();if(!d){return false}var c=$('
      ');c.find("code").text(d);c.find("button").click(function(){c.remove();a.val("");return false});b.append(c);if(typeof this.files=="object"){for(var e=0;eg){f=false}if(f){h(c,function(j){var i=$("").attr("title",e).attr("alt",e).attr("src",j).attr("style","height: 120px");d.find(".attach-status").append(i)})}else{var b=$("
      ").text(e);d.find(".attach-status").append(b)}},NoticeLocationAttach:function(a){var e=a.find("[name=lat]");var k=a.find("[name=lon]");var g=a.find("[name=location_ns]").val();var l=a.find("[name=location_id]").val();var b="";var d=a.find("[name=notice_data-geo]");var c=a.find("[name=notice_data-geo]");var j=a.find("label.notice_data-geo");function f(n){j.attr("title",jQuery.trim(j.text())).removeClass("checked");a.find("[name=lat]").val("");a.find("[name=lon]").val("");a.find("[name=location_ns]").val("");a.find("[name=location_id]").val("");a.find("[name=notice_data-geo]").attr("checked",false);$.cookie(SN.C.S.NoticeDataGeoCookie,"disabled",{path:"/"});if(n){a.find(".geo_status_wrapper").removeClass("success").addClass("error");a.find(".geo_status_wrapper .geo_status").text(n)}else{a.find(".geo_status_wrapper").remove()}}function m(n,o){SN.U.NoticeGeoStatus(a,"Looking up place name...");$.getJSON(n,o,function(p){var q,r;if(typeof(p.location_ns)!="undefined"){a.find("[name=location_ns]").val(p.location_ns);q=p.location_ns}if(typeof(p.location_id)!="undefined"){a.find("[name=location_id]").val(p.location_id);r=p.location_id}if(typeof(p.name)=="undefined"){NLN_text=o.lat+";"+o.lon}else{NLN_text=p.name}SN.U.NoticeGeoStatus(a,NLN_text,o.lat,o.lon,p.url);j.attr("title",NoticeDataGeo_text.ShareDisable+" ("+NLN_text+")");a.find("[name=lat]").val(o.lat);a.find("[name=lon]").val(o.lon);a.find("[name=location_ns]").val(q);a.find("[name=location_id]").val(r);a.find("[name=notice_data-geo]").attr("checked",true);var s={NLat:o.lat,NLon:o.lon,NLNS:q,NLID:r,NLN:NLN_text,NLNU:p.url,NDG:true};$.cookie(SN.C.S.NoticeDataGeoCookie,JSON.stringify(s),{path:"/"})})}if(c.length>0){if($.cookie(SN.C.S.NoticeDataGeoCookie)=="disabled"){c.attr("checked",false)}else{c.attr("checked",true)}var h=a.find(".notice_data-geo_wrap");var i=h.attr("data-api");j.attr("title",j.text());c.change(function(){if(c.attr("checked")===true||$.cookie(SN.C.S.NoticeDataGeoCookie)===null){j.attr("title",NoticeDataGeo_text.ShareDisable).addClass("checked");if($.cookie(SN.C.S.NoticeDataGeoCookie)===null||$.cookie(SN.C.S.NoticeDataGeoCookie)=="disabled"){if(navigator.geolocation){SN.U.NoticeGeoStatus(a,"Requesting location from browser...");navigator.geolocation.getCurrentPosition(function(p){a.find("[name=lat]").val(p.coords.latitude);a.find("[name=lon]").val(p.coords.longitude);var q={lat:p.coords.latitude,lon:p.coords.longitude,token:$("#token").val()};m(i,q)},function(p){switch(p.code){case p.PERMISSION_DENIED:f("Location permission denied.");break;case p.TIMEOUT:f("Location lookup timeout.");break}},{timeout:10000})}else{if(e.length>0&&k.length>0){var n={lat:e,lon:k,token:$("#token").val()};m(i,n)}else{f();c.remove();j.remove()}}}else{var o=JSON.parse($.cookie(SN.C.S.NoticeDataGeoCookie));a.find("[name=lat]").val(o.NLat);a.find("[name=lon]").val(o.NLon);a.find("[name=location_ns]").val(o.NLNS);a.find("[name=location_id]").val(o.NLID);a.find("[name=notice_data-geo]").attr("checked",o.NDG);SN.U.NoticeGeoStatus(a,o.NLN,o.NLat,o.NLon,o.NLNU);j.attr("title",NoticeDataGeo_text.ShareDisable+" ("+o.NLN+")").addClass("checked")}}else{f()}}).change()}},NoticeGeoStatus:function(e,a,f,g,c){var h=e.find(".geo_status_wrapper");if(h.length==0){h=$('
      ');h.find("button.close").click(function(){e.find("[name=notice_data-geo]").removeAttr("checked").change();return false});e.append(h)}var b;if(c){b=$("").attr("href",c)}else{b=$("")}b.text(a);if(f||g){var d=f+";"+g;b.attr("title",d);if(!a){b.text(d)}}h.find(".geo_status").empty().append(b)},NewDirectMessage:function(){NDM=$(".entity_send-a-message a");NDM.attr({href:NDM.attr("href")+"&ajax=1"});NDM.bind("click",function(){var a=$(".entity_send-a-message form");if(a.length===0){$(this).addClass(SN.C.S.Processing);$.get(NDM.attr("href"),null,function(b){$(".entity_send-a-message").append(document._importNode($("form",b)[0],true));a=$(".entity_send-a-message .form_notice");SN.U.FormNoticeXHR(a);SN.U.FormNoticeEnhancements(a);a.append('');$(".entity_send-a-message button").click(function(){a.hide();return false});NDM.removeClass(SN.C.S.Processing)})}else{a.show();$(".entity_send-a-message textarea").focus()}return false})},GetFullYear:function(c,d,a){var b=new Date();b.setFullYear(c,d,a);return b},StatusNetInstance:{Set:function(b){var a=SN.U.StatusNetInstance.Get();if(a!==null){b=$.extend(a,b)}$.cookie(SN.C.S.StatusNetInstance,JSON.stringify(b),{path:"/",expires:SN.U.GetFullYear(2029,0,1)})},Get:function(){var a=$.cookie(SN.C.S.StatusNetInstance);if(a!==null){return JSON.parse(a)}return null},Delete:function(){$.cookie(SN.C.S.StatusNetInstance,null)}},belongsOnTimeline:function(b){var a=$("body").attr("id");if(a=="public"){return true}var c=$("#nav_profile a").attr("href");if(c){var d=$(b).find(".vcard.author a.url").attr("href");if(d==c){if(a=="all"||a=="showstream"){return true}}}return false},switchInputFormTab:function(a){$(".input_form_nav_tab.current").removeClass("current");if(a=="placeholder"){$("#input_form_nav_status").addClass("current")}else{$("#input_form_nav_"+a).addClass("current")}$(".input_form.current").removeClass("current");$("#input_form_"+a).addClass("current").find(".ajax-notice").each(function(){var b=$(this);SN.Init.NoticeFormSetup(b)}).find("textarea:first").focus()}},Init:{NoticeForm:function(){if($("body.user_in").length>0){$("#input_form_placeholder input.placeholder").focus(function(){SN.U.switchInputFormTab("status")});$("body").bind("click",function(g){var d=$("#content .input_forms div.current");if(d.length>0){if($("#content .input_forms").has(g.target).length==0){var a=d.find('textarea, input[type=text], input[type=""]');var c=false;a.each(function(){c=c||$(this).val()});if(!c){SN.U.switchInputFormTab("placeholder")}}}var b=$("li.notice-reply");if(b.length>0){var f=$(g.target);b.each(function(){var j=$(this);if(j.has(g.target).length==0){var h=j.find(".notice_data-text:first");var i=$.trim(h.val());if(i==""||i==h.data("initialText")){var e=j.closest("li.notice");j.remove();e.find("li.notice-reply-placeholder").show()}}})}})}},NoticeFormSetup:function(a){if(!a.data("NoticeFormSetup")){SN.U.NoticeLocationAttach(a);SN.U.FormNoticeXHR(a);SN.U.FormNoticeEnhancements(a);SN.U.NoticeDataAttach(a);a.data("NoticeFormSetup",true)}},Notices:function(){if($("body.user_in").length>0){var a=$(".form_notice:first");if(a.length>0){SN.C.I.NoticeFormMaster=document._importNode(a[0],true)}SN.U.NoticeRepeat();SN.U.NoticeReply();SN.U.NoticeInlineReplySetup()}SN.U.NoticeAttachments()},EntityActions:function(){if($("body.user_in").length>0){$(".form_user_subscribe").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_user_unsubscribe").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_group_join").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_group_leave").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_user_nudge").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_peopletag_subscribe").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_peopletag_unsubscribe").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_user_add_peopletag").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_user_remove_peopletag").live("click",function(){SN.U.FormXHR($(this));return false});SN.U.NewDirectMessage()}},ProfileSearch:function(){if($("body.user_in").length>0){$(".form_peopletag_edit_user_search input.submit").live("click",function(){SN.U.FormProfileSearchXHR($(this).parents("form"));return false})}},Login:function(){if(SN.U.StatusNetInstance.Get()!==null){var a=SN.U.StatusNetInstance.Get().Nickname;if(a!==null){$("#form_login #nickname").val(a)}}$("#form_login").bind("submit",function(){SN.U.StatusNetInstance.Set({Nickname:$("#form_login #nickname").val()});return true})},PeopletagAutocomplete:function(){$(".form_tag_user #tags").tagInput({tags:SN.C.PtagACData,tagSeparator:" ",animate:false,formatLine:function(d,g,c,f){var a=""+g.tag.substring(0,c.length)+""+g.tag.substring(c.length);var b=$("
      ").addClass("mode-"+g.mode);b.append($("
      "+a+" "+g.mode+"
      "));if(g.freq){b.append("
      "+g.freq+"
      ")}return b}})},PeopleTags:function(){$(".user_profile_tags .editable").append($('').closest(".notice-options").addClass("opaque");a.find("button.close").click(function(){$(this).remove();a.removeClass("dialogbox").closest(".notice-options").removeClass("opaque");a.find(".submit_dialogbox").remove();a.find(".submit").show();return false})},NoticeAttachments:function(){$(".notice a.attachment").each(function(){SN.U.NoticeWithAttachment($(this).closest(".notice"))})},NoticeWithAttachment:function(b){if(b.find(".attachment").length===0){return}var a=b.find(".attachment.more");if(a.length>0){$(a[0]).click(function(){var c=$(this);c.addClass(SN.C.S.Processing);$.get(c.attr("href")+"/ajax",null,function(d){c.parent(".entry-content").html($(d).find("#attachment_view .entry-content").html())});return false}).attr("title",SN.msg("showmore_tooltip"))}},NoticeDataAttach:function(b){var a=b.find("input[type=file]");a.change(function(f){b.find(".attach-status").remove();var d=$(this).val();if(!d){return false}var c=$('
      ');c.find("code").text(d);c.find("button").click(function(){c.remove();a.val("");return false});b.append(c);if(typeof this.files=="object"){for(var e=0;eg){f=false}if(f){h(c,function(k){var j=$("").attr("title",e).attr("alt",e).attr("src",k).attr("style","height: 120px");d.find(".attach-status").append(j)})}else{var b=$("
      ").text(e);d.find(".attach-status").append(b)}},NoticeLocationAttach:function(a){var e=a.find("[name=lat]");var l=a.find("[name=lon]");var g=a.find("[name=location_ns]").val();var m=a.find("[name=location_id]").val();var b="";var d=a.find("[name=notice_data-geo]");var c=a.find("[name=notice_data-geo]");var k=a.find("label.notice_data-geo");function f(o){k.attr("title",jQuery.trim(k.text())).removeClass("checked");a.find("[name=lat]").val("");a.find("[name=lon]").val("");a.find("[name=location_ns]").val("");a.find("[name=location_id]").val("");a.find("[name=notice_data-geo]").attr("checked",false);$.cookie(SN.C.S.NoticeDataGeoCookie,"disabled",{path:"/"});if(o){a.find(".geo_status_wrapper").removeClass("success").addClass("error");a.find(".geo_status_wrapper .geo_status").text(o)}else{a.find(".geo_status_wrapper").remove()}}function n(o,p){SN.U.NoticeGeoStatus(a,"Looking up place name...");$.getJSON(o,p,function(q){var r,s;if(typeof(q.location_ns)!="undefined"){a.find("[name=location_ns]").val(q.location_ns);r=q.location_ns}if(typeof(q.location_id)!="undefined"){a.find("[name=location_id]").val(q.location_id);s=q.location_id}if(typeof(q.name)=="undefined"){NLN_text=p.lat+";"+p.lon}else{NLN_text=q.name}SN.U.NoticeGeoStatus(a,NLN_text,p.lat,p.lon,q.url);k.attr("title",NoticeDataGeo_text.ShareDisable+" ("+NLN_text+")");a.find("[name=lat]").val(p.lat);a.find("[name=lon]").val(p.lon);a.find("[name=location_ns]").val(r);a.find("[name=location_id]").val(s);a.find("[name=notice_data-geo]").attr("checked",true);var t={NLat:p.lat,NLon:p.lon,NLNS:r,NLID:s,NLN:NLN_text,NLNU:q.url,NDG:true};$.cookie(SN.C.S.NoticeDataGeoCookie,JSON.stringify(t),{path:"/"})})}if(c.length>0){if($.cookie(SN.C.S.NoticeDataGeoCookie)=="disabled"){c.attr("checked",false)}else{c.attr("checked",true)}var h=a.find(".notice_data-geo_wrap");var j=h.attr("data-api");k.attr("title",k.text());c.change(function(){if(c.attr("checked")===true||$.cookie(SN.C.S.NoticeDataGeoCookie)===null){k.attr("title",NoticeDataGeo_text.ShareDisable).addClass("checked");if($.cookie(SN.C.S.NoticeDataGeoCookie)===null||$.cookie(SN.C.S.NoticeDataGeoCookie)=="disabled"){if(navigator.geolocation){SN.U.NoticeGeoStatus(a,"Requesting location from browser...");navigator.geolocation.getCurrentPosition(function(q){a.find("[name=lat]").val(q.coords.latitude);a.find("[name=lon]").val(q.coords.longitude);var r={lat:q.coords.latitude,lon:q.coords.longitude,token:$("#token").val()};n(j,r)},function(q){switch(q.code){case q.PERMISSION_DENIED:f("Location permission denied.");break;case q.TIMEOUT:f("Location lookup timeout.");break}},{timeout:10000})}else{if(e.length>0&&l.length>0){var o={lat:e,lon:l,token:$("#token").val()};n(j,o)}else{f();c.remove();k.remove()}}}else{var p=JSON.parse($.cookie(SN.C.S.NoticeDataGeoCookie));a.find("[name=lat]").val(p.NLat);a.find("[name=lon]").val(p.NLon);a.find("[name=location_ns]").val(p.NLNS);a.find("[name=location_id]").val(p.NLID);a.find("[name=notice_data-geo]").attr("checked",p.NDG);SN.U.NoticeGeoStatus(a,p.NLN,p.NLat,p.NLon,p.NLNU);k.attr("title",NoticeDataGeo_text.ShareDisable+" ("+p.NLN+")").addClass("checked")}}else{f()}}).change()}},NoticeGeoStatus:function(e,a,f,g,c){var h=e.find(".geo_status_wrapper");if(h.length==0){h=$('
      ');h.find("button.close").click(function(){e.find("[name=notice_data-geo]").removeAttr("checked").change();return false});e.append(h)}var b;if(c){b=$("").attr("href",c)}else{b=$("")}b.text(a);if(f||g){var d=f+";"+g;b.attr("title",d);if(!a){b.text(d)}}h.find(".geo_status").empty().append(b)},NewDirectMessage:function(){NDM=$(".entity_send-a-message a");NDM.attr({href:NDM.attr("href")+"&ajax=1"});NDM.bind("click",function(){var a=$(".entity_send-a-message form");if(a.length===0){$(this).addClass(SN.C.S.Processing);$.get(NDM.attr("href"),null,function(b){$(".entity_send-a-message").append(document._importNode($("form",b)[0],true));a=$(".entity_send-a-message .form_notice");SN.U.FormNoticeXHR(a);SN.U.FormNoticeEnhancements(a);a.append('');$(".entity_send-a-message button").click(function(){a.hide();return false});NDM.removeClass(SN.C.S.Processing)})}else{a.show();$(".entity_send-a-message textarea").focus()}return false})},GetFullYear:function(c,d,a){var b=new Date();b.setFullYear(c,d,a);return b},StatusNetInstance:{Set:function(b){var a=SN.U.StatusNetInstance.Get();if(a!==null){b=$.extend(a,b)}$.cookie(SN.C.S.StatusNetInstance,JSON.stringify(b),{path:"/",expires:SN.U.GetFullYear(2029,0,1)})},Get:function(){var a=$.cookie(SN.C.S.StatusNetInstance);if(a!==null){return JSON.parse(a)}return null},Delete:function(){$.cookie(SN.C.S.StatusNetInstance,null)}},belongsOnTimeline:function(b){var a=$("body").attr("id");if(a=="public"){return true}var c=$("#nav_profile a").attr("href");if(c){var d=$(b).find(".vcard.author a.url").attr("href");if(d==c){if(a=="all"||a=="showstream"){return true}}}return false},switchInputFormTab:function(a){$(".input_form_nav_tab.current").removeClass("current");if(a=="placeholder"){$("#input_form_nav_status").addClass("current")}else{$("#input_form_nav_"+a).addClass("current")}$(".input_form.current").removeClass("current");$("#input_form_"+a).addClass("current").find(".ajax-notice").each(function(){var b=$(this);SN.Init.NoticeFormSetup(b)}).find("textarea:first").focus()}},Init:{NoticeForm:function(){if($("body.user_in").length>0){$("#input_form_placeholder input.placeholder").focus(function(){SN.U.switchInputFormTab("status")});$("body").bind("click",function(g){var d=$("#content .input_forms div.current");if(d.length>0){if($("#content .input_forms").has(g.target).length==0){var a=d.find('textarea, input[type=text], input[type=""]');var c=false;a.each(function(){c=c||$(this).val()});if(!c){SN.U.switchInputFormTab("placeholder")}}}var b=$("li.notice-reply");if(b.length>0){var f=$(g.target);b.each(function(){var k=$(this);if(k.has(g.target).length==0){var h=k.find(".notice_data-text:first");var j=$.trim(h.val());if(j==""||j==h.data("initialText")){var e=k.closest("li.notice");k.remove();e.find("li.notice-reply-placeholder").show()}}})}})}},NoticeFormSetup:function(a){if(!a.data("NoticeFormSetup")){SN.U.NoticeLocationAttach(a);SN.U.FormNoticeXHR(a);SN.U.FormNoticeEnhancements(a);SN.U.NoticeDataAttach(a);a.data("NoticeFormSetup",true)}},Notices:function(){if($("body.user_in").length>0){var a=$(".form_notice:first");if(a.length>0){SN.C.I.NoticeFormMaster=document._importNode(a[0],true)}SN.U.NoticeRepeat();SN.U.NoticeReply();SN.U.NoticeInlineReplySetup()}SN.U.NoticeAttachments()},EntityActions:function(){if($("body.user_in").length>0){$(".form_user_subscribe").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_user_unsubscribe").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_group_join").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_group_leave").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_user_nudge").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_peopletag_subscribe").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_peopletag_unsubscribe").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_user_add_peopletag").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_user_remove_peopletag").live("click",function(){SN.U.FormXHR($(this));return false});SN.U.NewDirectMessage()}},ProfileSearch:function(){if($("body.user_in").length>0){$(".form_peopletag_edit_user_search input.submit").live("click",function(){SN.U.FormProfileSearchXHR($(this).parents("form"));return false})}},Login:function(){if(SN.U.StatusNetInstance.Get()!==null){var a=SN.U.StatusNetInstance.Get().Nickname;if(a!==null){$("#form_login #nickname").val(a)}}$("#form_login").bind("submit",function(){SN.U.StatusNetInstance.Set({Nickname:$("#form_login #nickname").val()});return true})},PeopletagAutocomplete:function(b){var a=function(d){return d.split(/\s+/)};var c=function(d){return a(d).pop()};b.live("keydown",function(d){if(d.keyCode===$.ui.keyCode.TAB&&$(this).data("autocomplete").menu.active){d.preventDefault()}}).autocomplete({minLength:0,source:function(e,d){d($.ui.autocomplete.filter(SN.C.PtagACData,c(e.term)))},focus:function(){return false},select:function(e,f){var d=a(this.value);d.pop();d.push(f.item.value);d.push("");this.value=d.join(" ");return false}}).data("autocomplete")._renderItem=function(e,f){var d=''+f.tag+' '+f.mode+''+f.freq+"";return $("
    • ").addClass("mode-"+f.mode).addClass("ptag-ac-line").data("item.autocomplete",f).append(d).appendTo(e)}},PeopleTags:function(){$(".user_profile_tags .editable").append($('